2

通常,当我想检查一个对象是否是这些类型之一时,我使用以下代码:

object a = "ABC";

if (a is string || a is int || a is double)
{

}

我想创建一个可以缩短它的扩展方法,例如:

if (a.IsOneOfTheseType(string, int, double)
{

}
4

1 回答 1

3

试试这个:

public static class ObjectExtensions {
    public static bool IsOneOfTypes(this object o, params Type[] types) {
        Contract.Requires(o != null);
        Contract.Requires(types != null);
        return types.Any(type => type == o.GetType());
    }
}

我没有方便的编译器来测试/检查愚蠢的错误,但这应该让你非常接近。请注意,这满足您“检查 [ing] 对象是否是 [某些给定] 类型之一”的要求。如果要检查可分配性,请将 lambda 表达式替换为

type => type.IsAssignableFrom(o.GetType())

有关确切语义,请参见Type.IsAssignableFrom

要使用:

object a = "ABC";
bool isAStringOrInt32OrDouble =
    a.IsOneOfTypes(typeof(string), typeof(int), typeof(double));

或者

object a = "ABC";
bool isAStringOrInt32OrDouble = 
    a.IsOneOfTypes(new[] { typeof(string), typeof(int), typeof(double) });
于 2013-07-06T18:05:56.473 回答