在C#中,可以使用Dictionary类来实现一个简单的缓存机制
using System;
using System.Collections.Generic;
public class Cache<TKey, TValue>
{
private readonly Dictionary<TKey, Tuple<DateTime, TValue>> _cache = new Dictionary<TKey, Tuple<DateTime, TValue>>();
private readonly TimeSpan _expirationTime;
public Cache(TimeSpan expirationTime)
{
_expirationTime = expirationTime;
}
}
public void Add(TKey key, TValue value, TimeSpan? expirationTime = null)
{
var expiration = DateTime.UtcNow.Add(expirationTime ?? _expirationTime);
_cache[key] = Tuple.Create(expiration, value);
}
public TValue Get(TKey key)
{
if (_cache.TryGetValue(key, out var item))
{
if (item.Item1 > DateTime.UtcNow)
{
return item.Item2;
}
else
{
// Remove expired item
_cache.Remove(key);
}
}
return default(TValue);
}
public void Clear()
{
_cache.Clear();
}
现在你可以使用这个缓存类来存储和检索数据。例如:
var cache = new Cache<string, string>(TimeSpan.FromMinutes(5));
// Add items to the cache
cache.Add("key1", "value1");
cache.Add("key2", "value2", TimeSpan.FromMinutes(1));
// Retrieve items from the cache
var value1 = cache.Get("key1");
var value2 = cache.Get("key2");
// Clear the cache
cache.Clear();
这个缓存类非常简单,主要用于演示目的。在实际项目中,你可能需要考虑更多的功能,例如线程安全、持久化和错误处理等。