是否有一种优雅的方法来解决这个错误,而不是在if()中检查.HasValue然后添加Value,例如DateTimeUtcNow.Value?
// Compare nullable date time entity.End with utcnow but only compare up to minute precision
// for time.
//
if ((int)(entity.End - DateTime.UtcNow).TotalMinutes < 0)
{
// ASSERT: entity.End < UTCNow (i.e. 12/4/2012 3:56 PM < 12/4/2012 3:57 PM)
}
错误:System.Nullable'不包含 'TotalMinutes'的定义
答案 0 :(得分:6)
我个人认为这是:
if (entity.End > DateTime.Now.AddMinutes(1))
{
...
}
如果entity.End
为空,则该条件将为false。
我经常发现,而不是一个日期/时间与另一个日期/时间进行比较并将其与TimeSpan
(或您正在使用的任何类型)进行比较,计算下限或上限更清晰,并进行比较具有可变日期/时间的那个。在这种情况下,它确实干净利落。
编辑:好的,现在问题是小更清楚,我写的是:
DateTime now = DateTime.UtcNow;
DateTime lowerBound = new DateTime(now.Year, now.Month, now.Hour, now.Minute,
0, 0, DateTimeKind.Utc);
DateTime upperBound = now.AddMinutes(1);
if (entity.End >= lowerBound && entity.End < upperBound)
{
...
}
我怀疑我可能仍然误解了......
答案 1 :(得分:2)
一个选项是创建一个扩展方法来访问可空和传播空值中的值:
public static TOut? Select<T, TOut>(this T? nullable, Func<T, TOut> func)
where T : struct
where TOut : struct
{
return nullable.HasValue ? (TOut?)func(nullable.Value) : null;
}
然后你可以这样做:
if ((entity.End - DateTime.UtcNow).Select(t => t.TotalMinutes) > 1)
{
}