php中文网 | cnphp.com

 找回密码
 立即注册

QQ登录

只需一步,快速开始

搜索
查看: 596|回复: 0

Laravel 验证器以及验证场景的使用

[复制链接]

2667

主题

2674

帖子

9482

积分

管理员

Rank: 9Rank: 9Rank: 9

UID
1
威望
0
积分
6693
贡献
0
注册时间
2021-4-14
最后登录
2024-5-12
在线时间
673 小时
QQ
发表于 2022-1-15 20:24:20 | 显示全部楼层 |阅读模式
Laravel 验证器以及验证场景的使用
让你代码看起来更简洁
首先我们来看看传统写法
[mw_shl_code=applescript,true]$data = $request->input();
$validator = Validator::make(
        $data,
        [
                'account' => 'required:exists:admin_user',
                'password' => 'required',
        ],
        [
                'account.required' => '账号不能为空',
                'account.exists' => '账号或密码错误',
                'password' => '密码不能为空'
        ]
);
$vali = $validator->fails();
if($vali) return $this->backData(0,'err',$validator->getMessageBag()->first());
[/mw_shl_code]
这样的写法容易造成代码冗余太多。

下面我们提供一种简单的方法
1、首先创建一个基础类
[mw_shl_code=applescript,true]#创建一个BaseRequest类
php artisan make:request BaseRequest
[/mw_shl_code]
[mw_shl_code=applescript,true]#类里面的内容
namespace App\Http\Requests;

use Illuminate\Contracts\Validation\Validator;
use Illuminate\Foundation\Http\FormRequest;
use Illuminate\Http\Exceptions\HttpResponseException;

class BaseRequest extends FormRequest
{
        #验证没有通过证失败后返回结果
    protected function failedValidation(Validator $validator) {
        $msg = $validator->getMessageBag()->first();
        throw new HttpResponseException(response()->json(['code'=>'500','msg'=>$msg,'data'=>''], 422));
    }
}
[/mw_shl_code]
2、在 app\Providers\AppServiceProvider.php boot 下面添加

[mw_shl_code=applescript,true]//Route 路由自定义scene(场景方法)
Route::macro('scene',function ($scene=null){
        $action = Route::getAction();
        $action['_scene'] = $scene;
        Route::setAction($action);
});
[/mw_shl_code]
3、创建一个验证类

[mw_shl_code=applescript,true]<?php

namespace App\Http\Requests;

trait SceneValidator
{
    //场景
    protected $scene = null;

    //是否自动验证
    protected $autoValidate = true;

    protected $onlyRule=[];

    /**
     *  覆盖 ValidatesWhenResolvedTrait 下 validateResolved 自动验证
     */
    public function validateResolved()
    {
        if(method_exists($this,'autoValidate')){
            $this->autoValidate = $this->container->call([$this, 'autoValidate']);
        }
        if ($this->autoValidate) {
            $this->handleValidate();
        }
    }

    /**
     * 复制 ValidatesWhenResolvedTrait -> validateResolved 自动验证
     */
    protected function handleValidate()
    {
        $this->prepareForValidation();

        if (! $this->passesAuthorization()) {
            $this->failedAuthorization();
        }

        $instance = $this->getValidatorInstance();

        if ($instance->fails()) {
            $this->failedValidation($instance);
        }
    }


    /**
     * 定义 getValidatorInstance 下 validator 验证器
     * @param $factory
     * @return mixed
     */
    public function validator($factory)
    {
        return $factory->make($this->validationData(), $this->getRules(), $this->messages(), $this->attributes());
    }


    /**
     * 验证方法(关闭自动验证时控制器调用)
     * @param string $scene  场景名称 或 验证规则
     */
    public function validate($scene='')
    {
        if(!$this->autoValidate){
            if(is_array($scene)){
                $this->onlyRule = $scene;
            }else{
                $this->scene = $scene;
            }
            $this->handleValidate();
        }
    }

    /**
     * 获取 rules
     * @return array
     */
    protected function getRules()
    {
        return $this->handleScene($this->container->call([$this, 'rules']));
    }

    /**
     * 场景验证
     * @param array $rule
     * @return array
     */
    protected function handleScene(array $rule)
    {
        if($this->onlyRule){
            return $this->handleRule($this->onlyRule,$rule);
        }
        $sceneName = $this->getSceneName();
        if($sceneName && method_exists($this,'scene')){
            $scene = $this->container->call([$this, 'scene']);
            if(array_key_exists($sceneName,$scene)) {
                return $this->handleRule($scene[$sceneName],$rule);
            }
        }
        return  $rule;
    }

    /**
     * 处理Rule
     * @param $sceneRule
     * @param $rule
     * @return array
     */
    private function handleRule(array $sceneRule,array $rule)
    {
        $rules = [];
        foreach ($sceneRule as $key => $value) {
            if (is_numeric($key) && array_key_exists($value,$rule)) {
                $rules[$value] = $rule[$value];
            } else {
                $rules[$key] = $value;
            }
        }
        return $rules;
    }

    /**
     * 获取场景名称
     *
     * @return string
     */
    protected function getSceneName()
    {
        return is_null($this->scene) ? $this->route()->getAction('_scene') : $this->scene;
    }
}

[/mw_shl_code]
4、创建自己的验证类 代码如下

[mw_shl_code=applescript,true]<?php

namespace App\Http\Requests;

class StorePostRequest extends BaseRequest
{

    use SceneValidator;
    /**
     * Determine if the user is authorized to make this request.
     *
     * @return bool
     */
    public function authorize()
    {
        return true;
    }

    /**
     * Get the validation rules that apply to the request.
     *
     * @return array
     */
    public function rules()
    {
        return [
            'title' => 'required|unique:posts|max:255',
            'body' => 'required',
        ];
    }


    /**
     * 获取已定义验证规则的错误消息。
     *
     * @return array
     */
    public function messages()
    {
        return [
            'title.required' => 'A title is required',
            'body.required' => 'A message is required',
        ];
    }


    /**
     * 场景规则
     * @return array
     */
    public function scene()
    {
        return [
            //add 场景
            'add' => [
                'title' ,       //复用 rules() 下 name 规则
                'body'
            ],
            //edit场景
            'edit' => ['body'],
        ];
    }

}

[/mw_shl_code]
5、来看看我们路由是如何写的

[mw_shl_code=applescript,true]#这里我们使用的验证场景是edit
Route::get('/posts/popular', [\App\Http\Controllers\PostController::class, 'popular'])->scene('edit');
[/mw_shl_code]
6、我们只需要爸验证类注入到控制器就OK了

[mw_shl_code=applescript,true]// 获取热门文章排行榜
public function popular(StorePostRequest $request)
{
        $posts = $this->postRepo->trending(10);
    if ($posts) {
            dd($posts->toArray());
    }
}
[/mw_shl_code]
7、接下来看一下结果
image.png





上一篇:php伪静态设置
下一篇:PHP 文件上传及格式验证
回复

使用道具 举报

您需要登录后才可以回帖 登录 | 立即注册

本版积分规则

QQ|php中文网 | cnphp.com ( 赣ICP备2021002321号-2 )

GMT+8, 2024-5-14 14:21 , Processed in 0.147580 second(s), 35 queries , Gzip On.

Powered by Discuz! X3.4 Licensed

Copyright © 2001-2020, Tencent Cloud.

申明:本站所有资源皆搜集自网络,相关版权归版权持有人所有,如有侵权,请电邮(fiorkn@foxmail.com)告之,本站会尽快删除。

快速回复 返回顶部 返回列表