Laravel 5 - Elequent GROUP BY 失败

Laravel 5 - Elequent GROUP BY is failing

我正在尝试执行以下操作:

我有两个表:

1) Content
   id, 
   section_id
   parent_id, 
   sequence,

2) Sections
   id,
   title, 
   description,
   date_entered

每个内容必须有一个部分,由外键定义,内容可以有一个子部分,如果内容具有相同的 parent_id - 那么这被归类为子部分.. 例如:

 1. My first section
    1.1. My first sub section 
 2. My second section
 3. My third section
    3.1 My third sub section 

我正在使用 Eloquent 并使用了以下内容:

$sections = Content::orderBy('sequence', 'desc')
               ->groupBy('parent_id')->get();

如果我在 foreach 循环中输出这些,那么它只会显示其中一条记录,其中有多个记录具有相同的 parent_id,如果我删除 groupBy 那么它将显示所有记录,但不分组

我已经建立了这样的关系:有一个 belongsTo 关系..所以

  public function sections()
  {
     return $this->belongsTo('App\Sections', 'section_id');
  }

我哪里错了?

更新:

     1) Content
           id, 
           section_id
           parent_id, 
           sequence,

           FOREIGN KEYS:
           parent_id -> id,

           section_id -> id on Sections (below)

2) Sections
   id,
   title, 
   description,
   date_entered

如果我没理解错的话,您想获取内容列表 objects 及其 children 内容 objects,对吗?

最简单的方法是在 Eloquent Content 模型中创建一个 parent-child 关系,然后使用它加载 parent children:

<?php
class Content extends Model {
  public function children() {
    //this defines a relation one-to-many using parent_id field as the foreign key
    return $this->hasMany(Content::class, 'parent_id'); 
  }

  public function parent() {
    return $this->belongsTo(Content::class, 'parent_id'); 
  }

  public function section() {
    return $this->belongsTo(Section::class);
  }
}

然后,如果您想列出 Content objects 他们的 Section 连同他们的 children 和他们的部分,你可以像这样获取数据:

$contents = Content::with(['children', 'section', 'children.section'])->whereNull('parent_id')->get();

$contents 将包含没有 parent 的所有内容 objects 的集合。每个 objects 都有一个 $content->children 属性,该属性包含所有 children Content objects。所有 children objects 也将在 $childContent->parent 中保存对其 parent 的引用。 parents 和 children 都将在 ->section 属性中有相应的部分。

如果你现在想在你的 Blade 模板中显示一些内容层次结构,你可以将 $contents 变量传递给视图并执行以下操作:

<ul>
@foreach($contents as $content)
  <li>{{$content->title}}</li>
  @if($content->children->count() > 0)
    <ul>
      @foreach($content->children as $childContent)
        <li>{{$childContent->title}}</li>
      @endforeach
   </ul>
  @endif
@endforeach
</ul>  

我注意到您的模型中有一个 sequence 字段。我确信您希望内容按该字段排序。在这种情况下,您需要修改获取数据的方式:

$contents = Content::with(['children' => function($builder) {
  $builder->orderBy('sequence', 'desc');
}, 'section', 'children.section'])->whereNull('parent_id')->get();