16

現在の時刻がレストランの営業時間内であるかどうかを計算しようとしています。

この質問はStackoverflowでよく聞かれますが、私が抱えている問題を説明できる質問は見つかりませんでした。また、これを行うためのより良い方法についてのアイデアを見るのもいいでしょう。

現在、その日が休業している場合(この例では日曜日)、または「土曜日」の午前1時(厳密には日曜日の朝の午前1時)に休憩します。深夜以降のデータの保存方法を変更する必要があると感じていますが、今のところは自分のデータで作業しようとしています。ほとんどのレストランでは、特定の日の営業時間が午後5時から午前12時、午前12時から午前2時ではなく、午後5時から午前2時と記載されているため、これは問題です。

とにかく、これが私が持っているものです。より良い方法を教えてください。

私はこのように保存された時間を持っています:

$times = array(
    'opening_hours_mon' => '9am - 8pm',
    'opening_hours_tue' => '9am - 2am',
    'opening_hours_wed' => '8:30am - 2am',
    'opening_hours_thu' => '5:30pm - 2am',
    'opening_hours_fri' => '8:30am - 11am',
    'opening_hours_sat' => '9am - 3pm, 5pm - 2am',
    'opening_hours_sun' => 'closed'
);

これは私が今使っているコードです:

// Get the right key for today
$status = 'open';
$now = (int) current_time( 'timestamp' );
$day = strtolower( date('D', $now) );
$string = 'opening_hours_'.$day;

$times = $meta[$string][0]; // This should be a stirng like '6:00am - 2:00am' or even '6:00am - 11:00am, 1:00pm to 11:00pm'.

// Does it contain a '-', if not assume it's closed.
$pos = strpos($times, '-');
if ($pos === false) {       
    $status = 'closed';
} else {

    // Maybe a day has multiple opening times?
    $seating_times = explode(',', $times);
    foreach( $seating_times as $time ) {

        $chunks = explode('-', $time);
        $open_time = strtotime($chunks[0]);
        $close_time = strtotime($chunks[1]);

        // Calculate if now is between range of open and closed
        if(($open_time <= $now) && ($now <= $close_time)) {
            $status = 'open';
            break;
        } else {
            $status = 'closed';             
        }

    }

}

注:current_time('timestamp'、0)はWordPress関数です。

4

11 に答える 11

3

PHP DateTimeクラス(5.2バージョン以降で使用可能)の使用法に基づいた、オブジェクト指向のソリューションは次のとおりです。

<?php 

class Restaurant {
    private $cw;
    private $times = array();
    private $openings = array();

    public function __construct(array $times) {
        $this->times = $times;
        $this->setTimes(date("w") ? "this" : "last");
        //print_r($this->openings);       // Debug
    }

    public function setTimes($cw) {
        $this->cw = $cw;
        foreach ($this->times as $key => $val) {
            $t = array();
            $buf = strtok($val, ' -,');
            for ($n = 0; $buf !== FALSE; $n++) {
                try {
                    $d = new DateTime($buf);
                    $d->setTimestamp(strtotime(substr($key, -3)." {$this->cw} week {$buf}"));
                    if ($n && ($d < $t[$n-1])) {
                        $d->add(new DateInterval('P1D'));
                    }
                    $t[] = $d;
                } catch (Exception $e) {
                    break;
                }
                $buf = strtok(' -,');
            }
            if ($n % 2) {
                throw new Exception("Invalid opening time: {$val}");
            } else {
                $this->openings[substr($key, -3)] = $t;
            }
        }
    }

    public function isOpen() {
        $cw = date("w") ? "this" : "last";
        if ($cw != $this->cw) {
            $this->setTimes($cw);
        }
        $d = new DateTime('now');
        foreach ($this->openings as $wd => $t) {
            $n = count($t);
            for ($i = 0; $i < $n; $i += 2) {
                if (($d >= $t[$i]) && ($d <= $t[$i+1])) {
                    return(TRUE);
                }
            }
        }
        return(FALSE);
    }
}

$times = array(
    'opening_hours_mon' => '9am - 8pm',
    'opening_hours_tue' => '9am - 2am',
    'opening_hours_wed' => '8:30am - 2am',
    'opening_hours_thu' => '9am - 3pm',
    'opening_hours_fri' => '8:30am - 11am',
    'opening_hours_sat' => '9am - 3pm, 5pm - 2am',
    'opening_hours_sun' => 'closed'
);

