Artisan 命令行

[[toc]]

介绍

Artisan 是 Goravel 自带的命令行工具,该模块可以使用 facades.Artisan 进行操作。它提供了许多有用的命令,这些命令可以在构建应用时为你提供帮助。你可以通过命令查看所有可用的 Artisan 命令:

  1. go run . artisan list

每个命令都包含了「help」,它会显示和概述命令的可用参数及选项。只需要在命令前加上 help 即可查看命令帮助界面:

  1. go run . artisan help migrate

生成命令

使用 make:command 命令将在 app/console/commands 目录中创建一个新的命令。如果你的应用程序中不存在此目录,请不要担心,它将在你第一次运行 make:command 命令时自动创建:

  1. go run . artisan make:command SendEmails

命令结构

生成命令后,需要给该类的 signature 和 description 属性定义适当的值。执行命令时将调用handle方法。你可以将命令逻辑放在此方法中。

  1. package commands
  2. import (
  3. "github.com/goravel/framework/contracts/console"
  4. "github.com/goravel/framework/contracts/console/command"
  5. )
  6. type SendEmails struct {
  7. }
  8. //Signature The name and signature of the console command.
  9. func (receiver *SendEmails) Signature() string {
  10. return "emails"
  11. }
  12. //Description The console command description.
  13. func (receiver *SendEmails) Description() string {
  14. return "Send emails"
  15. }
  16. //Extend The console command extend.
  17. func (receiver *SendEmails) Extend() command.Extend {
  18. return command.Extend{}
  19. }
  20. //Handle Execute the console command.
  21. func (receiver *SendEmails) Handle(ctx console.Context) error {
  22. return nil
  23. }

定义输入

在编写控制台命令时,通常是通过参数和选项来收集用户输入的。 Goravel 让你可以非常方便的获取用户输入的内容。

参数

直接在命令后跟参数:

  1. go run . artisan send:emails NAME EMAIL

获取参数:

  1. func (receiver *ListCommand) Handle(ctx console.Context) error {
  2. name := ctx.Argument(0)
  3. email := ctx.Argument(1)
  4. all := ctx.Arguments()
  5. return nil
  6. }

选项

选项类似于参数,是用户输入的另一种形式。在命令行中指定选项的时候,它们以两个短横线 (–) 作为前缀。

定义:

  1. func (receiver *ListCommand) Extend() command.Extend {
  2. return command.Extend{
  3. Flags: []command.Flag{
  4. {
  5. Name: "lang",
  6. Value: "default",
  7. Aliases: []string{"l"},
  8. Usage: "language for the greeting",
  9. },
  10. },
  11. }
  12. }

获取:

  1. func (receiver *ListCommand) Handle(ctx console.Context) error {
  2. lang := ctx.Option("lang")
  3. return nil
  4. }

使用:

  1. go run . artisan emails --lang chinese
  2. go run . artisan emails -l chinese

注意:同时使用参数与选项时,选项要在参数之前定义,例如:

  1. // 正确
  2. go run . artisan emails --lang chinese name
  3. // 错误
  4. go run . artisan emails name --lang chinese name

分类

可以将一组命令设置为同一个分类,方便在 go run . artisan list 中查看:

  1. // Extend The console command extend.
  2. func (receiver *ConsoleMakeCommand) Extend() command.Extend {
  3. return command.Extend{
  4. Category: "make",
  5. }
  6. }

注册命令

你的所有命令都需要在 app\console\kernel.go 文件的 Commands 方法中注册。

  1. func (kernel Kernel) Commands() []console.Command {
  2. return []console.Command{
  3. &commands.SendEmails{},
  4. }
  5. }

以编程方式执行命令

有时你可能希望在 CLI 之外执行 Artisan 命令,可以使用 facades.Artisan 上的 Call 方法来完成此操作。

  1. facades.Route.GET("/", func(c *gin.Context) {
  2. facades.Artisan.Call("emails")
  3. facades.Artisan.Call("emails --lang chinese name") // 携带参数与选项
  4. })