我想知道是否有任何巧妙的方法来检查数据是否在允许的范围内。我的意思是,在c#中,我们可以表示从0001-01-01到(我认为)9999-01-01的数据。然而,如果我们尝试做类似的事情
DateTime result = DateTime.Parse("0001-01-01").Subtract(TimeSpan.FromDays(1))
我有个例外。有没有什么巧妙的方法可以检查是否可以进行DateTime操作(加减法等)
只需使用比较运算符(>、<、>=、<=、==和!=),因为它们是在DateTime中实现的。
示例:
DateTime lowerAllowedDate = new DateTime(1,1,1); // 01/01/0001
DateTime upperAllowedDate = new DateTime(3000, 12, 31) // 31/12/3000
DateTime now = DateTime.Now
if (lowerAllowedDate <= now && now < upperAllowedDate)
{
//Do something with the date at is in within range
}
考虑这些扩展方法。
public static class ValidatedDateTimeOperations
{
public static bool TrySubtract (this DateTime dateTime, TimeSpan span, out DateTime result)
{
if (span < TimeSpan.Zero)
return TryAdd (dateTime, -span, out result);
if (dateTime.Ticks >= span.Ticks)
{
result = dateTime - span;
return true;
}
result = DateTime.MinValue;
return false;
}
public static bool TryAdd (this DateTime dateTime, TimeSpan span, out DateTime result)
{
if (span < TimeSpan.Zero)
return TrySubtract (dateTime, -span, out result);
if (DateTime.MaxValue.Ticks - span.Ticks >= dateTime.Ticks)
{
result = dateTime + span;
return true;
}
result = DateTime.MaxValue;
return false;
}
}
可以这样称呼:
DateTime result;
if (DateTime.MinValue.TrySubtract (TimeSpan.FromDays(1), out result)
{
// Subtraction succeeded.
}
预先检查给定操作中的溢出是很麻烦的,我真的不确定简单地处理exception
是否值得。
例如,您可以在减法时执行以下操作:
DateTime date;
TimeSpan subtractSpan;
if ((date - DateTime.MinValue) < subtractSpan)
{
//out of range exception: date - subtractSpan
}
值得吗?你的电话。
查看MSDN中的DateTime结构文档。
特别是,你可以看看:
- TryParse和TryParseExact
- 比较运算符
- 最小值和最大值
你也可以试试。。catch(ArgumentOutOfRangeException)。
然而,如果你一直(或曾经?)遇到这种例外,我会仔细看看你的设计。除非你在做一些严肃的日期运算,否则我不知道在任何情况下我会遇到最小值和最大值。