XAD implements a set of methods to compute the Jacobian matrix of a function in XAD/Jacobian.hpp
.
Note that the Jacobian header is not automatically included with XAD/XAD.hpp
.
Users must include it as needed.
Jacobians can be computed in adj
or fwd
mode.
The computeJacobian()
method takes a set of variables packaged in a
std::vector<T>
and a function with signature
std::vector<T> foo(std::vector<T>)
, where T
is either a forward-mode
or adjoint-mode active type (FReal
or AReal
).
If provided with RowIterators
, computeJacobian()
will write directly to
them and return void
. If no RowIterators
are provided, the Jacobian will be
written to a std::vector<std::vector<T>>
and returned, where T
is the
underlying passive type (usually double
).
template <typename RowIterator, typename T>
void computeJacobian(
const std::vector<AReal<T>> &vec,
std::function<std::vector<AReal<T>>(std::vector<AReal<T>> &)> foo,
RowIterator first, RowIterator last,
Tape<T> *tape = Tape<T>::getActive())
This mode uses a Tape to compute derivatives. This Tape will
be instantiated within the method or set to the current active Tape using
Tape::getActive()
if none is passed as argument.
template <typename RowIterator, typename T>
void computeJacobian(
const std::vector<FReal<T>> &vec,
std::function<std::vector<FReal<T>>(std::vector<FReal<T>> &)> foo,
RowIterator first, RowIterator last)
This mode does not require a Tape and can help reduce the overhead that comes with one. It is recommended for functions that have a higher number of outputs than inputs.
Given
std::function<std::vector<AD>(std::vector<AD>&)> foo =
[](std::vector<AD> &x) -> std::vector<AD> {
return {sin(x[0] + x[1]),
sin(x[1] + x[2]),
cos(x[2] + x[3]),
cos(x[3] + x[0])};
};
with the derivatives calculated at the following point
std::vector<AD> x_ad({1.0, 1.5, 1.3, 1.2});
we'd like to compute the Jacobian
First step is to setup the tape and active data types
typedef xad::adj<double> mode;
typedef mode::tape_type tape_type;
typedef mode::active_type AD;
tape_type tape;
Note that if no tape is setup, one will be created when computing the Jacobian.
fwd
mode is also supported in the same fashion. All that is left to do is
define our input values and our function, then call computeJacobian()
:
std::function<std::vector<AD>(std::vector<AD>&)> foo = [](std::vector<AD>& x) -> std::vector<AD>
{ return {sin(x[0] + x[1]),
sin(x[1] + x[2]),
cos(x[2] + x[3]),
cos(x[3] + x[0])}; };
auto jacobian = computeJacobian(x_ad, foo);
Note the signature of foo()
. Any other signature will throw an error.
This computes the relevant matrix
and prints it
for (auto row : jacobian)
{
for (auto elem : row) std::cout << elem << " ";
std::cout << std::endl;
}