3

我有一些动态日期值,我试图将它们更改为人类可读的格式。我得到的大多数字符串都是格式yyyymmdd的,例如 20120514,但有些不是。我需要跳过那些不是那种格式的,因为它们可能根本不是日期。

如何将此类检查添加到我的代码中?

date("F j, Y", strtotime($str))
4

3 回答 3

7

您可以将此功能用于以下目的:

/**
 * Check to make sure if a string is a valid date.
 * @param $str   String under test
 *
 * @return bool  Whether $str is a valid date or not.
 */
function is_date($str) {
    $stamp = strtotime($str);
    if (!is_numeric($stamp)) {
        return FALSE;
    }
    $month = date('m', $stamp);
    $day   = date('d', $stamp);
    $year  = date('Y', $stamp);
    return checkdate($month, $day, $year);
}

@资源

于 2012-08-28T18:26:51.457 回答
4

为了快速检查,ctype_digit应该strlen这样做:

if(!ctype_digit($str) or strlen($str) !== 8) {
    # It's not a date in that format.
}

你可以更彻底checkdate

function is_date($str) {
    if(!ctype_digit($str) or strlen($str) !== 8)
        return false;

    return checkdate(substr($str, 4, 2),
                     substr($str, 6, 2),
                     substr($str, 0, 4));
}
于 2012-08-28T18:25:27.377 回答
-1

我会使用正则表达式来检查字符串是否有 8 位数字。

if(preg_match('/^\d{8}$/', $date)) {
    // This checks if the string has 8 digits, but not if it's a real date
}
于 2012-08-28T18:25:25.093 回答