Source code for jaxopt._src.polyak_sgd

# Copyright 2021 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
#     https://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.

"""SGD solver with Polyak step size."""

from typing import Any
from typing import Callable
from typing import NamedTuple
from typing import Optional

import dataclasses

import jax
import jax.numpy as jnp

from jaxopt._src import base
from jaxopt.tree_util import tree_add
from jaxopt.tree_util import tree_add_scalar_mul
from jaxopt.tree_util import tree_l2_norm
from jaxopt.tree_util import tree_scalar_mul
from jaxopt.tree_util import tree_sub
from jaxopt.tree_util import tree_zeros_like
from jaxopt._src.tree_util import tree_single_dtype


class PolyakSGDState(NamedTuple):
  """Named tuple containing state information."""
  iter_num: int
  error: float
  value: float
  aux: Any
  stepsize: float
  velocity: Optional[Any]

  num_fun_eval: int = 0
  num_grad_eval: int = 0


[docs]@dataclasses.dataclass(eq=False) class PolyakSGD(base.StochasticSolver): """SGD with Polyak step size. This solver computes step sizes in an adaptive manner. If the computed step size at a given iteration is smaller than ``max_stepsize``, it is accepted. Otherwise, ``max_stepsize`` is used. This ensures that the solver does not take over-confident steps. This is why ``max_stepsize`` is the most important hyper-parameter. This implementation assumes that the interpolation property holds: the global optimum over D must also be a global optimum for any finite sample of D This is typically achieved by overparametrized models (e.g neural networks) in classification tasks with separable classes, or on regression tasks without noise. Attributes: fun: a function of the form ``fun(params, *args, **kwargs)``, where ``params`` are parameters of the model, ``*args`` and ``**kwargs`` are additional arguments. has_aux: whether ``fun`` outputs auxiliary data or not. If ``has_aux`` is False, ``fun`` is expected to be scalar-valued. If ``has_aux`` is True, then we have one of the following two cases. If ``value_and_grad`` is False, the output should be ``value, aux = fun(...)``. If ``value_and_grad == True``, the output should be ``(value, aux), grad = fun(...)``. At each iteration of the algorithm, the auxiliary outputs are stored in ``state.aux``. max_stepsize: a maximum step size to use. delta: a value to add in the denominator of the update (default: 0). momentum: momentum parameter, 0 corresponding to no momentum. pre_update: a function to execute before the solver's update. The function signature must be ``params, state = pre_update(params, state, *args, **kwargs)``. maxiter: maximum number of solver iterations. tol: tolerance to use. verbose: whether to print error on every iteration or not. verbose=True will automatically disable jit. implicit_diff: whether to enable implicit diff or autodiff of unrolled iterations. implicit_diff_solve: the linear system solver to use. jit: whether to JIT-compile the optimization loop (default: "auto"). unroll: whether to unroll the optimization loop (default: "auto"). References: Berrada, Leonard and Zisserman, Andrew and Kumar, M Pawan. "Training neural networks for and by interpolation". International Conference on Machine Learning, 2020. https://arxiv.org/abs/1906.05661 Loizou, Nicolas and Vaswani, Sharan and Laradji, Issam Hadj and Lacoste-Julien, Simon. "Stochastic polyak step-size for sgd: An adaptive learning rate for fast convergence". International Conference on Artificial Intelligence and Statistics, 2021. https://arxiv.org/abs/2002.10542 """ fun: Callable value_and_grad: bool = False has_aux: bool = False max_stepsize: float = 1.0 delta: float = 0.0 momentum: float = 0.0 pre_update: Optional[Callable] = None maxiter: int = 500 tol: float = 1e-3 verbose: int = 0 implicit_diff: bool = False implicit_diff_solve: Optional[Callable] = None jit: base.AutoOrBoolean = "auto" unroll: base.AutoOrBoolean = "auto"
[docs] def init_state(self, init_params: Any, *args, **kwargs) -> PolyakSGDState: """Initialize the solver state. Args: init_params: pytree containing the initial parameters. *args: additional positional arguments to be passed to ``fun``. **kwargs: additional keyword arguments to be passed to ``fun``. Returns: state """ if self.has_aux: value, aux = self.fun(init_params, *args, **kwargs) else: value = self.fun(init_params, *args, **kwargs) aux = None if self.momentum == 0: velocity = None else: velocity = tree_zeros_like(init_params) params_dtype = tree_single_dtype(init_params) return PolyakSGDState(iter_num=jnp.asarray(0), error=jnp.asarray(jnp.inf, dtype=params_dtype), value=jnp.asarray(jnp.inf, dtype=value.dtype), stepsize=jnp.asarray(1.0, dtype=params_dtype), aux=aux, velocity=velocity, num_fun_eval=jnp.array(1, base.NUM_EVAL_DTYPE), num_grad_eval=jnp.array(0, base.NUM_EVAL_DTYPE))
[docs] def update(self, params: Any, state: PolyakSGDState, *args, **kwargs) -> base.OptStep: """Performs one iteration of the solver. Args: params: pytree containing the parameters. state: named tuple containing the solver state. *args: additional positional arguments to be passed to ``fun``. **kwargs: additional keyword arguments to be passed to ``fun``. Returns: (params, state) """ dtype = tree_single_dtype(params) if self.pre_update: params, state = self.pre_update(params, state, *args, **kwargs) (value, aux), grad = self._value_and_grad_fun(params, *args, **kwargs) grad_sqnorm = tree_l2_norm(grad, squared=True) stepsize = jnp.minimum(value / (grad_sqnorm + self.delta), self.max_stepsize) stepsize = stepsize.astype(state.stepsize.dtype) if self.momentum == 0: new_params = tree_add_scalar_mul(params, -stepsize, grad) new_velocity = None else: # new_v = momentum * v - step_size * grad # new_params = params + new_v new_velocity = tree_sub(tree_scalar_mul(self.momentum, state.velocity), tree_scalar_mul(stepsize, grad)) new_params = tree_add(params, new_velocity) error = jnp.sqrt(grad_sqnorm) new_state = PolyakSGDState(iter_num=state.iter_num + 1, error=jnp.asarray(error, dtype=dtype), velocity=new_velocity, value=jnp.asarray(value), stepsize=jnp.asarray(stepsize, dtype=dtype), aux=aux, num_fun_eval=state.num_fun_eval + 1, num_grad_eval=state.num_grad_eval + 1) return base.OptStep(params=new_params, state=new_state)
[docs] def optimality_fun(self, params, *args, **kwargs): """Optimality function mapping compatible with ``@custom_root``.""" return self._grad_fun(params, *args, **kwargs)[0]
def __hash__(self): # We assume that the attribute values completely determine the solver. return hash(self.attribute_values()) def __post_init__(self): _, self._grad_fun, self._value_and_grad_fun = \ base._make_funs_with_aux(fun=self.fun, value_and_grad=self.value_and_grad, has_aux=self.has_aux) self.reference_signature = self.fun