[关闭]
@a5635268 2016-05-04T16:47:37.000000Z 字数 14914 阅读 2446

Lumen

源码分析与使用笔记


参考链接

http://laravelacademy.org/lumen-docs
http://lumen.laravel-china.org/docs

安装

http://laravelacademy.org/post/3361.html

配置

http://laravelacademy.org/post/3365.html
http://lumen.laravel-china.org/docs/configuration

  1. # 读取配置
  2. $value = config('app.timezone');
  3. # 设置配置
  4. config(['app.timezone' => 'America/Chicago']);
  5. # 自定义配置文件的加载
  6. $app->configure('在config目录下的文件名');

路由

http://lumen.laravel-china.org/docs/routing

  1. // 有效的路由方法
  2. $app->get($uri, $callback);
  3. $app->post($uri, $callback);
  4. $app->put($uri, $callback);
  5. $app->patch($uri, $callback);
  6. $app->delete($uri, $callback);
  7. $app->options($uri, $callback);
  8. $app->get('/', function() {
  9. return 'Hello World';
  10. });
  11. $app->post('foo/bar', function() {
  12. return 'Hello World';
  13. });
  14. $app->get('posts/{post}/comments/{comment}', function ($postId, $commentId) {
  15. //路由参数不能包含’-‘字符,需要的话可以使用_替代。
  16. });
  17. // 从URL中抓取参数
  18. $app->get('user/{id}', function($id) {
  19. return 'User '.$id;
  20. });
  21. // 正则表达式约束 和 Laravel 不兼容
  22. $app->get('user/{name:[A-Za-z]+}', function($name) {
  23. //
  24. });
  25. # 生成 URL
  26. $url = url('foo');
  27. # 命名路由
  28. $app->get('user/profile', ['as' => 'profile', function() {
  29. //
  30. }]);
  31. $app->get('user/profile', [
  32. 'as' => 'profile', 'uses' => 'UserController@showProfile'
  33. ]);
  34. // 使用路由名称
  35. $url = route('profile');
  36. // 进行重定向
  37. $redirect = redirect()->route('profile');
  38. # 路由群组
  39. // 统一处理foo与bar
  40. $app->group(['middleware' => 'foo|bar'], function($app)
  41. {
  42. $app->get('/', function() {
  43. // Uses Foo & Bar Middleware
  44. });
  45. $app->get('user/profile', function() {
  46. // Uses Foo & Bar Middleware
  47. });
  48. });
  49. // 指定在这群组中控制器的命名空间:
  50. $app->group(['namespace' => 'Admin'], function() use ($app){
  51. // 控制器在 "App\Http\Controllers\Admin" 命名空间下
  52. $app->group(['namespace' => 'User'], function()
  53. {
  54. // 控制器在 "App\Http\Controllers\Admin\User" 命名空间下
  55. });
  56. });

控制器

http://laravelacademy.org/post/3385.html
http://lumen.laravel-china.org/docs/controllers

  1. <?php
  2. namespace App\Http\Controllers;
  3. use App\User;
  4. class UserController extends Controller
  5. {
  6. /**
  7. * 为指定用户显示详情
  8. *
  9. * @param int $id
  10. * @return Response
  11. */
  12. public function show($id)
  13. {
  14. return User::findOrFail($id);
  15. }
  16. }
  17. // 绑定路由
  18. $app->get('user/{id}', 'UserController@show');

默认情况下,bootstrap/app.php将会在一个路由分组中载入routes.php文件,该路由分组包含了控制器的根命名空间。

  1. // 指定控制器路由的名字
  2. # ceshi
  3. $app->get('foo', ['uses' => 'FooController@method', 'as' => 'name']);
  4. // 为已命名的路由生成URL;
  5. $url = route('name');
  6. // 中间件分配给控制器路由
  7. $app->get('profile', [
  8. 'middleware' => 'auth',
  9. 'uses' => 'UserController@show'
  10. ]);
  11. class UserController extends Controller
  12. {
  13. /**
  14. * 实例化一个新的 UserController 实例
  15. *
  16. * @return void
  17. */
  18. public function __construct()
  19. {
  20. // 将中间件放在控制器构造函数中更方便;
  21. $this->middleware('auth');
  22. $this->middleware('log', ['only' => ['fooAction', 'barAction']]);
  23. $this->middleware('subscribed', ['except' => ['fooAction', 'barAction']]);
  24. }
  25. }

