我有 3 个相关表,如下部分 -> AgeGroups -> Teams。
我能够获得部分列表并列出每个部分中的所有年龄组和团队。目前,无论年龄组中是否存在任何团队,都会列出所有部分和年龄组。
我希望为此查询添加约束,以便我仅获得包含其中有团队的年龄组的部分列表。例如
- 将列出具有包含团队的年龄组的部分
- 不会列出没有任何年龄组的部分
- 不会列出没有任何团队的年龄组
表格列是:
sections: id | name
agegroups: id | name | section_id
teams: id | name | agegroup_id
模型定义如下:
class Section extends Eloquent{
public function agegroup()
{
return $this->hasMany('agegroup');
}
}
class Agegroup extends Eloquent{
public function section()
{
return $this->belongsTo('section');
}
public function team()
{
return $this->hasMany('team');
}
}
class Team extends Eloquent {
public function agegroup()
{
return $this->belongsTo('agegroup');
}
}
(出于测试目的)我的 PHP 代码(包括用于预先加载的嵌套关系)位于下面的路由闭包中:
Route::get('/', function()
{
$sections = Section::with('agegroup.team')->get();
foreach ($sections as $section) {
echo "<h2>$section->name </h2><ul>";
foreach ($section->agegroup as $agegroup) {
echo "<li>$agegroup->name </li><ul>";
foreach ($agegroup->team as $team) {
echo "<li> $team->name </li>";
}
echo "</ul>";
}
echo "</ul>";
}
});
在测试中,我已经能够为简单的关系添加约束,但我不知道如何为嵌套关系执行此操作。
我希望我已经正确解释了这一点,并感谢您花时间阅读本文并提供任何帮助。
====== 更新 ======
在下面的帮助之后,我有以下代码,这似乎与建议的解决方案相同,禁止在模型中添加 return 语句以返回函数值:
这几乎就在那里 - 正在返回部分(使用 dd($...) 检查)但我收到错误:未定义属性:Illuminate\Database\Eloquent\Collection::$teams
来自 Section Model agegroupsWithTeams() 方法中的 $teams = $this -> agegroups -> teams 行。
有任何想法吗 ?!(谢谢)
// controller/view code
Route::get('/', function()
{
$sections = Section::allWithAgeGroupsWithTeams();
foreach ($sections as $section)
{
echo $section->name
foreach ($section->agegroupsWithTeams() as $agegroup)
{
echo $agegroup->name;
foreach ($agegroup->teams as $team)
{
echo $team->name;
}
}
}
});
// model code
class Section extends Eloquent
{
public function agegroups()
{
return $this->hasMany('agegroup');
}
static function allWithAgeGroupsWithTeams()
{
$teams = Team::all();
$agegroups = Agegroup::whereIn('id', $teams->lists('agegroup_id'))->get();
$sections = Section::whereIn('id', $agegroups->lists('section_id'))->get();
return $sections;
}
public function agegroupsWithTeams()
{
$teams = $this->agegroups;
return Agegroup::whereIn('id', $teams->lists('agegroup_id'))->get();
}
}
class Agegroup extends Eloquent
{
public function section()
{
return $this->belongsTo('section');
}
public function teams()
{
return $this->hasMany('team');
}
}
class Team extends Eloquent
{
public function agegroups()
{
return $this->belongsTo('agegroup');
}
}