我的理解是,使用政策定义的能力确实是多态,这意味着:
Gate::allows('update', $post);
Gate::allows('update', $comment);
将调用不同的函数,如果这两个对象属于不同的类,则使用不同的策略注册:
protected $policies = [
Post::class => PostPolicy::class,
Comment::class => CommentPolicy::class,
];
虽然在我看来,使用$gate->define()
定义的能力不是多态的,这意味着使用相同策略名称的两次调用将相互覆盖:
$gate->define('update', function ($user, $post) { /* THIS IS THROWN AWAY! */ });
$gate->define('update', function ($user, $comment) { /* the last one is kept */ });
这是对的吗?
非多态示例(update-post
,update-comment
)的文档中显示的能力名称与政策示例(update
)中显示的能力名称之间是否存在任何关系?< / p>
我的意思是,Laravel是否添加或推断了-post
后缀?或者它只是一个例子?
答案 0 :(得分:3)
政策定义能力与门限定能力之间存在显着差异。
当您使用门的define
方法时,您的能力名称将是added to the abilities array of the gate,数组键是能力名称。如果您定义另一个具有相同名称的能力(例如update
),它将覆盖旧的能力,因为它不能是两个具有相同名称的数组键。因此,在这种情况下,define($ability, $callback)
中的唯一标识符就是能力。
相反,在定义策略类时,能力名称是策略的实际方法名称。因此,您可以使用名为相同的方法(例如update
)来创建多个类,因为在这种情况下,唯一标识符是使用第一个参数传递的类,因此Post::class
。
在授权检查期间的某个时刻,Gate类会检查if there's a policy associated with the first argument passed并根据该评估调用策略方法或定义的异能回调。
因此,我们的想法是,在使用define
时,您无法使用相同名称的两种能力,因为以下内容是不可能的:
$abilities = [
'update' => $callback1,
'update' => $callback2, // this will override the first
]
与使用$policies
时一样,您无法将多个政策与某个类相关联:
$policies = [
Post::class => PostPolicy::class,
Post::class => AnotherPostPolicy::class, // this will override the first one
];
因此,如果您想将update
用作多个模型的能力名称,请使用政策。
这也应该回答你最后的问题:Laravel没有推断或添加任何东西,能力名称是你传递给define
的字符串或你在政策类上定义的方法名称。