使用PHP開發應用程序,尤其是網站程序,常常需要產生隨機密碼,如用戶註冊產生隨機密碼,用戶重置密碼也需要產生一個隨機的密碼。隨機密碼也就是一串固定長度的字串,這裡我收集整理了幾種產生隨機字串的方法,以供大家參考。
在33 – 126 中產生一個隨機整數,如35,
將35 轉換成對應的ASCII碼字符,如35 對應
#重複以上1、2 步驟n 次,連接成n 位元的密碼
mt_rand ( int $min , int $max )函數用於產生隨機整數,其中
$min – $max為ASCII 碼的範圍,這裡取33 -126 ,可以根據需要調整範圍,如ASCII碼表中
97 —— 122 位元對應
a – z,
65 — — 90 對應
A —— Z的英文字母,具體可參考ASCII 碼表。
<?php function create_password($pw_length = 8) { $randpwd = ''; for ($i = 0; $i < $pw_length; $i++) { $randpwd .= chr(mt_rand(33, 126)); } return $randpwd; }// 调用该函数,传递长度参数 $pw_length = 6echo create_password(6);方法二
$chars ,包括
a – z,A – Z,0 – 9,以及一些特殊字元
$chars 字串中隨機取一個字元
<?php function generate_password( $length = 8 ) { // 密码字符集,可任意添加你需要的字符 $chars = 'abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789!@#$%^&*()-_[]{}<>~`+=,.;:/?|'; $password = ''; for ( $i = 0; $i < $length; $i++ ) { // 这里提供两种字符获取方式 // 第一种是使用 substr 截取$chars中的任意一位字符; // 第二种是取字符数组 $chars 的任意元素 // $password .= substr($chars, mt_rand(0, strlen($chars) - 1), 1); $password .= $chars[ mt_rand(0, strlen($chars) - 1) ]; } return $password; } echo generate_password(6);
,包括a – z,A – Z,0 – 9
,以及一些特殊字元
從陣列$chars
中隨機選取$length
個元素
,從陣列$chars
取出字元拼接字串。此方法的缺點是相同的字元不會重複取。
<?php function make_password( $length = 8 ) { // 密码字符集,可任意添加你需要的字符 $chars = array('a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l','m', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y','z', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L','M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y','Z', '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '!', '@','#', '$', '%', '^', '&', '*', '(', ')', '-', '_', '[', ']', '{', '}', '<', '>', '~', '`', '+', '=', ',', '.', ';', ':', '/', '?', '|'); // 在 $chars 中随机取 $length 个数组元素键名 $keys = array_rand($chars, $length); $password = ''; for($i = 0; $i < $length; $i++) { // 将 $length 个数组元素连接成字符串 $password .= $chars[$keys[$i]]; } return $password; } echo make_password(6);
<?php function get_password( $length = 8 ) { $str = substr(md5(time()), 0, $length); return $str; } echo get_password(6);
<?php function random_pass( $length = 8 ){ $password = ''; $chars = 'abcdefghijkmnpqrstuvwxyz23456789ABCDEFGHIJKMNPQRSTUVWXYZ'; //去掉1跟字母l防混淆 if ($length > strlen($chars)) {//位数过长重复字符串一定次数 $chars = str_repeat($chars, ceil($length / strlen($chars))); } $chars = str_shuffle($chars); $password = substr($chars, 0, $length); return $password; } echo random_pass(6);
以上是php中產生隨機密碼的幾種簡單方法的詳細內容。更多資訊請關注PHP中文網其他相關文章!