Laravel 5 使用关系进行查询导致“调用成员函数 addEagerConstraints() on null”错误

2022-08-30 08:21:12

我一直在尝试创建一个简单的用户管理系统,但在查询关系时不断遇到障碍。例如,我有用户角色,每当我尝试对所有用户及其角色进行查询时,我都会收到错误。标题中的那个只是我遇到过的最新一个。

我的用户和角色模型如下所示:

class Role extends Model
{
    public function users()
    {
        $this->belongsToMany('\App\User', 'fk_role_user', 'role_id', 'user_id');
    }
}

class User extends Model
{
    public function roles()
    {
        $this->belongsToMany('\App\Role', 'fk_user_role', 'user_id', 'role_id');
    }
}

我的两者之间多对多关系的迁移表如下所示:

public function up()
    {
        Schema::create('role_user', function (Blueprint $table) {
            $table->increments('id');
            $table->integer('user_id')->unsigned()->nullable(); //fk => users
            $table->integer('role_id')->unsigned()->nullable(); //fk => roles

            $table->foreign('fk_user_role')->references('id')->on('users')->onDelete('cascade');
            $table->foreign('fk_role_user')->references('id')->on('roles')->onDelete('cascade');
        });
    }

然后,我尝试在控制器中获取所有记录及其关系:

public function index()
{
    $users = User::with('roles')->get();

    return $users;
}

所以我需要另一双眼睛来告诉我,我在这里错过了什么?


答案 1

定义关系的方法中缺少 return 语句。他们需要返回关系定义。

取代

public function roles()
{
    $this->belongsToMany('\App\Role', 'fk_user_role', 'user_id', 'role_id');
}

public function roles()
{
    return $this->belongsToMany('\App\Role', 'role_user', 'user_id', 'role_id');
}

答案 2

您忘记了函数中的返回

狐狸

返回 $this->belongsToMany('\App\User', 'fk_role_user', 'role_id', 'user_id');

返回 $this->belongsToMany('\App\Role', 'fk_user_role', 'user_id', 'role_id');


推荐