1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150 | """Provide utility functions for HydraFlow."""
from __future__ import annotations
import fnmatch
import urllib.parse
import urllib.request
from pathlib import Path
from typing import TYPE_CHECKING
if TYPE_CHECKING:
from collections.abc import Callable, Iterator
from mlflow.entities import Run
def file_uri_to_path(uri: str) -> Path:
"""Convert a file URI to a local path."""
if not uri.startswith("file:"):
return Path(uri)
path = urllib.parse.urlparse(uri).path
return Path(urllib.request.url2pathname(path)) # for Windows
def get_artifact_dir(run: Run) -> Path:
"""Retrieve the artifact directory for the given run.
This function uses MLflow to get the artifact directory for the given run.
Args:
run (Run | None): The run instance. Defaults to None.
Returns:
The local path to the directory where the artifacts are downloaded.
"""
uri = run.info.artifact_uri
if not isinstance(uri, str):
raise NotImplementedError
return file_uri_to_path(uri)
def log_text(run: Run, from_dir: Path, pattern: str = "*.log") -> None:
"""Log text files in the given directory as artifacts.
Append the text files to the existing text file in the artifact directory.
Args:
run (Run): The run instance.
from_dir (Path): The directory to find the logs in.
pattern (str): The pattern to match the logs.
"""
import mlflow
artifact_dir = get_artifact_dir(run)
for file in from_dir.glob(pattern):
if not file.is_file():
continue
file_artifact = artifact_dir / file.name
if file_artifact.exists():
text = file_artifact.read_text()
if not text.endswith("\n"):
text += "\n"
else:
text = ""
text += file.read_text()
mlflow.log_text(text, file.name)
def get_experiment_name(path: Path) -> str | None:
"""Get the experiment name from the meta file."""
metafile = path / "meta.yaml"
if not metafile.exists():
return None
lines = metafile.read_text().splitlines()
for line in lines:
if line.startswith("name:"):
return line.split(":")[1].strip()
return None
def predicate_experiment_dir(
path: Path,
experiment_names: list[str] | Callable[[str], bool] | None = None,
) -> bool:
"""Predicate an experiment directory based on the path and experiment names."""
if not path.is_dir() or path.name in [".trash", "0"]:
return False
name = get_experiment_name(path)
if not name:
return False
if experiment_names is None:
return True
if isinstance(experiment_names, list):
return any(fnmatch.fnmatch(name, e) for e in experiment_names)
return experiment_names(name)
def iter_experiment_dirs(
tracking_dir: str | Path,
experiment_names: str | list[str] | Callable[[str], bool] | None = None,
) -> Iterator[Path]:
"""Iterate over the experiment directories in the tracking directory."""
if isinstance(experiment_names, str):
experiment_names = [experiment_names]
for path in Path(tracking_dir).iterdir():
if predicate_experiment_dir(path, experiment_names):
yield path
def iter_run_dirs(
tracking_dir: str | Path,
experiment_names: str | list[str] | Callable[[str], bool] | None = None,
) -> Iterator[Path]:
"""Iterate over the run directories in the tracking directory."""
for experiment_dir in iter_experiment_dirs(tracking_dir, experiment_names):
for path in experiment_dir.iterdir():
if path.is_dir() and (path / "artifacts").exists():
yield path
def iter_artifacts_dirs(
tracking_dir: str | Path,
experiment_names: str | list[str] | Callable[[str], bool] | None = None,
) -> Iterator[Path]:
"""Iterate over the artifacts directories in the tracking directory."""
for path in iter_run_dirs(tracking_dir, experiment_names):
yield path / "artifacts"
def iter_artifact_paths(
tracking_dir: str | Path,
artifact_path: str | Path,
experiment_names: str | list[str] | Callable[[str], bool] | None = None,
) -> Iterator[Path]:
"""Iterate over the artifact paths in the tracking directory."""
for path in iter_artifacts_dirs(tracking_dir, experiment_names):
yield path / artifact_path
|