try {
    $r = new Restaurant($times);
    $status = $r->isOpen() ? 'open' : 'closed';
    echo "status=".$status.PHP_EOL;
} catch (Exception $e) {
    echo $e->getMessage().PHP_EOL;
}

?>

ご覧のとおり、コンストラクターは内部フォーム(openingsDateTimeオブジェクトの配列)を作成します。このフォームisOpenは、呼び出し時にレストランが開いているか閉じているかを確認するために、メソッドで簡単に比較して使用されます。

また、 DSTタイムシフトの問題を回避するために、現在の日付のタイムスタンプに86400(24 * 60 * 60)を追加する代わりに、 DateTime:addメソッドを使用して明日の日付を計算したことにも気付くでしょう。 コンセプトの証明:

<?php

ini_set("date.timezone", "Europe/Rome");
echo "date.timezone = ".ini_get("date.timezone").PHP_EOL;

$d1 = strtotime("2013-10-27 00:00:00");
$d2 = strtotime("2013-10-28 00:00:00");
// Expected: 86400, Result: 90000
echo "Test #1: ".($d2 - $d1).PHP_EOL;
// Expected: 2013-10-28 00:00:00, Result: 2013-10-27 23:00:00
echo "Test #2: ".date("Y-m-d H:i:s", $d1 + 86400).PHP_EOL;

$d1 = strtotime("2014-03-30 00:00:00");
$d2 = strtotime("2014-03-31 00:00:00");
// Expected: 86400, Result: 82800
echo "Test #3: ".($d2 - $d1).PHP_EOL;
// Expected: 2014-03-30 00:00:00, Result: 2014-03-29 23:00:00
echo "Test #4: ".date("Y-m-d H:i:s", $d2 - 86400).PHP_EOL;

?>

これにより、次の結果が得られます。

date.timezone = Europe/Rome
Test #1: 90000
Test #2: 2013-10-27 23:00:00
Test #3: 82800
Test #4: 2014-03-29 23:00:00

したがって、1日が常に86400秒であるとは限らないようです。少なくとも年に2回ではない...

于 2013-10-19T20:49:20.227 に答える
2

そのような配列の代わりに、次の種類のエントリを持つ別の配列があるとします。

Array ( [from] => 1382335200 [to] => 1382374800 )

fromとのto値はタイムスタンプであり、配列の情報を現在の(実行中の)週に投影することによって計算されます。

次に、レストランが現在営業しているかどうかを確認するには、次のような簡単な操作を行う必要があります。

$slots=..... /* calculate time slots array */
$status='closed';
$rightnow=time();
foreach($slots as $slot)
  if($rightnow<=$slot['to'])
    {
    if($rightnow>=$slot['from']) $status='open';
    break;
    }
echo "The restaurant is <strong>$status</strong> right now<br>";

mon、、などの形式の平日とtuewed時間範囲を定義する2つの文字列(たとえば8:30am、および)を指定すると3:15pm、次の関数は、上記のように、対応するタイムスロットを返します。

function get_time_slot($weekday,$fromtime,$totime)
  {
  $from_ts=strtotime("this week $weekday $fromtime");
  $to_ts=strtotime("this week $weekday $totime");
  if($to_ts<$from_ts)
    {
    $to_ts=strtotime("this week $weekday +1 day $totime");
    if($to_ts>strtotime("next week midnight")) 
      $to_ts=strtotime("this week mon $totime");
    }
  return array('from'=>$from_ts,'to'=>$to_ts);
  }

strtotime()奇跡を起こすことができますか?タイムスロットの終了が開始よりも早いことが判明した場合、それは翌日を参照していると想定し、そのように再計算することに注意してください。

編集:最初は、1日分の秒数を追加して修正すると素朴に思っていました。タイムスタンプを操作してもDST情報が保持されないため、これは正確ではありませんでした。したがって、タイムスロットに日シフト(真夜中)とDSTシフトが含まれている場合、1時間ごとに不正確な結果が得られます。strtotime()同じ議論に1日を加えて、もう一度すべてを使用すると、それはまっすぐになります。

yaEDIT:別のバグ(できれば最後のバグ)が修正されました:レストランが日曜日の深夜まで営業している場合$to_time、同じ時間に今週の月曜日にラップする必要があります。ふぅ!

ここで、配列を変換するには、次のことを行う必要があります。

$slots=array();
foreach($times as $key=>$entry)
  {
  list(,,$dow)=explode('_',$key);
  foreach(explode(',',$entry) as $d)
    {
    $arr=explode('-',$d);
    if(count($arr)==2) $slots[]=get_time_slot($dow,$arr[0],$arr[1]);
    }
  }

