qxLib
newtons_method.h
Go to the documentation of this file.
1 /**
2 
3  @file newtons_method.h
4  @author Khrapov
5  @date 6.08.2022
6  @copyright © Nick Khrapov, 2022. All right reserved.
7 
8 **/
9 #pragma once
10 
11 #include <cmath>
12 
13 namespace qx
14 {
15 
16 /**
17  @brief Find root of the equation using Newtons method
18  @param func - function
19  @param derivativeFunc - derivative function (dfdx)
20  @param fInitialGuess - initial root guess
21  @param fMaxError - max error to stop searching
22  @param nMaxIterations - max iterations number (sometimes alg breaks)
23  @tparam function_t - function that takes double and returns double
24  @tparam derivative_function_t - function that takes double and returns double
25  @retval - approximate root
26 **/
27 template<class function_t, class derivative_function_t>
28 inline double newtons_method(
29  const function_t& func,
30  const derivative_function_t& derivativeFunc,
31  double fInitialGuess,
32  double fMaxError = 0.0001,
33  size_t nMaxIterations = 10000)
34 {
35  double x = fInitialGuess;
36 
37  for (size_t i = 0; i < nMaxIterations; i++)
38  {
39  const double y = func(x);
40 
41  if (std::abs(y) < fMaxError)
42  break;
43 
44  x -= y / derivativeFunc(x);
45  }
46 
47  return x;
48 }
49 
50 } // namespace qx
double newtons_method(const function_t &func, const derivative_function_t &derivativeFunc, double fInitialGuess, double fMaxError=0.0001, size_t nMaxIterations=10000)
Find root of the equation using Newtons method.