0

我正在尝试制作一个电视节目表,其中显示每个频道的当前和下一个即将播出的节目。我想做这样的事情:

            <table class="table">
                <thead>
                    <tr>
                        <th></th>
                        <th>Now Playing</th>
                        <th>Next Upcoming Show</th>
                    </tr>
                </thead>
                <tbody>
                @foreach ($shows as $show)
                    <tr>
                    <td>
                        <strong>{{ $show->channel->name}}</strong></td>
                    <td><strong>{{ date('H:i', strtotime($show->now->start)) }}</strong>
                       {{ $show->now->title }}</td>
                    <td><strong>{{ date('H:i', strtotime($show->next->start)) }}</strong>
                       {{ $show->next->title }}</td>
                    </tr>
                @endforeach        
                </tbody>
            </table>

我现在正在播放的节目是这样的: $shows = Show::with('channel') ->where('start', '<=', DB::raw('(NOW() - INTERVAL 15 SECOND)' )) ->where('end', '>', DB::raw('(NOW() + INTERVAL 15 SECOND)')) ->orderBy('start')->get();

我似乎无法在同一查询中获得每个频道的下一个即将播出的节目。如果我能为当前的节目做这样的事情会很酷:$show->now->start 和下一个节目:$show->next->start

有任何想法吗?

我的数据库:

    Schema::create('channels', function(Blueprint $table) {     
         $table->increments('id');
         $table->string('name', 200);
         $table->timestamps();
    });

    Schema::create('shows', function(Blueprint $table) {
        $table->increments('id');
        $table->integer('channel_id');
        $table->string('title', 255);
        $table->text('description')->nullable();
        $table->dateTime('start');
        $table->dateTime('end');
    });
4

1 回答 1

0

也许反过来做会更容易?按频道循环并执行$channel->next->...$channel->now->...

在您的Channel模型中,您可以执行以下操作:

public function next()
{
    // Change this for your "get next" query
    return $this->hasOne('Show')->where('start', '<=', DB::raw('(NOW() - INTERVAL 15 SECOND)')) ->where('end', '>', DB::raw('(NOW() + INTERVAL 15 SECOND)')) ->orderBy('start');
}

public function now()
{
    return $this->hasOne('Show')->where('start', '<=', DB::raw('(NOW() - INTERVAL 15 SECOND)')) ->where('end', '>', DB::raw('(NOW() + INTERVAL 15 SECOND)')) ->orderBy('start');
}

然后做:

$channels = Channel::with(array('next', 'now'))->get();

@foreach($channels as $channel)
    Now: {{ $channel->now->title }} <br>
    Next: {{ $channel->next->title }}
@endforeach

我根本没有对此进行测试,这只是一个想法/建议。

于 2013-07-04T16:55:43.530 回答