| | """Functionality for Python <-> C++ frontend inter-op.""" |
| |
|
| | from torch import nn |
| |
|
| |
|
| | class OrderedDictWrapper: |
| | """ |
| | A wrapper around a C++ OrderedDict that dynamically evaluates the |
| | OrderedDict getter on a bound C++ module, such that new changes on the C++ |
| | side are picked up. Otherwise accessing e.g. ``cpp_module._parameters`` just |
| | once would get a frozen copy of the parameters at the time of access. |
| | ``torch.nn.Module`` accesses ``_parameters`` et al. via ``self.__dict__`` so |
| | using properties does not work. |
| | """ |
| |
|
| | def __init__(self, cpp_module, attr): |
| | self.cpp_module = cpp_module |
| | self.attr = attr |
| |
|
| | @property |
| | def cpp_dict(self): |
| | return getattr(self.cpp_module, self.attr) |
| |
|
| | |
| | |
| |
|
| | def items(self): |
| | return self.cpp_dict.items() |
| |
|
| | def keys(self): |
| | return self.cpp_dict.keys() |
| |
|
| | def values(self): |
| | return self.cpp_dict.values() |
| |
|
| | def __iter__(self): |
| | return self.cpp_dict.__iter__() |
| |
|
| | def __len__(self): |
| | return self.cpp_dict.__len__() |
| |
|
| | def __contains__(self, key): |
| | return self.cpp_dict.__contains__(key) |
| |
|
| | def __getitem__(self, key): |
| | return self.cpp_dict.__getitem__(key) |
| |
|
| |
|
| | class ModuleWrapper(nn.Module): |
| | """ |
| | A subclass of ``torch.nn.Module`` that wraps a C++ frontend module and |
| | delegates all access. |
| | """ |
| |
|
| | def __init__(self, cpp_module): |
| | |
| | |
| | self.cpp_module = cpp_module |
| | super().__init__() |
| | self._parameters = OrderedDictWrapper(cpp_module, "_parameters") |
| | self._buffers: OrderedDictWrapper = OrderedDictWrapper(cpp_module, "_buffers") |
| | self._modules: OrderedDictWrapper = OrderedDictWrapper(cpp_module, "_modules") |
| | for attr in dir(cpp_module): |
| | |
| | if not attr.startswith("_"): |
| | setattr(self, attr, getattr(self.cpp_module, attr)) |
| |
|
| | def _apply(self, fn, recurse=True): |
| | for param in self.parameters(): |
| | |
| | |
| | param.data = fn(param.data) |
| | if param._grad is not None: |
| | param._grad.data = fn(param._grad.data) |
| |
|
| | for buf in self.buffers(): |
| | buf.data = fn(buf.data) |
| |
|
| | return self |
| |
|
| | |
| | @property |
| | def training(self): |
| | return self.cpp_module.training |
| |
|
| | @training.setter |
| | def training(self, mode): |
| | self.cpp_module.train(mode) |
| |
|
| | def __repr__(self): |
| | return self.cpp_module.__repr__() |
| |
|