PHP如何生成驗證碼
阿新 • • 發佈:2018-12-31
生成驗證碼的原理很簡單,一個字’畫’.沒錯,驗證碼我們要畫的有背景,數字或字母。
效果如圖:
步驟如下:
1.獲取隨機驗證碼
用getCode函式(自定義),它會返回一個字串.
2.建立一個影象資源、分配顏色
$m = imagecreatetruecolor($width,$height);
imagecolorallocate,這個其實就是獲取一種顏色
3.開始繪畫
1).在image影象左上角處開始區域填充背景顏色
imagefill($m,0,0,$bg);
2).新增一個有顏色的矩形框
imagerectangle
3).新增干擾點和干擾線
4).把獲取到的驗證碼字串畫上影象上去
4.輸出影象
1).直接輸出到瀏覽器
//注意此函式執行前不能有輸出,空格也不行
//如果沒有設定響應頭,則頁面會出現亂碼,而不是一張驗證碼的影象
header(“Content-type:image/png”); //設定響應頭資訊
imagepng($m);
2).輸出到檔案中
imagepng($m,'test.png');
5.銷燬影象
imagedestroy($m);
程式碼如下:
/**
* @param int $num 驗證碼的個數,預設為4
* @param int $type 驗證碼的型別,0:純數字,1:數字+小寫字母 2:數字+大小寫字母
* @param bool $outFile 驗證碼是否輸出到檔案中
* @return array 以陣列形式返回驗證碼和驗證碼圖片名字
*/
function drawIdentifyCode($num=4,$type=0,$outFile = true)
{
//繪製驗證碼
$code = getCode($num,$type);//獲取驗證碼
$width = $num*35;
$height = 40;
//1.建立一個畫影象資源、分配顏色
$m = imagecreatetruecolor($width,$height);
$c = array(imagecolorallocate($m,rand(0,255),rand(0,255),rand(0,255)),
imagecolorallocate($m ,rand(0,255),rand(0,255),rand(0,255)),
imagecolorallocate($m,rand(0,255),rand(0,255),rand(0,255)),
imagecolorallocate($m,rand(0,255),rand(0,255),rand(0,255)));
$bg = imagecolorallocate($m,220,220,220); //背景顏色
//2.開始繪畫
//在image影象左上角處開始區域填充
imagefill($m,0,0,$bg);
//新增一個有顏色的矩形框
imagerectangle($m,0,0,$width-1,39,$c[0]);
//新增干擾點
for($i=0;$i<400;$i++)
imagesetpixel($m,rand(0,$width),rand(0,30),$c[$i%4]);
//新增干擾線
for($i=0;$i<5;$i++)
imageline($m,rand(0,$width),rand(0,30),rand(0,$width),rand(0,30),$c[$i%4]);
//繪製驗證碼內容(一個一個字元繪製)
for($i=0;$i<$num;$i++)
imagettftext($m,28,rand(-50,50),15+(28*$i),30,$c[$i%4],"consola.ttf",$code[$i]);
//3.輸出影象
$fileName = null;
if(!$outFile)
{
//注意此函式執行前不能有輸出,空格也不行
//如果沒有設定響應頭,則頁面會出現亂碼,而不是一張驗證碼的影象
header("Content-type:image/png"); //設定響應頭資訊
imagepng($m);
}
else
{
$fileName = time().'.png';
imagepng($m,$fileName);
}
//4.銷燬圖片
imagedestroy($m);
return array($code,$fileName);
}
/**
* @function 隨機生成一個驗證碼的函式
* @param $m: 驗證碼的個數(預設為4)
* @param $type:驗證碼的型別:0:純數字,1:數字+小寫字母 2:數字+大小寫字母
* @return 返回字串形式的驗證碼
*/
function getCode($m=4,$type=0)
{
$str = "0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ";
$t = array(9,35,strlen($str)-1); //驗證碼型別
//隨機生成驗證碼所需內容
$c = "";
for($i=0;$i<$m;$i++)
$c.=$str[rand(0,$t[$type])];
return $c;
}