Skip to content

declearn.main.utils.Checkpointer

Model, optimizer, and metrics checkpointing class.

This class provides with basic checkpointing capabilities, that enable saving a Model, an Optimizer and a dict of metric results at various points throughout an experiment, and reloading these checkpointed states and results.

The key method is checkpoint, that enables saving all three types of objects at once and tagging them with a single timestamp label. Note that its first_call bool parameter should be set to True on the first call, to ensure the model's and optimizer's configurations are saved in addition to their states, and preventing the metrics from being appended to files from a previous experiment.

Other methods are exposed that provide with targetted saving and loading: save_model, save_optimizer, save_metrics and their counterparts load_model, load_optimizer and load_metrics. Note that the latter may either be used to load metrics at a given timestamp, or their entire history.

Source code in declearn/main/utils/_checkpoint.py
 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
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
315
316
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
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
class Checkpointer:
    """Model, optimizer, and metrics checkpointing class.

    This class provides with basic checkpointing capabilities, that
    enable saving a Model, an Optimizer and a dict of metric results
    at various points throughout an experiment, and reloading these
    checkpointed states and results.

    The key method is `checkpoint`, that enables saving all three types
    of objects at once and tagging them with a single timestamp label.
    Note that its `first_call` bool parameter should be set to True on
    the first call, to ensure the model's and optimizer's configurations
    are saved in addition to their states, and preventing the metrics
    from being appended to files from a previous experiment.

    Other methods are exposed that provide with targetted saving and
    loading: `save_model`, `save_optimizer`, `save_metrics` and their
    counterparts `load_model`, `load_optimizer` and `load_metrics`.
    Note that the latter may either be used to load metrics at a given
    timestamp, or their entire history.
    """

    def __init__(
        self,
        folder: str,
        max_history: Optional[int] = None,
    ) -> None:
        """Instantiate the checkpointer.

        Parameters
        ----------
        folder: str
            Folder where to write output save files.
        max_history: int or None, default=None
            Maximum number of model and optimizer state save files to keep.
            Older files are garbage-collected. If None, keep all files.
        """
        self.folder = folder
        os.makedirs(self.folder, exist_ok=True)
        if max_history is not None:
            if not (isinstance(max_history, int) and max_history >= 0):
                raise TypeError("'max_history' must be a positive int or None")
        self.max_history = max_history

    @classmethod
    def from_specs(
        cls,
        inputs: Union[str, Dict[str, Any], Self],
    ) -> Self:
        """Type-check and/or transform inputs into a Checkpointer instance.

        This classmethod is merely implemented to avoid duplicate and
        boilerplate code from polluting FL orchestrating classes.

        Parameters
        ----------
        inputs: Checkpointer or dict[str, any] or str
            Checkpointer instance to type-check, or instantiation kwargs
            to parse into one. If a single string is passed, treat it as
            the `folder` argument, and use default other parameters.

        Returns
        -------
        checkpointer: Checkpointer
            Checkpointer instance, type-checked or instantiated from inputs.

        Raises
        ------
        TypeError
            If `inputs` is of unproper type.

        Other exceptions may be raised when calling this class's `__init__`.
        """
        if isinstance(inputs, str):
            inputs = {"folder": inputs}
        if isinstance(inputs, dict):
            inputs = cls(**inputs)
        if not isinstance(inputs, cls):
            raise TypeError("'inputs' should be a Checkpointer, dict or str.")
        return inputs

    # utility methods

    def garbage_collect(
        self,
        prefix: str,
    ) -> None:
        """Delete files with matching prefix based on self.max_history.

        Sort files starting with `prefix` under `self.folder`, and if
        there are more than `self.max_history`, delete the first ones.
        Files are expected to be named as "{prefix}_{timestamp}.{ext}"
        so that doing so will remove the older files.

        Parameters
        ----------
        prefix: str
            Prefix based on which to filter files under `self.folder`.
        """
        if self.folder and self.max_history:
            files = self.sort_matching_files(prefix)
            for idx in range(0, len(files) - self.max_history):
                os.remove(os.path.join(self.folder, files[idx]))

    def sort_matching_files(
        self,
        prefix: str,
    ) -> List[str]:
        """Return the sorted of files under `self.folder` with a given prefix.

        Parameters
        ----------
        prefix: str
            Prefix based on which to filter files under `self.folder`.

        Returns
        -------
        fnames: list[str]
            Sorted list of names of files under `self.folder` that start
            with `prefix`.
        """
        fnames = [f for f in os.listdir(self.folder) if f.startswith(prefix)]
        return sorted(fnames)

    # saving methods

    def save_model(
        self,
        model: Model,
        config: bool = True,
        state: bool = True,
        timestamp: Optional[str] = None,
    ) -> Optional[str]:
        """Save a Model's configuration and/or weights to JSON files.

        Also garbage-collect existing files based on self.max_history.

        Parameters
        ----------
        model: Model
            Model instance to save.
        config: bool, default=True
            Flag indicating whether to save the model's config to a file.
        state: bool, default=True
            Flag indicating whether to save the model's weights to a file.
        timestamp: str or None, default=None
            Optional preset timestamp to add as weights file suffix.

        Returns
        -------
        timestamp: str or None
            Timestamp string labeling the output weights file, if any.
            If `states is None`, return None.
        """
        model_config = (
            None
            if not config
            else (serialize_object(model, allow_unregistered=True).to_dict())
        )
        return self._save_object(
            prefix="model",
            config=model_config,
            states=model.get_weights() if state else None,
            timestamp=timestamp,
        )

    def save_optimizer(
        self,
        optimizer: Optimizer,
        config: bool = True,
        state: bool = True,
        timestamp: Optional[str] = None,
    ) -> Optional[str]:
        """Save an Optimizer's configuration and/or state to JSON files.

        Parameters
        ----------
        optimizer: Optimizer
            Optimizer instance to save.
        config: bool, default=True
            Flag indicating whether to save the optimizer's config to a file.
        state: bool, default=True
            Flag indicating whether to save the optimizer's state to a file.
        timestamp: str or None, default=None
            Optional preset timestamp to add as state file suffix.

        Returns
        -------
        timestamp: str or None
            Timestamp string labeling the output states file, if any.
            If `states is None`, return None.
        """
        return self._save_object(
            prefix="optimizer",
            config=optimizer.get_config() if config else None,
            states=optimizer.get_state() if state else None,
            timestamp=timestamp,
        )

    def _save_object(
        self,
        prefix: str,
        config: Any = None,
        states: Any = None,
        timestamp: Optional[str] = None,
    ) -> Optional[str]:
        """Shared backend for `save_model` and `save_optimizer`.

        Parameters
        ----------
        prefix: str
            Prefix to the created file(s).
            Also used to garbage-collect state files.
        config: object or None, default=None
            Optional JSON-serializable config to save.
            Output file will be named "{prefix}.json".
        states: object or None, default=None
            Optional JSON-serializable data to save.
            Output file will be named "{prefix}_{timestamp}.json".
        timestamp: str or None, default=None
            Optional preset timestamp to add as state file suffix.
            If None, generate a timestamp to use.

        Returns
        -------
        timestamp: str or None
            Timestamp string labeling the output states file, if any.
            If `states is None`, return None.
        """
        if config:
            fpath = os.path.join(self.folder, f"{prefix}_config.json")
            json_dump(config, fpath)
        if states is not None:
            if timestamp is None:
                timestamp = datetime.now().strftime("%y-%m-%d_%H-%M-%S")
            fpath = os.path.join(
                self.folder, f"{prefix}_state_{timestamp}.json"
            )
            json_dump(states, fpath)
            self.garbage_collect(f"{prefix}_state")
            return timestamp
        return None

    def save_metrics(
        self,
        metrics: Dict[str, Union[float, np.ndarray]],
        prefix: str = "metrics",
        append: bool = True,
        timestamp: Optional[str] = None,
    ) -> str:
        """Save a dict of metrics to a csv and a json files.

        Parameters
        ----------
        metrics: dict[str, (float | np.ndarray)]
            Dict storing metric values that need saving.
            Note that numpy arrays will be converted to lists.
        prefix: str, default="metrics"
            Prefix to the output files' names.
        append: bool, default=True
            Whether to append to the files in case they already exist.
            If False, overwrite any existing file.
        timestamp: str or None, default=None
            Optional preset timestamp to associate with the metrics.

        Returns
        -------
        timestamp: str
            Timestamp string labelling the checkpointed metrics.
        """
        # Set up a timestamp and convert metrics to raw-JSON-compatible values.
        if timestamp is None:
            timestamp = datetime.now().strftime("%y-%m-%d_%H-%M-%S")
        scores = {
            key: val.tolist() if isinstance(val, np.ndarray) else float(val)
            for key, val in metrics.items()
        }
        # Filter out scalar metrics and write them to a csv file.
        scalars = {k: v for k, v in scores.items() if isinstance(v, float)}
        if scalars:
            fpath = os.path.join(self.folder, f"{prefix}.csv")
            pd.DataFrame(scalars, index=[timestamp]).to_csv(
                fpath,
                sep=",",
                mode=("a" if append else "w"),
                header=not (append and os.path.isfile(fpath)),
                index=True,
                index_label="timestamp",
                encoding="utf-8",
            )
        # Write the full set of metrics to a JSON file.
        jdump = json.dumps({timestamp: scores})[1:-1]  # bracket-less dict
        fpath = os.path.join(self.folder, f"{prefix}.json")
        mode = "a" if append and os.path.isfile(fpath) else "w"
        with open(fpath, mode=mode, encoding="utf-8") as file:
            # First time, initialize the json file as a dict.
            if mode == "w":
                file.write(f"{{\n{jdump}\n}}")
            # Otherwise, append the record into the existing json dict.
            else:
                file.truncate(file.tell() - 2)  # remove trailing "\n}"
                file.write(f",\n{jdump}\n}}")  # append, then restore "\n}"
        # Return the timestamp label.
        return timestamp

    def checkpoint(
        self,
        model: Optional[Model] = None,
        optimizer: Optional[Optimizer] = None,
        metrics: Optional[Dict[str, Union[float, np.ndarray]]] = None,
        first_call: bool = False,
    ) -> str:
        """Checkpoint inputs, using a common timestamp label.

        Parameters
        ----------
        model: Model or None, default=None
            Optional Model to checkpoint.
            This will call `self.save_model(config=False, state=True)`.
        optimizer: Optimizer or None, default=None
            Optional Optimizer to checkpoint.
            This will call `self.save_optimize(config=False, state=True)`.
        metrics: dict[str, (float | np.ndarray)] or None, default=None
            Optional dict of metrics to checkpoint.
            This will call `self.save_metrics(append=True)`.
        first_call: bool, default=False
            Flag indicating whether to treat this checkpoint as the first
            one. If True, export the model and optimizer configurations
            and/or erase pre-existing configuration and metrics files.

        Returns
        -------
        timestamp: str
            Timestamp string labeling the model weights and optimizer state
            files, as well as the values appended to the metrics files.
        """
        timestamp = datetime.now().strftime("%y-%m-%d_%H-%M-%S")
        remove = []  # type: List[str]
        if model:
            self.save_model(
                model, config=first_call, state=True, timestamp=timestamp
            )
        elif first_call:
            remove.append(os.path.join(self.folder, "model_config.json"))
        if optimizer:
            self.save_optimizer(
                optimizer, config=first_call, state=True, timestamp=timestamp
            )
        elif first_call:
            remove.append(os.path.join(self.folder, "optimizer_config.json"))
        if metrics:
            append = not first_call
            self.save_metrics(
                metrics, prefix="metrics", append=append, timestamp=timestamp
            )
        elif first_call:
            remove.append(os.path.join(self.folder, "metrics.csv"))
            remove.append(os.path.join(self.folder, "metrics.json"))
        for path in remove:
            if os.path.isfile(path):
                os.remove(path)
        return timestamp

    # Loading methods

    def load_model(
        self,
        model: Optional[Model] = None,
        timestamp: Optional[str] = None,
        load_state: bool = True,
    ) -> Model:
        """Instantiate a Model and/or reset its weights from a save file.

        Parameters
        ----------
        model: Model or None, default=None
            Optional Model, the weights of which to reload.
            If None, instantiate from the model config file (or raise).
        timestamp: str or None, default=None
            Optional timestamp string labeling the weights to reload.
            If None, use the weights with the most recent timestamp.
        load_state: bool, default=True
            Flag specifying whether model weights are to be reloaded.
            If `False`, `timestamp` will be ignored.
        """
        # Type-check or reload the Model from a config file.
        if model is None:
            fpath = os.path.join(self.folder, "model_config.json")
            if not os.path.isfile(fpath):
                raise FileNotFoundError(
                    "Cannot reload Model: config file not found."
                )
            model = deserialize_object(fpath)  # type: ignore
            if not isinstance(model, Model):
                raise TypeError(
                    f"The object reloaded from {fpath} is not a Model."
                )
        if not isinstance(model, Model):
            raise TypeError("'model' should be a Model or None.")
        # Load the model weights and assign them.
        if load_state:
            weights = self._load_state("model", timestamp=timestamp)
            model.set_weights(weights)
        return model

    def load_optimizer(
        self,
        optimizer: Optional[Optimizer] = None,
        timestamp: Optional[str] = None,
        load_state: bool = True,
    ) -> Optimizer:
        """Instantiate an Optimizer and/or reset its state from a save file.

        Parameters
        ----------
        optimizer: Optimizer or None, default=None
            Optional Optimizer, the weights of which to reload.
            If None, instantiate from the optimizer config file (or raise).
        timestamp: str or None, default=None
            Optional timestamp string labeling the state to reload.
            If None, use the state with the most recent timestamp.
        load_state: bool, default=True
            Flag specifying whether optimizer state are to be reloaded.
            If `False`, `timestamp` will be ignored.
        """
        # Type-check or reload the Optimizer from a config file.
        if optimizer is None:
            fpath = os.path.join(self.folder, "optimizer_config.json")
            if not os.path.isfile(fpath):
                raise FileNotFoundError(
                    "Cannot reload Optimizer: config file not found."
                )
            config = json_load(fpath)
            optimizer = Optimizer.from_config(config)
        if not isinstance(optimizer, Optimizer):
            raise TypeError("'optimizer' should be an Optimizer or None.")
        # Load the optimizer state and assign it.
        if load_state:
            state = self._load_state("optimizer", timestamp=timestamp)
            optimizer.set_state(state)
        return optimizer

    def _load_state(
        self,
        prefix: str,
        timestamp: Optional[str] = None,
    ) -> Any:
        """Reload data from a state checkpoint file.

        Parameters
        ----------
        prefix: str
            Prefix to the target state file.
        timestamp: str or None, default=None
            Optional timestamp string labeling the state to reload.
            If None, use the state with the most recent timestamp.
        """
        if isinstance(timestamp, str):
            fname = f"{prefix}_state_{timestamp}.json"
        else:
            files = self.sort_matching_files(f"{prefix}_state")
            if not files:
                raise FileNotFoundError(
                    f"Cannot reload {prefix} state: no state file found."
                )
            fname = files[-1]
        return json_load(os.path.join(self.folder, fname))

    def load_metrics(
        self,
        prefix: str = "metrics",
        timestamp: Optional[str] = None,
    ) -> Dict[str, Dict[str, Union[float, np.ndarray]]]:
        """Reload checkpointed metrics.

        To only reload scalar metrics as a timestamp-indexed dataframe,
        see the `load_scalar_metrics` method.

        Parameters
        ----------
        prefix: str, default="metrics"
            Prefix to the metrics save file's name.
        timestamp: str or None, default=None
            Optional timestamp string labeling the metrics to reload.
            If None, return all checkpointed metrics.

        Returns
        -------
        metrics: dict[str, dict[str, (float | np.ndarray)]]
            Dict of metrics, with `{timestamp: {key: value}}` format.
            If the `timestamp` argument was not None, the first dimension
            will only contain one key, which is that timestamp.
        """
        fpath = os.path.join(self.folder, f"{prefix}.json")
        if not os.path.isfile(fpath):
            raise FileNotFoundError(
                f"Cannot reload metrics: file {fpath} does not exit."
            )
        with open(fpath, "r", encoding="utf-8") as file:
            metrics = json.load(file)
        if timestamp:
            if timestamp not in metrics:
                raise KeyError(
                    f"The reloaded metrics have no {timestamp}-labeled entry."
                )
            metrics = {timestamp: metrics[timestamp]}
        return {
            timestamp: {
                key: np.array(val) if isinstance(val, list) else val
                for key, val in scores.items()
            }
            for timestamp, scores in metrics.items()
        }

    def load_scalar_metrics(
        self,
        prefix: str = "metrics",
    ) -> pd.DataFrame:
        """Return a pandas DataFrame storing checkpointed scalar metrics.

        To reload all checkpointed metrics (i.e. scalar and numpy array ones)
        see the `load_metrics` method.

        Parameters
        ----------
        prefix: str, default="metrics"
            Prefix to the metrics save file's name.

        Returns
        -------
        metrics: pandas.DataFrame
            DataFrame storing timestamp-indexed scalar metrics.
        """
        fpath = os.path.join(self.folder, f"{prefix}.csv")
        if not os.path.isfile(fpath):
            raise FileNotFoundError(
                f"Cannot reload scalar metrics: file {fpath} does not exit."
            )
        return pd.read_csv(fpath, index_col="timestamp")

