[php] PHP를 사용하여 두 날짜의 차이를 계산하는 방법은 무엇입니까?

양식의 두 날짜가 있습니다.

Start Date: 2007-03-24
End Date: 2009-06-26

이제 다음 두 형식의 차이점을 찾아야합니다.

2 years, 3 months and 2 days

PHP에서 어떻게해야합니까?



답변

레거시 코드 (PHP <5.3)에 사용하십시오. 최신 솔루션은 아래 jurka의 답변을 참조하십시오

strtotime ()을 사용하여 두 날짜를 유닉스 시간으로 변환 한 다음 그 사이의 초 수를 계산할 수 있습니다. 이것으로부터 다른 기간을 계산하는 것이 다소 쉽습니다.

$date1 = "2007-03-24";
$date2 = "2009-06-26";

$diff = abs(strtotime($date2) - strtotime($date1));

$years = floor($diff / (365*60*60*24));
$months = floor(($diff - $years * 365*60*60*24) / (30*60*60*24));
$days = floor(($diff - $years * 365*60*60*24 - $months*30*60*60*24)/ (60*60*24));

printf("%d years, %d months, %d days\n", $years, $months, $days);

편집 : 분명히이 작업을 수행하는 바람직한 방법은 아래의 jurka와 같습니다. 내 코드는 일반적으로 PHP 5.3 이상이없는 경우에만 권장됩니다.

의견의 일부 사람들은 위의 코드가 단지 근사치라고 지적했습니다. 나는 범위의 사용법이 정밀도를 제공하기보다 시간이 지났거나 남아있는 시간의 감각을 제공하는 것이 더 낫기 때문에 대부분의 목적에는 문제가 없다고 생각합니다. 그렇게하려면 날짜를 출력하십시오.

그럼에도 불구하고, 나는 불만을 해결하기로 결정했습니다. 정확한 범위가 필요하지만 PHP 5.3에 액세스 할 수없는 경우 아래 코드를 사용하십시오 (PHP 4에서도 작동 함). 일광 절약 시간을 고려하지 않은 경우를 제외하고는 PHP가 내부적으로 범위를 계산하기 위해 사용하는 코드의 직접 포트입니다. 즉, 최대 1 시간이 지났지 만 그 외에는 정확해야합니다.

<?php

/**
 * Calculate differences between two dates with precise semantics. Based on PHPs DateTime::diff()
 * implementation by Derick Rethans. Ported to PHP by Emil H, 2011-05-02. No rights reserved.
 *
 * See here for original code:
 * http://svn.php.net/viewvc/php/php-src/trunk/ext/date/lib/tm2unixtime.c?revision=302890&view=markup
 * http://svn.php.net/viewvc/php/php-src/trunk/ext/date/lib/interval.c?revision=298973&view=markup
 */

function _date_range_limit($start, $end, $adj, $a, $b, $result)
{
    if ($result[$a] < $start) {
        $result[$b] -= intval(($start - $result[$a] - 1) / $adj) + 1;
        $result[$a] += $adj * intval(($start - $result[$a] - 1) / $adj + 1);
    }

    if ($result[$a] >= $end) {
        $result[$b] += intval($result[$a] / $adj);
        $result[$a] -= $adj * intval($result[$a] / $adj);
    }

    return $result;
}

function _date_range_limit_days($base, $result)
{
    $days_in_month_leap = array(31, 31, 29, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31);
    $days_in_month = array(31, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31);

    _date_range_limit(1, 13, 12, "m", "y", &$base);

    $year = $base["y"];
    $month = $base["m"];

    if (!$result["invert"]) {
        while ($result["d"] < 0) {
            $month--;
            if ($month < 1) {
                $month += 12;
                $year--;
            }

            $leapyear = $year % 400 == 0 || ($year % 100 != 0 && $year % 4 == 0);
            $days = $leapyear ? $days_in_month_leap[$month] : $days_in_month[$month];

            $result["d"] += $days;
            $result["m"]--;
        }
    } else {
        while ($result["d"] < 0) {
            $leapyear = $year % 400 == 0 || ($year % 100 != 0 && $year % 4 == 0);
            $days = $leapyear ? $days_in_month_leap[$month] : $days_in_month[$month];

            $result["d"] += $days;
            $result["m"]--;

            $month++;
            if ($month > 12) {
                $month -= 12;
                $year++;
            }
        }
    }

    return $result;
}

function _date_normalize($base, $result)
{
    $result = _date_range_limit(0, 60, 60, "s", "i", $result);
    $result = _date_range_limit(0, 60, 60, "i", "h", $result);
    $result = _date_range_limit(0, 24, 24, "h", "d", $result);
    $result = _date_range_limit(0, 12, 12, "m", "y", $result);

    $result = _date_range_limit_days(&$base, &$result);

    $result = _date_range_limit(0, 12, 12, "m", "y", $result);

    return $result;
}

/**
 * Accepts two unix timestamps.
 */
