我正在構建一個.net頁面來模擬電子表格。該表包含此公式如何重新創建一個在C#中調用TREND()的Excel公式?
=ROUND(TREND(AA7:AE7,AA$4:AE$4,AF$4),1)
有人可以提供相當於C#的TREND()
嗎?或者,如果任何人都可以提供一個快捷方式,那也可以;我對那裏的數學不夠熟悉,不知道是否有更簡單的方法。
這裏有一些示例編號,如果有幫助。
AA7:AE7 6 8 10 12 14
或 10.2 13.6 17.5 20.4 23.8
AA $ 4:AE $ 4 600 800 1000 1200 1400
AF $ 4 650
編輯:這是我想出來的,它似乎與我的電子表格產生相同的數字。
public static partial class Math2
{
public static double[] Trend(double[] known_y, double[] known_x, params double[] new_x)
{
// return array of new y values
double m, b;
Math2.LeastSquaresFitLinear(known_y, known_x, out m, out b);
List<double> new_y = new List<double>();
for (int j = 0; j < new_x.Length; j++)
{
double y = (m * new_x[j]) + b;
new_y.Add(y);
}
return new_y.ToArray();
}
// found at http://stackoverflow.com/questions/7437660/how-do-i-recreate-an-excel-formula-which-calls-trend-in-c
// with a few modifications
public static void LeastSquaresFitLinear(double[] known_y, double[] known_x, out double M, out double B)
{
if (known_y.Length != known_x.Length)
{
throw new ArgumentException("arrays are unequal lengths");
}
int numPoints = known_y.Length;
//Gives best fit of data to line Y = MC + B
double x1, y1, xy, x2, J;
x1 = y1 = xy = x2 = 0.0;
for (int i = 0; i < numPoints; i++)
{
x1 = x1 + known_x[i];
y1 = y1 + known_y[i];
xy = xy + known_x[i] * known_y[i];
x2 = x2 + known_x[i] * known_x[i];
}
M = B = 0;
J = ((double)numPoints * x2) - (x1 * x1);
if (J != 0.0)
{
M = (((double)numPoints * xy) - (x1 * y1))/J;
//M = Math.Floor(1.0E3 * M + 0.5)/1.0E3; // TODO this is disabled as it seems to product results different than excel
B = ((y1 * x2) - (x1 * xy))/J;
// B = Math.Floor(1.0E3 * B + 0.5)/1.0E3; // TODO assuming this is the same as above
}
}
}
我發現至少有一個sqaures擬合函數需要一組{x,y}並返回M和B.然後我可以使用M和B以及一組新的x值來生成y值作爲趨勢結果返回。這一切是否正確? – lincolnk
說實話,我對LINEST或TREND函數並不熟悉。在使用這些文件時它們會變得非常複雜,並且從文檔來看,它們看起來有點不可靠(垃圾進入垃圾)。我認爲您需要了解Excel函數的功能,並嘗試在C#中重現結果。從我所能說的來看,並非易事。 –
鏈接不再有效 – Rocklan