Вопрос

The following query seem to work quite fine:

var query =
Session.Query<SomeEvent>()
    .Where(
       p =>
       p.Timestamp >= from.Now
       && p.Timestamp <= to.Now
    )
    .GroupBy(x => x.Timestamp)
    .AsEnumerable()
    .Select(
    x =>
    new SomeEvent {Timestamp = x.Key, DisplayValue = x.Average(y => y.DisplayValue)})
    .OrderBy(x => x.Timestamp);

in averaging displayvalues if there are duplicates in terms of timestamps (datetime). I am just curious whether it would also be possible to average values based on 'resolution' (e.g. in 30 minutes)?

Это было полезно?

Решение

How about this? I introduced a concept called resolution level which gives you a leveled key for each range of timestamp differences: 1 if within 30 mins, 2 if within 60 mins, 3 if within 90 mins... and so on. Based on these levels, the query can average each

double resolutionInMins = 30; // In minites
double divisor = to.Now.AddMinutes(resolutionInMins).Ticks - to.Now.Ticks;

Func<DateTime, double> resolutionLevel = 
    delegate(DateTime timestamp)
{
    return Math.Ceiling((to.Now.Ticks - timestamp.Ticks) / divisor);
};

var query =
    Session.Query<SomeEvent>()
    .Where(p => 
        p.Timestamp >= from.Now && 
        p.Timestamp <= to.Now)
.GroupBy(x => new
{
    ResolutionLevel = resolutionLevel(x.Timestamp)
})
.Select(x => new
{
    ResolutionLevel = x.Key.ResolutionLevel,
    ResolutionAvgValue = x.Average(b => b.DisplayValue)
});
Лицензировано под: CC-BY-SA с атрибуция
Не связан с StackOverflow
scroll top