Skip to content

Commit 5451c5c

Browse files
committed
[components] Reenable dg check definitions in workspace test
1 parent 463883b commit 5451c5c

File tree

4 files changed

+21
-61
lines changed

4 files changed

+21
-61
lines changed

python_modules/libraries/dagster-dg/dagster_dg/context.py

+18-17
Original file line numberDiff line numberDiff line change
@@ -27,14 +27,11 @@
2727
NOT_PROJECT_ERROR_MESSAGE,
2828
NOT_WORKSPACE_ERROR_MESSAGE,
2929
NOT_WORKSPACE_OR_PROJECT_ERROR_MESSAGE,
30-
ensure_loadable_path,
3130
exit_with_error,
3231
generate_missing_dagster_components_in_local_venv_error_message,
33-
get_path_for_module,
3432
get_toml_value,
3533
get_venv_executable,
3634
has_toml_value,
37-
is_package_installed,
3835
pushd,
3936
resolve_local_venv,
4037
strip_activated_venv_from_env_vars,
@@ -217,7 +214,7 @@ def get_cache_key(self, data_type: Union[CachableDataType, str]) -> tuple[str, s
217214

218215
def get_cache_key_for_module(self, module_name: str) -> tuple[str, str, str]:
219216
if module_name.startswith(self.root_module_name):
220-
path = self.get_path_for_module(module_name)
217+
path = self.get_path_for_local_module(module_name)
221218
env_hash = hash_paths([path], includes=["*.py"])
222219
path_parts = [str(part) for part in path.parts if part != "/"]
223220
return ("_".join(path_parts), env_hash, "local_component_registry")
@@ -306,7 +303,7 @@ def components_module_name(self) -> str:
306303
def components_path(self) -> Path:
307304
if not self.is_project:
308305
raise DgError("`components_path` is only available in a Dagster project context")
309-
return self.get_path_for_module(self.components_module_name)
306+
return self.get_path_for_local_module(self.components_module_name)
310307

311308
def get_component_instance_names(self) -> Iterable[str]:
312309
return [str(instance_path.name) for instance_path in self.components_path.iterdir()]
@@ -327,7 +324,7 @@ def definitions_module_name(self) -> str:
327324

328325
@cached_property
329326
def definitions_path(self) -> Path:
330-
return self.get_path_for_module(self.definitions_module_name)
327+
return self.get_path_for_local_module(self.definitions_module_name)
331328

332329
# ########################
333330
# ##### COMPONENT LIBRARY METHODS
@@ -353,7 +350,7 @@ def default_components_library_module(self) -> str:
353350
def default_components_library_path(self) -> Path:
354351
if not self.is_component_library:
355352
raise DgError("`components_lib_path` is only available in a component library context")
356-
return self.get_path_for_module(self.default_components_library_module)
353+
return self.get_path_for_local_module(self.default_components_library_module)
357354

358355
@cached_property
359356
def _dagster_components_entry_points(self) -> Mapping[str, str]:
@@ -450,16 +447,20 @@ def environment_desc(self) -> str:
450447
def pyproject_toml_path(self) -> Path:
451448
return self.root_path / "pyproject.toml"
452449

453-
def get_path_for_module(self, module_name: str) -> Path:
454-
with ensure_loadable_path(self.root_path):
455-
parts = module_name.split(".")
456-
for i in range(len(parts)):
457-
leading_module_name = ".".join(parts[: i + 1])
458-
if not is_package_installed(leading_module_name):
459-
raise DgError(
460-
f"Module `{leading_module_name}` is not installed in the current environment."
461-
)
462-
return Path(get_path_for_module(module_name))
450+
def get_path_for_local_module(self, module_name: str) -> Path:
451+
if not self.is_project and not self.is_component_library:
452+
raise DgError(
453+
"`get_path_for_local_module` is only available in a project or component library context"
454+
)
455+
if not module_name.startswith(self.root_module_name):
456+
raise DgError(f"Module `{module_name}` is not part of the current project.")
457+
relative_path = Path(*module_name.split("."))
458+
if (self.root_path / relative_path).exists():
459+
return self.root_path / relative_path
460+
elif (self.root_path / relative_path).with_suffix(".py").exists():
461+
return (self.root_path / relative_path).with_suffix(".py")
462+
else:
463+
raise DgError(f"Cannot find module `{module_name}` in the current project.")
463464

464465

465466
# ########################

python_modules/libraries/dagster-dg/dagster_dg/utils/__init__.py

-40
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,4 @@
11
import contextlib
2-
import importlib.util
32
import json
43
import os
54
import posixpath
@@ -9,7 +8,6 @@
98
import textwrap
109
from collections.abc import Iterable, Iterator, Mapping, Sequence
1110
from fnmatch import fnmatch
12-
from importlib.machinery import ModuleSpec
1311
from pathlib import Path
1412
from typing import Any, Optional, TypeVar, Union
1513

@@ -61,44 +59,6 @@ def install_to_venv(venv_dir: Path, install_args: list[str]) -> None:
6159
subprocess.run(command, check=True)
6260

6361

64-
# Temporarily places a path at the front of sys.path, ensuring that any modules in that path are
65-
# importable.
66-
@contextlib.contextmanager
67-
def ensure_loadable_path(path: Path) -> Iterator[None]:
68-
orig_path = sys.path.copy()
69-
sys.path.insert(0, str(path))
70-
try:
71-
yield
72-
finally:
73-
sys.path = orig_path
74-
75-
76-
def is_package_installed(package_name: str) -> bool:
77-
try:
78-
return bool(importlib.util.find_spec(package_name))
79-
except ModuleNotFoundError:
80-
return False
81-
82-
83-
def _get_spec_for_module(module_name: str) -> ModuleSpec:
84-
spec = importlib.util.find_spec(module_name)
85-
if not spec:
86-
raise DgError(f"Cannot find module: {module_name}")
87-
return spec
88-
89-
90-
def get_path_for_module(module_name: str) -> str:
91-
spec = _get_spec_for_module(module_name)
92-
submodule_search_locations = spec.submodule_search_locations
93-
if submodule_search_locations: # branch module (i.e. package), a directory
94-
return submodule_search_locations[0]
95-
else: # leaf module, not a directory
96-
file_path = spec.origin
97-
if not file_path:
98-
raise DgError(f"Cannot find file path for module: {module_name}")
99-
return file_path
100-
101-
10262
def is_valid_json(value: str) -> bool:
10363
try:
10464
json.loads(value)

python_modules/libraries/dagster-dg/dagster_dg_tests/cli_tests/test_scaffold_commands.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -397,7 +397,7 @@ def test_scaffold_component_command_with_non_matching_module_name():
397397
"qux",
398398
)
399399
assert_runner_result(result, exit_0=False)
400-
assert "Module `foo_bar` is not installed" in str(result.exception)
400+
assert "Cannot find module `foo_bar.lib`" in str(result.exception)
401401

