0

私はこのMySQLテーブルを持っています:

desc studentabsence;
+---------------------------+-------------+
| Field                     | Type        |
+---------------------------+-------------+
| student_id                | INT(11)     |
| student_absence_startdate | date        |
| student_absence_enddate   | date        |
+---------------------------+-------------+

私たちが持っているとしましょう

Student_absence_startdate = 2012-08-01
student_absence_enddate = 2012-08-08

echoPHPを使用して、その範囲(月〜金)のすべての営業日を希望します。

上記の範囲から、印刷したいと思います:

2012-08-01
2012-08-02
2012-08-03
2012-08-06
2012-08-07
2012-08-08

これを達成するには、どのように、どこから始めるべきですか?

4

2 に答える 2

3
// Date strings from DB
$startDate = '2012-08-01';
$endDate = '2012-08-08';

// Convert to UNIX timestamps
$currentTime = strtotime($startDate);
$endTime = strtotime($endDate);

// Loop until we reach the last day
$result = array();
while ($currentTime <= $endTime) {
  if (date('N', $currentTime) < 6) {
    $result[] = date('Y-m-d', $currentTime);
  }
  $currentTime = strtotime('+1 day', $currentTime);
}

// Show the result
// You could loop the array to pretty-print it, or do it within the above loop
print_r($result);

動いているのを見る

于 2012-08-10T14:50:49.513 に答える
2

これにより、日付の範囲が出力されます。

$startDate = '2012-08-01';
$endDate = '2012-08-08';

$date = new DateTime($startDate);
while ($date->format('Y-m-d') != $endDate) {

    if ($date->format('N') > 5) {
        $date->modify('+1 day');
        continue;
    }

    echo $date->format('Y-m-d') . PHP_EOL;
    $date->modify('+1 day');
}
echo $endDate;
于 2012-08-10T14:48:18.557 に答える