Matlab多項式
MATLAB表示多項式爲包含由下降冪排列的係數的行向量。 例如,方程式
    
可以表示爲 -
p = [1 7 0 -5 9];評估計算多項式
多值函數用於評估計算指定值的多項式。 例如,要評估前面的多項式p,在x = 4,可使用以下代碼 -
p = [1 7 0  -5 9];
polyval(p,4)MATLAB執行上述語句返回以下結果 -
ans = 693MATLAB還提供polyvalm函數用於評估矩陣多項式。 矩陣多項式是以矩陣爲變量的多項式。
例如,下面創建一個方陣X並評估求值多項式p,在X -
p = [1 7 0  -5 9];
X = [1 2 -3 4; 2 -5 6 3; 3 1 0 2; 5 -7 3 8];
polyvalm(p, X)MATLAB執行上述代碼語句返回以下結果 -
ans =
        2307       -1769        -939        4499
        2314       -2376        -249        4695
        2256       -1892        -549        4310
        4570       -4532       -1062        9269計算多項式的根
roots函數計算多項式的根。 例如,要計算多項式p的根,可參考以下語法 -
p = [1 7 0  -5 9];
r = roots(p)MATLAB執行上述代碼語句返回以下結果 -
r =
  -6.8661 + 0.0000i
  -1.4247 + 0.0000i
   0.6454 + 0.7095i
   0.6454 - 0.7095ipoly函數是roots函數的逆,並返回到多項式係數。 例如 -
p = [1 7 0  -5 9];
r = roots(p)
p2 = poly(r)MATLAB執行上述代碼語句返回以下結果 -
Trial>> p = [1 7 0  -5 9];
r = roots(p)
p2 = poly(r)
r =
  -6.8661 + 0.0000i
  -1.4247 + 0.0000i
   0.6454 + 0.7095i
   0.6454 - 0.7095i
p2 =
    1.0000    7.0000    0.0000   -5.0000    9.0000多項式曲線擬合
polyfit函數用來查找一個多項式的係數,它符合最小二乘法中的一組數據。 如果x和y包含要擬合到n度多項式的x和y數據的兩個向量,則得到通過擬合數據的多項式,參考代碼 -
p = polyfit(x,y,n)示例
創建腳本文件並鍵入以下代碼 -
x = [1 2 3 4 5 6]; y = [5.5 43.1 128 290.7 498.4 978.67];  %data
p = polyfit(x,y,4)   %get the polynomial
% Compute the values of the polyfit estimate over a finer range, 
% and plot the estimate over the real data values for comparison:
x2 = 1:.1:6;          
y2 = polyval(p,x2);
plot(x,y,'o',x2,y2)
grid onMATLAB執行上述代碼語句返回以下結果 -
Trial>> x = [1 2 3 4 5 6]; y = [5.5 43.1 128 290.7 498.4 978.67];  %data
p = polyfit(x,y,4)   %get the polynomial
% Compute the values of the polyfit estimate over a finer range, 
% and plot the estimate over the real data values for comparison:
x2 = 1:.1:6;          
y2 = polyval(p,x2);
plot(x,y,'o',x2,y2)
grid on
p =
    4.1056  -47.9607  222.2598 -362.7453  191.1250同時還輸出一個圖形 -
   