在 Laravel 应用程序中,我有一个表单,我需要使用逗号作为小数分隔符来验证数字。目前,它只适用于一个点,因为我的验证规则是:
$rules = [
'amount' => 'numeric|min:0',
];
什么是最好的方法:
- 保留规则并在验证之前用点替换逗号?是否有 before_validation 观察者或类似的东西?
- 建立自定义验证规则?例如 french_numeric ?
在 Laravel 应用程序中,我有一个表单,我需要使用逗号作为小数分隔符来验证数字。目前,它只适用于一个点,因为我的验证规则是:
$rules = [
'amount' => 'numeric|min:0',
];
什么是最好的方法:
基于 The Alpha 的出色答案,这里有一个代码片段,用于使浮动验证可配置。
将此代码段添加到boot()
您的类中的函数中AppServiceProvider
(使用 Laravel 5.4 测试):
Validator::extend('float', function ($attribute, $value, $parameters, $validator) {
$thousandsSeparator = env('APP_NUMBER_THOUSANDS_SEPARATOR') == '.' ? '\\' . env('APP_NUMBER_THOUSANDS_SEPARATOR') : env('APP_NUMBER_THOUSANDS_SEPARATOR');
$commaSeparator = env('APP_NUMBER_COMMA_SEPARATOR') == '.' ? '\\' . env('APP_NUMBER_COMMA_SEPARATOR') : env('APP_NUMBER_COMMA_SEPARATOR');
$regex = '~^[0-9]{1,3}(' . $thousandsSeparator . '[0-9]{3})*' . $commaSeparator . '[0-9]+$~';
$validate = preg_match($regex, $value);
if ($validate === 1) {
return true;
}
return false;
});
您的 .env 文件将包含这两行:
APP_NUMBER_COMMA_SEPARATOR="."
APP_NUMBER_THOUSANDS_SEPARATOR=","
您的规则如下所示:
$rules = [
'amount' => 'float|min:0',
];
注意:我只是.
正确地转义。如果您要使用在正则表达式语法中具有特殊含义的字符(如 * 或 +),您也必须转义它们。
但是由于浮点数喜欢550*345,00 (550,345.00)
或57+44 (57.44)
没有意义,所以我忽略了这个问题。
亲切的问候
如果其他人在从解决方案中进行正则表达式检查后验证输入的数字大小时遇到问题,我会在此处发布我的解决方案。我需要它max虽然与问题不同,但它可以很容易地适应min。
我创建了一个新的规则对象,如下所述:https ://laravel.com/docs/8.x/validation#using-rule-objects
注入参数的想法来自这个答案:https ://stackoverflow.com/a/62384976/11854580
toFloat方法是 https://www.php.net/manual/en/function.floatval.php 上的用户贡献
<?php
namespace App\Rules;
use App\Utils\NumberUtils;
use Illuminate\Contracts\Validation\Rule;
class NumericMaxForString implements Rule
{
private $maxValue;
/**
* Create a new rule instance.
*
* @return void
*/
public function __construct($maxValue)
{
$this->maxValue = $maxValue;
}
/**
* Determine if the validation rule passes.
*
* @param string $attribute
* @param mixed $value
* @return bool
*/
public function passes($attribute, $value)
{
$numericValue = NumberUtils::toFloat($value);
return $numericValue <= $this->maxValue;
}
/**
* Get the validation error message.
*
* @return string
*/
public function message()
{
return 'The :attribute may not be greater than ' . $this->maxValue . '.';
}
}