将标准日期转换为当前时间(小时/分钟)/

时间:2011-10-05 19:46:14

标签: php variables date time

假设我有一个生成

的日期函数

输出: 2011-10-03

PHP:

$todayDt = date('Y-m-d');

无论如何要将此日期显示为2 days 1 hour ago

2 个答案:

答案 0 :(得分:2)

此功能可能有些用处。您可能希望稍微改进几个月的检查,但这只是一个简单的例子:

function RelativeTime($iTimestamp, $iLevel = 2)
{
    !ctype_digit($iTimestamp)
        && $iTimestamp = strtotime($iTimestamp);

    $iSecondsInADay = 86400;
    $aDisplay = array();

    // Start at the largest denominator
    $iDiff = time() - $iTimestamp;
    $aPeriods = array(
        array('Period'  => $iSecondsInADay * 356,   'Label'   => 'year'),
        array('Period'  => $iSecondsInADay * 31,    'Label'   => 'month'),
        array('Period'  => $iSecondsInADay,         'Label'   => 'day'),
        array('Period'  => 3600,                    'Label'   => 'hour'),
        array('Period'  => 60,                      'Label'   => 'minute'),
        array('Period'  => 1,                       'Label'   => 'second'),
    );

    foreach ($aPeriods as $aPeriod)
    {
        $iCount = floor($iDiff / $aPeriod['Period']);
        if ($iCount > 0)
        {
            $aDisplay[] = $iCount . ' ' . $aPeriod['Label'] . ($iCount > 1 ? 's' : '');
            $iDiff -= $iCount * $aPeriod['Period'];
        }
    }

    $iRange = count($aDisplay) > $iLevel
                ? $iLevel
                : count($aDisplay);
    return implode(' ', array_slice($aDisplay, 0, $iRange)) . ' ago';
}

以及一些使用示例:

echo RelativeTime(time() - 102, 1);
// Will output: 1 minute ago

echo RelativeTime(time() - 2002);
// Will output: 33 minutes 22 seconds ago

echo RelativeTime(time() - 100002002, 6);
// Will output: 3 years 2 months 27 days 10 hours 20 minutes 2 seconds ago

echo RelativeTime('2011-09-05');
// Will output: 30 days 22 hours ago

答案 1 :(得分:1)

这篇文章仅适用于不使用DateTime::diff方法的解决方案。它还使用更高精度的输入,因此请注意这一点。

$now = date('Y-m-d H:i:s');
$then = '2011-10-03 00:00:00';  // This will calculate the difference 
                                // between now and midnight October 3rd
$nowTime = strtotime($now);
$thenTime = strtotime($then);

$diff = $nowTime - $thenTime;

$secs = $diff % 60;
$diff = intval($diff / 60);
$minutes = $diff % 60;
$diff = intval($diff / 60);
$hours = $diff % 24;
$diff = intval($diff / 24);
$days = $diff;


echo($days . ' days ' . $hours . ' hours ' . $minutes . ' minutes ' . $secs . ' seconds ago');

在我测试它的那一刻,输出是:

  

2天16小时6分2秒前

如果您想要的只是日期和时间,那么您可以选择回应这两个:

echo($days . ' days ' . $hours . ' hours ago');
  

2天16小时前