从日期范围中删除周末

时间:2017-10-25 15:31:37

标签: php

我正在使用this answer来帮助我,但需要将其纳入我的问题。

我想计算两个日期之间的天数,然后删除周末。我如何结合以下两个答案?

日期1为06.10.2017,日期2为09.10.2017。

$date1 = new DateTime(get_sub_field('start_date'));
$date2 = new DateTime(get_sub_field('end_date'));

$diff = $date2->diff($date1)->format("%a");
echo $diff;

这给了3天。我希望它显示1,因为那里有一个周末。所以我需要将它与以下内容结合起来:

下一个答案将删除所有周末:

function countDays($year, $month, $ignore) {
    $count = 0;
    $counter = mktime(0, 0, 0, $month, 1, $year);
    while (date("n", $counter) == $month) {
        if (in_array(date("w", $counter), $ignore) == false) {
            $count++;
        }
        $counter = strtotime("+1 day", $counter);
    }
    return $count;
}
echo countDays(2017, 10, array(0, 6)); // 22

10月份提供22个工作日

如何将两个答案结合起来向我展示两个日期之间的天数,但是去掉周末?

1 个答案:

答案 0 :(得分:5)

PHP的日期和时间类非常强大。

我使用DateIntervalDatePeriod

$start = new DateTime('2017-10-06');
$end   = new DateTime('2017-10-09');
$interval = DateInterval::createFromDateString('1 day');
$period   = new DatePeriod($start, $interval, $end);

$businessDays = 0;
foreach ($period as $day) {
    // $day is not saturday nor sunday
    if (! in_array($day->format('w'), [0, 6])) {
        $businessDays++;
    }
}

echo $businessDays; // prints 1