__init__(folder, max_history=None)

Instantiate the checkpointer.

Parameters:

Name Type Description Default
folder str

Folder where to write output save files.

required
max_history Optional[int]

Maximum number of model and optimizer state save files to keep. Older files are garbage-collected. If None, keep all files.

None
Source code in declearn/main/utils/_checkpoint.py
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
def __init__(
    self,
    folder: str,
    max_history: Optional[int] = None,
) -> None:
    """Instantiate the checkpointer.

    Parameters
    ----------
    folder: str
        Folder where to write output save files.
    max_history: int or None, default=None
        Maximum number of model and optimizer state save files to keep.
        Older files are garbage-collected. If None, keep all files.
    """
    self.folder = folder
    os.makedirs(self.folder, exist_ok=True)
    if max_history is not None:
        if not (isinstance(max_history, int) and max_history >= 0):
            raise TypeError("'max_history' must be a positive int or None")
    self.max_history = max_history

checkpoint(model=None, optimizer=None, metrics=None, first_call=False)

Checkpoint inputs, using a common timestamp label.

Parameters:

Name Type Description Default
model Optional[Model]

Optional Model to checkpoint. This will call self.save_model(config=False, state=True).

None
optimizer Optional[Optimizer]

Optional Optimizer to checkpoint. This will call self.save_optimize(config=False, state=True).