依赖注入

Lumen使用服务容器解析所有的Lumen控制器,因此,可以在控制器的构造函数中类型提示任何依赖,这些依赖会被自动解析并注入到控制器实例中:

  1. namespace App\Http\Controllers;
  2. use Illuminate\Routing\Controller;
  3. use App\Repositories\UserRepository;
  4. class UserController extends Controller
  5. {
  6. /**
  7. * The user repository instance.
  8. */
  9. protected $users;
  10. /**
  11. * 创建新的控制器实例
  12. *
  13. * @param UserRepository $users
  14. * @return void
  15. * @translator http://laravelacademy.org
  16. */
  17. public function __construct(UserRepository $users)
  18. {
  19. $this->users = $users;
  20. }
  21. }

方法注入

  1. namespace App\Http\Controllers;
  2. use Illuminate\Http\Request;
  3. use Illuminate\Routing\Controller;
  4. class UserController extends Controller
  5. {
  6. /**
  7. * 存储新用户
  8. *
  9. * @param Request $request
  10. * @return Response
  11. */
  12. public function store(Request $request)
  13. {
  14. $name = $request->input('name');
  15. //
  16. }
  17. //$app->put('user/{id}', 'UserController@update');
  18. //将路由参数放到其他依赖之后
  19. public function update(Request $request, $id)
  20. {
  21. //
  22. }
  23. }

HTTP 请求

http://laravelacademy.org/post/3396.html
http://lumen.laravel-china.org/docs/requests

  1. namespace App\Http\Controllers;
  2. use Illuminate\Http\Request;
  3. use Illuminate\Routing\Controller;
  4. class UserController extends Controller
  5. {
  6. /**
  7. * 存储新用户
  8. *
  9. * @param Request $request
  10. * @return Response
  11. */
  12. public function store(Request $request)
  13. {
  14. //获取用户输入的name
  15. $name=$request->input('name');
  16. //第二参数为默认值
  17. $name = $request->input('name', 'Sally');
  18. //表单输入使用点来访问数组;
  19. $input = $request->input('products.0.name');
  20. $names = $request->input('products.*.name');
  21. if ($request->has('name')) {
  22. //判断输入值是否出现
  23. }
  24. //获取所有输入数据
  25. $input = $request->all();
  26. //获取输入的部分数据
  27. $input = $request->only('username', 'password');
  28. $input = $request->except('credit_card');
  29. //获取请求url
  30. $uri=$request->path();
  31. if($request->is('admin/*')){
  32. // is方法允许你验证进入的请求是否与给定模式匹配。使用该方法时可以使用*通配符
  33. # ceshi
  34. }
  35. // 获取完整url
  36. //不带请求参数
  37. $url=$request->url();
  38. //带请求参数
  39. $url = $request->fullUrl();
  40. //获取请求方法
  41. $method=$request->method();
  42. if($request->isMethod('post')){
  43. //
  44. }
  45. //文件上传
  46. $file = $request->file('photo');
  47. if ($request->hasFile('photo')) {
  48. //判断文件在请求中是否存在
  49. }
  50. if ($request->file('photo')->isValid()){
  51. //验证文件是否上传成功
  52. }
  53. //使用move方法将上传文件保存到新的路径,该方法将上传文件从临时目录(在PHP配置文件中配置)移动到指定新目录
  54. $request->file('photo')->move($destinationPath);
  55. $request->file('photo')->move($destinationPath, $fileName);
  56. }
  57. }

关于文件上传,更多可以查看: http://api.symfony.com/2.7/Symfony/Component/HttpFoundation/File/UploadedFile.html

PSR-7 请求

输入旧数据

http://lumen.laravel-china.org/docs/requests#old-input

Lumen 可以让你保留这次的输入数据,直到下一次请求发送前。例如,你可能需要在表单验证失败后重新填入表单值。

Cookies相关

http://lumen.laravel-china.org/docs/requests#cookies

HTTP 响应

http://laravelacademy.org/post/3399.html
http://lumen.laravel-china.org/docs/responses

  1. # 基本响应 返回一个字符串
  2. $app->get('/', function () {
  3. return 'Hello World';
  4. });
  5. # 响应对象
  6. use Illuminate\Http\Response;
  7. $app->get('home', function () {
  8. return (new Response($content, $status))
  9. ->header('Content-Type', $value);
  10. });
  11. // 可以使用辅助函数response:
  12. $app->get('home', function () {
  13. return response($content, $status)
  14. ->header('Content-Type', $value);
  15. });

