如果我有某个功能,如:
public function test(Request $request, $param1, $param2)
然后用其他地方叫它:
$thing->test('abc','def')
PHPstorm给了我一条sgwiggly线,并说“缺少必需的参数$ param2”消息。
这种东西只能在控制器中使用,还是可以在其他地方使用?或者如果我运行它并且PHPstorm只是认为它没有它会工作吗?
http://laravel.com/docs/5.0/controllers#dependency-injection-and-controllers
答案 0 :(得分:0)
是的,您可以在任何地方使用方法注入,但您必须通过a Container
调用该方法。就像您使用\App::make()
通过容器解析类实例一样,您可以使用\App::call()
通过容器调用方法。
您可以检查Illuminate/Container/Container.php
中的函数以获取所有细节,但通常第一个参数是要调用的方法,第二个参数是要传递的参数数组。如果使用关联数组,则参数将按名称进行匹配,顺序无关紧要。如果使用索引数组,则可注入参数必须首先在方法定义中,并且参数数组将用于填充其余部分。以下示例。
鉴于以下课程:
class Thing {
public function testFirst(Request $request, $param1, $param2) {
return func_get_args();
}
public function testLast($param1, $param2, Request $request) {
return func_get_args();
}
}
您可以通过以下方式使用方法注入:
$thing = new Thing();
// or $thing = App::make('Thing'); if you want.
// ex. testFirst with indexed array:
// $request will be resolved through container;
// $param1 = 'value1' and $param2 = 'value2'
$argsFirst = App::call([$thing, 'testFirst'], ['value1', 'value2']);
// ex. testFirst with associative array:
// $request will be resolved through container;
// $param1 = 'value1' and $param2 = 'value2'
$argsFirst = App::call([$thing, 'testFirst'], ['param1' => 'value1', 'param2' => 'value2']);
// ex. testLast with associative array:
// $param1 = 'value1' and $param2 = 'value2'
// $request will be resolved through container;
$argsLast = App::call([$thing, 'testLast'], ['param1' => 'value1', 'param2' => 'value2']);
// ex. testLast with indexed array:
// this will throw an error as it expects the injectable parameters to be first.