Репозиторий по работе с кешем для временных данных (начало)
This commit is contained in:
parent
531b14938f
commit
b5e255b940
@ -21,13 +21,16 @@ public class TimeSeriesController<TDto> : ControllerBase, ITimeSeriesDataApi<TDt
|
||||
{
|
||||
var result = await this.timeSeriesDataRepository.GetAsync(dateBegin, dateEnd, token);
|
||||
return Ok(result);
|
||||
|
||||
}
|
||||
|
||||
[HttpGet("datesRange")]
|
||||
public async Task<IActionResult> GetDatesRangeAsync(CancellationToken token)
|
||||
{
|
||||
var result = await this.timeSeriesDataRepository.GetDatesRangeAsync(token);
|
||||
return Ok(result);
|
||||
//var result = await this.timeSeriesDataCashedRepository.GetDatesRangeAsync(token);
|
||||
//return Ok(result);
|
||||
|
||||
return null;
|
||||
}
|
||||
|
||||
[HttpPost]
|
||||
|
199
Persistence.Repository/CyclicArray.cs
Normal file
199
Persistence.Repository/CyclicArray.cs
Normal file
@ -0,0 +1,199 @@
|
||||
using System;
|
||||
using System.Collections;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
|
||||
namespace Persistence.Repository;
|
||||
/// <summary>
|
||||
/// Цикличный массив
|
||||
/// </summary>
|
||||
/// <typeparam name="T"></typeparam>
|
||||
public class CyclicArray<T> : IEnumerable<T>
|
||||
{
|
||||
readonly T[] array;
|
||||
int used, current = -1;
|
||||
|
||||
/// <summary>
|
||||
/// constructor
|
||||
/// </summary>
|
||||
/// <param name="capacity"></param>
|
||||
public CyclicArray(int capacity)
|
||||
{
|
||||
array = new T[capacity];
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Количество элементов в массиве
|
||||
/// </summary>
|
||||
public int Count => used;
|
||||
|
||||
/// <summary>
|
||||
/// Добавить новый элемент<br/>
|
||||
/// Если capacity достигнуто, то вытеснит самый первый элемент
|
||||
/// </summary>
|
||||
/// <param name="item"></param>
|
||||
public void Add(T item)
|
||||
{
|
||||
current = (++current) % array.Length;
|
||||
array[current] = item;
|
||||
if (used < array.Length)
|
||||
used++;
|
||||
UpdatedInvoke(current, item);
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Добавить новые элементы.<br/>
|
||||
/// Если capacity достигнуто, то вытеснит самые первые элементы.<br/>
|
||||
/// Не вызывает Updated!
|
||||
/// </summary>
|
||||
/// <param name="items"></param>
|
||||
public void AddRange(IEnumerable<T> items)
|
||||
{
|
||||
var capacity = array.Length;
|
||||
var newItems = items.TakeLast(capacity).ToArray();
|
||||
if (newItems.Length == capacity)
|
||||
{
|
||||
Array.Copy(newItems, array, capacity);
|
||||
current = capacity - 1;
|
||||
}
|
||||
else
|
||||
{
|
||||
current = (++current) % capacity;
|
||||
var countToEndOfArray = capacity - current;
|
||||
if (newItems.Length <= countToEndOfArray)
|
||||
{
|
||||
Array.Copy(newItems, 0, array, current, newItems.Length);
|
||||
current += newItems.Length - 1;
|
||||
}
|
||||
else
|
||||
{
|
||||
var firstStepLength = countToEndOfArray;
|
||||
Array.Copy(newItems, 0, array, current, firstStepLength);
|
||||
var secondStepCount = newItems.Length - firstStepLength;
|
||||
Array.Copy(newItems, firstStepLength, array, 0, secondStepCount);
|
||||
current = secondStepCount - 1;
|
||||
}
|
||||
}
|
||||
|
||||
if (used < capacity)
|
||||
{
|
||||
used += newItems.Length;
|
||||
used = used > capacity ? capacity : used;
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Индекс
|
||||
/// </summary>
|
||||
/// <param name="index"></param>
|
||||
/// <returns></returns>
|
||||
public T this[int index]
|
||||
{
|
||||
get
|
||||
{
|
||||
if (used == 0)
|
||||
throw new IndexOutOfRangeException();
|
||||
|
||||
var i = (current + 1 + index) % used;
|
||||
return array[i];
|
||||
}
|
||||
set
|
||||
{
|
||||
var devider = used > 0 ? used : array.Length;
|
||||
var i = (current + 1 + index) % devider;
|
||||
array[i] = value;
|
||||
UpdatedInvoke(current, value);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// событие на изменение элемента в массиве
|
||||
/// </summary>
|
||||
public event EventHandler<(int index, T value)>? Updated;
|
||||
private void UpdatedInvoke(int index, T value)
|
||||
{
|
||||
Updated?.Invoke(this, (index, value));
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Агрегирование значения по всему массиву
|
||||
/// </summary>
|
||||
/// <typeparam name="Tout"></typeparam>
|
||||
/// <param name="func"></param>
|
||||
/// <param name="startValue"></param>
|
||||
/// <returns></returns>
|
||||
public Tout Aggregate<Tout>(Func<T, Tout, Tout> func, Tout startValue)
|
||||
{
|
||||
Tout result = startValue;
|
||||
for (int i = 0; i < used; i++)
|
||||
result = func(this[i], result);
|
||||
return result;
|
||||
}
|
||||
|
||||
/// <inheritdoc/>
|
||||
public IEnumerator<T> GetEnumerator()
|
||||
=> new CyclycListEnumerator<T>(array, current, used);
|
||||
|
||||
/// <inheritdoc/>
|
||||
IEnumerator IEnumerable.GetEnumerator()
|
||||
=> GetEnumerator();
|
||||
|
||||
class CyclycListEnumerator<Te> : IEnumerator<Te>
|
||||
{
|
||||
private readonly Te[] array;
|
||||
private readonly int used;
|
||||
private readonly int first;
|
||||
private int current = -1;
|
||||
|
||||
public CyclycListEnumerator(Te[] array, int first, int used)
|
||||
{
|
||||
this.array = new Te[array.Length];
|
||||
array.CopyTo(this.array, 0);
|
||||
this.used = used;
|
||||
this.first = first;
|
||||
}
|
||||
|
||||
public Te Current
|
||||
{
|
||||
get
|
||||
{
|
||||
if (IsCurrentOk())
|
||||
{
|
||||
var i = (current + first + 1) % used;
|
||||
return array[i];
|
||||
}
|
||||
else
|
||||
return default!;
|
||||
}
|
||||
}
|
||||
|
||||
object? IEnumerator.Current => Current;
|
||||
|
||||
public void Dispose() {; }
|
||||
|
||||
private bool IsCurrentOk() => current >= 0 && current < used;
|
||||
|
||||
public bool MoveNext()
|
||||
{
|
||||
if (current < used)
|
||||
current++;
|
||||
return IsCurrentOk();
|
||||
}
|
||||
|
||||
public void Reset()
|
||||
{
|
||||
current = -1;
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Очистить весь массив
|
||||
/// </summary>
|
||||
public void Clear()
|
||||
{
|
||||
used = 0;
|
||||
current = -1;
|
||||
}
|
||||
}
|
@ -1,11 +1,8 @@
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.Extensions.Configuration;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using Persistence.Repositories;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using Persistence.Database.Model;
|
||||
using Persistence.Repositories;
|
||||
using Persistence.Repository.Data;
|
||||
using Persistence.Repository.Repositories;
|
||||
using Persistence.Database;
|
||||
|
||||
namespace Persistence.Repository;
|
||||
public static class DependencyInjection
|
||||
@ -18,7 +15,7 @@ public static class DependencyInjection
|
||||
{
|
||||
MapsterSetup();
|
||||
|
||||
services.AddTransient<ITimeSeriesDataRepository<DataSaubDto>, TimeSeriesDataRepository<DataSaub, DataSaubDto>>();
|
||||
services.AddTransient<ITimeSeriesDataRepository<DataSaubDto>, TimeSeriesDataCachedRepository<DataSaub, DataSaubDto>>();
|
||||
|
||||
return services;
|
||||
}
|
||||
|
@ -0,0 +1,66 @@
|
||||
using Mapster;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Newtonsoft.Json.Linq;
|
||||
using Persistence.Database.Model;
|
||||
using Persistence.Models;
|
||||
|
||||
namespace Persistence.Repository.Repositories;
|
||||
|
||||
public class Test {
|
||||
|
||||
}
|
||||
|
||||
public class TimeSeriesDataCachedRepository<TEntity, TDto> : TimeSeriesDataRepository<TEntity, TDto>
|
||||
where TEntity : class, ITimestampedData, new()
|
||||
where TDto : class, ITimeSeriesAbstractDto, new()
|
||||
{
|
||||
public static TDto FirstByDate { get; set; } = null!;
|
||||
public static CyclicArray<TDto> LastData { get; set; } = null!;
|
||||
|
||||
public TimeSeriesDataCachedRepository(DbContext db) : base(db)
|
||||
{
|
||||
//Task.Run(async () => {
|
||||
// //FirstByDate = await base.GetFirstAsync(1, CancellationToken.None);
|
||||
// //LastData = await base.GetLastAsync(3600, CancellationToken.None);
|
||||
|
||||
//}).wait();
|
||||
}
|
||||
|
||||
public override async Task<IEnumerable<TDto>> GetAsync(DateTimeOffset dateBegin, DateTimeOffset dateEnd, CancellationToken token)
|
||||
{
|
||||
var cacheLastData = LastData;
|
||||
|
||||
if (cacheLastData[0].Date > dateBegin)
|
||||
{
|
||||
var dtos = await base.GetAsync(dateBegin, dateEnd, token);
|
||||
|
||||
dtos = dtos.OrderBy(x => x.Date);
|
||||
|
||||
FirstByDate = dtos.ElementAt(0);
|
||||
LastData.AddRange(dtos);
|
||||
|
||||
return dtos;
|
||||
}
|
||||
|
||||
var items = cacheLastData
|
||||
.Where(i => i.Date >= dateBegin && i.Date <= dateEnd);
|
||||
|
||||
return items;
|
||||
}
|
||||
|
||||
public override async Task<int> InsertRange(IEnumerable<TDto> dtos, CancellationToken token)
|
||||
{
|
||||
var result = await base.InsertRange(dtos, token);
|
||||
if (result > 0)
|
||||
{
|
||||
|
||||
dtos = dtos.OrderBy(x => x.Date);
|
||||
|
||||
FirstByDate = dtos.ElementAt(0);
|
||||
LastData.AddRange(dtos);
|
||||
}
|
||||
|
||||
return result;
|
||||
}
|
||||
}
|
||||
|
@ -18,7 +18,7 @@ public class TimeSeriesDataRepository<TEntity, TDto> : ITimeSeriesDataRepository
|
||||
|
||||
protected virtual IQueryable<TEntity> GetQueryReadOnly() => this.db.Set<TEntity>();
|
||||
|
||||
public async Task<IEnumerable<TDto>> GetAsync(DateTimeOffset dateBegin, DateTimeOffset dateEnd, CancellationToken token)
|
||||
public virtual async Task<IEnumerable<TDto>> GetAsync(DateTimeOffset dateBegin, DateTimeOffset dateEnd, CancellationToken token)
|
||||
{
|
||||
var query = GetQueryReadOnly();
|
||||
var entities = await query.ToArrayAsync(token);
|
||||
@ -27,7 +27,7 @@ public class TimeSeriesDataRepository<TEntity, TDto> : ITimeSeriesDataRepository
|
||||
return dtos;
|
||||
}
|
||||
|
||||
public async Task<DatesRangeDto> GetDatesRangeAsync(CancellationToken token)
|
||||
public virtual async Task<DatesRangeDto> GetDatesRangeAsync(CancellationToken token)
|
||||
{
|
||||
var query = GetQueryReadOnly();
|
||||
var minDate = await query.MinAsync(o => o.Date, token);
|
||||
@ -40,7 +40,7 @@ public class TimeSeriesDataRepository<TEntity, TDto> : ITimeSeriesDataRepository
|
||||
};
|
||||
}
|
||||
|
||||
public async Task<IEnumerable<TDto>> GetGtDate(DateTimeOffset date, CancellationToken token)
|
||||
public virtual async Task<IEnumerable<TDto>> GetGtDate(DateTimeOffset date, CancellationToken token)
|
||||
{
|
||||
var query = this.db.Set<TEntity>().Where(e => e.Date > date);
|
||||
var entities = await query.ToArrayAsync(token);
|
||||
@ -50,7 +50,7 @@ public class TimeSeriesDataRepository<TEntity, TDto> : ITimeSeriesDataRepository
|
||||
return dtos;
|
||||
}
|
||||
|
||||
public async Task<int> InsertRange(IEnumerable<TDto> dtos, CancellationToken token)
|
||||
public virtual async Task<int> InsertRange(IEnumerable<TDto> dtos, CancellationToken token)
|
||||
{
|
||||
var entities = dtos.Select(d => d.Adapt<TEntity>());
|
||||
|
||||
|
Loading…
Reference in New Issue
Block a user