完整的Response方法列表:
- https://laravel.com/api/master/Illuminate/Http/Response.html
- http://api.symfony.com/2.7/Symfony/Component/HttpFoundation/Response.html

  1. // 添加响应头到响应
  2. return response($content)
  3. ->header('Content-Type', $type)
  4. ->header('X-Header-One', 'Header Value')
  5. ->header('X-Header-Two', 'Header Value');
  6. // 或者
  7. return response($content)
  8. ->withHeaders([
  9. 'Content-Type' => $type,
  10. 'X-Header-One' => 'Header Value',
  11. 'X-Header-Two' => 'Header Value',
  12. ]);
  13. // json
  14. return response()->json(['name' => 'Abigail', 'state' => 'CA']);
  15. // jsonp
  16. return response()->json(['name' => 'Abigail', 'state' => 'CA'])
  17. ->setCallback($request->input('callback'));
  18. // 文件下载
  19. return response()->download($pathToFile);
  20. return response()->download($pathToFile, $name, $headers);
  21. // 重定向
  22. $app->get('dashboard', function () {
  23. return redirect('home/dashboard');
  24. });
  25. // 重定向到命名路由
  26. return redirect()->route('login');
  27. // 如果路由中有参数,可以将其作为第二个参数传递到route方法
  28. return redirect()->route('profile', [1]);
  29. //如果要重定向到带ID参数的路由,并从Eloquent模型中取数据填充表单,可以传递模型本身,ID会被自动解析出来:
  30. return redirect()->route('profile', [$user]);

视图

http://lumen.laravel-china.org/docs/views

略,一般lumen框架用不到视图

中间件

http://lumen.laravel-china.org/docs/middleware
http://laravelacademy.org/post/3379.html

HTTP 中间件提供一个方便的机制来过滤进入应用程序的 HTTP 请求,例如,Lumen 默认包含了一个中间件来检验用户身份验证,如果用户没有经过身份验证,中间件会将用户导向登录页面,然而,如果用户通过身份验证,中间件将会允许这个请求进一步继续前进。

当然,除了身份验证之外,中间件也可以被用来执行各式各样的任务,CORS 中间件负责替所有即将离开程序的响应加入适当的响应头,一个日志中间件可以记录所有传入应用程序的请求。 Lumen 框架已经内置一些中间件,包括维护、身份验证、CSRF 保护,等等。所有的中间件都位于 app/Http/Middleware 目录内。

感觉有点类似YII框架中的行为;

  1. class OldMiddleware {
  2. // 在类里面增加handle方法
  3. public function handle($request, $next)
  4. {
  5. return $next($request);
  6. }
  7. // 若是年龄小于200 ,中间件将会返回 HTTP 重定向给客户端
  8. public function handle($request, Closure $next)
  9. {
  10. if ($request->input('age') < 200) {
  11. return redirect('home');
  12. }
  13. //请求将会进一步传递到应用程序。只需调用带有 $request 的 $next 方法,即可将请求传递到更深层的应用程序(允许跳过中间件)。
  14. return $next($request);
  15. }
  16. }

HTTP 请求在实际碰触到应用程序之前,最好是可以层层通过许多中间件,每一层都可以对请求进行检查,甚至是完全拒绝请求。

Before / After 中间件

  1. # 在请求前执行操作
  2. namespace App\Http\Middleware;
  3. class BeforeMiddleware implements Middleware {
  4. public function handle($request, Closure $next)
  5. {
  6. // Perform action
  7. return $next($request);
  8. }
  9. }
  10. # 在请求后执行操作
  11. namespace App\Http\Middleware;
  12. class AfterMiddleware implements Middleware {
  13. public function handle($request, Closure $next)
  14. {
  15. $response = $next($request);
  16. // Perform action
  17. return $response;
  18. }
  19. }

