我已经建立了如下关系和模型:

数据透视表架构

Schema::create('friend_user', function(Blueprint $table) {
    $table->increments('id');
    $table->integer('user_id')->unsigned();
    $table->integer('friend_id')->unsigned();
    $table->timestamps();
});

数据透视表播种器(这定义了两个“友谊”,用户“1”所属的两个“友谊”,其中在user_id中指定了用户1的第二个,在 friend ID中列出了用户1的第二个):
    $friend_user = array(
        array(
            'id' => 1,
            'user_id' => 1,
            'friend_id' => 3,
        ),
        array(
            'id' => 2,
            'user_id' => 4,
            'friend_id' => 1,
        ),

    );

用户模型
public function friends()
{
 return $this->belongsToMany('User', 'friend_user', 'user_id', 'friend_id');
}

正如Taylor Otwell在此处建议的那样:https://github.com/laravel/framework/issues/441

所有这些都有效,但是当我运行以下命令时,我只会得到一个结果:
foreach(Auth::user()->friends as $i) {
    var_dump($i->id);
}

这将返回值“3”,而不是预期的4。我知道为什么会发生这种情况(因为user_id不是friend_id),但是无论连接的哪一端(user_id或friend_id),如何获取返回属于该用户的所有 friend (即所有友谊)的集合呢?用户是?

最佳答案

不用创建两个记录,而是使用一个新函数。

public function friends()
{
  return $this->belongsToMany('User', 'friend_user', 'user_id', 'friend_id');
}

// Same table, self referencing, but change the key order
public function theFriends()
{
  return $this->belongsToMany('User', 'friend_user', 'friend_id', 'user_id');
}

//You can then call opposite record(s) using:
foreach( Auth::user()->theFriends as $theFriends )

我在项目中使用了这种方法,因此可以更好地分离以组织结果。

关于php - Laravel多对多自引用表仅以一种方式工作,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/17567305/

10-09 17:12