lumen/laravel Eloquent hasManyThrough 3 个模型关系

lumen/laravel Eloquent hasManyThrough 3 models relation

我尝试与 3 个模型建立关系:

Cities.php //table cities
id
name

Neighbourhoods.php //table neighbourhoods
id
name
city_id

Blocks.php //table blocks
id
name
neighbourhood_id

我的模型是这样的: Cities.php

public function neighbourhoods()
{
    return $this->hasManyThrough('App\Neighbourhoods', 'App\Blocks', 'neighbourhood_id', 'city_id', 'id');
}

Neighbourhoods.php

public function blocks()
{
    return $this->hasMany('App\Blocks', 'neighbourhood_id', 'id');
}

Blocks.php

public function neighbourhoods()
{
    return $this->belongsToMany('App\Neighbourhoods', 'neighbourhood_id', 'id');
}

结果应该是:

results
 city1:
  neighbourhoods:
   neighbourhood1:
    block1
    block2
    block3
   neighbourhood2
    block1
    block2
 city2:
  neighbourhoods:
   neighbourhood1:
    blocks:
     block1
     block2
     block3
   neighbourhood2:
    blocks:
     block1
     block2

调用结果:

return Blocks::with('neighbourhoods')->get();

我知道我的模型没有正确命名。 City(单数)、Neighborhood(单数)、Block(单数)但传递参数应该有效。 我只是想不通为什么它不起作用。

关系解决方案基于@Gaurav Rai 的回复

首先,我的模型命名错误。请考虑使用复数命名您的数据库,例如:cities、neighbourhoods、blocks 和您的模型,例如:City.php、Neighbourhood.php 和 Block.php

根据我的问题,解决方法是:

Cities.php

public function neighbourhoods()
{
    return $this->hasMany('App\Neighbourhoods', 'city_id', 'id');
     // because my model is called Cities.php,
     // the function will look by default 
     // for the column cities_id in neighbourhoods table, 
     // thats why we need to specifiy city_id column
}

public function blocks()
{
    return $this->hasManyThrough('App\Blocks', 'App\Neighbourhoods', 'city_id', 'neighbourhood_id', 'id');
}

Neighbourhoods.php

public function cities()
{
    return $this->belongsTo('App\Cities', 'city_id', 'id');
}

public function blocks()
{
    return $this->hasMany('App\Blocks', 'neighbourhood_id','id');
}

Blocks.php

public function neighbourhoods()
{
    return $this->belongsTo('App\Neighbourhoods', 'neighbourhood_id');
}

调用关系:

return Cities::with(['neighbourhoods', 'blocks'])->get();

我觉得你的人际关系不太明确:

Cities.php

public function neighbourhoods()
{
    return $this->hasMany('App\Neighbourhoods');
}
public function blocks()
{
    return $this->hasManyThrough('App\Neighbourhoods', 'App\Blocks');
}

Neighbourhoods.php

public function blocks()
{
    return $this->hasMany('App\Blocks');//by default it will consider id
}
public function city()
{
    return $this->belongsTo('App\City');
}

Blocks.php

public function neighbourhoods()
{
    return $this->belongsTo('App\Neighbourhoods');
}