注册中间件

  1. # 全局中间件注册:只需要将相应中间件类放到bootstrap/app.php文件的$app->middleware()调用中即可:
  2. $app->middleware([
  3. App\Http\Middleware\OldMiddleware::class
  4. ]);
  5. # 分配中间件到指定路由,首先应该在bootstrap/app.php文件中分配给该中间件一个简写的key,默认情况下,$app->routeMiddleware()方法包含了Lumen自带的入口中间件,添加你自己的中间件只需要将其追加到后面并为其分配一个key:
  6. $app->routeMiddleware([
  7. // 分配一个key为old
  8. 'old' => 'App\Http\Middleware\OldMiddleware',
  9. ]);
  10. // 在路由选项数组中使用middleware键来指定中间件
  11. $app->get('admin/profile', ['middleware' => 'old', function () {
  12. //
  13. }]);
  14. // 为某个路由指定多个中间件
  15. $app->get('/', ['middleware' => ['first', 'second'], function () {
  16. //
  17. }]);

中间件参数

  1. namespace App\Http\Middleware;
  2. use Closure;
  3. class RoleMiddleware
  4. {
  5. /**
  6. * 运行请求过滤器
  7. *
  8. * @param \Illuminate\Http\Request $request
  9. * @param \Closure $next
  10. * @param string $role
  11. * @return mixed
  12. * translator http://laravelacademy.org
  13. */
  14. //controller前
  15. public function handle($request, Closure $next, $role)
  16. {
  17. if (! $request->user()->hasRole($role)) {
  18. // Redirect...
  19. }
  20. return $next($request);
  21. }
  22. //controller后;
  23. public function terminate($request, $response)
  24. {
  25. // 存储session数据...
  26. }
  27. }
  28. // 中间件参数可以在定义路由时通过:分隔中间件名和参数名来指定,多个中间件参数可以通过逗号分隔
  29. $app->put('post/{id}', ['middleware' => 'role:editor', function ($id) {
  30. //
  31. }]);

终止中间件

有时候中间件可能需要在HTTP响应发送到浏览器之后做一些工作。比如,Lumen自带的“session”中间件会在响应发送到浏览器之后将session数据写到存储器中,为了实现这个,定义一个“终结者”中间件并添加terminate方法到这个中间件:

  1. namespace Illuminate\Session\Middleware;
  2. use Closure;
  3. class StartSession
  4. {
  5. public function handle($request, Closure $next)
  6. {
  7. return $next($request);
  8. }
  9. // terminate方法将会接收请求和响应作为参数。一旦你定义了一个终结中间件,应该将其加入到 bootstrap/app.php 的全局中间件列表中。
  10. public function terminate($request, $response)
  11. {
  12. // 存储session数据...
  13. }
  14. }

在中间件上调用 terminate 方法时,Lumen 会从服务容器中解析一个该中间件的新实例,如果你想要在处理 handle 和 terminate 方法时使用同一个中间件实例,在容器中注册中间件时使用singleton方法即可。

服务提供者

服务提供者是所有Laravel应用启动的中心,是应用配置的中心.注册服务容器绑定、事件监听器、中间件甚至路由。

在lumen中再是bootstrap/app.php中注册服务提供者;

  1. <?php
  2. namespace App\Providers;
  3. use Riak\Connection;
  4. use Illuminate\Support\ServiceProvider;
  5. class RiakServiceProvider extends ServiceProvider{
  6. /**
  7. * 服务提供者加是否延迟加载.
  8. * 这个地方如果设置为true的话,还需要定义一个provides方法;
  9. */
  10. protected $defer = true;
  11. /**
  12. * 继承ServiceProvider,并且至少在服务提供者中定义一个方法:register。在register方法内,你唯一要做的事情就是绑事物到服务容器,不要尝试在其中注册任何时间监听器,路由或者任何其它功能。
  13. */
  14. public function register()
  15. {
  16. // 在服务容器中定义了一个Riak\Contracts\Connection的实现。这里的类可以写在任何地方但建议写在app下面建立对应的目录来存放
  17. $this->app->singleton('Riak\Contracts\Connection', function ($app) {
  18. return new Connection(config('riak'));
  19. });
  20. }
  21. // 在服务提供者中注册视图composer就要用到boot方法,还可以在boot方法中类型提示依赖,服务容器会自动注册你所需要的依赖 boot(Illuminate\Contracts\Routing\ResponseFactory $factory)
  22. public function boot()
  23. {
  24. view()->composer('view', function () {
  25. //
  26. });
  27. }
  28. // 使用 bind 方法注册一个绑定
  29. public function bindTest(){
  30. $this->app->bind('HelpSpot\API', function ($app) {
  31. return new HelpSpot\API($app['HttpClient']);
  32. });
  33. }
  34. //singleton 方法绑定一个只需要解析一次的类或接口到容器,
  35. public function singletonTest(){
  36. $this->app->singleton('FooBar', function ($app) {
  37. return new FooBar($app['SomethingElse']);
  38. });
  39. }
  40. //绑定一个已存在的实例;
  41. public function instanceTest(){
  42. $fooBar = new FooBar(new SomethingElse);
  43. $this->app->instance('FooBar', $fooBar);
  44. }
  45. /**
  46. * 获取由提供者提供的服务.
  47. *
  48. * @return array
  49. */
  50. public function provides()
  51. {
  52. return ['Riak\Contracts\Connection'];
  53. }
  54. }

