如何在 Laravel 中验证路由参数?
在 Laravel 中,路由定义在 routes/ 文件夹内。路由定义在 web.php 文件中。该文件在 Laravel 安装完成后创建。Laravel 路由接收 URI 和闭包函数,如下所示:
use Illuminate\Support\Facades\Route; Route::get('/student', function () { return 'Hello Student'; });
在 web/routes.php 中定义的路由被分配了一个 web 中间件组,并且它们具有会话状态和 CSRF 保护。您也可以在路由中调用您的控制器,如下所示:
use Illuminate\Support\Facades\Route; use App\Http\Controllers\StudentController; Route::get('student', [StudentController::class, 'index']);
以下是您可以在应用程序中使用的路由方法:
Route::get($ uri, $回调函数或控制器);
Route::post($ uri, $回调函数或控制器);
Route::put($ uri, $回调函数或控制器);
Route::patch($ uri, $回调函数或控制器);
Route::delete($ uri, $回调函数或控制器);
Route::options($ uri, $回调函数或控制器);
路由参数验证
路由参数在花括号内可用,给定的名称包含字母数字字符。除了字母数字外,您还可以使用下划线来选择路由参数的名称。
语法
路由参数的语法如下所示:
Route::get('/user/{myid}', function ($myid) { // });
这里myid 是我们想要进一步使用的路由参数。
多个路由参数
您可以有多个路由参数,如下面的语法所示:
Route::get('/students/{post}/feedbacks/{feedback}', function ($postId, $feedbackId) { // });
在上述情况下,有两个路由参数:{post} 和 {feedback}
可选参数
您还可以为路由添加可选参数。可选参数并非始终可用,并且在参数后使用 ? 表示。可选参数的语法如下所示:
Route::get('/students/{myname?}', function ($myname = null) { return $myname; });
这里 myname 是一个可选参数。
Laravel 有几个方法可以帮助验证参数。它们是 where()、whereNumber()、whereAlpha() 和 whereAlphaNumeric()。
示例 1
使用 where() 方法
where() 方法定义在路由上,它将接收参数名称和应用于它的验证规则。如果有多个参数,它将接收一个数组,其中键为参数名称,值为应用于键的验证规则。
Route::get('/student/{studentname}', function ($studentname) { return $studentname; })->where('studentname', '[A-Za-z]+');
输出
输出为:
disha
在上述情况下,studentname 必须是 A-Z 或 a-z 或两者的混合。因此,以下是有效的 URL:
https://127.0.0.1:8000/student/DISHA https://127.0.0.1:8000/student/dishaSingh.
无效 URL:
https://127.0.0.1:8000/student/dishaSingh123
示例 2
现在让我们使用 where() 方法检查多个参数。
Route::get('/student/{studentid}/{studentname}', function ($studentid, $studentname){ return $studentid."===".$studentname; })->where(['studentid' => '[0-9]+', 'studentname' => '[a-z]+']);
在上述情况下,路由参数为 studentid 和 studentname。studentid 必须是 0-9 的数字,studentname 必须是小写。
输出
上面的输出为:
12===disha
上述有效的 URL 为:
https://127.0.0.1:8000/student/12/disha https://127.0.0.1:8000/student/01/disha
无效 URL:
https://127.0.0.1:8000/student/01/DISHA https://127.0.0.1:8000/student/abcd/disha
使用 whereNumber()
示例
您需要传递您希望仅包含数字作为有效值的路由参数:
Route::get('/student/{studentid}/{studentname}', function ($studentid, $studentname) { return $studentid."===".$studentname; })->whereNumber('studentid')->where('studentname','[a-z]+');
输出
上述代码的输出为:
12===disha
使用 whereAlpha()
示例
您需要传递您希望包含字母值的路由参数:
Route::get('/student/{studentid}/{studentname}', function ($studentid, $studentname) { return $studentid."===".$studentname; })->whereNumber('studentid')->whereAlpha('studentname');
输出
上述代码的输出为:
12===dishaSingh
使用 whereAlphaNumeric()
示例
您需要传递您希望包含字母数字值的路由参数:
Route::get('/student/{studentid}/{studentname}', function ($studentid, $studentname) { return $studentid."===".$studentname; })->whereNumber('studentid')->whereAlphaNumeric ('studentname');
输出
输出将为:
12===dishaSingh122