search
HomePHP FrameworkLaravelHow to create custom Artisan console commands in Laravel 5.1 framework

For laravel beginners, they may not know much about laravel's custom Artisan console command. The following article will share with you an example of creating a custom Artisan console command in the laravel framework.

1. Getting Started

Laravel provides powerful console commands through Artisan to handle non-browser business logic. To view all Artisan commands in Laravel, you can run it in the project root directory:

php artisan list

The corresponding output is as follows (partial screenshot):

How to create custom Artisan console commands in Laravel 5.1 framework

Some of them are named We are already familiar with it, such as creating migration make:migration and executing migration migration, creating model make:model, creating controller make:controller, etc.

If you want to view the specific usage of a certain command, for example, if we want to view the specific usage of the Artisan command make:console, you can use the following command:

php artisan help make:console

The corresponding output is as follows:

How to create custom Artisan console commands in Laravel 5.1 framework

2. Create command

In addition to providing a rich set of console commands, Artisan also allows us to create our own through the make:console command Console commands. Above we have used the help command to check the usage of make:console. Now we will go down this path and find out: create the command and run it to get the various results we want.

First we create the simplest command to print Hello LaravelAcademy, using the Artisan command as follows:

php artisan make:console HelloLaravelAcademy --command=laravel:academy

where HelloLaravelAcademy is the command name, laravel:academy is the command executed by the console, similar to make: console.

After the execution is completed, a HelloLaravelAcademy.php file will be generated in the app/Console/Commands directory:

<?php
namespace App\Console\Commands;
use Illuminate\Console\Command;
class HelloLaravelAcademy extends Command
{
    /**
     * The name and signature of the console command.
     *
     * @var string
     */
    protected $signature = &#39;laravel:academy&#39;;
    /**
     * The console command description.
     *
     * @var string
     */
    protected $description = &#39;Command description.&#39;;
    /**
     * Create a new command instance.
     *
     * @return void
     */
    public function __construct()
    {
        parent::__construct();
    }
    /**
     * Execute the console command.
     *
     * @return mixed
     */
    public function handle()
    {
        //
    }
}

where $signature is the name of the command executed in the console, and $description is the command Description, the handle method is the method called when executing the command.

Next we simply write the handle method as follows:

public function handle()
{
    echo "Hello LaravelAcademy\n";
}

Okay, the simplest command has been written, how to execute it and print out "Hello LaravelAcademy" on the console Woolen cloth?

3. Run the command

Before running the command, you need to register it in the $commands attribute of App\Console\Kernel:

protected $commands = [
     ...  //其他命令类
     \App\Console\Commands\HelloLaravelAcademy::class
];

Connect After that, we can run the following Artisan command on the console:

php artisan laravel:academy

The terminal will print out:

Hello LaravelAcademy

Is it very simple?

4. More diverse input and output

Of course, the above is the simplest case, with no input and hard-coded output. In the actual environment, there are more complex requirements and more diverse inputs and outputs. Let’s discuss them one by one below.

Define input

As mentioned above, we can define input parameters and options by modifying the $signature attribute. For example, here we adjust the string after the above Hello to Controlled by input parameters, $signature can be modified as follows:

protected $signature = &#39;laravel:academy {name}&#39;;

This definition means that name is a required parameter. Of course, more custom parameter inputs are also supported:

{name?} //可选参数
{name=LaravelAcademy} //默认name值为LaravelAcademy

To enhance the robustness of the program property, we change the name to have a default value:

protected $signature = &#39;laravel:academy {name=LaravelAcademy}&#39;;

Sometimes we will also pass in some options when executing the command, such as whether to display punctuation marks (although it sounds tasteless, this is just for testing purposes ), then we can modify the $signature attribute as follows:

protected $signature = &#39;laravel:academy {name=LaravelAcademy} {--mark}&#39;;

If --mark is passed when calling the command, it means that the value is true, otherwise it is false. If the option value is set by the user when inputting, $ can be defined The signature is as follows:

protected $signature = &#39;laravel:academy {name=LaravelAcademy} {--mark=}&#39;;

In this way, the user can assign a value to the option through = when passing in the option. Of course, like the parameters, we can also specify a default value for the option:

protected $signature = &#39;laravel:academy {name=LaravelAcademy} {--mark=!}&#39;;

Obtaining input

