前置操作的解释: 在执行某A操作前,先去执行B操作
前置操作的实际应用场景举例:
1. 登录状态的判断(再访问一个需要登录才能查看的页面或操作时,先去判断是否登录这个平台)
2. 用户操作权限的判断(在登录系统时,自动去判断用户权限,然后给用户展示权限访问内的模块或菜单等等)
前置操作的设置: 在控制器类属性中设置一个 $beforeActionList 属性即可(这个属性是在 think\Controller中定义好的)
譬如:
protected $beforeActionList=[
'被调用的前置方法A'=>' ' //所有方法都会调用A
'被调用的前置方法B'=>['except'=>'执行方法3'], // 有键值,意思是执行方法3时,不调用前置方法B
'被调用的前置方法C'=>['only'=>'执行方法1,执行方法2'], //有键值, 意思是只有执行方法1或执行方法2操作前,才会调用前置方法C,执行其他方法时不会调用C。但是调用C之前会默认按照调用顺序先调用A和B
];
前置方法的调用顺序:
按照beforeActionList 中的顺序进行调用,默认从索引为0的那个开始依次往下调用,如果被调用的前置方法中有定义某个执行方法不调用前置方法时,则操作该执行方法时不会调用这个前置方法。
特别注意:被调用的前置方法不能是私有方法(调用不了),也不要用public(太公开,安全性不足),建议用受保护的方法
案例:
<?php
namespace app\index\controller;
use think\Controller;
class Index extends Controller{
protected $beforeActionList=[
'first',
'second'=>['except'=>'hello'],
'three'=>['only'=>'hello,data'],
];
protected function first(){
echo 'first<br/>';
}
protected function second(){
echo 'second<br/>';
}
protected function three(){
echo 'three<br/>';
}
public function hello(){
return 'hello';
}
public function data(){
return 'data';
}
public function Aaa(){
return 'Aaa';
}
}
访问 http://localhost/index.php/index/Index/hello
最后的输出结果是
first
three
hello
访问 http://localhost/index.php/index/Index/data
的输出结果是:
first
second
three
data
访问 http://localhost/index.php/index/Index/Aaa
的输出结果是:
first
second
Aaa