【轉】List<T>和ILIst<T>的區別
using System; using System.Collections.Generic; using System.Linq; using System.Text; namespace List { public class Users //類Users 用戶 { public string Name; // 姓名 public int Age; // 年齡 public Users(string _Name, int _Age) { Name = _Name; Age = _Age; } } class Program { static void Main(string[] args) { Users U = new Users("jiang", 24); IList<Users> UILists = new List<Users>(); //千萬要註意:等式的右邊是List<Users>,而不是 IList<Users>, //如果在List前面加一個I, 就會出現錯誤:抽象類或接口無法創建實例。 UILists.Add(U); U = new Users("wang", 22); UILists.Add(U); List<Users> I = ConvertIListToList<Users>(UILists); Console.WriteLine(I[0].Name); Console.WriteLine(I[1].Name); Console.Read(); } // **//// <summary> /// 轉換IList<T>為List<T> //將IList接口泛型轉為List泛型類型 /// </summary> /// <typeparam name="T">指定的集合中泛型的類型</typeparam> /// <param name="gbList">需要轉換的IList</param> /// <returns></returns> public static List<T> ConvertIListToList<T>(IList<T> gbList) where T : class //靜態方法,泛型轉換, { if (gbList != null && gbList.Count >= 1) { List<T> list = new List<T>(); for (int i = 0; i < gbList.Count; i++) //將IList中的元素復制到List中 { T temp = gbList[i] as T; if (temp != null) list.Add(temp); } return list; } return null; } } }
註意:
IList<Users> UILists = new List<Users>(); //千萬要註意:等式的右邊是List<Users>,
而不是 IList<Users>,如果在List前面加一個I, 就會出現錯誤:抽象類或接口無法創建實例。
下面說一下IList與List的區別:
(1)首先IList 泛型接口是 ICollection 泛型接口的子代,並且是所有泛型列表的基接口。
它僅僅是所有泛型類型的接口,並沒有太多方法可以方便實用,如果僅僅是作為集合數據的承載體,確實,IList<T>可以勝任。
不過,更多的時候,我們要對集合數據進行處理,從中篩選數據或者排序。這個時候IList<T>就愛莫能助了。
1、當你只想使用接口的方法時,ILis<>這種方式比較好.他不獲取實現這個接口的類的其他方法和字段,有效的節省空間.
2、IList <>是個接口,定義了一些操作方法這些方法要你自己去實現
List <>是泛型類,它已經實現了IList <>定義的那些方法
IList <Class1> IList11 =new List <Class1>();
List <Class1> List11 =new List <Class1>();
這兩行代碼,從操作上來看,實際上都是創建了一個List<Class1>對象的實例,也就是說,他們的操作沒有區別。
只是用於保存這個操作的返回值變量類型不一樣而已。
那麽,我們可以這麽理解,這兩行代碼的目的不一樣。
List <Class1> List11 =new List <Class1>();
是想創建一個List<Class1>,而且需要使用到List<T>的功能,進行相關操作。
而
IList <Class1> IList11 =new List <Class1>();
只是想創建一個基於接口IList<Class1>的對象的實例,只是這個接口是由List<T>實現的。所以它只是希望使用到IList<T>接口規定的功能而已。
原文看這裏》》》
【轉】List<T>和ILIst<T>的區別