如何在包中安排 Artisan 命令?

How to schedule Artisan commands in a package?

我有一个包含 Artisan 命令的包。我已经通过我的服务提供商向 Artisan 注册了这些命令,如下所示:

/**
 * Register the application services.
 *
 * @return void
 */
public function register()
{
    // Register Amazon Artisan commands
    $this->commands([
        'App\Marketplace\Amazon\Console\PostProductData',
        'App\Marketplace\Amazon\Console\PostProductImages',
        'App\Marketplace\Amazon\Console\PostProductInventory',
        'App\Marketplace\Amazon\Console\PostProductPricing',
    ]);
}

但是,这些命令需要安排为每天 运行。

我知道在 app/Console/Kernel.php 中有 schedule() 方法,您可以在其中注册命令及其频率,但如何才能我改为在包裹的服务提供商中安排命令?

经过大量调试和通读 Laravel 的源代码才弄明白这一点,但事实证明它非常简单。诀窍是等到应用程序启动后才安排命令,因为那是 Laravel 定义 Schedule 实例然后在内部安排命令的时间。希望这可以为某人节省几个小时的痛苦调试!

use Illuminate\Support\ServiceProvider;
use Illuminate\Console\Scheduling\Schedule;

class ScheduleServiceProvider extends ServiceProvider
{
    public function boot()
    {
        $this->app->booted(function () {
            $schedule = $this->app->make(Schedule::class);
            $schedule->command('some:command')->everyMinute();
        });
    }

    public function register()
    {
    }
}

在Laravel 6.10及以上:

use Illuminate\Support\ServiceProvider;
use Illuminate\Console\Scheduling\Schedule;

class ScheduleServiceProvider extends ServiceProvider
{
    public function boot()
    {
        $this->callAfterResolving(Schedule::class, function (Schedule $schedule) {
            $schedule->command('some:command')->everyMinute();
        });
    }

    public function register()
    {
    }
}