在Eloquent中使用预先加载来查询和过滤计算列

时间:2014-11-11 11:25:45

标签: laravel eloquent

我目前有三个模型,其中包含使用预先加载的有效Eloquent查询。我的模型有这些关系:

class Template extends Eloquent {
    public function user() {
        return $this->belongsTo('User');
    }
}

class User extends Eloquent implements UserInterface, RemindableInterface {
    public function profiles() {
        return $this->hasMany('Profile');
    }
    public function templates() {
        return $this->hasMany('Template');
    }
}

class Profile extends Eloquent {
    public function user() {
        return $this->belongsTo('User');
    }
}

我的工作查询如下:

$templates = Template::with('user', 'user.profiles')
    ->where('public', '=', true)
    ->whereIn('type', $search_types)
    ->where('user_id', '!=', $user->id)
    ->paginate(8);

这似乎工作得很好,但我还需要补充一点,这对我来说很难做到。我需要更改此查询,以使用lat表中现有的longuser列,考虑模板用户与当前用户的距离。我只希望查询返回用户在当前用户25英里范围内的模板(理想情况是按距离排序,但该部分是可选的)。

我试图将自定义计算列添加到用户关系中,如下所示:

$templates = Template::with(array('user' => function($query) use($user) {
        $query->select('*')->selectRaw('(3959 * acos(cos(radians(?)) * cos(radians(lat)) * cos(radians(long) - radians(?)) + sin(radians(?)) * sin(radians(lat)))) AS distance', array($user->lat, $user->long, $user->lat));
    }, 'user.profiles' => function($query) {
        $query
    }))
    ->where('public', '=', true)
    ->whereIn('type', $search_types)
    ->where('user_id', '!=', $user->id)
    ->having('distance', '<=', 25)
    ->orderBy('distance')
    ->paginate(8);

这不起作用,因为在初始查询中,distance列在初始查询中不存在,导致它在having子句失败。如果我将该部分移动到匿名函数并删除顺序,它不会立即失败,但它只是忽略模板查询的距离,然后只抓取25英里范围内的相关用户,而不是#39看起来很有帮助。

使用Eloquent获取我之后的数据的正确方法是什么?

1 个答案:

答案 0 :(得分:5)

我最终得到了以下内容(没有可选的排序),这似乎运作得很好:

$templates = Template::with('user', 'user.profiles')
    ->where('public', '=', true)
    ->whereIn('type', $search_types)
    ->where('user_id', '!=', $user->id)
    ->whereHas('user', function($query) use($user, $distance) {
        $query->whereRaw('(3959 * acos(cos(radians(?)) * cos(radians(location_lat)) * cos(radians(location_long) - radians(?)) + sin(radians(?)) * sin(radians(location_lat)))) <= ?', array($user->location_lat, $user->location_long, $user->location_lat, $distance));
    })
    ->paginate(8);