Метод Ньютона Рафсона в Matlab? - PullRequest
1 голос
/ 12 апреля 2011

Метод Ньютона-Рафсона легко реализовать в Mathematica, но в Matlab он кажется немного сложным. Я не понимаю, могу ли я передать функцию в функцию и как использовать производную в качестве функции.

newtonRaphson[f_, n_, guess_] := 
 If[n == 0, guess, newtonRaphson[f, n - 1, guess - f[guess]/f'[guess]]]
newtonRaphsonOptimize[f_, n_, guess_] := 
 If[n == 0, guess, 
  newtonRaphsonOptimize[f, n - 1, guess - f'[guess]/f''[guess]]]

Не похоже, что вы не можете получить ни дескрипторы функций, ни функции, определенные в файле, но я могу ошибаться.

Ответы [ 3 ]

6 голосов
/ 12 апреля 2011

Вы можете использовать такую ​​реализацию:

function x = newton(f,dfdx,x0,tolerance)
err = Inf;
x = x0;
while abs(err) > tolerance
   xPrev = x;
   x = xPrev - f(xPrev)./dfdx(xPrev);
   % stop criterion: (f(x) - 0) < tolerance
   err = f(x); % 
   % stop criterion: change of x < tolerance
   % err = x - xPrev;
end

И передать ей дескрипторы функции как функции, так и ее производной. Эту производную можно приобрести несколькими различными методами: ручное дифференцирование, символическое дифференцирование или автоматическое дифференцирование. Вы также можете выполнить дифференцирование численно, но это медленное и требует использования измененной реализации. Поэтому я предполагаю, что вы рассчитали производную любым подходящим способом. Тогда вы можете позвонить по коду:

f = @(x)((x-4).^2-4);
dfdx = @(x)(2.*(x-4));
x0 = 1;
xRoot = newton(@f,@dfdx,x0,1e-10);
3 голосов
/ 12 апреля 2011

Нет способа алгебраически взять производные дескрипторов функций или функций, определенных в m-файлах.Вам нужно будет сделать это численно , оценивая функцию в ряде точек и аппроксимируя производную.

Что вы, вероятно, хотите сделать, это дифференцирование символьных уравнений , и для этого вам понадобится Symbolic Math Toolbox .Вот пример поиска корня с использованием метода Ньютона-Рафсона :

>> syms x            %# Create a symbolic variable x
>> f = (x-4)^2-4;    %# Create a function of x to find a root of
>> xRoot = 1;        %# Initial guess for the root
>> g = x-f/diff(f);  %# Create a Newton-Raphson approximation function
>> xRoot = subs(g,'x',xRoot)  %# Evaluate the function at the initial guess

xRoot =

    1.8333

>> xRoot = subs(g,'x',xRoot)  %# Evaluate the function at the refined guess

xRoot =

    1.9936

>> xRoot = subs(g,'x',xRoot)  %# Evaluate the function at the refined guess

xRoot =

    2.0000

Вы можете видеть, что значение xRoot близко к значению истинного корня (который2) после нескольких итераций.Вы также можете поместить оценку функции в цикл while с условием, которое проверяет, насколько велика разница между каждым новым предположением и предыдущим предположением, и останавливается, когда это различие достаточно мало (т. Е. Корень найден):

xRoot = 1;                     %# Initial guess
xNew = subs(g,'x',xRoot);      %# Refined guess
while abs(xNew-xRoot) > 1e-10  %# Loop while they differ by more than 1e-10
  xRoot = xNew;                %# Update the old guess
  xNew = subs(g,'x',xRoot);    %# Update the new guess
end
xRoot = xNew;                  %# Update the final value for the root
0 голосов
/ 08 июня 2013
% Friday June 07 by Ehsan Behnam.
% b) Newton's method implemented in MATLAB.
% INPUT:1) "fx" is the equation string of the interest. The user 
% may input any string but it should be constructable as a "sym" object. 
% 2) x0 is the initial point.
% 3) intrvl is the interval of interest to find the roots.
% returns "rt" a vector containing all of the roots for eq = 0
% on the given interval and also the number of iterations to
% find these roots. This may be useful to find out the convergence rate
% and to compare with other methods (e.g. Bisection method).
%
function [rt iter_arr] = newton_raphson(fx, x, intrvl)
n_seeds = 10; %number of initial guesses!
x0 = linspace(intrvl(1), intrvl(2), n_seeds);
rt = zeros(1, n_seeds);

% An array that keeps the number of required iterations.
iter_arr = zeros(1, n_seeds);
n_rt = 0;

% Since sometimes we may not converge "max_iter" is set.
max_iter = 100;

% A threshold for distinguishing roots coming from different seeds. 
thresh = 0.001;

for i = 1:length(x0)
    iter = 0;
    eq = sym(fx);
    max_error = 10^(-12);
    df = diff(eq);
    err = Inf;
    x_this = x0(i);
    while (abs(err) > max_error)
        iter = iter + 1;
        x_prev = x_this;

        % Iterative process for solving the equation.
        x_this = x_prev - subs(fx, x, x_prev) / subs(df, x, x_prev);
        err = subs(fx, x, x_this);
        if (iter >= max_iter)
            break;
        end
    end
    if (abs(err) < max_error)
        % Many guesses will result in the same root.
        % So we check if the found root is new
        isNew = true;
        if (x_this >= intrvl(1) && x_this <= intrvl(2))
            for j = 1:n_rt
                if (abs(x_this - rt(j)) < thresh)
                    isNew = false;
                    break;
                end
            end
            if (isNew)
                n_rt = n_rt + 1;
                rt(n_rt) = x_this;
                iter_arr(n_rt) = iter;
            end
        end
    end        
end
rt(n_rt + 1:end) = [];
iter_arr(n_rt + 1:end) = [];
...