None
metrics Optional[Dict[str, Union[float, np.ndarray]]]

Optional dict of metrics to checkpoint. This will call self.save_metrics(append=True).

None
first_call bool

Flag indicating whether to treat this checkpoint as the first one. If True, export the model and optimizer configurations and/or erase pre-existing configuration and metrics files.

False

Returns:

Name Type Description
timestamp str

Timestamp string labeling the model weights and optimizer state files, as well as the values appended to the metrics files.

Source code in declearn/main/utils/_checkpoint.py
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
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
def checkpoint(
    self,
    model: Optional[Model] = None,
    optimizer: Optional[Optimizer] = None,
    metrics: Optional[Dict[str, Union[float, np.ndarray]]] = None,
    first_call: bool = False,
) -> str:
    """Checkpoint inputs, using a common timestamp label.

    Parameters
    ----------
    model: Model or None, default=None
        Optional Model to checkpoint.
        This will call `self.save_model(config=False, state=True)`.
    optimizer: Optimizer or None, default=None
        Optional Optimizer to checkpoint.
        This will call `self.save_optimize(config=False, state=True)`.
    metrics: dict[str, (float | np.ndarray)] or None, default=None
        Optional dict of metrics to checkpoint.
        This will call `self.save_metrics(append=True)`.
    first_call: bool, default=False
        Flag indicating whether to treat this checkpoint as the first
        one. If True, export the model and optimizer configurations
        and/or erase pre-existing configuration and metrics files.

    Returns
    -------
    timestamp: str
        Timestamp string labeling the model weights and optimizer state
        files, as well as the values appended to the metrics files.
    """
    timestamp = datetime.now().strftime("%y-%m-%d_%H-%M-%S")
    remove = []  # type: List[str]
    if model:
        self.save_model(
            model, config=first_call, state=True, timestamp=timestamp
        )
    elif first_call:
        remove.append(os.path.join(self.folder, "model_config.json"))
    if optimizer:
        self.save_optimizer(
            optimizer, config=first_call, state=True, timestamp=timestamp
        )
    elif first_call:
        remove.append(os.path.join(self.folder, "optimizer_config.json"))
    if metrics:
        append = not first_call
        self.save_metrics(
            metrics, prefix="metrics", append=append, timestamp=timestamp
        )
    elif first_call:
        remove.append(os.path.join(self.folder, "metrics.csv"))
        remove.append(os.path.join(self.folder, "metrics.json"))
    for path in remove:
        if os.path.isfile(path):
            os.remove(path)
    return timestamp

