在php中需要图像处理的地方GD库会发挥重要的作用,php可以创建并处理包括GIF,PNG,JPEG,WBMP以及XPM在内的多种图像格式,简单的举几个例子:
1、用GD库会创建一块空白图片,然后绘制一个简单的线条
1 $img=imagecreatetruecolor(100, 100); //创建空白图片 2 $red=imagecolorallocate($img, 0xFF, 0x00, 0x00); //创建画笔 3 imageline($img,0,0,100,100,$red); //绘制线条 4 //输出图像到页面 5 header("content-type: image/png"); 6 imagepng($img); 7 //释放图片资源 8 imagedestroy($img);
那么现在就在默认黑色的背景上画了一个红色的线段,坐标从(0,0)到(100,100)
效果就如下图:
2、绘制字符串
1 $img = imagecreatetruecolor(100, 100); 2 $red = imagecolorallocate($img, 0xFF, 0x00, 0x00); 3 //开始绘制字符串 4 imagestring($img,5,0,13,"zengzhiying",$red); 5 header("content-type: image/png"); 6 imagepng($img); 7 imagejpeg($img,'img.jpg',80); //输出图片到文件并设置压缩参数为80 8 imagedestroy($img);
代码第7行代码作用是将图片保存到文件,直接可以打开,也可以用imagepng()函数保存为PNG格式的图片
3、生成数字验证码
1 $img = imagecreatetruecolor(100, 40); 2 $black = imagecolorallocate($img, 0x00, 0x00, 0x00); 3 $green = imagecolorallocate($img, 0x00, 0xFF, 0x00); 4 $white = imagecolorallocate($img, 0xFF, 0xFF, 0xFF); 5 imagefill($img,0,0,$white); //绘制底色为白色 6 //绘制随机的验证码 7 $code = ''; 8 for($i = 0; $i < 4; $i++) { 9 $code .= rand(0, 9); 10 } 11 imagestring($img, 6, 13, 10, $code, $black); 12 //加入噪点干扰 13 for($i=0;$i<50;$i++) { 14 imagesetpixel($img, rand(0, 100) , rand(0, 100) , $black); 15 imagesetpixel($img, rand(0, 100) , rand(0, 100) , $green); 16 } 17 //输出验证码 18 header("content-type: image/png"); 19 imagepng($img); 20 imagedestroy($img);
这样就生成了4位随机数字验证码,并且有黑色和绿色两种颜色的点干扰,当然这是最简陋的一个验证码了,在这里只是演示大致过程,效果如下图:
4、给图片添加水印
1 $filename = 'tmp.jpg'; 2 $logofile='logo.png'; 3 $im = imagecreatefromjpeg($filename); 4 $logo = imagecreatefrompng($logofile); 5 $size = getimagesize($logofile); 6 imagecopy($im, $logo, 15, 15, 0, 0, $size[0], $size[1]); 7 header("content-type: image/jpeg"); 8 imagejpeg($im); 9 imagedestroy($im);
imagecopy()就是添加水印的函数,里面的参数可以自己调整,做出来更好的水印
以上就是GD库的简单应用了,也可以把代码做成一个函数来使用