抱歉,如果这是一个愚蠢的问题,因为很多 Laravel 4 对我来说都是新的。我正在尝试覆盖核心密码功能中的几个方法,因为我想定义自己的密码验证规则(在发布时硬编码到核心中),并更改错误报告的方法($errors 数组用于其他形式,而不是基于会话的)。
所以我的方法是在 /app/lib/MyProject/User 中创建一个名为 Password.php 的新类,如下所示:
<?php namespace MyProject\User;
use Closure;
use Illuminate\Mail\Mailer;
use Illuminate\Routing\Redirector;
use Illuminate\Auth\UserProviderInterface;
class Password extends \Illuminate\Support\Facades\Password
{
/**
* Reset the password for the given token.
*
* @param array $credentials
* @param Closure $callback
* @return mixed
*/
public function reset(array $credentials, Closure $callback)
{
// If the responses from the validate method is not a user instance, we will
// assume that it is a redirect and simply return it from this method and
// the user is properly redirected having an error message on the post.
$user = $this->validateReset($credentials);
if ( ! $user instanceof RemindableInterface)
{
return $user;
}
$pass = $this->getPassword();
// Once we have called this callback, we will remove this token row from the
// table and return the response from this callback so the user gets sent
// to the destination given by the developers from the callback return.
$response = call_user_func($callback, $user, $pass);
$this->reminders->delete($this->getToken());
return $response;
}
}
我从 /vendor/laravel/framework/src/Illuminate/Auth/Reminders/PasswordBroker.php 复制了重置方法,这似乎是核心密码门面解析的地方。
然后在我的 composer.json 文件中,我将以下内容添加到 autoload:classmap 数组中:
"app/lib/MyProject/User"
最后,在我的 /app/config/app.php 文件中,我修改了密码别名:
'Password' => 'MyProject\User\Password',
好的。在我的 routes.php 文件中,我有以下几乎直接取自文档的内容:
Route::post('password/reset/{token}', function()
{
$credentials = array('email' => Input::get('email'));
return Password::reset($credentials, function($user, $password)
{
$user->password = Hash::make($password);
$user->save();
return 'saved - login';
});
});
当此 reset() 方法运行时,我收到以下错误:
不应静态调用非静态方法 MyProject\User\Password::reset()
我正在扩展的类中的 reset() 方法不是静态的,这让我很惊讶,但是将我的 reset 方法设置为 static 可以清除该错误。接下来,我收到以下错误:
不在对象上下文中时使用 $this
尝试运行 $this->validateReset($credentials) 时会出现这种情况。
我现在完全超出了我的深度。我是以正确的方式去做这件事还是完全偏离了正确的道路?
感谢您的任何建议