我有一个包含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()
方法,您可以在其中注册命令及其频率,但我如何在我的包的服务提供商中安排命令?
答案 0 :(得分:34)
通过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()
{
}
}
答案 1 :(得分:5)
在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()
{
}
}