402402

403403
@pytest.mark.parametrize("in_workspace", [True, False])
@@ -456,7 +456,7 @@ def test_scaffold_component_fails_components_package_does_not_exist() -> None:
456456
"qux",
457457
)
458458
assert_runner_result(result, exit_0=False)
459-
assert "Module `foo_bar._defs` is not installed" in str(result.exception)
459+
assert "Cannot find module `foo_bar._defs`" in str(result.exception)
460460

461461

462462
def test_scaffold_component_succeeds_scaffolded_component_type() -> None:

python_modules/libraries/dagster-dg/dagster_dg_tests/cli_tests/test_validate_command.py

+1-2
Original file line numberDiff line numberDiff line change
@@ -11,8 +11,7 @@
1111
)
1212

1313

14-
# @pytest.mark.skipif(is_windows(), reason="Temporarily skipping (signal issues in CLI)..")
15-
@pytest.mark.skip # Weirdness with environment, temporarily skipping
14+
@pytest.mark.skipif(is_windows(), reason="Temporarily skipping (signal issues in CLI)..")
1615
def test_validate_command_deployment_context_success():
1716
dagster_git_repo_dir = str(discover_git_root(Path(__file__)))
1817
with ProxyRunner.test() as runner, isolated_example_workspace(runner, create_venv=True):

0 commit comments

Comments
 (0)