これを示すための小さなphpfiddleがあります。


編集:別の答えの「簡潔さ」の議論に動機付けられて、私は自分の「コンパクト」バージョンを与えると思いました。まったく同じロジックを使用すると、要約すると次のようになります。

$status='closed';
$rightnow=time();
foreach($times as $key=>$entry)
  {
  list(,,$dow)=explode('_',$key);
  foreach(explode(',',$entry) as $d)
    if(count($arr=explode('-',$d))==2)
      {
      $from_ts=strtotime("this week $dow {$arr[0]}");
      $to_ts=strtotime("this week $dow {$arr[1]}");
      if($to_ts<$from_ts) $to_ts=strtotime("this week $dow +1 day {$arr[1]}");
        {
        $to_ts=strtotime("this week $dow +1 day {$arr[1]}");
        if($to_ts>strtotime("next week midnight")) 
          $to_ts=strtotime("this week mon {$arr[1]}");
        }
      if($rightnow<=$to_ts)
        {
        if($rightnow>=$from_ts) $status='open';
        break 2; // break both loops
        }
      }
  }
echo "<hr>The restaurant is <strong>$status</strong> right now<br>";

しかし、私自身はまだ元のバージョンを好みます。関数を持つことの明らかな利点に加えて、$slots配列をキャッシュして再利用できるため、元のデータをもう一度解析するよりも、関連する計算がはるかに簡単になります。

于 2013-10-22T09:16:31.673 に答える
1

これはおそらく最も効率的ではありませんが、目前の問題にはうまく機能するはずです。

$times = array(
    'opening_hours_mon' => '9am - 8pm',
    'opening_hours_tue' => '9am - 2am',
    'opening_hours_wed' => '8:30am - 2am',
    'opening_hours_thu' => '9am - 3pm',
    'opening_hours_fri' => '8:30am - 11am',
    'opening_hours_sat' => '9am - 3pm, 5pm - 2am',
    'opening_hours_sun' => 'closed'
);

var_dump(is_open($times, strtotime('sun 1am'))); // true

これが最初の関数で、デザインがシンプルです。開始時間と終了時間のグリッドを使用して、指定された時間がいずれかの範囲に一致するかどうかを判断します。

function is_open($times, $now)
{
    $today = strtotime('today', $now);

    $grid = get_time_grid($times);
    $today_name = strtolower(date('D', $today));
    $today_seconds = $now - $today;

    foreach ($grid[$today_name] as $range) {
        if ($today_seconds >= $range[0] && $today_seconds < $range[1]) {
            return true;
        }
    }

    return false;
}

この関数は実際のグリッドを作成します。範囲の終了が対応する開始の前に来る場合、スパンされている日ごとに1つずつ、2つの範囲が作成されます。

function get_time_grid($times)
{
    static $next_day = array(
        'mon' => 'tue', 'tue' => 'wed', 'wed' => 'thu',
        'thu' => 'fri', 'fri' => 'sat', 'sat' => 'sun',
        'sun' => 'mon'
    );
    static $time_r = '(\d{1,2}(?::\d{2})?(?:am|pm))';

    $today = strtotime('today');
    $grid = [];

    foreach ($times as $key => $schedule) {
        $day_name = substr($key, -3);
        // match all time ranges, skips "closed"
        preg_match_all("/$time_r - $time_r/", $schedule, $slots, PREG_SET_ORDER);
        foreach ($slots as $slot) {
            $from = strtotime($slot[1], $today) - $today;
            $to = strtotime($slot[2], $today) - $today;

            if ($to < $from) { // spans two days
                $grid[$day_name][] = [$from, 86400];
                $grid[$next_day[$day_name]][] = [0, $to];
            } else { // normal range
                $grid[$day_name][] = [$from, $to];
            }
        }
    }

    return $grid;
}

コードにはほんの少しのコメントしかありませんが、何が行われているのかをフォローしていただければ幸いです。説明が必要な場合はお知らせください。

于 2013-10-22T10:38:02.400 に答える
1

週のタイミング配列

$times = array(
    'opening_hours_mon' => '9am - 8pm',
    'opening_hours_tue' => '9am - 2am',
    'opening_hours_wed' => '8:30am - 2am',
    'opening_hours_thu' => '9am - 3pm',
    'opening_hours_fri' => '8:30am - 11am',
    'opening_hours_sat' => '9am - 3pm, 5pm - 2am',
    'opening_hours_sun' => 'closed'
);