function _date_diff($one, $two)
{
    $invert = false;
    if ($one > $two) {
        list($one, $two) = array($two, $one);
        $invert = true;
    }

    $key = array("y", "m", "d", "h", "i", "s");
    $a = array_combine($key, array_map("intval", explode(" ", date("Y m d H i s", $one))));
    $b = array_combine($key, array_map("intval", explode(" ", date("Y m d H i s", $two))));

    $result = array();
    $result["y"] = $b["y"] - $a["y"];
    $result["m"] = $b["m"] - $a["m"];
    $result["d"] = $b["d"] - $a["d"];
    $result["h"] = $b["h"] - $a["h"];
    $result["i"] = $b["i"] - $a["i"];
    $result["s"] = $b["s"] - $a["s"];
    $result["invert"] = $invert ? 1 : 0;
    $result["days"] = intval(abs(($one - $two)/86400));

    if ($invert) {
        _date_normalize(&$a, &$result);
    } else {
        _date_normalize(&$b, &$result);
    }

    return $result;
}

$date = "1986-11-10 19:37:22";

print_r(_date_diff(strtotime($date), time()));
print_r(_date_diff(time(), strtotime($date)));


답변

DateTime 및 DateInterval 개체를 사용하는 것이 좋습니다.

$date1 = new DateTime("2007-03-24");
$date2 = new DateTime("2009-06-26");
$interval = $date1->diff($date2);
echo "difference " . $interval->y . " years, " . $interval->m." months, ".$interval->d." days ";

// shows the total amount of days (not divided into years, months and days like above)
echo "difference " . $interval->days . " days ";

더 읽어보기 PHP DateTime :: diff manual

매뉴얼에서 :

PHP 5.2.2부터는 DateTime 객체를 비교 연산자를 사용하여 비교할 수 있습니다.

$date1 = new DateTime("now");
$date2 = new DateTime("tomorrow");

var_dump($date1 == $date2); // bool(false)
var_dump($date1 < $date2);  // bool(true)
var_dump($date1 > $date2);  // bool(false)


답변

가장 좋은 방법은 PHP DateTime(및 DateInterval) 객체를 사용하는 것입니다. 각 날짜는 DateTime개체에 캡슐화되어 있으며 두 날짜 사이에 차이가 생길 수 있습니다.

$first_date = new DateTime("2012-11-30 17:03:30");
$second_date = new DateTime("2012-12-21 00:00:00");

DateTime객체는 모든 형식가 받아들이는 strtotime()것입니다. 보다 구체적인 날짜 형식이 필요한 DateTime::createFromFormat()경우 DateTime개체 를 만드는 데 사용할 수 있습니다 .

두 객체가 인스턴스화되면을 사용하여 하나를 다른 것에서 뺍니다 DateTime::diff().

$difference = $first_date->diff($second_date);

$difference이제 DateInterval차이 정보 가있는 객체를 보유합니다 . A var_dump()는 다음과 같습니다

object(DateInterval)
  public 'y' => int 0
  public 'm' => int 0
  public 'd' => int 20
  public 'h' => int 6
  public 'i' => int 56
  public 's' => int 30
  public 'invert' => int 0
  public 'days' => int 20

DateInterval객체의 형식을 지정하려면 각 값을 확인하고 0 인 경우 제외해야합니다.

/**
 * Format an interval to show all existing components.
 * If the interval doesn't have a time component (years, months, etc)
 * That component won't be displayed.
 *
 * @param DateInterval $interval The interval
 *
 * @return string Formatted interval string.
 */
function format_interval(DateInterval $interval) {
    $result = "";
    if ($interval->y) { $result .= $interval->format("%y years "); }
    if ($interval->m) { $result .= $interval->format("%m months "); }
    if ($interval->d) { $result .= $interval->format("%d days "); }
    if ($interval->h) { $result .= $interval->format("%h hours "); }
    if ($interval->i) { $result .= $interval->format("%i minutes "); }
    if ($interval->s) { $result .= $interval->format("%s seconds "); }

    return $result;
}

이제 남은 것은 $difference DateInterval객체에서 함수를 호출하는 것입니다.

echo format_interval($difference);

그리고 우리는 올바른 결과를 얻습니다.

20 일 6 시간 56 분 30 초

목표를 달성하는 데 사용 된 완전한 코드 :

/**
 * Format an interval to show all existing components.
 * If the interval doesn't have a time component (years, months, etc)
 * That component won't be displayed.
 *
 * @param DateInterval $interval The interval
 *
 * @return string Formatted interval string.
 */
function format_interval(DateInterval $interval) {
    $result = "";
    if ($interval->y) { $result .= $interval->format("%y years "); }
    if ($interval->m) { $result .= $interval->format("%m months "); }
    if ($interval->d) { $result .= $interval->format("%d days "); }
    if ($interval->h) { $result .= $interval->format("%h hours "); }
    if ($interval->i) { $result .= $interval->format("%i minutes "); }
    if ($interval->s) { $result .= $interval->format("%s seconds "); }

    return $result;
}

