我在 symfony/console -- "Option does not exits" 上遇到错误。即使没有设置,我如何允许任何选项?
I got an error on symfony/console -- "Option does not exits". How can I allow any options even without setting it out?
是否可以在 symfony/console 中允许所有选项或参数,即使它没有在配置中设置?
你看,基于下面的例子。它有->addArgument()
和->addOption()
,分别设置name
和yell
参数和选项。
http://symfony.com/doc/current/components/console/introduction.html
class GreetCommand extends Command
{
protected function configure()
{
$this
->setName('demo:greet')
->setDescription('Greet someone')
->addArgument(
'name',
InputArgument::OPTIONAL,
'Who do you want to greet?'
)
->addOption(
'yell',
null,
InputOption::VALUE_NONE,
'If set, the task will yell in uppercase letters'
)
;
}
protected function execute(InputInterface $input, OutputInterface $output)
{
$name = $input->getArgument('name');
if ($name) {
$text = 'Hello '.$name;
} else {
$text = 'Hello';
}
if ($input->getOption('yell')) {
$text = strtoupper($text);
}
$output->writeln($text);
}
}
是否可以在不设置参数和选项的情况下运行以下命令?
$ php application.php demo:greet Fabien John Doe --yell --greet --poke
好吧,如果不重构基础 Command
class 你就不能,并且有充分的理由 - 所有选项都应该由系统验证并接受。以远程 CRON 任务为例。
不过,你可以这样写:
->addOption(
'parameters',
InputOption::IS_ARRAY,
'Enter parameters'
);
这样您就可以将单个参数视为一个数组,并通过访问它自行承担验证责任:
if ($names = $input->getOption('parameters')) {
$text .= ' '.implode(', ', $parameters);
}
更多信息here。
干杯!
是否可以在 symfony/console 中允许所有选项或参数,即使它没有在配置中设置?
你看,基于下面的例子。它有->addArgument()
和->addOption()
,分别设置name
和yell
参数和选项。
http://symfony.com/doc/current/components/console/introduction.html
class GreetCommand extends Command
{
protected function configure()
{
$this
->setName('demo:greet')
->setDescription('Greet someone')
->addArgument(
'name',
InputArgument::OPTIONAL,
'Who do you want to greet?'
)
->addOption(
'yell',
null,
InputOption::VALUE_NONE,
'If set, the task will yell in uppercase letters'
)
;
}
protected function execute(InputInterface $input, OutputInterface $output)
{
$name = $input->getArgument('name');
if ($name) {
$text = 'Hello '.$name;
} else {
$text = 'Hello';
}
if ($input->getOption('yell')) {
$text = strtoupper($text);
}
$output->writeln($text);
}
}
是否可以在不设置参数和选项的情况下运行以下命令?
$ php application.php demo:greet Fabien John Doe --yell --greet --poke
好吧,如果不重构基础 Command
class 你就不能,并且有充分的理由 - 所有选项都应该由系统验证并接受。以远程 CRON 任务为例。
不过,你可以这样写:
->addOption(
'parameters',
InputOption::IS_ARRAY,
'Enter parameters'
);
这样您就可以将单个参数视为一个数组,并通过访问它自行承担验证责任:
if ($names = $input->getOption('parameters')) {
$text .= ' '.implode(', ', $parameters);
}
更多信息here。
干杯!