使用例:

ini_set( "date.timezone", "Pacific/Auckland" ); // Make sure correct timezone is set

echo ( isOpen( $times ) ? 'Open' : 'Closed' );    

echo ( isOpen( $times ,"10am" ) ? 'Open' : 'Closed' );

関数の定義:

/*
 *  First parameter : Weeks timings as array
 *  Second parameter : Time to check as string
 *  Return value : boolean
 */
function isOpen( $times ,$timeToCheck = 'now' )
{
    $timeToCheckAsUnixTimestamp = strtotime( $timeToCheck );

    $yesterdayTimes = $todayTimes = '';
    //  Find yesterday's times and today's times
    foreach( $times as $day => $timeRange )
    {
        $yesterdayTimes = ( stripos( $day ,date( "D" ,time() - 60 * 60 * 24 ) ) !== false ? $timeRange : $yesterdayTimes );
        $todayTimes = ( stripos( $day ,date( "D" ) ) !== false ? $timeRange : $todayTimes );
    }
    //  Handle closed
    if( strcasecmp( $todayTimes ,'closed' ) == 0 ) return false;
    if( strcasecmp( $yesterdayTimes ,'closed' ) == 0 ) $yesterdayTimes = '12am - 12am';
    //  Process and check with yesterday's timings
    foreach( explode( ',' ,$yesterdayTimes ) as $timeRanges )
    {
        list( $from ,$to ) = explode( '-' ,$timeRanges );
        list( $fromAsUnixTimestamp ,$toAsUnixTimestamp ) = array( strtotime( $from .' previous day' ) ,strtotime( $to .' previous day'  ) );
        $toAsUnixTimestamp = ( $toAsUnixTimestamp < $fromAsUnixTimestamp ? strtotime( $to ) : $toAsUnixTimestamp );
        if( $fromAsUnixTimestamp <= $timeToCheckAsUnixTimestamp and $timeToCheckAsUnixTimestamp <= $toAsUnixTimestamp ) return true;
    }
    //  Process and check with today's timings
    foreach( explode( ',' ,$todayTimes ) as $timeRanges )
    {
        list( $from ,$to ) = explode( '-' ,$timeRanges );
        list( $fromAsUnixTimestamp ,$toAsUnixTimestamp ) = array( strtotime( $from ) ,strtotime( $to ) );
        $toAsUnixTimestamp = ( $toAsUnixTimestamp < $fromAsUnixTimestamp ? strtotime( $to .' next day' ) : $toAsUnixTimestamp );
        if( $fromAsUnixTimestamp <= $timeToCheckAsUnixTimestamp and $timeToCheckAsUnixTimestamp <= $toAsUnixTimestamp ) return true;
    }
    return false;
}
于 2013-10-22T14:55:01.553 に答える
1

私は過去に似たようなことをしましたが、まったく異なるアプローチを取りました。営業時間を別のテーブルに保存しました。

CREATE TABLE `Openinghours`
(
    `OpeninghoursID` int, // serial
    `RestaurantID` int, // foreign key
    `Dayofweek` int, // day of week : 0 (for Sunday) through 6 (for Saturday)
    `Opentime` int, // time of day when restaurant opens (in seconds)
    `Closetime` int // time of day when restaurant closes (in seconds)
);

レストランに1日に複数の営業期間がある場合は、2つのレコードを追加するだけです(またはより多くのIDが必要です)。このようなテーブルを使用することの良い点は、どのレストランが開いているかを簡単に照会できることです。

$day = date('w');
$now = time()-strtotime("00:00");
$query = "Select `RestaurantID` from `Openinghours` where `Dayofweek` = ".$day." and `Opentime` <= ".$now." and `Closetime` > ".$now;

このようなシステムを使用するもう1つの利点は、クエリを調整して、たとえば、現在営業しているレストランと、少なくとももう1時間営業しているレストラン(閉店の数分前にレストランに行く意味がない)などのさまざまな結果を取得できることです。

$day = date('w');
$now = time()-strtotime("00:00");
$query = "Select `RestaurantID` from `Openinghours` where `Dayofweek` = ".$day." and `Opentime` <= ".$now." and `Closetime` > ".($now+3600);

もちろん、現在のデータを再フォーマットする必要がありますが、優れた機能をもたらします。

于 2013-10-24T23:49:16.780 に答える
1

データを再フォーマットする必要のない別のソリューションがあります。

