通用字典如下:
public class ConcurrentDictionary<TKey, TValue> : IDictionary<TKey, TValue>
具体词典可以如下:
var container = new ConcurrentDictionary<string, Unit>();
var container = new ConcurrentDictionary<string, CustomUnitClass>();
这些特殊字典(具有不同的参数)已添加到应用程序状态:
HttpContext.Current.Application[key] = container;
当我从应用程序状态获取项目时(这里的一些人帮助了我;感谢他们),我能够以这种方式检查类型是否是ConcurrentDictionary:
object d = HttpContext.Current.Application[i];
if (d.GetType().GetGenericTypeDefinition() == typeof(ConcurrentDictionary<,>))
最后一点是 - 如何将对象d转换为通用的ConcurrentDictionary:
ConcurrentDictionary<?, ?> unit = d as ConcurrentDictionary<?, ?>;
我不想按如下方式使用特定演员:
ConcurrentDictionary<string, Unit> unit = d as ConcurrentDictionary<string, Unit>;
因为第二个参数可以是另一种类型。
提前谢谢。
答案 0 :(得分:0)
我认为你可能会以一种稍微错误的方式看待泛型,但是没关系,让我们说说吧!
你的IDictionary<TKey, TValue>
是完美的,而且你正确地使用它,但是我认为在回击时,除非你明确知道你期望的是什么类型,否则没有真实< / em>指向它。
或者我推荐的,为了强烈类型的可爱;你提到可能第二种类型,即TValue
会有所不同......这是使用界面的最佳时机!让我演示一下。
public interface IModeOfTransport
{
string Name { get; set; }
string Colour { get; set; }
bool CanFloat { get; set; }
bool CanFly { get; set; }
int NumberOfPassengers { get; set; }
}
public class Car : IModeOfTransport
{
// ...
}
public class Plane : IModeOfTransport
{
// ...
}
public class Boat : IModeOfTransport
{
// ...
}
var modesOfTransport = new Dictionary<string, IModeOfTransport>();
modesOfTransport.Add("First", new Car());
modesOfTransport.Add("First", new Plane());
modesOfTransport.Add("First", new Boat());
从上面可以看出,我们有一个字典,其密钥类型为string
,值类型为IModeOfTransport
。这允许我们对IModeOfTransport
接口的所有属性和方法进行显式强类型访问。如果您需要访问字典中的泛型值的特定信息,并且您不知道实际的对象类型转换是什么,则建议使用此方法。通过使用接口,我们可以找到相似之处。
object dictionary = HttpContext.Current.Application[i];
if (dictionary.GetType().GetGenericTypeDefinition() == typeof(Dictionary<,>))
{
var modesOfTransport = dictionary as Dictionary<string, IModeOfTransport>;
foreach (var keyValuePair in modesOfTransport)
{
// ...
}
}