我的laravel应用中有两个关联模型的表:subsectors
和sectors
。这是一个例子。
子行业:
|id | name |sector_id|
|---|---------------|---------|
| 1 | Global Equity | 1 |
| 2 | US Equity | 1 |
| 3 | UK Equity | 1 |
| 4 | Govt Bonds | 2 |
| 5 | IG Bonds | 2 |
| 6 | HY Bonds | 2 |
| 7 | Gold | 3 |
部分:
| id | name |
|----|-------------|
| 1 | Equity |
| 2 | Bonds |
| 3 | Commodities |
因此每个子部门都映射到一个扇区。这反映在我的模型类中。
我想为具有选项组的子部门创建一个选择框,其中扇区名称作为选项组名称,子扇区作为选项。对于Laravel的表单构建器,我相信使用以下语法:
{{ Form::select('subsector', array(
'Equity' => [1 => 'Global Equity', 2 => 'US Equity', 3 => 'UK Equity'],
'Bonds' => [4 => 'Govt Bonds', 5 => 'IG Bonds', 6 => 'HY Bonds'],
//etc...
))}}
我的问题是编写eloquent或fluent查询以生成上面的嵌套数组以传递给formbuilder。我想我可以通过循环查找Eloquent查询结果对象来完成它,但我想知道是否有更好的方法来获得2个连接表的简单嵌套结果。
我的所有关系都在模型中定义。
修改
此方法有效,但我希望没有嵌套for
循环的方式更清晰。
$subsectors = [];
$sectors = Sector::with('subsector')->get();
foreach ($sectors as $sector)
{
$subsectors[$sector->name] = [];
foreach ($sector->subsector as $subsector)
{
$subsectors[$sector->name][$subsector->id] = $subsector->name;
}
}
答案 0 :(得分:0)
使用Form::macro
以便您可以执行此操作(我假设为subsectors
关系,因为它对hasMany
更准确):
$sectors = Sector::with('subsectors')->get();
Form::groupSelect('subsector', $sectors, 'subsectors')
这就是你需要的宏:
Form::macro(
'groupSelect',
function ($name, $collection, $relation, $groupName = 'name', $optName = 'name', $optValue = 'id', $selected = null, $attributes = [])
{
$groups = [];
foreach ($collection as $model)
{
$groups[$model->$groupName] = $model->$relation->lists($optName, $optValue);
}
return Form::select($name, $groups, $selected, $attributes);
}
);
答案 1 :(得分:-2)
我建议您不要在Controller中制定复杂数组,而是直接编写HTML标记,在视图中执行此操作
<select name="subsector">
@foreach(Sector::with('subsector')->get() as $sector)
<optgroup label="{{ $sector->name }}">
@foreach($sector->subsector as $subsector)
<option value="{{ $subsector->id }}">{{{ $subsector->name }}}</option>
@endforeach
@endforeach
</select>