我已经使用此库正确实现了哈希的创建,只更改了成本值。现在我坚持实际验证用户。对于我当前的系统,我还必须检查用户是否已激活,然后还要启动会话。这就是我所拥有的:
<?php
require('core/init.php');
// Required field names
$required = array('username', 'password');
// Loop over field names, make sure each one exists and is not empty
$error = false;
foreach($required as $field) {
if (empty($_POST[$field])) {
$error = true;
}
}
//This is what will make the password
$form_password = $_POST['password'];
$hash = password_hash($form_password, PASSWORD_BCRYPT);
if ($error) {
echo "Please Check username and password field!";
}
else {
if (password_verify($form_password, $hash)) {
$member_username = $_POST['username'];
$query = $dbh->prepare("SELECT * FROM users WHERE username = :user");
$query->bindParam(':user', $member_username);
$query->execute();
$row = $query->fetch();
if($row['activated'] > 0){
$_SESSION["user_id"] = $row['user_id'];
header("location: login_success.php");
} else {
echo "Account not activated wait for system administrator!";
}
} else {
Echo "Wrong password or username please <a href='index.php'><bold>Retry!</bold></a>";
}
}
如果密码验证确实为真,我所做的就是运行查询。该查询然后获取激活的行以检查该值是否大于0,如果不是则则不激活用户。
然而我的错误是,无论我输入什么,我都会收到错误的密码或用户名,请重试!
我知道密码和用户不正确。我是第二次猜测自己是否正确实现了password_compat的验证部分。
任何帮助都会很棒。谢谢。
编辑:
dev-null-dweller在评论中回答了问题。
问题:我没有意识到我不能将库$ password和$ hash变量用作全局变量。所以要修复它我创建了变量,一切正常。谢谢!
答案 0 :(得分:3)
代码中未定义$password
和$hash
。对于$password
,您可以从$_POST
获取,但$hash
来自数据库,因此您必须在验证密码之前进行查询:
if ($error) {
echo "Please Check username and password field!";
} else {
$member_username = $_POST['username'];
$form_password = $_POST['password'];
$query = $dbh->prepare("SELECT * FROM users WHERE username = :user");
$query->bindParam(':user', $member_username);
$query->execute();
$row = $query->fetch();
if (!$row || !password_verify($form_password, $row['password'])) {
if ($row['activated'] > 0) {
$options = array(/* Your current hashing options */);
$algorithm = PASSWORD_BCRYPT;
if (password_needs_rehash($row['password'], $algorithm, $options)) {
$hash = password_hash($row['password'], $algorithm, $options);
/* Store new hash in db */
}
$_SESSION["user_id"] = $row['user_id'];
header("location: login_success.php");
} else {
echo "Account not activated wait for system administrator!";
}
} else {
Echo "Wrong password or username please <a href='index.php'><b>Retry!</b></a>";
}
}