Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Bump mypy from 1.14.1 to 1.15.0 #2096

Merged
merged 5 commits into from
Feb 5, 2025
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion cwltool/command_line_tool.py
Original file line number Diff line number Diff line change
Expand Up @@ -1342,7 +1342,7 @@
]
)
except OSError as e:
_logger.warning(str(e))
_logger.warning(str(e), exc_info=builder.debug)

Check warning on line 1345 in cwltool/command_line_tool.py

View check run for this annotation

Codecov / codecov/patch

cwltool/command_line_tool.py#L1345

Added line #L1345 was not covered by tests
except Exception:
_logger.error("Unexpected error from fs_access", exc_info=True)
raise
Expand Down
7 changes: 4 additions & 3 deletions cwltool/cuda.py
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,7 @@

import subprocess # nosec
import xml.dom.minidom # nosec
from typing import Union

from .loghandler import _logger
from .utils import CWLObjectType
Expand All @@ -10,9 +11,9 @@
def cuda_version_and_device_count() -> tuple[str, int]:
"""Determine the CUDA version and number of attached CUDA GPUs."""
try:
out = subprocess.check_output(["nvidia-smi", "-q", "-x"]) # nosec
out: Union[str, bytes] = subprocess.check_output(["nvidia-smi", "-q", "-x"]) # nosec
except Exception as e:
_logger.warning("Error checking CUDA version with nvidia-smi: %s", e)
_logger.warning("Error checking CUDA version with nvidia-smi: %s", e, exc_info=e)
return ("", 0)
dm = xml.dom.minidom.parseString(out) # nosec

Expand Down Expand Up @@ -62,5 +63,5 @@
return 0
return requestCount
except Exception as e:
_logger.warning("Error checking CUDA requirements: %s", e)
_logger.warning("Error checking CUDA requirements: %s", e, exc_info=e)

Check warning on line 66 in cwltool/cuda.py

View check run for this annotation

Codecov / codecov/patch

cwltool/cuda.py#L66

Added line #L66 was not covered by tests
return 0
2 changes: 1 addition & 1 deletion cwltool/cwlprov/provenance_profile.py
Original file line number Diff line number Diff line change
Expand Up @@ -546,7 +546,7 @@
# FIXME: list value does not support adding "@id"
return coll
except TypeError:
_logger.warning("Unrecognized type %s of %r", type(value), value)
_logger.warning("Unrecognized type %s of %r", type(value), value, exc_info=True)

Check warning on line 549 in cwltool/cwlprov/provenance_profile.py

View check run for this annotation

Codecov / codecov/patch

cwltool/cwlprov/provenance_profile.py#L549

Added line #L549 was not covered by tests
# Let's just fall back to Python repr()
entity = self.document.entity(uuid.uuid4().urn, {PROV_LABEL: repr(value)})
self.research_object.add_uri(entity.identifier.uri)
Expand Down
34 changes: 20 additions & 14 deletions cwltool/cwlviewer.py
Original file line number Diff line number Diff line change
@@ -1,18 +1,28 @@
"""Visualize a CWL workflow."""

from collections.abc import Iterator
from pathlib import Path
from importlib.resources import files
from typing import cast
from urllib.parse import urlparse

import pydot
import rdflib

_queries_dir = (Path(__file__).parent / "rdfqueries").resolve()
_get_inner_edges_query_path = _queries_dir / "get_inner_edges.sparql"
_get_input_edges_query_path = _queries_dir / "get_input_edges.sparql"
_get_output_edges_query_path = _queries_dir / "get_output_edges.sparql"
_get_root_query_path = _queries_dir / "get_root.sparql"

def _get_inner_edges_query() -> str:
return files("cwltool").joinpath("rdfqueries/get_inner_edges.sparql").read_text()


def _get_input_edges_query() -> str:
return files("cwltool").joinpath("rdfqueries/get_input_edges.sparql").read_text()


def _get_output_edges_query() -> str:
return files("cwltool").joinpath("rdfqueries/get_output_edges.sparql").read_text()


def _get_root_query() -> str:
return files("cwltool").joinpath("rdfqueries/get_root.sparql").read_text()


class CWLViewer:
Expand All @@ -33,8 +43,7 @@ def _load_cwl_graph(self, rdf_description: str) -> rdflib.graph.Graph:
return rdf_graph