from_specs(inputs) classmethod

Type-check and/or transform inputs into a Checkpointer instance.

This classmethod is merely implemented to avoid duplicate and boilerplate code from polluting FL orchestrating classes.

Parameters:

Name Type Description Default
inputs Union[str, Dict[str, Any], Self]

Checkpointer instance to type-check, or instantiation kwargs to parse into one. If a single string is passed, treat it as the folder argument, and use default other parameters.

required

Returns:

Name Type Description
checkpointer Checkpointer

Checkpointer instance, type-checked or instantiated from inputs.

Raises:

Type Description
TypeError

If inputs is of unproper type.

Other exceptions may be raised when calling this class's __init__.

Source code in declearn/main/utils/_checkpoint.py
 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
@classmethod
def from_specs(
    cls,
    inputs: Union[str, Dict[str, Any], Self],
) -> Self:
    """Type-check and/or transform inputs into a Checkpointer instance.

    This classmethod is merely implemented to avoid duplicate and
    boilerplate code from polluting FL orchestrating classes.

    Parameters
    ----------
    inputs: Checkpointer or dict[str, any] or str
        Checkpointer instance to type-check, or instantiation kwargs
        to parse into one. If a single string is passed, treat it as
        the `folder` argument, and use default other parameters.

    Returns
    -------
    checkpointer: Checkpointer
        Checkpointer instance, type-checked or instantiated from inputs.

    Raises
    ------
    TypeError
        If `inputs` is of unproper type.

    Other exceptions may be raised when calling this class's `__init__`.
    """
    if isinstance(inputs, str):
        inputs = {"folder": inputs}
    if isinstance(inputs, dict):
        inputs = cls(**inputs)
    if not isinstance(inputs, cls):
        raise TypeError("'inputs' should be a Checkpointer, dict or str.")
    return inputs

