Подбор параметров или как описать кривую - C#

Узнай цену своей работы

Формулировка задачи:

Добрый день! Стоит задача найти уравнение кривой вида y=A+B*exp(-x/C) (3 параметра) В моем распоряжении внушительный массив данных (в среднем около 150 000 точек) y и x (см. рис. 0) У меня получилось выполнить эту задачу с помощью VBA и поиска решений excel (Solver) (см. рис. 1, оранжевая кривая построена по найденным параметрам, синяя - исходная), но есть больше НО Эксель очень плохо работает с такими большими массивами, обработка ячеек ведется по нескольку минут. Есть может быть готовый метод для c# в который включен алгоритм Solver'a или может есть какой-нибудь еще способ найти коэффициенты уравнения кривой по массиву (y,x)? Заранее спасибо!

Решение задачи: «Подбор параметров или как описать кривую»

textual
Листинг программы
  1.     class Program
  2.     {
  3.         public static double[] LeastSquaresBestFitLine1(double[] x, double[] y)
  4.         {
  5.             //Calculates equation of best-fit line using short cuts
  6.             int n = x.Length;
  7.             double xMean = 0.0;
  8.             double yMean = 0.0;
  9.             double numeratorSum = 0.0;
  10.             double denominatorSum = 0.0;
  11.             double bestfitYintercept = 0.0;
  12.             double bestfitSlope = 0.0;
  13.             double sigma = 0.0;
  14.             double sumOfResidualsSquared = 0.0;
  15.  
  16.             //Calculates the mean values for x and y arrays
  17.             for (int i = 0; i < n; i++)
  18.             {
  19.                 xMean += x[i] / n;
  20.                 yMean += y[i] / n;
  21.             }
  22.  
  23.             //Calculates the numerator and denominator for best-fit slope
  24.             for (int i = 0; i < n; i++)
  25.             {
  26.                 numeratorSum += y[i] * (x[i] - xMean);
  27.                 denominatorSum += x[i] * (x[i] - xMean);
  28.             }
  29.  
  30.             //Calculate the best-fit slope and y-intercept
  31.             bestfitSlope = numeratorSum / denominatorSum;
  32.             bestfitYintercept = yMean - xMean * bestfitSlope;
  33.  
  34.             //Calculate the best-fit standard deviation
  35.             for (int i = 0; i < n; i++)
  36.             {
  37.                 sumOfResidualsSquared += (y[i] - bestfitYintercept - bestfitSlope * x[i]) * (y[i] - bestfitYintercept - bestfitSlope * x[i]);
  38.             }
  39.             sigma = Math.Sqrt(sumOfResidualsSquared / (n - 2));
  40.  
  41.             return new double[] { bestfitYintercept, bestfitSlope, sigma };
  42.         }
  43.         public static double[] LeastSquaresWeightedBestFitLine1(double[] x, double[] y, double[] w)
  44.         {
  45.             //Calculates equation of best-fit line using short cuts
  46.             int n = x.Length;
  47.             double wxMean = 0.0;
  48.             double wyMean = 0.0;
  49.             double wSum = 0.0;
  50.             double wnumeratorSum = 0.0;
  51.             double wdenominatorSum = 0.0;
  52.             double bestfitYintercept = 0.0;
  53.             double bestfitSlope = 0.0;
  54.             double sigma = 0.0;
  55.             double sumOfResidualsSquared = 0.0;
  56.  
  57.             //Calculates the sum of the weights w[i]
  58.             for (int i = 0; i < n; i++)
  59.             {
  60.                 wSum += w[i];
  61.             }
  62.  
  63.             //Calculates the mean values for x and y arrays
  64.             for (int i = 0; i < n; i++)
  65.             {
  66.                 wxMean += w[i] * x[i] / wSum;
  67.                 wyMean += w[i] * y[i] / wSum;
  68.             }
  69.  
  70.             //Calculates the numerator and denominator for best-fit slope
  71.             for (int i = 0; i < n; i++)
  72.             {
  73.                 wnumeratorSum += w[i] * y[i] * (x[i] - wxMean);
  74.                 wdenominatorSum += w[i] * x[i] * (x[i] - wxMean);
  75.             }
  76.  
  77.             //Calculate the best-fit slope and y-intercept
  78.             bestfitSlope = wnumeratorSum / wdenominatorSum;
  79.             bestfitYintercept = wyMean - wxMean * bestfitSlope;
  80.  
  81.             //Calculate the best-fit standard deviation
  82.             for (int i = 0; i < n; i++)
  83.             {
  84.                 sumOfResidualsSquared += w[i] * (y[i] - bestfitYintercept - bestfitSlope * x[i]) * (y[i] - bestfitYintercept - bestfitSlope * x[i]);
  85.             }
  86.             sigma = Math.Sqrt(sumOfResidualsSquared / (n - 2));
  87.  
  88.             return new double[] { bestfitYintercept, bestfitSlope, sigma };
  89.         }
  90.         static void Main(string[] args)
  91.         {
  92.             Console.WriteLine("Testing Exponential Fit");
  93.             Console.WriteLine("  Original equation: y  = a e^{cx}");
  94.             Console.WriteLine("Linearized equation: ln(y) = cx + ln(a)");
  95.             Console.WriteLine("which is in the form: Y = mx + b for a straight line\n");
  96.             double[] x = new double[] { 1, 2, 3, 4, 5 };
  97.             double[] y = new double[] { 3.5, 6.2, 9.5, 15.3, 20.4 };
  98.             double[] logy = new double[] { 1.25276, 1.82455, 2.25129, 2.72785, 3.01553 };
  99.  
  100.             double[] results = LeastSquaresBestFitLine1(x, logy);
  101.             Console.WriteLine("Results without weights, just (x,ln(y)): ");
  102.             Console.WriteLine("Best-fit y-intercept b = ln(a) = {0}", results[0]);
  103.             Console.WriteLine("Best-fit slope = m = c ={0}", results[1]);
  104.             Console.WriteLine("Best-fit sigma = {0}", results[2]);
  105.             Console.WriteLine("Equation for weighted best-fit exponential:");
  106.             Console.WriteLine("y = a e^(cx) = {0}exp({1}x)\n", Math.Exp(results[0]), results[1]);
  107.  
  108.             double[] resultsWt = LeastSquaresWeightedBestFitLine1(x, logy, y);
  109.             Console.WriteLine("Results with weights w = y. Calc (x,ln(y),w)):");
  110.             Console.WriteLine("Best-fit y-intercept b = ln(a)= {0}", resultsWt[0]);
  111.             Console.WriteLine("Best-fit slope = m = c = {0}", resultsWt[1]);
  112.             Console.WriteLine("Best-fit sigma = {0}", resultsWt[2]);
  113.             Console.WriteLine("Equation for weighted best-fit exponential:");
  114.             Console.WriteLine("y = a e^(cx) = {0}exp({1}x)\n", Math.Exp(resultsWt[0]), resultsWt[1]);
  115.             Console.ReadLine();
  116.         }
  117.     }

ИИ поможет Вам:


  • решить любую задачу по программированию
  • объяснить код
  • расставить комментарии в коде
  • и т.д
Попробуйте бесплатно

Оцени полезность:

15   голосов , оценка 3.867 из 5

Нужна аналогичная работа?

Оформи быстрый заказ и узнай стоимость

Бесплатно
Оформите заказ и авторы начнут откликаться уже через 10 минут
Похожие ответы