·對於值類型的對象還是需要額外的裝箱、拆箱。其實對於傳統的集合來說,只要其中的包含的內容涉及到值類型,就不可避免需要裝箱、拆箱。請看下面的例子。
public class IntCollection : IList
{
...
private ArrayList _Ints = new ArrayList();
public int this[int index]
{ get { return (int)_Ints[index]; } }
public int Add(int item)
{ _Ints.Add(item);
return _Ints.Count - 1;}
public void Remove(int item)
{ _Ints.Remove(item); }
object IList.this[int index]
{ get { return _Ints[index]; }
set { _Ints[index] = (int)value; }}
int IList.Add(object item)
{ return Add((int)item); }
void IList.Remove(object item)
{ Remove((int)item); }
...
}
static void Main(string[] args)
{ IntCollection ints = new IntCollection();
ints.Add(5); //裝箱
int i = ints[0]; //拆箱
}
少量裝箱、拆箱對性能的影響不大,但是如果集合的數據量非常大,對性能還是有一定影響的。泛型能夠避免對值類型的裝箱、拆箱操作,您可以通過分析編譯後的IL得到印證。
static void Main()
{
List<int> ints = new List<int>();
ints.Add(5); //不用裝箱
int i = ints[0]; //不用拆箱
}
泛型的實現
·泛型方法
static void Swap<T>(ref T a, ref T b)
{ Console.WriteLine("You sent the Swap() method a {0}",
typeof(T));
T temp;
temp = a;
a = b;
b = temp;
}
·泛型類、結構
public class Point<T>
{
private T _x;
private T _y;
public T X
{ get { return _x; }
set { _x = value; }}
public T Y
{ get { return _y; }
set { _y = value; }}
public override string ToString()
{ return string.Format("[{0}, {1}]", _x, _y); }
}