garbage_collect(prefix)

Delete files with matching prefix based on self.max_history.

Sort files starting with prefix under self.folder, and if there are more than self.max_history, delete the first ones. Files are expected to be named as "{prefix}_{timestamp}.{ext}" so that doing so will remove the older files.

Parameters:

Name Type Description Default
prefix str

Prefix based on which to filter files under self.folder.

required
Source code in declearn/main/utils/_checkpoint.py
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
def garbage_collect(
    self,
    prefix: str,
) -> None:
    """Delete files with matching prefix based on self.max_history.

    Sort files starting with `prefix` under `self.folder`, and if
    there are more than `self.max_history`, delete the first ones.
    Files are expected to be named as "{prefix}_{timestamp}.{ext}"
    so that doing so will remove the older files.

    Parameters
    ----------
    prefix: str
        Prefix based on which to filter files under `self.folder`.
    """
    if self.folder and self.max_history:
        files = self.sort_matching_files(prefix)
        for idx in range(0, len(files) - self.max_history):
            os.remove(os.path.join(self.folder, files[idx]))

load_metrics(prefix='metrics', timestamp=None)

Reload checkpointed metrics.

To only reload scalar metrics as a timestamp-indexed dataframe, see the load_scalar_metrics method.

Parameters:

Name Type Description Default
prefix str

