创建一个可以为空的<t>扩展方法,你是怎么做到的?</t>

时间:2011-07-03 07:40:26

标签: c# nullable

我遇到需要比较可空类型的情况 假设您有2个值:

int? foo=null;
int? bar=4;

这不起作用:

if(foo>bar)

以下工作但显然不适用于可空,因为我们将其限制为值类型:

public static bool IsLessThan<T>(this T leftValue, T rightValue) where T : struct, IComparable<T>
{
       return leftValue.CompareTo(rightValue) == -1;
}

这有效但不通用:

public static bool IsLessThan(this int? leftValue, int? rightValue)
{
    return Nullable.Compare(leftValue, rightValue) == -1;
}

如何制作IsLessThan的通用版本?

非常感谢

2 个答案:

答案 0 :(得分:17)

试试这个:

public static bool IsLessThan<T>(this Nullable<T> t, Nullable<T> other) where T : struct
{
    return Nullable.Compare(t, other) < 0;
}

答案 1 :(得分:1)

可以简化:

public static bool IsLessThan<T>(this T? one, T? other) where T : struct
{
    return Nullable.Compare(one, other) < 0;
}