jax.tree_util.register_pytree_with_keys#
- jax.tree_util.register_pytree_with_keys(nodetype, flatten_with_keys, unflatten_func, flatten_func=None)[source]#
扩展被视为 pytree 中内部节点的类型集。
这是一种比
register_pytree_node
更强大的替代方案,它允许您在展平和平面映射时访问每个 pytree 叶子节点的键路径。- 参数:
nodetype (type[T]) – 要作为 pytree 内部节点处理的 Python 类型。
flatten_with_keys (Callable[[T], tuple[Iterable[tuple[KeyEntry, Any]], _AuxData]]) – 在展平期间要使用的函数,它接受类型为
nodetype
的值并返回一对,其中 (1) 是每个键路径及其子节点的元组的可迭代对象,以及 (2) 一些存储在 treedef 中并传递给unflatten_func
的可哈希辅助数据。unflatten_func (Callable[[_AuxData, Iterable[Any]], T]) – 一个接受两个参数的函数:由
flatten_func
返回并存储在 treedef 中的辅助数据,以及未展平的子节点。该函数应返回nodetype
的实例。flatten_func (None | Callable[[T], tuple[Iterable[Any], _AuxData]] | None) – 一个可选函数,类似于
flatten_with_keys
,但仅返回子节点和辅助数据。它必须按与flatten_with_keys
相同的顺序返回子节点,并返回相同的辅助数据。此参数是可选的,仅在调用不带键的函数(如tree_map
和tree_flatten
)时需要,以实现更快的遍历。
示例
首先,我们将定义一个自定义类型
>>> class MyContainer: ... def __init__(self, size): ... self.x = jnp.zeros(size) ... self.y = jnp.ones(size) ... self.size = size
现在,使用一个键感知扁平化函数注册它
>>> from jax.tree_util import register_pytree_with_keys_class, GetAttrKey >>> def flatten_with_keys(obj): ... children = [(GetAttrKey('x'), obj.x), ... (GetAttrKey('y'), obj.y)] # children must contain arrays & pytrees ... aux_data = (obj.size,) # aux_data must contain static, hashable data. ... return children, aux_data ... >>> def unflatten(aux_data, children): ... # Here we avoid `__init__` because it has extra logic we don't require: ... obj = object.__new__(MyContainer) ... obj.x, obj.y = children ... obj.size, = aux_data ... return obj ... >>> jax.tree_util.register_pytree_node(MyContainer, flatten_with_keys, unflatten)
现在,它可以与诸如
tree_flatten_with_path()
之类的函数一起使用。>>> m = MyContainer(4) >>> leaves, treedef = jax.tree_util.tree_flatten_with_path(m)