$first_date = new DateTime("2012-11-30 17:03:30");
$second_date = new DateTime("2012-12-21 00:00:00");

$difference = $first_date->diff($second_date);

echo format_interval($difference);


답변

시간 및 분과 초보기 ..

$date1 = "2008-11-01 22:45:00";

$date2 = "2009-12-04 13:44:01";

$diff = abs(strtotime($date2) - strtotime($date1));

$years   = floor($diff / (365*60*60*24));
$months  = floor(($diff - $years * 365*60*60*24) / (30*60*60*24));
$days    = floor(($diff - $years * 365*60*60*24 - $months*30*60*60*24)/ (60*60*24));

$hours   = floor(($diff - $years * 365*60*60*24 - $months*30*60*60*24 - $days*60*60*24)/ (60*60));

$minuts  = floor(($diff - $years * 365*60*60*24 - $months*30*60*60*24 - $days*60*60*24 - $hours*60*60)/ 60);

$seconds = floor(($diff - $years * 365*60*60*24 - $months*30*60*60*24 - $days*60*60*24 - $hours*60*60 - $minuts*60));

printf("%d years, %d months, %d days, %d hours, %d minuts\n, %d seconds\n", $years, $months, $days, $hours, $minuts, $seconds); 


답변

다음 링크를보십시오. 이것은 내가 지금까지 찾은 최고의 답변입니다 .. 🙂

function dateDiff ($d1, $d2) {

    // Return the number of days between the two dates:    
    return round(abs(strtotime($d1) - strtotime($d2))/86400);

} // end function dateDiff

날짜 매개 변수를 전달할 때 어떤 날짜가 더 빠르거나 늦은지는 중요하지 않습니다. 이 함수는 PHP ABS () 절대 값을 사용하여 항상 두 날짜 사이의 일 수로 postive 숫자를 반환합니다.

두 날짜 사이의 날짜 수는 두 날짜를 모두 포함하지는 않습니다. 따라서 입력 한 날짜와 그 사이의 모든 날짜로 표시되는 일 수를 찾으려면이 함수의 결과에 1을 추가해야합니다.

예를 들어, 2013-02-09와 2013-02-14의 차이 (위 함수에서 반환)는 5입니다. 그러나 날짜 범위 2013-02-09-2013-02- 14는 6입니다.

http://www.bizinfosys.com/php/date-difference.html


답변

내가 가장 좋아하는 jurka답변에 투표 했지만 pre-php.5.3 버전이 있습니다 …

나는 비슷한 문제를 겪고 있다는 것을 알았습니다.이 질문에 처음으로 도달 한 방법입니다. 그러나 내 기능 으로이 문제를 꽤 잘 해결했으며 내 라이브러리의 어느 곳에도 잃어 버리지 않고 잊어 버리지 않는 곳에 보관할 수 없으므로 누군가에게 유용하기를 바랍니다.

/**
 *
 * @param DateTime $oDate1
 * @param DateTime $oDate2
 * @return array
 */
function date_diff_array(DateTime $oDate1, DateTime $oDate2) {
    $aIntervals = array(
        'year'   => 0,
        'month'  => 0,
        'week'   => 0,
        'day'    => 0,
        'hour'   => 0,
        'minute' => 0,
        'second' => 0,
    );

    foreach($aIntervals as $sInterval => &$iInterval) {
        while($oDate1 <= $oDate2){
            $oDate1->modify('+1 ' . $sInterval);
            if ($oDate1 > $oDate2) {
                $oDate1->modify('-1 ' . $sInterval);
                break;
            } else {
                $iInterval++;
            }
        }
    }

    return $aIntervals;
}

그리고 테스트 :

$oDate = new DateTime();
$oDate->modify('+111402189 seconds');
var_dump($oDate);
var_dump(date_diff_array(new DateTime(), $oDate));

그리고 결과 :

object(DateTime)[2]
  public 'date' => string '2014-04-29 18:52:51' (length=19)
  public 'timezone_type' => int 3
  public 'timezone' => string 'America/New_York' (length=16)

array
  'year'   => int 3
  'month'  => int 6
  'week'   => int 1
  'day'    => int 4
  'hour'   => int 9
  'minute' => int 3
  'second' => int 8

나는 여기 에서 원래의 아이디어를 얻었고, 나는 그것을 나의 용도로 수정했다.

원하지 않는 간격 (예 : “주”)을 $aIntervals배열 에서 제거 하거나 $aExclude매개 변수를 추가 하거나 문자열을 출력 할 때 필터링하여 쉽게 제거 할 수 있습니다.


답변

<?php
    $today = strtotime("2011-02-03 00:00:00");
    $myBirthDate = strtotime("1964-10-30 00:00:00");
    printf("Days since my birthday: ", ($today - $myBirthDate)/60/60/24);
?>