[原]
题记:当我们平时需要使用到集合类时,我们会发现类的头部导入了这个命名空间:System.Collections.Generic(这其实是泛型的英文名称)。 因为我没有使用过CLR1.0,所以之前对微软命名空间的划分有点恼火。既然是集合类,干嘛不直接放在System.Collections里。当看了泛型之后才明白其中的缘由。
在CLR1.0中,集合类是没有实现泛型的(当时,泛型还没有出生呢),到了CLR2.0时,引入了泛型的概念,于是微软把原先的集合类重写了一边,以实现泛型。所以才有了现在的System.Collections.Generic这个命名空间。
之所以说泛型提高了性能,就在于避免了“装箱”和“拆箱”操作,减少了性能损耗。
为了理解这点,我们比较一下使用System.Collections集合类和System.Collections集合类其中的差别到底在哪里。
//System.Collections.ArrayList为没有实现泛型的积累类,即CLR2.0+新版本中遗留的CLR1.0集合类。
System.Collections.ArrayList list = new System.Collections.ArrayList();
list.Add(4); //由于ArrayList类的Add方法参数为引用类型,所以这里需要把值类型装箱为引用类型
int i1 = (int)list[0]; //需要拆箱操作
foreach(int i2 in list) //需要拆箱操作
{
Console.WriteLine(i2);
}
//CLR2.0中实现了泛型的集合类
System.Collections.Generic.List<int> list = new System.Collections.Generic.List<int>();
list.Add(4); //no box
int i1 = list[0]; //no unbox
foreach(int i2 in list) //no unbox
{
Console.WriteLine(i2);
}