下面的代码在MemoryCache
中添加了一些对象。这些对象可以有不同的类型。
我想要一种能够从MemoryCache
返回对象的方法,但返回类型可能不同。
在我的样本中它是2但可以更多。在我的示例中,类型返回值为IT1
或List<IT2>
如何实施此方法?
我想要这样的方法(返回的类型可以根据键而不同):
public ??? GetObjectFromKey(string key)
{
return _cache.Get(key);
}
谢谢,
MemoryCache _cache = MemoryCache.Default;
var it1 = new T1 { Name = "My" };
var it2 = new List<IT2>().Add(new T2 { Age = 5 });
_cache.Add("ITC1", it1, new CacheItemPolicy());
_cache.Add("ITC2", it2, new CacheItemPolicy());
var typeName = _cache.Get("ITC1").GetType();
public interface IT1
{
string Name { get; set; }
}
public class T1 : IT1
{
public string Name { get; set; }
}
public class T2 : IT2
{
public int Age { get; set; }
}
public interface IT2
{
int Age { get; set; }
}
答案 0 :(得分:1)
缓存的返回类型必须是object
或dynamic
。您没有其他可能性,因为您放入缓存的类没有任何共同之处。
答案 1 :(得分:0)
如果您在调用GetObjectFromKey时知道类型,则可以使用泛型:
public T GetObjectFromKey(string key)
{
object returnObj = _cache.Get(key);
if(returnObj.GetType() == typeof(T)) // may need to also check for inheritance
{
return (T) returnObj;
}
else
{
throw new Expcetion("InvalidType");
}
}
然后当你打电话时:
IT1 myObj = GetObjectFromKey<IT1>("mykey");
正如所承诺的,这里是你如何在运行时从任意类型构造泛型方法(虽然我不知道这将如何帮助!):
Type t = typeof(Something); // your type at run time
Type cacheType = _cache.GetType(); // The type that has the GetObjectFromKeyMethod
MethodInfo lGenericMethod = cacheType.GetMethod("GetObjectFromKey");
MethodInfo lTypedMethod = lMethod.MakeGenericMethod(t);
dynamic lReturn = lTypedMethod.Invoke(_cache, new object[] { "mykey" } );
虽然很明显你不能对lReturn
做任何事情,因为你在编译时不知道类型,你可能刚刚返回一个对象(或者一些常见的接口)并调用GetType
在那。尽管如此,编写有趣的反射方法很有趣:P
答案 2 :(得分:0)
泛型?
public T GetObjectFromKey<T>(string key)
{
return (T)_cache.Get(key);
}