Prefix to the metrics save file's name.

'metrics'
timestamp Optional[str]

Optional timestamp string labeling the metrics to reload. If None, return all checkpointed metrics.

None

Returns:

Name Type Description
metrics dict[str, dict[str, float | np.ndarray]]

Dict of metrics, with {timestamp: {key: value}} format. If the timestamp argument was not None, the first dimension will only contain one key, which is that timestamp.

Source code in declearn/main/utils/_checkpoint.py
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
def load_metrics(
    self,
    prefix: str = "metrics",
    timestamp: Optional[str] = None,
) -> Dict[str, Dict[str, Union[float, np.ndarray]]]:
    """Reload checkpointed metrics.

    To only reload scalar metrics as a timestamp-indexed dataframe,
    see the `load_scalar_metrics` method.

    Parameters
    ----------
    prefix: str, default="metrics"
        Prefix to the metrics save file's name.
    timestamp: str or None, default=None
        Optional timestamp string labeling the metrics to reload.
        If None, return all checkpointed metrics.

    Returns
    -------
    metrics: dict[str, dict[str, (float | np.ndarray)]]
        Dict of metrics, with `{timestamp: {key: value}}` format.
        If the `timestamp` argument was not None, the first dimension
        will only contain one key, which is that timestamp.
    """
    fpath = os.path.join(self.folder, f"{prefix}.json")
    if not os.path.isfile(fpath):
        raise FileNotFoundError(
            f"Cannot reload metrics: file {fpath} does not exit."
        )
    with open(fpath, "r", encoding="utf-8") as file:
        metrics = json.load(file)
    if timestamp:
        if timestamp not in metrics:
            raise KeyError(
                f"The reloaded metrics have no {timestamp}-labeled entry."
            )
        metrics = {timestamp: metrics[timestamp]}
    return {
        timestamp: {
            key: np.array(val) if isinstance(val, list) else val
            for key, val in scores.items()
        }
        for timestamp, scores in metrics.items()
    }

load_model(model=None, timestamp=None, load_state=True)

Instantiate a Model and/or reset its weights from a save file.

Parameters:

Name Type Description Default
model Optional[Model]

Optional Model, the weights of which to reload. If None, instantiate from the model config file (or raise).

None
timestamp Optional[str]

Optional timestamp string labeling the weights to reload. If None, use the weights with the most recent timestamp.

None
load_state bool

Flag specifying whether model weights are to be reloaded. If False, timestamp will be ignored.

True
Source code in declearn/main/utils/_checkpoint.py
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
def load_model(
    self,
    model: Optional[Model] = None,
    timestamp: Optional[str] = None,
    load_state: bool = True,
) -> Model:
    """Instantiate a Model and/or reset its weights from a save file.

    Parameters
    ----------
    model: Model or None, default=None
        Optional Model, the weights of which to reload.
        If None, instantiate from the model config file (or raise).
    timestamp: str or None, default=None
        Optional timestamp string labeling the weights to reload.
        If None, use the weights with the most recent timestamp.
    load_state: bool, default=True
        Flag specifying whether model weights are to be reloaded.
        If `False`, `timestamp` will be ignored.
    """
    # Type-check or reload the Model from a config file.
    if model is None:
        fpath = os.path.join(self.folder, "model_config.json")
        if not os.path.isfile(fpath):
            raise FileNotFoundError(
                "Cannot reload Model: config file not found."
            )
        model = deserialize_object(fpath)  # type: ignore
        if not isinstance(model, Model):
            raise TypeError(
                f"The object reloaded from {fpath} is not a Model."
            )
    if not isinstance(model, Model):
        raise TypeError("'model' should be a Model or None.")
    # Load the model weights and assign them.
    if load_state:
        weights = self._load_state("model", timestamp=timestamp)
        model.set_weights(weights)
    return model

load_optimizer(optimizer=None, timestamp=None, load_state=True)

Instantiate an Optimizer and/or reset its state from a save file.

Parameters:

Name Type Description Default
optimizer Optional[Optimizer]

Optional Optimizer, the weights of which to reload. If None, instantiate from the optimizer config file (or raise).

None
timestamp Optional[str]

Optional timestamp string labeling the state to reload. If None, use the state with the most recent timestamp.

None
load_state bool

