我遇到的情况是我被赋予了一个对象,需要:
到目前为止我有什么。 IEnumerable的测试不起作用。转换为IEnumerable仅适用于非基本类型。
static bool IsIEnum<T>(T x)
{
return null != typeof(T).GetInterface("IEnumerable`1");
}
static void print(object o)
{
Console.WriteLine(IsIEnum(o)); // Always returns false
var o2 = (IEnumerable<object>)o; // Exception on arrays of primitives
foreach(var i in o2) {
Console.WriteLine(i);
}
}
public void Test()
{
//int [] x = new int[]{1,2,3,4,5,6,7,8,9};
string [] x = new string[]{"Now", "is", "the", "time..."};
print(x);
}
任何人都知道怎么做?
答案 0 :(得分:7)
检查对象是否可以转换为非通用IEnumerable
接口就足够了:
var collection = o as IEnumerable;
if (collection != null)
{
// It's enumerable...
foreach (var item in collection)
{
// Static type of item is System.Object.
// Runtime type of item can be anything.
Console.WriteLine(item);
}
}
else
{
// It's not enumerable...
}
IEnumerable<T>
本身实现了IEnumerable
,因此这适用于泛型和非泛型类型。使用此接口而不是通用接口可避免通用接口差异的问题:IEnumerable<T>
不一定可转换为IEnumerable<object>
。
此问题更详细地讨论了通用接口差异:Generic Variance in C# 4.0
答案 1 :(得分:0)
请勿使用IEnumerable
static void print(object o)
{
Console.WriteLine(IsIEnum(o)); // Always returns false
var o2 = o as IEnumerable; // Exception on arrays of primitives
if(o2 != null) {
foreach(var i in o2) {
Console.WriteLine(i);
}
}
}
如果你这样做,你会遗漏一些可以在foreach
中使用的类型。可以在foreach
中用作集合的对象不需要实现IEnumerable
它只需要实现GetEnumerator
,而Current
又需要返回一个{{1}的类型属性和MoveNext
方法
如果收集了该集合,您只需要支持不同类型的集合
static void print<T>(T o) {
//Not a collection
}
static void print<T>(IEnumerable<T> o) {
foreach(var i in o2) {
Console.WriteLine(i);
}
}
在这种情况下,方法重载决策将为您选择正确的方法,具体取决于对象是否是一个集合(在这种情况下通过实现IEnumerable<T>
定义)
答案 2 :(得分:0)
使用以下代码:
Type t = typeof(System.Collections.IEnumerable);
Console.WriteLine(t.IsAssignableFrom(T)); //returns true for collentions