laravel通过创建自定义artisan make命令来新建类文件详解
前言
本文主要跟大家介绍的是关于laravel通过创建自定义artisan make命令来新建类文件的相关内容,分享出来供大家参考学习,下面话不多说了,来一起看看详细的介绍吧。
我们在laravel开发时经常用到artisan make:controller
等命令来新建controller、model、job、event等类文件。 在laravel5.2中artisan make
命令支持创建如下文件:
make:auth scaffold basic login and registration views and routes make:console create a new artisan command make:controller create a new controller class make:event create a new event class make:job create a new job class make:listener create a new event listener class make:middleware create a new middleware class make:migration create a new migration file make:model create a new eloquent model class make:policy create a new policy class make:provider create a new service provider class make:request create a new form request class make:seeder create a new seeder class make:test create a new test class
不过,有时候默认的并不能够满足我们的需求, 比方我们在项目中使用的respository模式来进一步封装了model文件,就需要经常创建repository类文件了,时间长了就会想能不能通过artisan make:repository
命令自动创建类文件而不是都每次手动创建。
系统自带的artisan make
命令对应的php程序放在illuminate\foundation\console目录下,我们参照illuminate\foundation\console\providermakecommand类来定义自己的artisan make:repository
命令。
一、创建命令类
在app\console\commands文件夹下创建repositorymakecommand.php文件,具体程序如下:
namespace app\console\commands; use illuminate\console\generatorcommand; class repositorymakecommand extends generatorcommand { /** * the console command name. * * @var string */ protected $name = 'make:repository'; /** * the console command description. * * @var string */ protected $description = 'create a new repository class'; /** * the type of class being generated. * * @var string */ protected $type = 'repository'; /** * get the stub file for the generator. * * @return string */ protected function getstub() { return __dir__.'/stubs/repository.stub'; } /** * get the default namespace for the class. * * @param string $rootnamespace * @return string */ protected function getdefaultnamespace($rootnamespace) { return $rootnamespace.'\repositories'; } }
二、创建命令类对应的模版文件
在app\console\commands\stubs下创建模版文件 .stub文件是make命令生成的类文件的模版,用来定义要生成的类文件的通用部分创建repository.stub模版文件:
namespace dummynamespace; use app\repositories\baserepository; class dummyclass extends baserepository { /** * specify model class name * * @return string */ public function model() { //set model name in here, this is necessary! } }
三、注册命令类
将repositorymakecommand添加到app\console\kernel.php中
protected $commands = [ commands\repositorymakecommand::class ];
测试命令
好了, 现在就可以通过make:repository
命令来创建repository类文件了
php artisan make:repository testrepository php artisan make:repository subdirectory/testrepository
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流,谢谢大家对的支持。