服务容器

http://laravelacademy.org/post/2910.html

  1. # 绑定接口到实现
  2. /*
  3. App\Contracts\EventPusher是接口,通过该接口依赖注入App\Services\RedisEventPusher
  4. */
  5. $this->app->bind('App\Contracts\EventPusher', 'App\Services\RedisEventPusher');
  6. # 上下文绑定貌似只适合构造函数解析的情况
  7. $this->app->when('App\Handlers\Commands\CreateOrderHandler')
  8. ->needs('App\Contracts\EventPusher')
  9. ->give('App\Services\PubNubEventPusher');
  10. $this->app->when('App\Handlers\Commands\CreateOrderHandler')
  11. ->needs('App\Contracts\EventPusher')
  12. ->give(function () {
  13. // Resolve dependency...
  14. });
  15. # 绑定原始值
  16. $this->app->when('App\Handlers\Commands\CreateOrderHandler')
  17. ->needs('$maxOrderCount')
  18. ->give(10);
  19. # 标签
  20. $this->app->bind('SpeedReport', function () {
  21. //
  22. });
  23. $this->app->bind('MemoryReport', function () {
  24. //
  25. });
  26. $this->app->tag(['SpeedReport', 'MemoryReport'], 'reports');
  27. $this->app->bind('ReportAggregator', function ($app) {
  28. return new ReportAggregator($app->tagged('reports'));
  29. });
  30. # 解析
  31. $fooBar = $this->app->make('FooBar');
  32. $fooBar = $this->app['FooBar'];
  33. // 最常用的就是通过在类的构造函数中对依赖进行类型提示来从容器中解析对象,包括控制器、事件监听器、队列任务、中间件等都是通过这种方式。在实践中,这是大多数对象从容器中解析的方式。
  34. # 容器事件
  35. $this->app->resolving(function ($object, $app) {
  36. // 容器解析所有类型对象时调用
  37. });
  38. $this->app->resolving(function (FooBar $fooBar, $app) {
  39. // 容器解析“FooBar”对象时调用
  40. });

事件

注册事件/监听器

  1. // 通过服务提供者EventServiceProvider的$listen数组
  2. protected $listen = [
  3. 'App\Events\PodcastWasPurchased' => [
  4. 'App\Listeners\EmailPurchaseConfirmation',
  5. ],
  6. // 事件 => 对应的事件监听器
  7. ];
  8. // 在业务逻辑中通过 Event 门面或者 Illuminate\Contracts\Events\Dispatcher 契约的具体实现类作为事件分发器手动注册事件
  9. public function boot(DispatcherContract $events)
  10. {
  11. parent::boot($events);
  12. $events->listen('event.name', function ($foo, $bar) {
  13. //
  14. });
  15. }
  16. // 可以使用通配符作为事件监听器,从而允许你通过同一个监听器捕获多个事件
  17. $events->listen('event.*', function (array $data) {
  18. //
  19. });

定义事件

  1. namespace App\Events;
  2. // 没有其他特定逻辑,仅仅存储一个逻辑对象,如果需要序列化的话,就使用的 SerializesModels trait
  3. public function __construct(Podcast $podcast)
  4. {
  5. $this->podcast = $podcast;
  6. }

定义事件监听器

  1. namespace App\Listeners;
  2. // 所有事件监听器通过服务容器解析,所以依赖会自动注入:
  3. public function __construct(Mailer $mailer){
  4. $this->mailer = $mailer;
  5. }
  6. // 在 handle 方法内,你可以执行任何需要的逻辑以响应事件。
  7. public function handle(PodcastWasPurchased $event)
  8. {
  9. // Access the podcast using $event->podcast...
  10. return false; //停止事件向下传播;
  11. }

