P粉5556827182023-08-25 00:55:35
是的,您理解正確,函數password_hash()將自行產生鹽,並將其包含在產生的雜湊值中。將鹽儲存在資料庫中是絕對正確的,即使已知它也能完成其工作。
// Hash a new password for storing in the database. // The function automatically generates a cryptographically safe salt. $hashToStoreInDb = password_hash($_POST['password'], PASSWORD_DEFAULT); // Check if the hash of the entered login password, matches the stored hash. // The salt and the cost factor will be extracted from $existingHashFromDb. $isPasswordCorrect = password_verify($_POST['password'], $existingHashFromDb);
您提到的第二個鹽(儲存在檔案中的鹽)實際上是胡椒或伺服器端密鑰。如果你在散列之前添加它(就像鹽一樣),那麼你就添加了胡椒粉。不過,有一種更好的方法,您可以先計算雜湊值,然後使用伺服器端金鑰加密(雙向)雜湊值。這使您可以在必要時更改密鑰。
與鹽相反,這個密鑰應該保密。人們經常混淆它並試圖隱藏鹽,但最好讓鹽發揮作用並用密鑰添加秘密。
P粉3774120962023-08-25 00:34:19
建議使用password_hash
來儲存密碼。不要將它們分成資料庫和檔案。
假設我們有以下輸入:
$password = $_POST['password'];
您首先執行以下操作對密碼進行雜湊處理:
$hashed_password = password_hash($password, PASSWORD_DEFAULT);
然後查看輸出:
var_dump($hashed_password);
正如你所看到的,它是經過哈希處理的。 (我假設您執行了這些步驟)。
現在,您將此雜湊密碼儲存在資料庫中,確保您的密碼列足夠大以容納雜湊值(至少 60 個字元或更長)。當使用者要求登入時,您可以使用資料庫中的雜湊值檢查輸入的密碼,方法如下:
// Query the database for username and password // ... if(password_verify($password, $hashed_password)) { // If the password inputs matched the hashed password in the database // Do something, you know... log them in. } // Else, Redirect them back to the login page.