我想编写一个函数,它接受一个List<Object>
并返回一个转换为指定对象类型列表的原始列表List<ObjectType>
,知道原始列表中的对象属于类型ObjectType
。诀窍是它ObjectType
可以是任何类型,我发现使用反射。抱歉缺少代码,但我没有运气理解我什至可以如何去做。
问问题
7155 次
1 回答
10
如果您知道列表中的每个项目都是 type ObjectType
,您可以这样做:
List<object> sourceList = new List<object>() { 1, 2, 3 };
List<int> resultList = sourceList.Cast<int>().ToList();
如果您真的想以通用方式转换列表中的每个项目,最简单的方法是执行以下操作:
public static IEnumerable<T> ConvertTo<T>(this IEnumerable items)
{
return items.Cast<object>().Select(x => (T)Convert.ChangeType(x, typeof(T)));
}
这将作为扩展方法实现,因此您可以编写:
List<object> sourceList = new List<object>() { 1, 2, 3 };
List<string> resultList = sourceList.ConvertTo<string>().ToList();
如果在编译时不知道目标类型,则确实需要使用反射。像这样的东西会起作用:
class ListUtil
{
public static List<T> ConvertToList<T>(this IEnumerable items)
{
// see method above
return items.ConvertTo<T>().ToList();
}
public static IList ConvertToList(this IEnumerable items, Type targetType)
{
var method = typeof(ListUtil).GetMethod(
"ConvertToList",
new[] { typeof(IEnumerable) });
var generic = method.MakeGenericMethod(targetType);
return (IList)generic.Invoke(null, new[] { items });
}
}
现在你可以这样称呼它:
List<object> sourceList = new List<object>() { 1, 2, 3 };
IList resultList = ListUtil.ConvertToList(sourceList, typeof(string));
resultList.GetType(); // List<string>
当然,使用此方法会失去任何编译时类型安全性。
于 2013-07-20T05:20:03.507 回答