事件监听器队列

  1. namespace App\Listeners;
  2. use App\Events\PodcastWasPurchased;
  3. use Illuminate\Queue\InteractsWithQueue;
  4. use Illuminate\Contracts\Queue\ShouldQueue;
  5. // 监听器类实现 ShouldQueue 接口既可放到队列;
  6. class EmailPurchaseConfirmation implements ShouldQueue{
  7. //
  8. }

手动访问队列

  1. namespace App\Listeners;
  2. use App\Events\PodcastWasPurchased;
  3. use Illuminate\Queue\InteractsWithQueue;
  4. use Illuminate\Contracts\Queue\ShouldQueue;
  5. class EmailPurchaseConfirmation implements ShouldQueue{
  6. use InteractsWithQueue;
  7. // Illuminate\Queue\InteractsWithQueue trait 提供了delete 和 release方法的访问权限
  8. public function handle(PodcastWasPurchased $event)
  9. {
  10. if (true) {
  11. $this->release(30);
  12. }
  13. }
  14. }

触发事件

  1. namespace App\Http\Controllers;
  2. # 使用辅助函数event或Event门面来触发事件
  3. event(new ExampleEvent);
  4. Event::fire(new ExampleEvent);

验证

laravelacademy.org/post/3279.html

重写验证提示

  1. # file: App\Http\Controllers\Controller
  2. protected static $responseBuilder = 'responseBuilder'; //指明通过该方法来输出验证提示;
  3. // 通过自己的validate来返回验证信息
  4. protected function validate(Request $request , array $rules , array $messages = [] , array $customAttributes = []){
  5. $validator = Validator::make($request->all(), $rules,$messages);
  6. if ($validator->fails()) {
  7. $errors = $validator->errors()->getMessages();
  8. $errors = current(current($errors));
  9. $this->returnData($errors);
  10. }
  11. }

使用验证

  1. $this->validate($request, [
  2. // 分配bail规则以后,如果title属性上的required规则验证失败,则不会检查unique规则
  3. 'title' => 'bail|required|unique:posts|max:255',
  4. 'body' => 'required',
  5. // 嵌套内容可以通过.来访问
  6. 'author.name' => 'required',
  7. // 验证给定person数组输入中每个email是否是唯一的
  8. 'person.*.email' => 'email|unique:users'
  9. ]
  10. );
  11. // 验证钩子之后
  12. $validator = Validator::make(...);
  13. $validator->after(function($validator) {
  14. if ($this->somethingElseIsInvalid()) {
  15. // errors()获取Illuminate\Support\MessageBag
  16. $validator->errors()->add('field', 'Something is wrong with this field!');
  17. }
  18. });

在laravel中的视图有一个error变量来保存这些信息,该变量是保存在session中,是一个Illuminate\Support\MessageBag对象实例,该错误的格式可以自定义

处理错误信息

  1. $messages = $validator->errors();
  2. // 第一条错误信息
  3. $messages->first();
  4. // 关于email的第一条错误信息
  5. $messages->first('email');
  6. // 关于email的所有错误信息
  7. $messages->get('email');
  8. // 获取所有字段的所有错误信息
  9. $messages->all()
  10. // 判断消息中是否存在某字段的错误信息
  11. $messages->has('email')
  12. // 获取指定格式的错误信息
  13. $messages->first('email', '<p>:message</p>');
  14. $messages->all('<li>:message</li>');
  15. // 自定义错误信息,手动传入;
  16. $messages = [
  17. 'required' => 'The :attribute field is required.',
  18. ];
  19. // 除:attribute占位符外还可以在验证消息中使用其他占位符
  20. $messages = [
  21. 'same' => 'The :attribute and :other must match.',
  22. 'size' => 'The :attribute must be exactly :size.',
  23. 'between' => 'The :attribute must be between :min - :max.',
  24. 'in' => 'The :attribute must be one of the following types: :values',
  25. ];
  26. // 为特定字段指定自定义错误信息,可以通过”.”来实现,首先指定属性名,然后是规则
  27. $messages = [
  28. 'email.required' => 'We need to know your e-mail address!',
  29. ];
  30. $validator = Validator::make($input, $rules, $messages);
  31. // 定义语言包resources/lang/xx/validation.php语言文件的custom数组,然后进行配置;
  32. 'locale' => env('APP_LOCALE', 'zh_cn'),

实现多语言支持: http://laravelacademy.org/post/1947.html

常用的

添加新批注
在作者公开此批注前,只有你和作者可见。
回复批注