Flag specifying whether optimizer state are to be reloaded. If False, timestamp will be ignored.

True
Source code in declearn/main/utils/_checkpoint.py
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
def load_optimizer(
    self,
    optimizer: Optional[Optimizer] = None,
    timestamp: Optional[str] = None,
    load_state: bool = True,
) -> Optimizer:
    """Instantiate an Optimizer and/or reset its state from a save file.

    Parameters
    ----------
    optimizer: Optimizer or None, default=None
        Optional Optimizer, the weights of which to reload.
        If None, instantiate from the optimizer config file (or raise).
    timestamp: str or None, default=None
        Optional timestamp string labeling the state to reload.
        If None, use the state with the most recent timestamp.
    load_state: bool, default=True
        Flag specifying whether optimizer state are to be reloaded.
        If `False`, `timestamp` will be ignored.
    """
    # Type-check or reload the Optimizer from a config file.
    if optimizer is None:
        fpath = os.path.join(self.folder, "optimizer_config.json")
        if not os.path.isfile(fpath):
            raise FileNotFoundError(
                "Cannot reload Optimizer: config file not found."
            )
        config = json_load(fpath)
        optimizer = Optimizer.from_config(config)
    if not isinstance(optimizer, Optimizer):
        raise TypeError("'optimizer' should be an Optimizer or None.")
    # Load the optimizer state and assign it.
    if load_state:
        state = self._load_state("optimizer", timestamp=timestamp)
        optimizer.set_state(state)
    return optimizer

load_scalar_metrics(prefix='metrics')

Return a pandas DataFrame storing checkpointed scalar metrics.

To reload all checkpointed metrics (i.e. scalar and numpy array ones) see the load_metrics method.

Parameters:

Name Type Description Default
prefix str

Prefix to the metrics save file's name.

'metrics'

Returns:

Name Type Description
metrics pandas.DataFrame

DataFrame storing timestamp-indexed scalar metrics.

Source code in declearn/main/utils/_checkpoint.py
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
def load_scalar_metrics(
    self,
    prefix: str = "metrics",
) -> pd.DataFrame:
    """Return a pandas DataFrame storing checkpointed scalar metrics.

    To reload all checkpointed metrics (i.e. scalar and numpy array ones)
    see the `load_metrics` method.

    Parameters
    ----------
    prefix: str, default="metrics"
        Prefix to the metrics save file's name.

    Returns
    -------
    metrics: pandas.DataFrame
        DataFrame storing timestamp-indexed scalar metrics.
    """
    fpath = os.path.join(self.folder, f"{prefix}.csv")
    if not os.path.isfile(fpath):
        raise FileNotFoundError(
            f"Cannot reload scalar metrics: file {fpath} does not exit."
        )
    return pd.read_csv(fpath, index_col="timestamp")

save_metrics(metrics, prefix='metrics', append=True, timestamp=None)

Save a dict of metrics to a csv and a json files.

Parameters:

Name Type Description Default
metrics Dict[str, Union[float, np.ndarray]]

Dict storing metric values that need saving. Note that numpy arrays will be converted to lists.

required
prefix str

Prefix to the output files' names.

'metrics'
append bool

Whether to append to the files in case they already exist. If False, overwrite any existing file.

True
timestamp Optional[str]

Optional preset timestamp to associate with the metrics.

None

Returns:

Name Type Description
timestamp str

Timestamp string labelling the checkpointed metrics.

Source code in declearn/main/utils/_checkpoint.py
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
315
316
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
def save_metrics(
    self,
    metrics: Dict[str, Union[float, np.ndarray]],
    prefix: str = "metrics",
    append: bool = True,
    timestamp: Optional[str] = None,
) -> str:
    """Save a dict of metrics to a csv and a json files.

    Parameters
    ----------
    metrics: dict[str, (float | np.ndarray)]
        Dict storing metric values that need saving.
        Note that numpy arrays will be converted to lists.
    prefix: str, default="metrics"
        Prefix to the output files' names.
    append: bool, default=True
        Whether to append to the files in case they already exist.
        If False, overwrite any existing file.
    timestamp: str or None, default=None
        Optional preset timestamp to associate with the metrics.

    Returns
    -------
    timestamp: str
        Timestamp string labelling the checkpointed metrics.
    """
    # Set up a timestamp and convert metrics to raw-JSON-compatible values.
    if timestamp is None:
        timestamp = datetime.now().strftime("%y-%m-%d_%H-%M-%S")
    scores = {
        key: val.tolist() if isinstance(val, np.ndarray) else float(val)
        for key, val in metrics.items()
    }
    # Filter out scalar metrics and write them to a csv file.
    scalars = {k: v for k, v in scores.items() if isinstance(v, float)}
    if scalars:
        fpath = os.path.join(self.folder, f"{prefix}.csv")
        pd.DataFrame(scalars, index=[timestamp]).to_csv(
            fpath,
            sep=",",
            mode=("a" if append else "w"),
            header=not (append and os.path.isfile(fpath)),
            index=True,
            index_label="timestamp",
            encoding="utf-8",
        )
    # Write the full set of metrics to a JSON file.
    jdump = json.dumps({timestamp: scores})[1:-1]  # bracket-less dict
    fpath = os.path.join(self.folder, f"{prefix}.json")
    mode = "a" if append and os.path.isfile(fpath) else "w"
    with open(fpath, mode=mode, encoding="utf-8") as file:
        # First time, initialize the json file as a dict.
        if mode == "w":
            file.write(f"{{\n{jdump}\n}}")
        # Otherwise, append the record into the existing json dict.
        else:
            file.truncate(file.tell() - 2)  # remove trailing "\n}"
            file.write(f",\n{jdump}\n}}")  # append, then restore "\n}"
    # Return the timestamp label.
    return timestamp