def _set_inner_edges(self) -> None:
with open(_get_inner_edges_query_path) as f:
get_inner_edges_query = f.read()
get_inner_edges_query = _get_inner_edges_query()
inner_edges = cast(
Iterator[rdflib.query.ResultRow],
self._rdf_graph.query(
Expand Down Expand Up @@ -96,8 +105,7 @@ def _set_inner_edges(self) -> None:
)

def _set_input_edges(self) -> None:
with open(_get_input_edges_query_path) as f:
get_input_edges_query = f.read()
get_input_edges_query = _get_input_edges_query()
inputs_subgraph = pydot.Subgraph(graph_name="cluster_inputs")
self._dot_graph.add_subgraph(inputs_subgraph)
inputs_subgraph.set("rank", "same")
Expand All @@ -124,8 +132,7 @@ def _set_input_edges(self) -> None:
self._dot_graph.add_edge(pydot.Edge(str(input_row["input"]), str(input_row["step"])))

def _set_output_edges(self) -> None:
with open(_get_output_edges_query_path) as f:
get_output_edges = f.read()
get_output_edges = _get_output_edges_query()
outputs_graph = pydot.Subgraph(graph_name="cluster_outputs")
self._dot_graph.add_subgraph(outputs_graph)
outputs_graph.set("rank", "same")
Expand All @@ -152,8 +159,7 @@ def _set_output_edges(self) -> None:
self._dot_graph.add_edge(pydot.Edge(output_edge_row["step"], output_edge_row["output"]))

def _get_root_graph_uri(self) -> rdflib.term.Identifier:
with open(_get_root_query_path) as f:
get_root_query = f.read()
get_root_query = _get_root_query()
root = cast(
list[rdflib.query.ResultRow],
list(
Expand Down
5 changes: 4 additions & 1 deletion cwltool/executors.py
Original file line number Diff line number Diff line change
Expand Up @@ -326,7 +326,10 @@
self.exceptions.append(err)
except Exception as err: # pylint: disable=broad-except
_logger.exception(f"Got workflow error: {err}")
self.exceptions.append(WorkflowException(str(err)))
wf_exc = WorkflowException(str(err))
wf_exc.__cause__ = err
wf_exc.__suppress_context__ = True
self.exceptions.append(wf_exc)

Check warning on line 332 in cwltool/executors.py

View check run for this annotation

Codecov / codecov/patch

cwltool/executors.py#L329-L332

Added lines #L329 - L332 were not covered by tests
finally:
if runtime_context.workflow_eval_lock:
with runtime_context.workflow_eval_lock:
Expand Down
27 changes: 20 additions & 7 deletions cwltool/job.py
Original file line number Diff line number Diff line change
Expand Up @@ -376,17 +376,30 @@
except OSError as e:
if e.errno == 2:
if runtime:
_logger.error("'%s' not found: %s", runtime[0], str(e))
_logger.error(
"'%s' not found: %s", runtime[0], str(e), exc_info=runtimeContext.debug
)
else:
_logger.error("'%s' not found: %s", self.command_line[0], str(e))
_logger.error(
"'%s' not found: %s",
self.command_line[0],
str(e),
exc_info=runtimeContext.debug,
)
else:
_logger.exception("Exception while running job")
_logger.exception(

Check warning on line 390 in cwltool/job.py

View check run for this annotation

Codecov / codecov/patch

cwltool/job.py#L390

Added line #L390 was not covered by tests
"Exception while running job: %s", str(e), exc_info=runtimeContext.debug
)
processStatus = "permanentFail"
except WorkflowException as err:
_logger.error("[job %s] Job error:\n%s", self.name, str(err))
_logger.error(
"[job %s] Job error:\n%s", self.name, str(err), exc_info=runtimeContext.debug
)
processStatus = "permanentFail"
except Exception:
_logger.exception("Exception while running job")
except Exception as err:
_logger.exception(

Check warning on line 400 in cwltool/job.py

View check run for this annotation

Codecov / codecov/patch

cwltool/job.py#L399-L400

Added lines #L399 - L400 were not covered by tests
"Exception while running job: %s.", str(err), exc_info=runtimeContext.debug
)
processStatus = "permanentFail"
if (
runtimeContext.research_obj is not None
Expand Down Expand Up @@ -795,7 +808,7 @@
)
except Exception as err:
container = "Singularity" if runtimeContext.singularity else "Docker"
_logger.debug("%s error", container, exc_info=True)
_logger.debug("%s error", container, exc_info=runtimeContext.debug)
if docker_is_req:
raise UnsupportedRequirement(
f"{container} is required to run this tool: {str(err)}"
Expand Down
2 changes: 1 addition & 1 deletion cwltool/main.py
Original file line number Diff line number Diff line change
Expand Up @@ -1289,7 +1289,7 @@
if isinstance(err.code, int):
return err.code
else:
_logger.debug("Non-integer SystemExit: %s", err.code)
_logger.debug("Non-integer SystemExit: %s", err.code, exc_info=args.debug)

Check warning on line 1292 in cwltool/main.py

View check run for this annotation

Codecov / codecov/patch

cwltool/main.py#L1292

Added line #L1292 was not covered by tests
return 1

del args.workflow
Expand Down
6 changes: 3 additions & 3 deletions cwltool/procgenerator.py
Original file line number Diff line number Diff line change
Expand Up @@ -57,7 +57,7 @@
except WorkflowException:
raise
except Exception as exc:
_logger.exception("Unexpected exception")
_logger.exception("Unexpected exception", exc_info=runtimeContext.debug)

Check warning on line 60 in cwltool/procgenerator.py

View check run for this annotation

Codecov / codecov/patch

cwltool/procgenerator.py#L60

Added line #L60 was not covered by tests
raise WorkflowException(str(exc)) from exc


Expand All @@ -80,7 +80,7 @@
self.embedded_tool = load_tool(toolpath_object["run"], loadingContext)
except ValidationException as vexc:
if loadingContext.debug:
_logger.exception("Validation exception")
_logger.exception("Validation exception", exc_info=loadingContext.debug)

Check warning on line 83 in cwltool/procgenerator.py

View check run for this annotation

Codecov / codecov/patch

cwltool/procgenerator.py#L83

Added line #L83 was not covered by tests
raise WorkflowException(
"Tool definition %s failed validation:\n%s"
% (toolpath_object["run"], indent(str(vexc)))
Expand Down Expand Up @@ -108,7 +108,7 @@
)
except ValidationException as vexc:
if runtimeContext.debug:
_logger.exception("Validation exception")
_logger.exception("Validation exception", exc_info=runtimeContext.debug)

Check warning on line 111 in cwltool/procgenerator.py

View check run for this annotation

Codecov / codecov/patch

cwltool/procgenerator.py#L111

Added line #L111 was not covered by tests
raise WorkflowException(
"Tool definition %s failed validation:\n%s"
% (jobout["runProcess"], indent(str(vexc)))
Expand Down
4 changes: 2 additions & 2 deletions cwltool/resolver.py
Original file line number Diff line number Diff line change
Expand Up @@ -15,8 +15,8 @@

try:
pathobj = Path(pathpart).resolve()
except OSError:
_logger.debug("local resolver could not resolve %s", uri)
except OSError as exc:
_logger.debug("local resolver could not resolve %s due to %s", uri, str(exc))

Check warning on line 19 in cwltool/resolver.py

View check run for this annotation

Codecov / codecov/patch

cwltool/resolver.py#L18-L19

Added lines #L18 - L19 were not covered by tests
return None

if pathobj.is_file():
Expand Down
14 changes: 7 additions & 7 deletions cwltool/singularity_utils.py
Original file line number Diff line number Diff line change
Expand Up @@ -2,7 +2,7 @@

import os
import os.path
from subprocess import DEVNULL, PIPE, Popen, TimeoutExpired # nosec
import subprocess # nosec
from typing import Optional

_USERNS: Optional[bool] = None
Expand All @@ -14,17 +14,17 @@
if _USERNS is None:
try:
hello_image = os.path.join(os.path.dirname(__file__), "hello.simg")
result = Popen( # nosec
result = subprocess.run( # nosec
["singularity", "exec", "--userns", hello_image, "true"],
stderr=PIPE,
stdout=DEVNULL,
universal_newlines=True,
).communicate(timeout=60)[1]
capture_output=True,
timeout=60,
text=True,
).stderr
_USERNS = (
"No valid /bin/sh" in result
or "/bin/sh doesn't exist in container" in result
or "executable file not found in" in result
)
except TimeoutExpired:
except subprocess.TimeoutExpired:

Check warning on line 28 in cwltool/singularity_utils.py

View check run for this annotation

Codecov / codecov/patch

cwltool/singularity_utils.py#L28

Added line #L28 was not covered by tests
_USERNS = False
return _USERNS
4 changes: 3 additions & 1 deletion cwltool/workflow.py
Original file line number Diff line number Diff line change
Expand Up @@ -442,7 +442,9 @@ def job(
runtimeContext,
)
except WorkflowException:
_logger.error("Exception on step '%s'", runtimeContext.name)
_logger.error(
"Exception on step '%s'", runtimeContext.name, exc_info=runtimeContext.debug
)
raise
except Exception as exc:
_logger.exception("Unexpected exception")
Expand Down
2 changes: 1 addition & 1 deletion cwltool/workflow_job.py
Original file line number Diff line number Diff line change
Expand Up @@ -406,7 +406,7 @@ def object_from_state(
("merge_nested" if len(connections) > 1 else None),
),
),
valueFrom=cast(str, inp.get("valueFrom")),
valueFrom=cast(Optional[str], inp.get("valueFrom")),
):
raise WorkflowException(
"Type mismatch between source '%s' (%s) and "
Expand Down
2 changes: 1 addition & 1 deletion mypy-requirements.txt
Original file line number Diff line number Diff line change
@@ -1,4 +1,4 @@
mypy==1.14.1 # also update pyproject.toml
mypy==1.15.0 # also update pyproject.toml
ruamel.yaml>=0.16.0,<0.19
cwl-utils>=0.32
cwltest
Expand Down
2 changes: 1 addition & 1 deletion pyproject.toml
Original file line number Diff line number Diff line change
Expand Up @@ -2,7 +2,7 @@
requires = [
"setuptools>=45",
"setuptools_scm[toml]>=8.0.4,<9",
"mypy==1.14.1", # also update mypy-requirements.txt
"mypy==1.15.0", # also update mypy-requirements.txt
"types-requests",
"types-psutil",
"importlib_resources>=1.4;python_version<'3.9'",
Expand Down
Loading