0

我有“examples”表、“tags”表和中间“examples_has_tags”表。所以一个例子可以有一些标签,一个标签可以属于一些例子。

在 index.php 中,我显示了所有示例和标签列表。

$examples = Example::with('tags')->where('public', true)->get();

$tags = Tag::all();

return View::make('index')->with('examples', $examples)
                          ->with('tags',     $tags);

完美运行。但是如何按标签名称过滤示例?我在 stackoverflow 上找到了一些东西:你应该在 Example 类中创建一个静态方法,它返回我需要的东西。但是我对显示数据感到困惑。在上面的代码中,我将其显示为:

@foreach ($examples as $example)
        <div class="widgetbox">
            <h4 class="widgettitle">{{ $example->name }}</h4>
            <div class="widgetcontent">
                {{ $example->body }}
                <div class="tags-list">
                    @foreach ($example->tags as $tag)
                        <span class="label label-info tag">{{ $tag->name }}</span>
                    @endforeach
                </div>
            </div>
        </div>
    @endforeach

有没有一种简单的方法可以做到这一点?我发现了一些关于过滤集合的东西,但没有例子

更新

我找到了下一个解决方案:

    $examples = $examples->filter(function($example) {
        $tags = $example->tags->toArray();
        foreach ($tags as $tag) {
            if ($tag["name"] == Input::get('tag')) return true;
        }
        return false;
    });

更新2

尝试在没有 PHP 过滤的情况下执行此操作,但我无法获取属于示例的标签:

$tagId = Tag::where('name', '=', Input::get('tag'))->first()->id;

        $examples = Example::with('tags')
                           ->join('examples_has_tags', 'examples_has_tags.example_id', '=', 'examples.id')
                           ->where('examples_has_tags.tag_id', '=', $tagId)->get();

$examples 不包含标签列表(实际上是空的)

4

2 回答 2

0

您可以按以下方式进行(急切加载

型号:(示例)

class Example extends Eloquent {
    public function tags()
    {
        return $this->hasMany('Tag');
    }
}

现在查询:

$examples = Example::with(array('tags' => function($query)
{
    $query->where('name', '=', 'someName');
}))->get();

更新 :

$examples = $examples->filter(function($example) {
    $tags = $example->tags->toArray();
    return in_array(Input::get('tag'), $tags ) ?: FALSE;
});
于 2013-06-24T06:41:37.610 回答
0

你应该做的是创建一个连接,然后在你想要的东西上创建一个 where 子句。根据您希望按标签过滤的方式,您可能会执行以下操作:

首先获取有效的标签 ID:

$tagIDs = array_pluck(Tag::whereIn('name', array(
    'tag1',
    'tag2',
    'tag3',
))->toArray(), 'id');

然后通过 tag_id 过滤示例:

return Example::select('examples.*')
    ->join('examples_has_tags', 'examples.id', '=', DB::raw('examples_has_tags.example_id'))
    ->whereIn(DB::raw('examples_has_tags.tag_id'), $tagIDs)
    ->get();

可能有(并且可能有)更有效的方法来做到这一点,但这就是我的处理方式。

于 2013-06-24T10:26:25.857 回答