Laravel/PHP: 传递给闭包函数的参数数量是否有限制
Laravel/PHP: is there a limit on number of arguments passed to closure function
当我试图覆盖默认密码重置功能时,我 运行 遇到了一些奇怪的关闭问题。
$response = $this->broker()->reset(
// the 3rd variable $pwAge has to be passed via use()
$this->credentials($request), function ($user, $password) use($pwAge) {
$this->resetPassword($user, $password, $pwAge);
}
);
第三个变量 $pwAge 必须通过
传递给闭包
use($pwAge)
如果像这样与前两个参数一起传递:
$response = $this->broker()->reset(
$this->credentials($request), function ($user, $password, $pwAge) {
$this->resetPassword($user, $password, $pwAge);
}
);
调用此函数时会出现以下错误:
Symfony\Component\Debug\Exception\FatalThrowableError
Too few arguments to function App\Http\Controllers\Auth\ResetPasswordController::App\Http\Controllers\Auth\{closure}(), 2 passed in vendor\laravel\framework\src\Illuminate\Auth\Passwords\PasswordBroker.php on line 96 and exactly 3 expected
我在这里错过了什么?请指教,谢谢
闭包中参数数量的限制受调用函数时提供的参数数量限制。
调用该函数的任何东西(在本例中为 PasswordBroker.php
)提供 $user
和 $password
;它不知道 $pwAge
变量,当然也不知道应该将它传递给函数。
您可以通过使用 use ($pwAge)
.
将变量添加到闭包范围来使用该变量
考虑以下伪代码示例:
function doSomething($cb) {
$result = doSomeStuff();
cb($result);
}
doSomething(function ($result) {
doSomethingElse($result);
});
对我来说,实际看到闭包在其他地方被调用帮助我理解我无法控制传递给闭包的参数。它完全依赖于调用它的代码。
所以如果闭包需要额外的“参数”,你只需要将它们放在范围内:
doSomething(function ($result) use ($importantData) {
doSomethingElse($result, $importantData);
});
当我试图覆盖默认密码重置功能时,我 运行 遇到了一些奇怪的关闭问题。
$response = $this->broker()->reset(
// the 3rd variable $pwAge has to be passed via use()
$this->credentials($request), function ($user, $password) use($pwAge) {
$this->resetPassword($user, $password, $pwAge);
}
);
第三个变量 $pwAge 必须通过
传递给闭包use($pwAge)
如果像这样与前两个参数一起传递:
$response = $this->broker()->reset(
$this->credentials($request), function ($user, $password, $pwAge) {
$this->resetPassword($user, $password, $pwAge);
}
);
调用此函数时会出现以下错误:
Symfony\Component\Debug\Exception\FatalThrowableError
Too few arguments to function App\Http\Controllers\Auth\ResetPasswordController::App\Http\Controllers\Auth\{closure}(), 2 passed in vendor\laravel\framework\src\Illuminate\Auth\Passwords\PasswordBroker.php on line 96 and exactly 3 expected
我在这里错过了什么?请指教,谢谢
闭包中参数数量的限制受调用函数时提供的参数数量限制。
调用该函数的任何东西(在本例中为 PasswordBroker.php
)提供 $user
和 $password
;它不知道 $pwAge
变量,当然也不知道应该将它传递给函数。
您可以通过使用 use ($pwAge)
.
考虑以下伪代码示例:
function doSomething($cb) {
$result = doSomeStuff();
cb($result);
}
doSomething(function ($result) {
doSomethingElse($result);
});
对我来说,实际看到闭包在其他地方被调用帮助我理解我无法控制传递给闭包的参数。它完全依赖于调用它的代码。
所以如果闭包需要额外的“参数”,你只需要将它们放在范围内:
doSomething(function ($result) use ($importantData) {
doSomethingElse($result, $importantData);
});