This module provides the implementation of the PipelineBuilder class, which is responsible for
building and configuring a pipeline of processes and permanences for the TensorImgPipeline project.
The PipelineBuilder class allows for the registration of classes, loading of configuration files,
validation of configuration sections, and construction of the complete pipeline. It handles errors
related to configuration loading, class instantiation, and process addition.
Classes:
| Name |
Description |
PipelineBuilder |
A class to build and configure a pipeline of processes and permanences.
|
Functions:
| Name |
Description |
get_objects_for_pipeline |
str) -> dict[str, type]: Retrieves and combines objects
to be registered for a given pipeline.
|
Usage Example:
TODO: Add usage example
Copyright (C) 2025 Matti Kaupenjohann
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see https://www.gnu.org/licenses/.
PipelineBuilder
Builds pipeline components from configuration.
Source code in tipi/core/builder.py
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
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314 | class PipelineBuilder:
"""Builds pipeline components from configuration."""
def __init__(self) -> None:
"""Initialize the builder with empty registries."""
self._registry: dict[str, type[Permanence] | type[PipelineProcess]] = {}
self._config: dict[str, Any] = {}
self._config_path: Path | None = None
def build(self) -> tuple[dict[str, Permanence], list[ProcessWithParams]]:
"""Construct permanences and process specifications.
Returns:
Tuple of (permanences_dict, process_specs_list)
Raises:
ConfigSectionError: If config sections are invalid
InstTypeError: If permanence/process instantiation fails
RegistryError: If class not found in registry
"""
# First, create core permanences from pipeline flags
permanences = self._build_core_permanences()
# Then add user-defined permanences (can override core)
user_permanences = self._build_permanences()
permanences.update(user_permanences)
# Build processes
processes = self._build_processes()
return permanences, processes
def register_class(self, name: str, class_type: type) -> None:
"""Register a permanence or process class.
Args:
name: Name to register the class under
class_type: The class to register
Raises:
RegistryError: If registration fails or class is invalid
"""
if not isinstance(class_type, type):
raise RegistryError(f"Cannot register {name}: {class_type} is not a class")
# Validate that it's a Permanence or PipelineProcess
if not (issubclass(class_type, Permanence) or issubclass(class_type, PipelineProcess)):
raise RegistryError(
f"Cannot register {name}: {class_type.__name__} must be a subclass of Permanence or PipelineProcess"
)
self._registry[name] = class_type
def load_config(self, path: Path) -> None:
"""Load configuration from file.
Args:
path: Path to the TOML configuration file
Raises:
ConfigNotFoundError: If config file doesn't exist
ConfigInvalidTomlError: If TOML parsing fails
ConfigPermissionError: If file can't be read
"""
self._config_path = path
# Check if file exists
if not path.exists():
raise ConfigNotFoundError(f"Configuration file not found: {path}")
# Check if we can read it
if not os.access(path, os.R_OK):
raise ConfigPermissionError(f"Cannot read configuration file: {path}")
# Load and parse TOML
try:
with open(path, "rb") as f:
self._config = toml_load(f)
except TOMLDecodeError as e:
raise ConfigInvalidTomlError(f"Invalid TOML in {path}: {e}") from e
except Exception as e:
raise ConfigPermissionError(f"Error reading {path}: {e}") from e
# Validate config structure
if "permanences" not in self._config and "processes" not in self._config and "pipeline" not in self._config:
raise ConfigSectionError(
f"Configuration file {path} must contain at least one of "
f"'pipeline', 'permanences' or 'processes' sections"
)
def _build_core_permanences(self) -> dict[str, Permanence]:
"""Build core framework permanences from pipeline flags.
Core permanences can be enabled via simple flags in [pipeline] section:
- enable_progress: Creates a ProgressManager
- enable_wandb: Creates a WandBLogger
Returns:
Dictionary mapping core permanence names to instances
Raises:
InstTypeError: If core permanence instantiation fails
ConfigSectionError: If pipeline section is invalid
"""
core_permanences: dict[str, Permanence] = {}
# Get pipeline configuration section
pipeline_config = self._config.get("pipeline", {})
if not isinstance(pipeline_config, dict):
raise ConfigSectionError("'pipeline' section must be a table")
# Check if user explicitly defined these in permanences section
user_permanences = self._config.get("permanences", {})
# Build ProgressManager if enabled and not explicitly overridden
if (
pipeline_config.get("enable_progress", False)
and "progress_manager" not in user_permanences
and "ProgressManager" in self._registry
):
try:
# Create ProgressManager with direct=True to initialize .live
perm_class = cast(type[Permanence], self._registry["ProgressManager"])
progress_manager = perm_class(direct=True) # type: ignore[call-arg]
core_permanences["progress_manager"] = progress_manager
except Exception as e:
raise InstTypeError(f"Failed to create ProgressManager: {e}") from e
# Build WandBLogger if enabled and not explicitly overridden
if (
pipeline_config.get("enable_wandb", False)
and "wandb_logger" not in user_permanences
and "WandBManager" in self._registry
):
try:
# WandBManager might need config parameters
wandb_config = pipeline_config.get("wandb", {})
perm_class = cast(type[Permanence], self._registry["WandBManager"])
wandb_logger = perm_class(**wandb_config)
core_permanences["wandb_logger"] = wandb_logger
except Exception as e:
raise InstTypeError(f"Failed to create WandBManager: {e}") from e
return core_permanences
def _build_permanences(self) -> dict[str, Permanence]:
"""Build permanence instances from config.
Returns:
Dictionary mapping permanence names to instances
Raises:
InstTypeError: If permanence instantiation fails
ConfigSectionError: If permanences section is invalid
"""
permanences: dict[str, Permanence] = {}
permanences_config = self._config.get("permanences", {})
if not isinstance(permanences_config, dict):
raise ConfigSectionError("'permanences' section must be a dict")
for name, perm_config in permanences_config.items():
if not isinstance(perm_config, dict):
raise ConfigSectionError(f"Permanence '{name}' configuration must be a dict")
if "type" not in perm_config:
raise ConfigSectionError(f"Permanence '{name}' missing required 'type' field")
perm_type_name = perm_config["type"]
# Look up the class in registry
if perm_type_name not in self._registry:
raise RegistryError(
f"Permanence type '{perm_type_name}' for '{name}' not registered. "
f"Available types: {list(self._registry.keys())}"
)
perm_class = self._registry[perm_type_name]
# Verify it's actually a Permanence
if not issubclass(perm_class, Permanence):
raise InstTypeError(f"Registered class '{perm_type_name}' is not a Permanence subclass")
# Extract constructor parameters (everything except 'type')
perm_params = {k: v for k, v in perm_config.items() if k != "type"}
# Instantiate the permanence
try:
permanence = perm_class(**perm_params)
permanences[name] = permanence
except TypeError as e:
raise InstTypeError(f"Failed to instantiate permanence '{name}' of type '{perm_type_name}': {e}") from e
except Exception as e:
raise InstTypeError(f"Error creating permanence '{name}' of type '{perm_type_name}': {e}") from e
return permanences
def _build_processes(self) -> list[ProcessWithParams]:
"""Build process specifications from config.
Returns:
List of ProcessWithParams specifications
Raises:
InstTypeError: If process instantiation fails
ConfigSectionError: If processes section is invalid
"""
process_specs: list[ProcessWithParams] = []
processes_config = self._config.get("processes", {})
if not isinstance(processes_config, dict):
raise ConfigSectionError("'processes' section must be a table")
for name, proc_config in processes_config.items():
if not isinstance(proc_config, dict):
raise ConfigSectionError(f"Process '{name}' configuration must be a table")
if "type" not in proc_config:
raise ConfigSectionError(f"Process '{name}' missing required 'type' field")
proc_type_name = proc_config["type"]
# Look up the class in registry
if proc_type_name not in self._registry:
raise RegistryError(
f"Process type '{proc_type_name}' for '{name}' not registered. "
f"Available types: {list(self._registry.keys())}"
)
proc_class = self._registry[proc_type_name]
# Verify it's actually a PipelineProcess
if not issubclass(proc_class, PipelineProcess):
raise InstTypeError(f"Registered class '{proc_type_name}' is not a PipelineProcess subclass")
# Extract parameters (everything except 'type')
proc_params = {k: v for k, v in proc_config.items() if k != "type"}
# Create ProcessWithParams spec (not instantiated yet)
process_spec = ProcessWithParams(process=proc_class, params=proc_params)
process_specs.append(process_spec)
return process_specs
|
__init__()
Initialize the builder with empty registries.
Source code in tipi/core/builder.py
| def __init__(self) -> None:
"""Initialize the builder with empty registries."""
self._registry: dict[str, type[Permanence] | type[PipelineProcess]] = {}
self._config: dict[str, Any] = {}
self._config_path: Path | None = None
|
build()
Construct permanences and process specifications.
Returns:
| Type |
Description |
tuple[dict[str, Permanence], list[ProcessWithParams]]
|
Tuple of (permanences_dict, process_specs_list)
|
Raises:
Source code in tipi/core/builder.py
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102 | def build(self) -> tuple[dict[str, Permanence], list[ProcessWithParams]]:
"""Construct permanences and process specifications.
Returns:
Tuple of (permanences_dict, process_specs_list)
Raises:
ConfigSectionError: If config sections are invalid
InstTypeError: If permanence/process instantiation fails
RegistryError: If class not found in registry
"""
# First, create core permanences from pipeline flags
permanences = self._build_core_permanences()
# Then add user-defined permanences (can override core)
user_permanences = self._build_permanences()
permanences.update(user_permanences)
# Build processes
processes = self._build_processes()
return permanences, processes
|
load_config(path)
Load configuration from file.
Parameters:
| Name |
Type |
Description |
Default |
path
|
Path
|
Path to the TOML configuration file
|
required
|
Raises:
Source code in tipi/core/builder.py
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
151
152
153
154
155
156
157
158
159
160 | def load_config(self, path: Path) -> None:
"""Load configuration from file.
Args:
path: Path to the TOML configuration file
Raises:
ConfigNotFoundError: If config file doesn't exist
ConfigInvalidTomlError: If TOML parsing fails
ConfigPermissionError: If file can't be read
"""
self._config_path = path
# Check if file exists
if not path.exists():
raise ConfigNotFoundError(f"Configuration file not found: {path}")
# Check if we can read it
if not os.access(path, os.R_OK):
raise ConfigPermissionError(f"Cannot read configuration file: {path}")
# Load and parse TOML
try:
with open(path, "rb") as f:
self._config = toml_load(f)
except TOMLDecodeError as e:
raise ConfigInvalidTomlError(f"Invalid TOML in {path}: {e}") from e
except Exception as e:
raise ConfigPermissionError(f"Error reading {path}: {e}") from e
# Validate config structure
if "permanences" not in self._config and "processes" not in self._config and "pipeline" not in self._config:
raise ConfigSectionError(
f"Configuration file {path} must contain at least one of "
f"'pipeline', 'permanences' or 'processes' sections"
)
|
register_class(name, class_type)
Register a permanence or process class.
Parameters:
| Name |
Type |
Description |
Default |
name
|
str
|
Name to register the class under
|
required
|
class_type
|
type
|
|
required
|
Raises:
| Type |
Description |
RegistryError
|
If registration fails or class is invalid
|
Source code in tipi/core/builder.py
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123 | def register_class(self, name: str, class_type: type) -> None:
"""Register a permanence or process class.
Args:
name: Name to register the class under
class_type: The class to register
Raises:
RegistryError: If registration fails or class is invalid
"""
if not isinstance(class_type, type):
raise RegistryError(f"Cannot register {name}: {class_type} is not a class")
# Validate that it's a Permanence or PipelineProcess
if not (issubclass(class_type, Permanence) or issubclass(class_type, PipelineProcess)):
raise RegistryError(
f"Cannot register {name}: {class_type.__name__} must be a subclass of Permanence or PipelineProcess"
)
self._registry[name] = class_type
|
get_objects_for_pipeline(pipeline_name)
Retrieves and combines objects to be registered for a given pipeline.
Parameters:
| Name |
Type |
Description |
Default |
pipeline_name
|
str
|
The name of the pipeline for which to retrieve objects.
|
required
|
Returns:
| Type |
Description |
dict[str, type[Permanence] | type[PipelineProcess]]
|
dict[str, type]: A dictionary containing the combined objects from
permanences_to_register and processes_to_register
of the specified pipeline module, with both instance names
and class names as keys.
|
Raises:
| Type |
Description |
ModuleNotFoundError
|
If the pipeline module cannot be found.
|
Source code in tipi/core/builder.py
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375 | def get_objects_for_pipeline(
pipeline_name: str,
) -> dict[str, type[Permanence] | type[PipelineProcess]]:
"""
Retrieves and combines objects to be registered for a given pipeline.
Args:
pipeline_name (str): The name of the pipeline for which to retrieve objects.
Returns:
dict[str, type]: A dictionary containing the combined objects from
`permanences_to_register` and `processes_to_register`
of the specified pipeline module, with both instance names
and class names as keys.
Raises:
ModuleNotFoundError: If the pipeline module cannot be found.
"""
# Try built-in pipelines first
full_module_name = "tipi.pipelines." + pipeline_name
if pipeline_name == "core":
full_module_name = "tipi." + pipeline_name
module = None
# Attempt 1: Try built-in pipelines
with contextlib.suppress(ModuleNotFoundError):
module = importlib.import_module(full_module_name)
# Attempt 2: Try loading from user projects directory (symlinked projects)
if module is None:
path_manager = get_path_manager()
module = path_manager.import_project_module(pipeline_name)
# If all attempts failed, raise an error
if module is None:
raise ModuleNotFoundError(
f"Pipeline '{pipeline_name}' not found. "
f"Tried built-in module '{full_module_name}' and user projects directory."
)
# Get the registries
if not hasattr(module, "permanences_to_register") or not hasattr(module, "processes_to_register"):
raise AttributeError(
f"Module '{pipeline_name}' must define 'permanences_to_register' and 'processes_to_register' dictionaries"
)
# Combine the registries and also register by class name
combined: dict[str, type[Permanence] | type[PipelineProcess]] = {}
# Add permanences with both instance names and class names
for cls in module.permanences_to_register:
combined[cls.__name__] = cls # Class name (e.g., 'ConfigPermanence')
# Add processes with both instance names and class names
for cls in module.processes_to_register:
combined[cls.__name__] = cls # Class name (e.g., 'LoadDataProcess')
return combined
|