处理无效日期是否有效?

时间:2013-06-20 01:06:25

标签: c# parsing datetime

我有以下方法,它可以正确处理真正的无效/有效日期,但是,如果我遇到空字符串或带有掩码的日期,例如__/__/____,我想通过那些有效,但DateTime.TryParse使它们无效。如何修改以下方法以通过我的无效方案?下面的方法是一个示例程序:

public bool ValidateDate(string date, out string message)
{
    bool success = true;
    message = string.Empty;
    DateTime dateTime;

    if(DateTime.TryParse(date,out dateTime))
    {
        success = false;
        message = "Date is Invalid";
    }

    return success;
}

void Main()
{
    //The only date below that should return false is date4.

    string date = "01/01/2020";
    string date2 = "";
    string date3 = "__/__/____";
    string date4 = "44/__/2013";

    string message;

    ValidateDate(date, out message); //Should return true
    ValidateDate(date2, out message); //Should return true
    ValidateDate(date3, out message); //Should return true
    ValidateDate(date4, out message); //Should return false
}

我无法将其更改为if(!DateTime.TryParse(date3,out dateTime)),因为这会在我要验证的日期返回false。

我也尝试过像if(!date3.contains("_") && DateTime.TryParse(date3,out dateTime))这样的事情,但这仍然失败了。我应该按照验证的顺序翻转吗?问题是我不只是在第一个无效日期返回false,我正在构建所有无效日期的StringBuilder然后返回,所以我没想到:

if(DateTime.TryParse(date3,out dateTime))
        return true;
    else
        return true;

public bool ValidateDate(string date, out string message)
{
    string[] overrides = {"","__/__/____"};

    bool success = true;
    message = string.Empty;
    DateTime dateTime;

    if(!overrides.Contains(date) && !DateTime.TryParse(date,out dateTime))
    {
        success = false;
        message = "Date is Invalid";
    }


    return success;
}

2 个答案:

答案 0 :(得分:4)

在运行DateTime.TryParse方法之前,您能看一下覆盖数组吗?

static string[] overrides = { "", "__/__/____" };
public bool ValidateDate(string date, out string message)
{
    bool success = true;
    message = string.Empty;

    if(overrides.Contains(date)) { return success; }

    DateTime dateTime;

    if(!DateTime.TryParse(date,out dateTime))
    {
        success = false;
        message = "Date is Invalid";
    }


    return success;
}

答案 1 :(得分:1)

有很多方法可以给这只猫上皮。我想这取决于你想要将多少无效数据视为有效。此外,DateTime.TryParse会考虑当前的文化设置,所以也许你也应该考虑?

bool ValidateDate(string date, out string message)
{
    message = string.Empty;

    if (date == null)
        return true;

    const string mask = "_";
    var separator = CultureInfo.CurrentCulture.DateTimeFormat.DateSeparator;
    var test = date.Replace(mask, string.Empty).Replace(separator, string.Empty);
    if (string.IsNullOrWhiteSpace(test))
        return true;

    DateTime dateTime;
    if (!DateTime.TryParse(date, out dateTime))
    {
        message = "Date is Invalid";
        return false;
    }

    return true;
}

我想你也可以用正则表达式来做。有很多有效的解决方案。