After defining the input parameters and options, how to obtain their corresponding values? Laravel provides us with the corresponding methods.

You can obtain parameter values ​​through the argument method of Illuminate\Console\Command:

$name = $this->argument(&#39;name&#39;);

If the argument method is called without parameters, an array of all parameter values ​​will be returned.

You can obtain the option value through the option method of Illuminate\Console\Command:

$mark = $this->option(&#39;mark&#39;);

Similarly, calling the option method without parameters will return an array of all option values.

In this way we can modify the handle method of HelloLaravelAcademy as follows:

public function handle()
{
    $name = $this->argument(&#39;name&#39;);
    $mark = $this->option(&#39;mark&#39;);
    $string = 'Hello '.$name;
    if($mark)
        $string .= $mark;
    echo $string."\n";
}

In this way we enter the following Artisan command in the console:

php artisan laravel:academy

The corresponding output is:

Hello LaravelAcademy!

Run the following Artisan command again:

php artisan laravel:academy Laravel --mark=?

The corresponding output is:

Hello Laravel?

Input prompt

We can even let the user completely pass the console Enter name to get the input parameters. First modify the handle method as follows:

public function handle()
{
    $name = $this->ask(&#39;What do you want to say Hello?&#39;);
    echo "Hello ".$name."\n";
}

Then enter php artisan laravel:academy in the terminal. The interactive page is as follows:
How to create custom Artisan console commands in Laravel 5.1 framework

If you enter a password For a type of sensitive information, secret can be used instead of ask method.
Sometimes we will choose to continue or abort according to the user's wishes:

public function handle()
{
    if($this->confirm(&#39;Do you want to continue?[y|n]&#39;)){
        $this->info("Continue");
    }else{
        $this->error("Interrupt");
    }
}

The corresponding output is:

How to create custom Artisan console commands in Laravel 5.1 framework

除了让用户手动输入外,还可以使用anticipate方法实现自动完成功能:

public function handle()
{
    $name = $this->anticipate(&#39;What is your name?&#39;, [&#39;Laravel&#39;, &#39;Academy&#39;]);
    $this->info($name);
}

当然还可以使用choice方法为用户提供选择避免手动输入,用户只需选择对应索引即可:

public function handle()
{
    $name = $this->choice(&#39;What is your name?&#39;, [&#39;Laravel&#39;, &#39;Academy&#39;]);
    $this->info($name);
}

对应交互页面如下:

How to create custom Artisan console commands in Laravel 5.1 framework

编写输出

关于输出字符串,上面我们简单使用了echo语句,其实Laravel提供了更为强大和多样化的方法:

public function handle()
{
    $this->info("Successful!");
    $this->error("Something Error!");
    $this->question("What do you want to do?");
    $this->comment("Just Comment it!");
}

执行php artisan laravel:academy对应输出如下:

How to create custom Artisan console commands in Laravel 5.1 framework

表格

Artisan甚至可以输出表格:

public function handle()
{
    $headers = [&#39;Name&#39;, &#39;Email&#39;];
    $users = \App\User::all([&#39;name&#39;, &#39;email&#39;])->toArray();
    $this->table($headers, $users);
}

执行php artisan laravel:academy对应输出为:

How to create custom Artisan console commands in Laravel 5.1 framework

进度条

当然对于复杂耗时的命令,进度条是必不可少的,

public function handle()
{
    $this->output->progressStart(10);
    for ($i = 0; $i < 10; $i++) {
        sleep(1);
        $this->output->progressAdvance();
    }
    $this->output->progressFinish();
}

执行php artisan laravel:academy对应输出为:

How to create custom Artisan console commands in Laravel 5.1 framework

5、从CLI之外调用Artisan

除了在控制台执行Artisan命令之外,还可以通过代码在别处调用Artisan命令,比如其它Artisan命令、控制器、路由或其他。

路由

在路由闭包中我们可以通过Artisan门面的call方法来调用本节创建的命令:

//在路由中调用Artisan命令
Route::get(&#39;testArtisan&#39;,function(){
    $exitCode = Artisan::call(&#39;laravel:academy&#39;, [
        &#39;name&#39; => &#39;Laravel学院&#39;, &#39;--mark&#39; => &#39;!&#39;
    ]);
});

其它Artisan命令

在一个Artisan命令中也可以调用另一个Artisan命令,还是通过call方法:

public function handle()
{
    $this->call(&#39;inspire&#39;);
}

如果想要调用一个Artisan命令并阻止其所有输出,可以使用callSilent方法:

public function handle()
{
    $this->callSilent(&#39;inspire&#39;);
}

除此之外,关于Artisan命令你还应该知道的是我们可以在创建的命令类的控制器或方法中注入任何依赖。这就意味着我们可以在命令类中使用注册到服务容器的所有类。

相关推荐:

laravel框架的启动过程分析

Laravel框架内置的Broadcast功能如何实现与客户端实时通信

The above is the detailed content of How to create custom Artisan console commands in Laravel 5.1 framework. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Using Laravel: Streamlining Web Development with PHPUsing Laravel: Streamlining Web Development with PHPApr 19, 2025 am 12:18 AM

Laravel optimizes the web development process including: 1. Use the routing system to manage the URL structure; 2. Use the Blade template engine to simplify view development; 3. Handle time-consuming tasks through queues; 4. Use EloquentORM to simplify database operations; 5. Follow best practices to improve code quality and maintainability.

Laravel: An Introduction to the PHP Web FrameworkLaravel: An Introduction to the PHP Web FrameworkApr 19, 2025 am 12:15 AM

Laravel is a modern PHP framework that provides a powerful tool set, simplifies development processes and improves maintainability and scalability of code. 1) EloquentORM simplifies database operations; 2) Blade template engine makes front-end development intuitive; 3) Artisan command line tools improve development efficiency; 4) Performance optimization includes using EagerLoading, caching mechanism, following MVC architecture, queue processing and writing test cases.

Laravel: MVC Architecture and Best PracticesLaravel: MVC Architecture and Best PracticesApr 19, 2025 am 12:13 AM

Laravel's MVC architecture improves the structure and maintainability of the code through models, views, and controllers for separation of data logic, presentation and business processing. 1) The model processes data, 2) The view is responsible for display, 3) The controller processes user input and business logic. This architecture allows developers to focus on business logic and avoid falling into the quagmire of code.

Laravel: Key Features and Advantages ExplainedLaravel: Key Features and Advantages ExplainedApr 19, 2025 am 12:12 AM

Laravel is a PHP framework based on MVC architecture, with concise syntax, powerful command line tools, convenient data operation and flexible template engine. 1. Elegant syntax and easy-to-use API make development quick and easy to use. 2. Artisan command line tool simplifies code generation and database management. 3.EloquentORM makes data operation intuitive and simple. 4. The Blade template engine supports advanced view logic.

Building Backend with Laravel: A GuideBuilding Backend with Laravel: A GuideApr 19, 2025 am 12:02 AM

Laravel is suitable for building backend services because it provides elegant syntax, rich functionality and strong community support. 1) Laravel is based on the MVC architecture, simplifying the development process. 2) It contains EloquentORM, optimizes database operations. 3) Laravel's ecosystem provides tools such as Artisan, Blade and routing systems to improve development efficiency.

Laravel framework skills sharingLaravel framework skills sharingApr 18, 2025 pm 01:12 PM

In this era of continuous technological advancement, mastering advanced frameworks is crucial for modern programmers. This article will help you improve your development skills by sharing little-known techniques in the Laravel framework. Known for its elegant syntax and a wide range of features, this article will dig into its powerful features and provide practical tips and tricks to help you create efficient and maintainable web applications.

The difference between laravel and thinkphpThe difference between laravel and thinkphpApr 18, 2025 pm 01:09 PM

Laravel and ThinkPHP are both popular PHP frameworks and have their own advantages and disadvantages in development. This article will compare the two in depth, highlighting their architecture, features, and performance differences to help developers make informed choices based on their specific project needs.

Laravel user login function listLaravel user login function listApr 18, 2025 pm 01:06 PM

Building user login capabilities in Laravel is a crucial task and this article will provide a comprehensive overview covering every critical step from user registration to login verification. We will dive into the power of Laravel’s built-in verification capabilities and guide you through customizing and extending the login process to suit specific needs. By following these step-by-step instructions, you can create a secure and reliable login system that provides a seamless access experience for users of your Laravel application.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

EditPlus Chinese cracked version

EditPlus Chinese cracked version

Small size, syntax highlighting, does not support code prompt function

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools