我有一个SortedList<dateTime,double>
形式的时间序列。我想计算一下这个系列的移动平均线。我可以使用简单的for循环来做到这一点。我想知道是否有更好的方法来使用linq。
我的版本:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace ConsoleApplication1
{
class Program
{
static void Main(string[] args)
{
var mySeries = new SortedList<DateTime, double>();
mySeries.Add(new DateTime(2011, 01, 1), 10);
mySeries.Add(new DateTime(2011, 01, 2), 25);
mySeries.Add(new DateTime(2011, 01, 3), 30);
mySeries.Add(new DateTime(2011, 01, 4), 45);
mySeries.Add(new DateTime(2011, 01, 5), 50);
mySeries.Add(new DateTime(2011, 01, 6), 65);
var calcs = new calculations();
var avg = calcs.MovingAverage(mySeries, 3);
foreach (var item in avg)
{
Console.WriteLine("{0} {1}", item.Key, item.Value);
}
}
}
class calculations
{
public SortedList<DateTime, double> MovingAverage(SortedList<DateTime, double> series, int period)
{
var result = new SortedList<DateTime, double>();
for (int i = 0; i < series.Count(); i++)
{
if (i >= period - 1)
{
double total = 0;
for (int x = i; x > (i - period); x--)
total += series.Values[x];
double average = total / period;
result.Add(series.Keys[i], average);
}
}
return result;
}
}
}
答案 0 :(得分:19)
为了实现 O(n)的渐近性能(如手工编码解决方案所做的那样),您可以使用{/ 1>}函数,如
Aggregate
累计值(以匿名类型实现)包含两个字段:series.Skip(period-1).Aggregate(
new {
Result = new SortedList<DateTime, double>(),
Working = List<double>(series.Take(period-1).Select(item => item.Value))
},
(list, item)=>{
list.Working.Add(item.Value);
list.Result.Add(item.Key, list.Working.Average());
list.Working.RemoveAt(0);
return list;
}
).Result;
包含到目前为止构建的结果列表。 Result
包含最后Working
个元素。聚合函数将当前值添加到工作列表,构建当前平均值并将其添加到结果中,然后从工作列表中删除第一个(即最旧的)值。
通过将第一个period-1
元素放入period-1
并将Working
初始化为空列表来构建“种子”(即累积的起始值)。
因此,聚合从元素Result
开始(通过在开头跳过period
元素)
在函数式编程中,这是aggretate(或(period-1)
)函数的典型使用模式,顺便说一句。
两个评论:
解决方案不是“功能性”干净的,因为在每个步骤中都会重复使用相同的列表对象(fold
和Working
)。如果未来的某些编译器试图自动并行化Aggregate函数,我不确定这是否会引起问题(另一方面,我也不确定,如果可能的话......)。纯功能解决方案应该在每一步“创建”新列表。
另请注意,C#缺少强大的列表表达式。在一些假设的Python-C#混合伪代码中,可以编写聚合函数,如
Result
在我的拙见中,这会更优雅一些:)
答案 1 :(得分:11)
对于最有效的方式可以用LINQ计算移动平均线,你不应该使用LINQ!
相反,我建议创建一个辅助类,以最有效的方式计算移动平均值(使用循环缓冲区和因果移动平均滤波器),然后是扩展方法使LINQ可以访问它。
首先,移动平均值
public class MovingAverage
{
private readonly int _length;
private int _circIndex = -1;
private bool _filled;
private double _current = double.NaN;
private readonly double _oneOverLength;
private readonly double[] _circularBuffer;
private double _total;
public MovingAverage(int length)
{
_length = length;
_oneOverLength = 1.0 / length;
_circularBuffer = new double[length];
}
public MovingAverage Update(double value)
{
double lostValue = _circularBuffer[_circIndex];
_circularBuffer[_circIndex] = value;
// Maintain totals for Push function
_total += value;
_total -= lostValue;
// If not yet filled, just return. Current value should be double.NaN
if (!_filled)
{
_current = double.NaN;
return this;
}
// Compute the average
double average = 0.0;
for (int i = 0; i < _circularBuffer.Length; i++)
{
average += _circularBuffer[i];
}
_current = average * _oneOverLength;
return this;
}
public MovingAverage Push(double value)
{
// Apply the circular buffer
if (++_circIndex == _length)
{
_circIndex = 0;
}
double lostValue = _circularBuffer[_circIndex];
_circularBuffer[_circIndex] = value;
// Compute the average
_total += value;
_total -= lostValue;
// If not yet filled, just return. Current value should be double.NaN
if (!_filled && _circIndex != _length - 1)
{
_current = double.NaN;
return this;
}
else
{
// Set a flag to indicate this is the first time the buffer has been filled
_filled = true;
}
_current = _total * _oneOverLength;
return this;
}
public int Length { get { return _length; } }
public double Current { get { return _current; } }
}
此类提供了一个非常快速且轻量级的MovingAverage过滤器实现。它创建一个长度为N的循环缓冲区,并计算每附加一个数据点的一个加法,一个减法和一个乘法,而不是强力实现的每个点的N乘加。
接下来,LINQ-ify吧!
internal static class MovingAverageExtensions
{
public static IEnumerable<double> MovingAverage<T>(this IEnumerable<T> inputStream, Func<T, double> selector, int period)
{
var ma = new MovingAverage(period);
foreach (var item in inputStream)
{
ma.Push(selector(item));
yield return ma.Current;
}
}
public static IEnumerable<double> MovingAverage(this IEnumerable<double> inputStream, int period)
{
var ma = new MovingAverage(period);
foreach (var item in inputStream)
{
ma.Push(item);
yield return ma.Current;
}
}
}
上述扩展方法包装MovingAverage类并允许插入IEnumerable流。
现在使用它!
int period = 50;
// Simply filtering a list of doubles
IEnumerable<double> inputDoubles;
IEnumerable<double> outputDoubles = inputDoubles.MovingAverage(period);
// Or, use a selector to filter T into a list of doubles
IEnumerable<Point> inputPoints; // assuming you have initialised this
IEnumerable<double> smoothedYValues = inputPoints.MovingAverage(pt => pt.Y, period);
答案 2 :(得分:7)
你已经有一个答案显示你可以如何使用LINQ但是坦率地说我不会在这里使用LINQ,因为与你当前的解决方案相比,它很可能表现不佳,你现有的代码已经很清楚了
但是,不是计算每个步骤中先前period
个元素的总和,而是可以保持运行总计并在每次迭代时调整它。也就是说,改变这个:
total = 0;
for (int x = i; x > (i - period); x--)
total += series.Values[x];
到此:
if (i >= period) {
total -= series.Values[i - period];
}
total += series.Values[i];
这意味着无论period
的大小如何,您的代码都将花费相同的执行时间。
答案 3 :(得分:7)
此块
double total = 0;
for (int x = i; x > (i - period); x--)
total += series.Values[x];
double average = total / period;
可以改写为:
double average = series.Values.Skip(i - period + 1).Take(period).Sum() / period;
您的方法可能如下所示:
series.Skip(period - 1)
.Select((item, index) =>
new
{
item.Key,
series.Values.Skip(index).Take(period).Sum() / period
});
正如你所看到的,linq非常富有表现力。我建议先从一些教程开始,例如Introducing LINQ和101 LINQ Samples。
答案 4 :(得分:3)
要以更实用的方式执行此操作,您需要一个Scan
方法,该方法存在于Rx中但不存在于LINQ中。
让我们来看看如果我们有扫描方法会是什么样子
var delta = 3;
var series = new [] {1.1, 2.5, 3.8, 4.8, 5.9, 6.1, 7.6};
var seed = series.Take(delta).Average();
var smas = series
.Skip(delta)
.Zip(series, Tuple.Create)
.Scan(seed, (sma, values)=>sma - (values.Item2/delta) + (values.Item1/delta));
smas = Enumerable.Repeat(0.0, delta-1).Concat(new[]{seed}).Concat(smas);
这是扫描方法,从here:
进行调整public static IEnumerable<TAccumulate> Scan<TSource, TAccumulate>(
this IEnumerable<TSource> source,
TAccumulate seed,
Func<TAccumulate, TSource, TAccumulate> accumulator
)
{
if (source == null) throw new ArgumentNullException("source");
if (seed == null) throw new ArgumentNullException("seed");
if (accumulator == null) throw new ArgumentNullException("accumulator");
using (var i = source.GetEnumerator())
{
if (!i.MoveNext())
{
throw new InvalidOperationException("Sequence contains no elements");
}
var acc = accumulator(seed, i.Current);
while (i.MoveNext())
{
yield return acc;
acc = accumulator(acc, i.Current);
}
yield return acc;
}
}
这应该比brute force method具有更好的性能,因为我们使用运行总计来计算SMA。
这里发生了什么?
首先,我们需要在这里计算我们称之为seed
的第一个时期。然后,我们从累积的种子值计算每个后续值。要做到这一点,我们需要旧值(即t-delta)和我们将系列压缩在一起的最新值,一次从开头开始,一次移动三角形。
最后,我们通过在第一个句点的长度上添加零并添加初始种子值来进行一些清理。
答案 5 :(得分:2)
另一种选择是使用MoreLINQ的Windowed
方法,这可以显着简化代码:
var averaged = mySeries.Windowed(period).Select(window => window.Average(keyValuePair => keyValuePair.Value));
答案 6 :(得分:0)
我使用此代码计算SMA:
private void calculateSimpleMA(decimal[] values, out decimal[] buffer)
{
int period = values.Count(); // gets Period (assuming Period=Values-Array-Size)
buffer = new decimal[period]; // initializes buffer array
var sma = SMA(period); // gets SMA function
for (int i = 0; i < period; i++)
buffer[i] = sma(values[i]); // fills buffer with SMA calculation
}
static Func<decimal, decimal> SMA(int p)
{
Queue<decimal> s = new Queue<decimal>(p);
return (x) =>
{
if (s.Count >= p)
{
s.Dequeue();
}
s.Enqueue(x);
return s.Average();
};
}
答案 7 :(得分:0)
这是一个扩展方法:
public static IEnumerable<double> MovingAverage(this IEnumerable<double> source, int period)
{
if (source is null)
{
throw new ArgumentNullException(nameof(source));
}
if (period < 1)
{
throw new ArgumentOutOfRangeException(nameof(period));
}
return Core();
IEnumerable<double> Core()
{
var sum = 0.0;
var buffer = new double[period];
var n = 0;
foreach (var x in source)
{
n++;
sum += x;
var index = n % period;
if (n >= period)
{
sum -= buffer[index];
yield return sum / period;
}
buffer[index] = x;
}
}
}