将非泛型集合转换为泛型集合的最佳方法是什么?有没有办法LINQ呢?
我有以下代码。
public class NonGenericCollection:CollectionBase
{
public void Add(TestClass a)
{
List.Add(a);
}
}
public class ConvertTest
{
public static List<TestClass> ConvertToGenericClass( NonGenericCollection collection)
{
// Ask for help here.
}
}
谢谢!
答案 0 :(得分:22)
由于您可以保证它们都是TestClass实例,因此请使用LINQ Cast<T> method:
public static List<TestClass> ConvertToGenericClass(NonGenericCollection collection)
{
return collection.Cast<TestClass>().ToList();
}
编辑:如果您只想要(可能)异构集合的TestClass实例,请使用OfType&lt; T&gt;过滤它:
public static List<TestClass> ConvertToGenericClass(NonGenericCollection collection)
{
return collection.OfType<TestClass>().ToList();
}
答案 1 :(得分:8)
另一个优雅的方法是创建一个这样的包装类(我在我的实用程序项目中包含它)。
public class EnumerableGenericizer<T> : IEnumerable<T>
{
public IEnumerable Target { get; set; }
public EnumerableGenericizer(IEnumerable target)
{
Target = target;
}
IEnumerator IEnumerable.GetEnumerator()
{
return GetEnumerator();
}
public IEnumerator<T> GetEnumerator()
{
foreach(T item in Target)
{
yield return item;
}
}
}
您现在可以执行此操作:
IEnumerable<MyClass> genericized =
new EnumerableGenericizer<MyClass>(nonGenericCollection);
然后,您可以围绕通用集合包装正常的通用列表。
答案 2 :(得分:1)
也许不是最好的方式,但它应该有用。
public class ConvertTest
{
public static List<TestClass> ConvertToGenericClass( NonGenericCollection collection) throws I
{
List<TestClass> newList = new ArrayList<TestClass>
for (Object object : collection){
if(object instanceof TestClass){
newList.add(object)
} else {
throw new IllegalArgumentException();
}
}
return newList;
}
}