save_model(model, config=True, state=True, timestamp=None)

Save a Model's configuration and/or weights to JSON files.

Also garbage-collect existing files based on self.max_history.

Parameters:

Name Type Description Default
model Model

Model instance to save.

required
config bool

Flag indicating whether to save the model's config to a file.

True
state bool

Flag indicating whether to save the model's weights to a file.

True
timestamp Optional[str]

Optional preset timestamp to add as weights file suffix.

None

Returns:

Name Type Description
timestamp str or None

Timestamp string labeling the output weights file, if any. If states is None, return None.

Source code in declearn/main/utils/_checkpoint.py
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
def save_model(
    self,
    model: Model,
    config: bool = True,
    state: bool = True,
    timestamp: Optional[str] = None,
) -> Optional[str]:
    """Save a Model's configuration and/or weights to JSON files.

    Also garbage-collect existing files based on self.max_history.

    Parameters
    ----------
    model: Model
        Model instance to save.
    config: bool, default=True
        Flag indicating whether to save the model's config to a file.
    state: bool, default=True
        Flag indicating whether to save the model's weights to a file.
    timestamp: str or None, default=None
        Optional preset timestamp to add as weights file suffix.

    Returns
    -------
    timestamp: str or None
        Timestamp string labeling the output weights file, if any.
        If `states is None`, return None.
    """
    model_config = (
        None
        if not config
        else (serialize_object(model, allow_unregistered=True).to_dict())
    )
    return self._save_object(
        prefix="model",
        config=model_config,
        states=model.get_weights() if state else None,
        timestamp=timestamp,
    )

save_optimizer(optimizer, config=True, state=True, timestamp=None)

Save an Optimizer's configuration and/or state to JSON files.

Parameters:

Name Type Description Default
optimizer Optimizer

Optimizer instance to save.

required
config bool

Flag indicating whether to save the optimizer's config to a file.

True
state bool

Flag indicating whether to save the optimizer's state to a file.

True
timestamp Optional[str]

Optional preset timestamp to add as state file suffix.

None

Returns:

Name Type Description
timestamp str or None

Timestamp string labeling the output states file, if any. If states is None, return None.

Source code in declearn/main/utils/_checkpoint.py
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
def save_optimizer(
    self,
    optimizer: Optimizer,
    config: bool = True,
    state: bool = True,
    timestamp: Optional[str] = None,
) -> Optional[str]:
    """Save an Optimizer's configuration and/or state to JSON files.

    Parameters
    ----------
    optimizer: Optimizer
        Optimizer instance to save.
    config: bool, default=True
        Flag indicating whether to save the optimizer's config to a file.
    state: bool, default=True
        Flag indicating whether to save the optimizer's state to a file.
    timestamp: str or None, default=None
        Optional preset timestamp to add as state file suffix.

    Returns
    -------
    timestamp: str or None
        Timestamp string labeling the output states file, if any.
        If `states is None`, return None.
    """
    return self._save_object(
        prefix="optimizer",
        config=optimizer.get_config() if config else None,
        states=optimizer.get_state() if state else None,
        timestamp=timestamp,
    )

sort_matching_files(prefix)

Return the sorted of files under self.folder with a given prefix.

Parameters:

Name Type Description Default
prefix str

Prefix based on which to filter files under self.folder.

required

Returns:

Name Type Description
fnames list[str]

Sorted list of names of files under self.folder that start with prefix.

Source code in declearn/main/utils/_checkpoint.py
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
def sort_matching_files(
    self,
    prefix: str,
) -> List[str]:
    """Return the sorted of files under `self.folder` with a given prefix.

    Parameters
    ----------
    prefix: str
        Prefix based on which to filter files under `self.folder`.

    Returns
    -------
    fnames: list[str]
        Sorted list of names of files under `self.folder` that start
        with `prefix`.
    """
    fnames = [f for f in os.listdir(self.folder) if f.startswith(prefix)]
    return sorted(fnames)