如何在 Laravel 和 Eager load 关系中将多个单独的 eloquent 模型合并为一个模型

How to combine multiple individual eloquent models as one in Laravel and Eager load relation

我有很多单独的模型,我想将它们全部组合起来以利用预加载。

$match_query = "select * from feeds " .
                "WHERE (user_id IN ($users_size)) " .
                "OR (target_id IN ($slugs_size) AND feedable_type = 'review') " .
                "ORDER BY created_at DESC LIMIT 5;";

//Query works fine and return 2 results 
$results = DB::select($match_query, $consolidatedArray);

    //to convert returned php standard obj to array
    $results = json_decode(json_encode($results), True);

    $all = [];

    foreach($results as $result){
        $x = new \App\Feed($result);

        //I am able to get relation like this for single item
        // $x->user;

        $all[] =  $x;
    }

    //but this thing is not working (i am trying to eager load)
    $data = $all->with('user');

我收到以下错误

ErrorException in FeedsRepository.php line 67:
Trying to get property of non-object

解决方法是什么?

$all 是一个数组。数组不是对象。所以当你调用$all->with()时,你会得到一个错误"Trying to get property of non-object"。非常简单:).

您的代码似乎不必要地复杂。您的查询在 Eloquent 和查询生成器中并不难。阅读一些文档并开始使用它的强大功能,而不是绕过它:)。

您的代码可以替换为这个更具可读性的片段(或类似的片段):

$results = Feed::whereIn('user_id', $users_size)
            ->orWhere(function($q) use($slugs_size) {
                $q->whereIn('target_id', $slugs_size)->orWhere('feedable_type', 'review');
            })
            ->with('user')
            ->orderBy('created_at', 'desc')->take(5)->get();

这里要记住的重要一点是 eloquent 还包含查询生成器的所有功能。在大多数情况下,它比完整的 SQL 查询更容易阅读和维护。

阅读material:

https://laravel.com/docs/master/eloquent

https://laravel.com/docs/master/queries