$times = array(
    'opening_hours_mon' => '9am - 8pm',
    'opening_hours_tue' => '9am - 2am',
    'opening_hours_wed' => '8:30am - 2am',
    'opening_hours_thu' => '5:30pm - 2am',
    'opening_hours_fri' => '8:30am - 11am',
    'opening_hours_sat' => '9am - 3pm, 5pm - 2am',
    'opening_hours_sun' => 'closed'
);

function compileHours($times, $timestamp) {
    $times = $times['opening_hours_'.strtolower(date('D',$timestamp))];
    if(!strpos($times, '-')) return array();
    $hours = explode(",", $times);
    $hours = array_map('explode', array_pad(array(),count($hours),'-'), $hours);
    $hours = array_map('array_map', array_pad(array(),count($hours),'strtotime'), $hours, array_pad(array(),count($hours),array_pad(array(),2,$timestamp)));
    end($hours);
    if ($hours[key($hours)][0] > $hours[key($hours)][1]) $hours[key($hours)][1] = strtotime('+1 day', $hours[key($hours)][1]);
    return $hours;
}

function isOpen($now, $times) {
    $open = 0; // time until closing in seconds or 0 if closed
    // merge opening hours of today and the day before
    $hours = array_merge(compileHours($times, strtotime('yesterday',$now)),compileHours($times, $now)); 

    foreach ($hours as $h) {
        if ($now >= $h[0] and $now < $h[1]) {
            $open = $h[1] - $now;
            return $open;
        } 
    }
    return $open;
}

$now = strtotime('7:59pm');
$open = isOpen($now, $times);

if ($open == 0) {
    echo "Is closed";
} else {
    echo "Is open. Will close in ".ceil($open/60)." minutes";
}

?>

私はいくつかのテストを実行しましたが、私が考えることができるすべての側面を取り除いて、期待どおりに機能しているようです。これに問題があれば教えてください。アプローチが少し厄介に見えることは知っていますが、単純な関数のみを使用し(のトリッキーな部分を除いてarray_map)、できるだけ短くしたいと思いました。

于 2013-10-26T12:15:07.600 に答える
0

このためにデータベースを使用する場合、なぜこれに日時を使用しなかったのですか。

サンプル:

sunday 14:28, saturday 1:28

この2つの部分を分割して、文字列時間で比較できます(パート2)。strtotimeを使用して、文字列の時刻をタイムスタンプに変換し、比較することができます。

サンプル:

$date = "sunday 14:28"; 
echo $stamp = strtotime($date);

出力:

1360492200

このコードのように:

$Time="sunday  14:28 , saturday 1:28";
$tA=explode(",",$Time);
$start=strtotime($tA[0]);
$end=strtotime($tA[1]);
$now=time();
if($now>$start and $now<$end){
   echo "is open";
}else{
   echo "is close";
}

しかし、あなたはそれらを更新することに問題がありますあなたはこれを行うことができます。

于 2013-02-04T19:24:28.017 に答える
0

これが私の解決策です:

入力データ:

$meta = array(
   'opening_hours_mon' => '9am - 8pm',
   'opening_hours_tue' => '9am - 2am',
   'opening_hours_wed' => '8:30am - 2am',
   'opening_hours_thu' => '9am - 3pm',
   'opening_hours_fri' => '8:30am - 11am',
   'opening_hours_sat' => '9am - 3pm, 5pm - 2am',
   'opening_hours_sun' => 'closed'

);

current_time('timestamp')(著者が言ったようtime()に)WordPress
とソリューションのアナログ:

    $now = (int) current_time( 'timestamp' );
    $day = strtolower(date('D', $now));
    $yesterday = strtolower(date('D', strtotime('-1 day')));
    $days = array(
        'yesterday' => $meta['opening_hours_'.$yesterday],
        'today' => $meta['opening_hours_'.$day],
    );
    $status = false;
    foreach($days as $when=>$times)
    {
        $parts = explode(',',$times);
        foreach($parts as $p)
        {
            if($p == 'closed')
                break;
            else{
                list($b,$e) = explode('-',$p);
                $b = strtotime("$when $b");
                $e = strtotime("$when $e");
                if($b > $e)
                    $e += strtotime("$when $e +1 day");;
                if($b <= $now && $now <= $e)
                {
                    $status =true;
                    break;
                }
            }
        }
    }

テスト
の場合:最初の3行を次のように変更できます。

$now = (int) strtotime('today 3:00am');
$day = strtolower(date('D', $now));
$yesterday = strtolower(date('D', strtotime('yesterday 3:00am')));
于 2013-10-21T20:59:39.403 に答える
0

