0

我有以下表达

int someNumber = somevalue;
ConstantExpression expr = Expression.Constant(someNumber);

有没有办法检查 expr < 0 或 expr 是否为负数?

4

1 回答 1

2

如果您知道常量的类型,您可以简单地转换和分析底层常量值。

ConstantExpression expr = /* ... */;
var intConstant = expr.Value as int?;
if (intConstant < 0) { /* do something */ }

自然,如果您只有一个,您将需要检查它以Expression确定它是否ConstantExpression

如果您不知道类型,但您想检查任何有效的数字类型:

ConstantExpression expr = /* ... */;

if (expr.Value != null && expr.Value.GetType().IsNumericType()) {
    // Perform an appropriate comparison _somehow_, but not necessarily like this
    // (using Convert makes my skin crawl).
    var decimalValue = Convert.ToDecimal(expr.Value);
    if (decimalValue < 0m) { /* do something */ }
}

第二个示例中使用的扩展方法:

public static Type GetNonNullableType([NotNull] this Type type)
{
    if (type == null)
        throw new ArgumentNullException("type");

    if (!type.IsGenericType || type.GetGenericTypeDefinition() != typeof(Nullable<>))
        return type;

    return type.GetGenericArguments()[0];
}

public static bool IsNumericType(this Type type)
{
    if (type == null)
        throw new ArgumentNullException("type");

    type = type.GetNonNullableType();

    if (type.IsEnum)
        return false;

    switch (Type.GetTypeCode(type))
    {
        case TypeCode.SByte:
        case TypeCode.Byte:
        case TypeCode.Int16:
        case TypeCode.UInt16:
        case TypeCode.Int32:
        case TypeCode.UInt32:
        case TypeCode.Int64:
        case TypeCode.UInt64:
        case TypeCode.Single:
        case TypeCode.Double:
        case TypeCode.Decimal:
            return true;
    }

    return false;
}
于 2013-10-28T18:02:03.080 回答