0

我的应用建立在

Laravel: 5.6.35
PHP 7.2.4
Entrust: 1.9

我的榜样

class Role extends EntrustRole
{
    public function permissions()
    {
        return $this->belongsToMany(Permission::class);
    }

    public function users()
    {
        return $this->hasMany(User::class);
    }
}

我的用户模型是

class User extends Authenticatable
{
    public function role()
    {
        return $this->belongsTo(Role::class);
    } 
}

现在你可以在 Tinker 中注意到

D:\work\www\myapp>php artisan tinker
Psy Shell v0.9.7 (PHP 7.2.4 — cli) by Justin Hileman
>>> App\models\Role::find(1)->users()->get()
Illuminate/Database/QueryException with message 'SQLSTATE[42S22]: Column not found: 1054 Unknown column 'users.role_id' in 'where clause' (SQL: select * from `users` where `users`.`role_id` = 1 and `users`.`role_id` is not null)'
>>> App\User::find(1)->role()->get();
=> Illuminate\Database\Eloquent\Collection {#2937
     all: [],
   }
>>> App\User::find(1)->roles()->get();
=> Illuminate\Database\Eloquent\Collection {#2941
     all: [
       App\models\Role {#2930
         id: 1,
         name: "super-admin",
         display_name: "Super Admin",
         description: "This will be one permission, that can not be assigned or modified.",
         created_at: "2018-09-07 12:11:35",
         updated_at: "2018-09-07 12:11:35",
         pivot: Illuminate\Database\Eloquent\Relations\Pivot {#2927
           user_id: 1,
           role_id: 1,
         },
       },
     ],
   }

我得到了结果App\User::find(1)->roles(),但我的用户模型有函数role(),空集合App\User::find(1)->role()和错误App\models\Role::find(1)->users()

所以请给出一些想法,如何解决这个问题?

4

3 回答 3

1

您定义关系的方式,您必须明确要求检索该关系:

App\User::with('Roles')->find(1)->roles()

在文档中,用户和角色的关系是这样的:

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

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

这样,您不必要求关系

于 2018-09-07T12:44:47.563 回答
0

我想我在这里找到了我的问题的答案。如果您在模型中通过 hasMany 和 belongsTo 正确定义了关系,但没有在 who belongsTo 其他表的模型表中提供外键,那么您的关系将不起作用。在文档中,它也建议使用 foreign_key 来使用一对多关系。

Entrust 数据库设计基于多对多关系。这样用户就可以拥有多个角色。Purly 如 Laravel文档中所述。

于 2018-09-07T12:53:11.777 回答
0

问题出在您的关系创建方式或表格中,错误说

 Unknown column 'users.role_id' in 'where clause'

这意味着role_id当您建立类似的关系时,您的用户表中缺少该列

public function users()
{
    return $this->hasMany(User::class);
}

hasMany 将尝试tablename_id在您传递的模型中找到,如果您想通过第三个表获取它们,您可以belongsToMany在您的permission模型上使用或使用多态关系

于 2018-09-07T12:56:42.117 回答