時間保存形式を変更しないソリューション

<?php
    $times = array(
        'opening_hours_mon' => '9am - 8pm',
        'opening_hours_tue' => '5pm - 2am',
        'opening_hours_wed' => '8:30am - 2am',
        'opening_hours_thu' => '9am - 3pm',
        'opening_hours_fri' => '8:30am - 11am',
        'opening_hours_sat' => '9am - 3pm, 5pm - 2am',
        'opening_hours_sun' => 'closed'
    );

    //$time_go = '13:00';
    $time_go = date('H:i');

    //$day_go = 1; //monday
    $day_go = (date('N') - 1);

    if(Are_they_open($time_go, $day_go, $times)){
        echo 'jep';
    }
    else{
        echo 'nope';
    }

    function Are_they_open($time_go, $day_go, $times){
        // the magic
        $times = array_values($times);
        $day_go = explode(',', $times[$day_go]);
        $time_go = hh_mm_toSeconds($time_go);

        foreach($day_go as $time){

            if((!$time) || ($time == 'closed')){
                return false;
            }

            $time = explode(' - ', $time);
            $time_open = hh_mm_toSeconds(date('H:i', strtotime($time[0])));
            $time_close = hh_mm_toSeconds(date('H:i', strtotime($time[1])));

            if(($time_go > $time_open) && ($time_go < $time_close)){
                return true;
            }
            elseif (($time_open > $time_close) || ($time_go > $time_open)){
                return true;
            }

        }

        return false;
    }

    function hh_mm_toSeconds($str_time){
        sscanf($str_time, "%d:%d", $hours, $minutes);
        return ($hours * 3600) + ($minutes * 60);
    }
?>

時間形式を変更するソリューション

$times = array(
    1 => array(
        array('07:00', '17:00')
    ),
    2 => array(
        array('07:00', '14:30'),
        array('15:00', '20:00')
    ),
    3 => array(
        array('07:00', '17:00')
    ),
    4 => false, //closed
    5 => array(
        array('07:00', '17:00'),
        array('20:00', '24:00')
    ),
    6 => array(
        array('00:00', '03:00'),
        array('07:00', '17:00'),
        array('20:00', '24:00')
    ),
    7 => array(
        array('00:00', '03:00')
    ),
);
于 2013-10-22T08:34:10.440 に答える
0

この関数の引数として配列を渡すと、現時点で開いている場合はtrue、閉じている場合はfalseになります。シンプルでわかりやすい機能です。今日の営業時間と、必要に応じて昨日をチェックするだけで、平日は不必要にループすることはありません。少し改善できるかもしれませんが、機能し、複雑ではありません。

function isOpen($times) {
    $times = array_values($times); //we will use numeric indexes
    $now = new DateTime();
    $day = $now->format('N'); 
    $day--; //days are counted 1 to 7 so we decrement it to match indexes
    $period = $times[$day];
    if($period!='closed') {
        $opening = explode('-', $period);
        $open = new DateTime($opening[0]);
        $close = new DateTime($opening[1]);
        if($close<$open) {
            //it means today we close after midnight, it is tomorrow
            $close->add(new DateInterval('P1D'));
        }
        if($open<$now && $now<$close) {
            //we are open
            return true;
        }
    }
    if($period=='closed' || $now<$open) {
        //now we check if we still open since yesterday
        $day = $day==0 ? 6 : $day-1;
        $period = $times[$day];
        if($period=='closed') return false;
        $opening = explode(' - ', $period);
        $open = new DateTime($opening[0]);
        $close = new DateTime($opening[1]);
        if($close<$open) {
        //it means yesterday we closed after midnight
            if($now<$close) {
                //we are before closing time
                return true;
            }
        }
    }
    return false;
}
于 2013-10-24T11:24:09.570 に答える
0

多分私はこれを完全には理解していませんが、基本的なループを経て、多分これはうまくいくかもしれません:

if( ($date('D') == "3" ) )
{
    $open = "8";
    $close = "17";
    $now = time();

    if( ($now > $open) and ($now < $close) )
    {
        echo "open";
    }
    else
    {
        echo "closed";
    }
}

これには休日などが含まれず、いくつかの条件付きステートメントが必要になるため、おそらくそれを回避するための最良の方法ではありませんが、これは機能する可能性があると思います。まあ、最適ではありませんが、常に私のために働いた。

于 2013-10-24T12:30:44.567 に答える