15

我在网上找到了一些关于图像处理的 PHP+GD 的东西,但似乎没有一个能给我我想要的东西。

我有人上传了任何尺寸的图像,我编写的脚本将图像的大小调整为不超过 200px 宽 x 200px 高,同时保持纵横比。例如,最终图像可能是 150 像素 x 200 像素。然后我想要做的是进一步操作图像并在图像周围添加一个垫子,将其填充到 200 像素 x 200 像素,同时不影响原始图像。例如:

无填充图像 143x200

填充图像 200x200

我必须调整图像大小的代码在这里,我尝试了一些东西,但在实现添加填充的辅助过程时肯定存在问题。

list($imagewidth, $imageheight, $imageType) = getimagesize($image);
$imageType = image_type_to_mime_type($imageType);
$newImageWidth = ceil($width * $scale);
$newImageHeight = ceil($height * $scale);
$newImage = imagecreatetruecolor($newImageWidth,$newImageHeight);
switch($imageType) {
    case "image/gif":
        $source=imagecreatefromgif($image); 
        break;
    case "image/pjpeg":
    case "image/jpeg":
    case "image/jpg":
        $source=imagecreatefromjpeg($image); 
        break;
    case "image/png":
    case "image/x-png":
        $source=imagecreatefrompng($image); 
        break;
}
imagecopyresampled($newImage,$source,0,0,0,0,$newImageWidth,$newImageHeight,$width,$height);
imagejpeg($newImage,$image,80);
chmod($image, 0777);

我想我需要在通话imagecopy()后立即使用。imagecopyresampled()这样图像已经是我想要的大小了,我只需要创建一个正好 200 x 200 的图像并将 $newImage 粘贴到它的中心(垂直和水平)。我是否需要创建一个全新的图像并将两者合并,或者有没有办法只填充我已经创建的图像($newImage)?在此先感谢,我发现的所有教程都让我无处可去,而我在 SO 上找到的唯一适用的教程是 android :(

4

1 回答 1

19
  1. 打开原图
  2. 创建一个新的空白图像。
  3. 用您想要的背景颜色填充新图像
  4. 使用 ImageCopyResampled 将原始图像调整大小并复制到新图像的中心
  5. 保存新图像

除了你的 switch 语句,你还可以使用

$img = imagecreatefromstring( file_get_contents ("path/to/image") );

这将自动检测图像类型(如果您的安装支持该图像类型)

更新了代码示例

$orig_filename = 'c:\temp\380x253.jpg';
$new_filename = 'c:\temp\test.jpg';

list($orig_w, $orig_h) = getimagesize($orig_filename);

$orig_img = imagecreatefromstring(file_get_contents($orig_filename));

$output_w = 200;
$output_h = 200;

// determine scale based on the longest edge
if ($orig_h > $orig_w) {
    $scale = $output_h/$orig_h;
} else {
    $scale = $output_w/$orig_w;
}

    // calc new image dimensions
$new_w =  $orig_w * $scale;
$new_h =  $orig_h * $scale;

echo "Scale: $scale<br />";
echo "New W: $new_w<br />";
echo "New H: $new_h<br />";

// determine offset coords so that new image is centered
$offset_x = ($output_w - $new_w) / 2;
$offset_y = ($output_h - $new_h) / 2;

    // create new image and fill with background colour
$new_img = imagecreatetruecolor($output_w, $output_h);
$bgcolor = imagecolorallocate($new_img, 255, 0, 0); // red
imagefill($new_img, 0, 0, $bgcolor); // fill background colour

    // copy and resize original image into center of new image
imagecopyresampled($new_img, $orig_img, $offset_x, $offset_y, 0, 0, $new_w, $new_h, $orig_w, $orig_h);

    //save it
imagejpeg($new_img, $new_filename, 80);
于 2012-05-15T00:19:32.180 回答