15

画像操作に関する PHP+GD について Web 上でいくつか見つけましたが、探しているものは何も得られないようです。

誰かに任意のサイズの画像をアップロードしてもらいます。私が作成したスクリプトは、アスペクト比を維持しながら、画像のサイズを幅 200 ピクセル、高さ 200 ピクセル以下に変更します。したがって、最終的な画像は、たとえば 150px x 200px になります。私がやりたいことは、画像をさらに操作し、画像の周りにマットを追加して、元の画像に影響を与えずに 200px x 200px にパディングすることです。例えば:

パディングなしの画像 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 を貼り付けるだけです。まったく新しい画像を作成して 2 つをマージする必要がありますか、または既に作成した画像をパディングする方法はありますか ( $newImage)? 事前に感謝します。私が見つけたすべてのチュートリアルはどこにも行きませんでした.SOで見つけた唯一の該当するものはアンドロイド用でした:(

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 に答える