1

我正在构建一个类似 Twitter 的应用程序,其中包含一个提要。在此提要中,我需要显示具有此属性的共享:

- 来自我关注的用户的分享

- 来自用户的分享,按正面评价排序,但只有前10%

我需要以某种方式合并这两个查询,因此它最终将成为一个数组,其中包含适用于此条件的所有共享,没有任何重复并按 ID、desc 排序

我的表看起来像这样:

User, Shares, Follows

Shares:
-user_id
-positive

Follows:
-follower_id
-user_id
-level

我已经尝试过的:

$follower_shares = Share::join('follows', 'shares.user_id', '=', 'follows.user_id')
        ->where('follows.follower_id', Auth::user()->id)
        ->where('follows.level', 1)
        ->get(array('shares.*'));


//count = 10% of total shares
$count = Share::count()/10;
$count = round($count);


$top10_shares = Share::orderBy('positive', 'DESC')
->take($count)
->get();


//sorts by id - descending
$top10_shares = $top10_shares->sortBy(function($top)
{
    return -($top->id);
});


//merges shares
$shares = $top10_shares->merge($follower_shares);

现在的问题是,有人告诉我有更好的方法来解决这个问题。此外, $shares 给了我适用于标准的结果,但是这些共享有重复(行,适用于这两个标准)并且总体上没有按 id desc 排序。

如果你能告诉我,如何以正确的方式做到这一点,我会很高兴。

非常感谢!

4

1 回答 1

3

我发现这是一个非常干净的解决方案:

// Instead of getting the count, we get the lowest rating we want to gather
$lowestRating = Share::orderBy('positive', 'DESC')
                    ->skip(floor(Share::count() * 0.1))
                    ->take(1)->lists('positive');

// Also get all followed ids
$desiredFollow = Auth::user()->follows()->lists('user_id');

// Select where followed or rating higher than minimal
// This lets the database take care of making them distinct
$shares = Share::whereIn('user_id', $desiredFollow)
               ->orWhere('positive', '>=', $lowestRating[0])
               ->get();
于 2013-08-24T02:47:38.077 回答