在缓存不同类型时使用泛型来避免转换

时间:2016-11-07 15:18:59

标签: c# generics caching casting stackexchange.redis

我正在使用ASP.NET Core和Redis Cache。我试图在缓存中存储不同类型的不同对象,我想避免显式转换。

这是Redis Cache的我的包装器

public class RedisCacheStorage : Contracts.ICacheStorage
{
    private CachingFramework.Redis.Context _context = null;

    public RedisCacheStorage(string configuration)
    {
        _context = new CachingFramework.Redis.Context(configuration, new CachingFramework.Redis.Serializers.JsonSerializer());
    }
    public void SetItem<T>(string key, T value)
    {
        _context.Cache.SetObject<T>(key, value);
    }
    public T GetItem<T>(string key)
    {
        return _context.Cache.GetObject<T>(key);
    }

    public T GetItem<T>(string key, Func<T> loadCacheFunc)
    {
        return _context.Cache.FetchObject<T>(key, loadCacheFunc);
    }

然后我在CacheManager中注入ICacheStorage(实现ICacheManager)。我试图隔离依赖项并保持CacheStorage简单,所以当我需要更改缓存类型时,我只需实现ICacheStorage。在CacheManager中,我们注入所有服务,这些服务在传递特殊键时获取一些数据。

的CacheManager

  public class CacheManager : Contracts.ICacheManager
{
    private Contracts.ICacheStorage _cacheStorage;
    private SecurityCore.ServiceContracts.IParametersService _paramService;
    public CacheManager(Contracts.ICacheStorage cacheStorage, SecurityCore.ServiceContracts.IParametersService paramService)
    {
        _cacheStorage = cacheStorage;
        _paramService = paramService;
    }
    public Object GetItem(string key)
    {
        if (key == Constants.CacheKeys.SecuritySystemParams)
            return _cacheStorage.GetItem<Dictionary<string, string>>(key, _paramService.GetSystemParameters);

        //if (key == Constants.CacheKeys.EffectivePermissions)
        //   return  List of Effective Permissions

        return _cacheStorage.GetItem<Object>(key);
    }

_cacheStorage.GetItem<Dictionary<string, string>>(key, _paramService.GetSystemParameters);

传递一个使用Redis的Fetch Method的函数,如果缓存为空,则调用该服务,然后将数据存储在缓存中并将其返回。

我的问题是我需要避免强制转换,因为我可能会返回不同的对象,我如何继续使用泛型,所以我传递了返回的对象的类型。

正如您在下面看到的编译错误,由于无法将类型对象转换为Dictionay而需要显式转换才能解析。

是否有更好,更优雅的方式来实现整体理念?

enter image description here

1 个答案:

答案 0 :(得分:3)

阅读错误信息 您需要明确指定类型参数。

使用类型安全的密钥可以更好地使用它:

class CacheKey<T> {
    public string Name { get; }
    public string ToString() => Name;
    public CacheKey(string name) { Name = name; }
}

public T GetItem<T>(CacheKey<T> key) { ... }

public CacheKey<Dictionary<string, string>> SecuritySystemParams { get; } = new CacheKey<Dictionary<string, string>>("SecuritySystemParams");

这会让GetItem()从密钥中推断T,并阻止您传递错误的类型。