2

私はアルゴリズムのコードを書きましたがsecant、今では関数があります:

f(x) = 2x^3 - 4x^2 + 3x、2 つの初期点 : x0 = -1 , x1 = 2

私の質問は、私が書いた関数、つまりsecant上記の関数f、および以下の結果を1つのグラフにプロットするにはどうすればよいですか?

それを行うことさえ可能ですか?

正割アルゴリズムを使用した後に得た結果は次のとおりです。

    v =
   -4.0000
    2.2069
    2.3699
    2.6617
    2.5683
    2.5804

これらはsecant、上記のアルゴリズムで使用した 6 回の反復ですx0 & x1

説明していただければ幸いです。

編集 :

これは、結果を取得するために使用したコードです。

[z,n,v]=secant([-1,2],10^(-5),10^(-5),10)

プロトタイプの場合:

function [x,n,v]=secant(X,d,e,N)

% x0 is the first point
% x1 is the end point 
% d is the tolerance 
% e is the requested precision 
% N is the number of iterations 

ありがとう 。

4

2 に答える 2

1

私はすぐにこれをまとめました。これは強力な匿名関数 示し、正割関数の結果をプロットする方法を示しています (ウィキペディアと同じ方法: http://en.wikipedia.org/wiki/File:Secant_method.svg )

しかし、私が理解していないのは、割関数が入力として許容範囲と要求された精度の両方を持っている理由です。公差は正割アルゴリズムの結果だと思います..

function [  ] = tmp1(  )

    f=@(x) x.^2;
    [xend,n,v]=secant(f,-4,3,1e-4,50);
    fprintf('after %d iterations reached final x_end = %g, f(x_end) = %g\n',n,xend,f(xend))


    figure;hold on;
    xtmp = linspace(min(v),max(v),250);
    plot(xtmp,f(xtmp),'r'); % plot the function itself
    line([v(1:end-2) v(3:end)]',[f(v(1:end-2)) zeros(n+1,1)]','Color','b','Marker','.','MarkerEdgeColor','b'); % plot the secant lines
    plot(v,f(v),'.','MarkerEdgeColor','r')% plot the intermediate points of the secant algorithm
    line([v(3:end) v(3:end)]',[zeros(n+1,1) f(v(3:end))]','Color','k','LineStyle','--'); % vertical lines

    ylim([-4 max(f(xtmp))]); % set y axis limits for nice plotting view algorithm

end

function [xnew,n,v]=secant(f, x0,x1,e,N)
% x0 is the first point
% x_end is the end point
% e is the requested precision
% N is the number of iterations

v=zeros(N+2,1);
v(1)=x0;
v(2)=x1;

for n=0:N-1
    xnew = x1 - f(x1) * (x1-x0)/(f(x1)-f(x0));
    v(3+n) = xnew;
    if abs(f(xnew)) <e
        break;
    else
        x0=x1;
        x1=xnew;
    end
end
v(n+4:end)=[];

end
于 2012-05-03T12:04:03.463 に答える
1

関数と結果を散布点としてプロットできます。

まず、関数をベクトル的に定義します。

f(x) = @(x) ( 2*x.^3 - 4*x.^2 + 3*x );

次に、ある範囲で関数を描画します。

x = -10:10;
y = f(x);
figure(); plot(x,y);

次に、結果を表示します。

hold on;
scatter(v,f(v));
于 2012-05-03T11:25:59.487 に答える