1

我正在尝试在 Laravel 4 中使用 Eloquent 做一些棘手的事情(至少对我而言)。为了优化页面,我需要获取位于一个或多个省份内的一种或多种类型的所有对象。现在我试图弄清楚如何使用 Eloquent 为我检索这些信息(假设它是可能的)。我认为它必须是这样的:

 Object::whereIn('objectType', $objectTypeArray)->whereIn('cities.provinces.id', $provinceIdArray)->paginate(15);

那是行不通的,因为它说Unknown column 'cities.provinces.id' in 'where clause'.

以下模型用于实现此目的:

class Province extends Eloquent 
{
    protected $table = 'provinces';

    public function cities(){
        return $this->hasMany('City');
    }
}

城市

class City extends Eloquent 
{
    protected $table = 'cities';

    public function province(){
        return $this->belongsTo('Province');
    }

    public function object(){
        return $this->hasMany('Object');
    }

}

目的

class Object extends Eloquent 
{
    protected $table = 'objects';

    public function city(){
        return $this->belongsTo('City');
    }

    public function address(){
        return $this->belongsTo('Address');
    }

public function object_type(){
    this->belongsTo('ObjectType');
}
}

对象类型

class OutgoingType extends Eloquent 
{
    protected $table = 'outgoing_types';

    public function outgoing(){
        return $this->hasMany('Object');
    }

}

提前感谢您的帮助,我已经尝试了几个小时,但我似乎没有更接近正常工作的解决方案。

4

1 回答 1

1

如果您想使用模型中指定的 Eloquent 关系,那么我认为您需要使用

Object::with 

急切地加载关系(http://four.laravel.com/docs/eloquent#eager-loading)而不是

Object::whereIn

->whereIn() 需要有效的表列名称,因此有关 city.provinces.id 的错误不是有效列,因为在您的城市表中它可能是ities.provinces_id,而 Object::with 允许您加载嵌套关系喜欢

Object::with('city.province')->get(). 

使用这种方法添加约束有点棘手,因为您需要执行类似的操作

Object::with(array('city' => function($query)
{
    $query->whereIn('city_id', $array);

}))->get();

另一种方法是坚持 whereIn 方法并使用来自 DB 查询构建器http://four.laravel.com/docs/queries#joins的一些更传统的连接

对不起,以上只是指针,而不是实际的解决方案。

编辑

刚刚玩了一场,这似乎可以满足您的要求:

Object::whereIn('object_type_id', $object_type_array)->with(array('city' => function($query) {
                    $query->whereIn('province_id', $province_id_array);
                }))->get();

以上将取决于您的外键是 object_type_id 和 Province_id

第二次编辑

一种更传统的方法是只获取具有正确省份的城市的对象,而不是仅仅从结果集中的对象中排除城市:

$objects = Object::join('cities', 'city_id', '=', 'cities.id')
            ->whereIn('objects.object_type_id', $object_type_array)
            ->whereIn('cities.province_id', $province_id_array)->get()

可能有一种方法可以通过雄辩的对象关系实现相同的结果,但目前它避开了我 - 无论如何,连接方法可能更有效。

格伦

于 2013-11-07T00:06:55.610 回答