Laravel:在父表上用*表示*而不是* find *的雄辩关系

时间:2018-02-08 12:32:10

标签: php laravel eloquent

我有一张表postsposts_contents。 我希望只有当帖子有display = 1时,才能从一个帖子中获取内容。

(由于语言支持,我需要两个单独的表)

帖子:

id  user_id  display

1   2        0
2   2        1
3   2        0
4   2        1

posts_contents

id  post_id  lang_id  name    description

1   1        1        Hello   World
2   2        1        Here    Is What I wanna show!
3   3        1        Don't   Show the others
4   4        1        Hey     Display that one too

所以在laravel我使用雄辩的关系,但我不知道如何在特定情况下使用它。在文档中,我发现只有以下情况:

$p = App\Posts::find(1)->contents;

哪个效果很好,但我想要的是这样的:

$p = App\Posts::where('display',1)->contents;

但它不起作用......所以问题是:这样做的正确方法是什么?

感谢任何帮助,谢谢!

更新

我需要一次发布多个帖子,而不仅仅是一个。

3 个答案:

答案 0 :(得分:4)

您想要使用find()这样的方法:

$post = App\Posts::where('display', 1)->find($postId)->contents;

然后在一对一关系的视图中:

{{ $post->description }}

一对多:

@foreach ($post->contents as $content)
    {{ $content->description }}
@endforeach

如果要加载包含仅一种语言内容的多个帖子,请使用语言过滤。使用with()eager load内容:

$posts = App\Posts::where('display', 1)
    ->with(['contents' => function($q) use($langId) {
        $q->where('lang_id', $langId);
    }])
    ->get();

然后在一对一的视图中:

@foreach ($posts as $post)
    {{ $post->contents->description }}
@endforeach

一对多:

@foreach ($posts as $post)
    @foreach ($post->contents as $content)
        {{ $content->description }}
    @endforeach
@endforeach

您可以阅读find()get()方法here之间的区别。

答案 1 :(得分:3)

Closeable.close将返回一个集合。因此,如果您只想要1个结果,则应使用App\Posts::where

答案 2 :(得分:1)

在呼叫任何关系之前,您需要调用first方法:

$p = App\Posts::where('display', 1)->first()->contents;

或者,如果您想要提取一组帖子,您可以:

$posts = App\Posts::where('display', 1)->get();

$posts->each(function ($post) {
    $post->contents;
});

否则,您将只拥有一个Query Builder对象,而没有您想要的实际结果。