| |
| |
| |
| |
| |
| |
| |
| |
| |
| |
| |
| |
| |
| |
| """Additive components in gradient transformations.""" |
|
|
| from typing import Any, Callable, NamedTuple, Optional, Union |
|
|
| import chex |
| import jax |
| from jax import tree_util as jtu |
| import jax.numpy as jnp |
|
|
| from optax import tree_utils as otu |
| from optax._src import base |
| from optax._src import numerics |
| from optax._src import wrappers |
|
|
|
|
| def add_decayed_weights( |
| weight_decay: Union[float, jax.Array] = 0.0, |
| mask: Optional[Union[Any, Callable[[base.Params], Any]]] = None |
| ) -> base.GradientTransformation: |
| """Add parameter scaled by `weight_decay`. |
| |
| Args: |
| weight_decay: A scalar weight decay rate. |
| mask: A tree with same structure as (or a prefix of) the params PyTree, |
| or a Callable that returns such a pytree given the params/updates. |
| The leaves should be booleans, `True` for leaves/subtrees you want to |
| apply the transformation to, and `False` for those you want to skip. |
| |
| Returns: |
| A `GradientTransformation` object. |
| """ |
|
|
| def update_fn(updates, state, params): |
| if params is None: |
| raise ValueError(base.NO_PARAMS_MSG) |
| updates = jtu.tree_map( |
| lambda g, p: g + weight_decay * p, updates, params) |
| return updates, state |
|
|
| |
| |
| if mask is not None: |
| return wrappers.masked( |
| base.GradientTransformation(base.init_empty_state, update_fn), mask) |
| return base.GradientTransformation(base.init_empty_state, update_fn) |
|
|
|
|
| class AddNoiseState(NamedTuple): |
| """State for adding gradient noise. Contains a count for annealing.""" |
| count: chex.Array |
| rng_key: chex.PRNGKey |
|
|
|
|
| def add_noise( |
| eta: float, |
| gamma: float, |
| seed: int |
| ) -> base.GradientTransformation: |
| """Add gradient noise. |
| |
| References: |
| [Neelakantan et al, 2014](https://arxiv.org/abs/1511.06807) |
| |
| Args: |
| eta: Base variance of the gaussian noise added to the gradient. |
| gamma: Decay exponent for annealing of the variance. |
| seed: Seed for random number generation. |
| |
| Returns: |
| A `GradientTransformation` object. |
| """ |
|
|
| def init_fn(params): |
| del params |
| return AddNoiseState( |
| count=jnp.zeros([], jnp.int32), |
| rng_key=jax.random.PRNGKey(seed)) |
|
|
| def update_fn(updates, state, params=None): |
| del params |
| count_inc = numerics.safe_int32_increment(state.count) |
| standard_deviation = jnp.sqrt(eta / count_inc**gamma) |
|
|
| rng_key, sample_key = jax.random.split(state.rng_key) |
| noise = otu.tree_random_like( |
| sample_key, target_tree=updates, sampler=jax.random.normal) |
| updates = otu.tree_add_scalar_mul( |
| tree_x=updates, scalar=standard_deviation, tree_y=noise) |
| return updates, AddNoiseState(count=count_inc, rng_key=rng_key) |
|
|
| return base.GradientTransformation(init_fn, update_fn) |
|
|