This PR adds strict typing to the output of `update` and `learn` in all policies. This will likely be the last large refactoring PR before the next release (0.6.0, not 1.0.0), so it requires some attention. Several difficulties were encountered on the path to that goal: 1. The policy hierarchy is actually "broken" in the sense that the keys of dicts that were output by `learn` did not follow the same enhancement (inheritance) pattern as the policies. This is a real problem and should be addressed in the near future. Generally, several aspects of the policy design and hierarchy might deserve a dedicated discussion. 2. Each policy needs to be generic in the stats return type, because one might want to extend it at some point and then also extend the stats. Even within the source code base this pattern is necessary in many places. 3. The interaction between learn and update is a bit quirky, we currently handle it by having update modify special field inside TrainingStats, whereas all other fields are handled by learn. 4. The IQM module is a policy wrapper and required a TrainingStatsWrapper. The latter relies on a bunch of black magic. They were addressed by: 1. Live with the broken hierarchy, which is now made visible by bounds in generics. We use type: ignore where appropriate. 2. Make all policies generic with bounds following the policy inheritance hierarchy (which is incorrect, see above). We experimented a bit with nested TrainingStats classes, but that seemed to add more complexity and be harder to understand. Unfortunately, mypy thinks that the code below is wrong, wherefore we have to add `type: ignore` to the return of each `learn` ```python T = TypeVar("T", bound=int) def f() -> T: return 3 ``` 3. See above 4. Write representative tests for the `TrainingStatsWrapper`. Still, the black magic might cause nasty surprises down the line (I am not proud of it)... Closes #933 --------- Co-authored-by: Maximilian Huettenrauch <m.huettenrauch@appliedai.de> Co-authored-by: Michael Panchenko <m.panchenko@appliedai.de>
97 lines
3.6 KiB
Python
97 lines
3.6 KiB
Python
from collections.abc import Callable
|
|
from typing import Any
|
|
|
|
from tensorboard.backend.event_processing import event_accumulator
|
|
from torch.utils.tensorboard import SummaryWriter
|
|
|
|
from tianshou.utils.logger.base import VALID_LOG_VALS_TYPE, BaseLogger
|
|
from tianshou.utils.warning import deprecation
|
|
|
|
|
|
class TensorboardLogger(BaseLogger):
|
|
"""A logger that relies on tensorboard SummaryWriter by default to visualize and log statistics.
|
|
|
|
:param SummaryWriter writer: the writer to log data.
|
|
:param train_interval: the log interval in log_train_data(). Default to 1000.
|
|
:param test_interval: the log interval in log_test_data(). Default to 1.
|
|
:param update_interval: the log interval in log_update_data(). Default to 1000.
|
|
:param info_interval: the log interval in log_info_data(). Default to 1.
|
|
:param save_interval: the save interval in save_data(). Default to 1 (save at
|
|
the end of each epoch).
|
|
:param write_flush: whether to flush tensorboard result after each
|
|
add_scalar operation. Default to True.
|
|
"""
|
|
|
|
def __init__(
|
|
self,
|
|
writer: SummaryWriter,
|
|
train_interval: int = 1000,
|
|
test_interval: int = 1,
|
|
update_interval: int = 1000,
|
|
info_interval: int = 1,
|
|
save_interval: int = 1,
|
|
write_flush: bool = True,
|
|
) -> None:
|
|
super().__init__(train_interval, test_interval, update_interval, info_interval)
|
|
self.save_interval = save_interval
|
|
self.write_flush = write_flush
|
|
self.last_save_step = -1
|
|
self.writer = writer
|
|
|
|
def write(self, step_type: str, step: int, data: dict[str, VALID_LOG_VALS_TYPE]) -> None:
|
|
for k, v in data.items():
|
|
self.writer.add_scalar(k, v, global_step=step)
|
|
if self.write_flush: # issue 580
|
|
self.writer.flush() # issue #482
|
|
|
|
def save_data(
|
|
self,
|
|
epoch: int,
|
|
env_step: int,
|
|
gradient_step: int,
|
|
save_checkpoint_fn: Callable[[int, int, int], str] | None = None,
|
|
) -> None:
|
|
if save_checkpoint_fn and epoch - self.last_save_step >= self.save_interval:
|
|
self.last_save_step = epoch
|
|
save_checkpoint_fn(epoch, env_step, gradient_step)
|
|
self.write("save/epoch", epoch, {"save/epoch": epoch})
|
|
self.write("save/env_step", env_step, {"save/env_step": env_step})
|
|
self.write(
|
|
"save/gradient_step",
|
|
gradient_step,
|
|
{"save/gradient_step": gradient_step},
|
|
)
|
|
|
|
def restore_data(self) -> tuple[int, int, int]:
|
|
ea = event_accumulator.EventAccumulator(self.writer.log_dir)
|
|
ea.Reload()
|
|
|
|
try: # epoch / gradient_step
|
|
epoch = ea.scalars.Items("save/epoch")[-1].step
|
|
self.last_save_step = self.last_log_test_step = epoch
|
|
gradient_step = ea.scalars.Items("save/gradient_step")[-1].step
|
|
self.last_log_update_step = gradient_step
|
|
except KeyError:
|
|
epoch, gradient_step = 0, 0
|
|
try: # offline trainer doesn't have env_step
|
|
env_step = ea.scalars.Items("save/env_step")[-1].step
|
|
self.last_log_train_step = env_step
|
|
except KeyError:
|
|
env_step = 0
|
|
|
|
return epoch, env_step, gradient_step
|
|
|
|
|
|
class BasicLogger(TensorboardLogger):
|
|
"""BasicLogger has changed its name to TensorboardLogger in #427.
|
|
|
|
This class is for compatibility.
|
|
"""
|
|
|
|
def __init__(self, *args: Any, **kwargs: Any) -> None:
|
|
deprecation(
|
|
"Class BasicLogger is marked as deprecated and will be removed soon. "
|
|
"Please use TensorboardLogger instead.",
|
|
)
|
|
super().__init__(*args, **kwargs)
|