Laravel中子串的唯一验证

时间:2016-07-28 21:38:17

标签: php validation laravel laravel-5 laravel-validation

我将filenames + their extensions存储在filename表的files列下。我的问题是,由于只有$request对象中没有相应扩展名的名称,我无法使用唯一验证规则验证文件名,而不首先修改输入数据。例如:

// . . .
$this->validate($request, [
    //   Suppose the name of uploaded file is 'file'.
    // The below rule will NEVER fail, because in the 
    // database, similar file will be stored as 'file.txt',
    // thus 'file' != 'file.txt'
    'filename' => 'unique:files'
]);
// . . .

有没有办法验证文件名忽略它在数据库中的后缀(扩展名)?

1 个答案:

答案 0 :(得分:1)

您可以尝试覆盖all()课程中的Request方法,并在验证前附加您的扩展名,而不是之后。那将是这样的

public function all() {
    $data = parent::all();           // Get all the data in your request
    $data['filename'] .=  '.txt';    // Concatenate the file extension

    return $data;           // DONT FORGET TO RETURN THE CHANGED DATA
}

现在,您的规则将正常运行,因为它将搜索文件 扩展名。 提醒:您需要停止在您的控制器或您使用的任何地方附加扩展程序,否则您最终会得到filename.txt.txt并将返回到第1方。

就个人而言,我觉得在我想要的时候覆盖all()方法有点麻烦,所以我有以下特点

trait SanitizeRequest {

    protected $sanitized = false;

    public function all() {
        return $this->sanitize(parent::all());
    }

    protected function sanitize(array $inputs) {
        if ($this->sanitized) return $inputs;

        foreach ($inputs as $field => $value) {
            if (method_exists($this, $field))
                $inputs[$field] = $this->$field($value);
        }
        $this->replace($inputs);
        $this->sanitized = true;
        return $inputs;
    }

}

这个特性允许我在验证之前每当我想要清理它时用字段名写一个自定义方法。使用这种方法可以让你有这样的方法

class YourRequest extends Request {

    use SanitizeRequest;

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

    ...

   protected function filename($value) {
       return $value . '.txt';
   }

}