当我尝试裁切图像的透明区域时,它会保持其原始大小,并且透明区域会变成黑色。

如果我运行此代码:

<?php
    // Create a 300x300px transparant image with a 100px wide red circle in the middle
    $i = imagecreatetruecolor(300, 300);
    imagealphablending($i, FALSE);
    imagesavealpha($i, TRUE);
    $transparant = imagecolorallocatealpha($i, 0xDD, 0xDD, 0xDD, 0x7F);
    imagefill($i, 0, 0, $transparant);
    $red = imagecolorallocate($i, 0xFF, 0x0, 0x0);
    imagefilledellipse($i, 150, 150, 100, 100, $red);
    imagepng($i, "red_300.png");

    // Crop away transparant parts and save
    $i2 = imagecropauto($i, IMG_CROP_TRANSPARENT);
    imagepng($i2, "red_crop_trans.png");
    imagedestroy($i2);

    // Crop away bg-color parts and save
    $i2 = imagecropauto($i, IMG_CROP_SIDES);
    imagepng($i2, "red_crop_sides.png");
    imagedestroy($i2);

    // clean up org image
    imagedestroy($i);

我最终得到一个red_crop_trans.png图像,它是一个300x300px黑色图像,其中带有100x100px红色圆圈。
还有red_crop_sides.png,它是一个带有黑色100x100px红色圆圈的100x100px黑色图像。

为什么未将red_crop_trans.png裁剪为100x100px?为什么两个图像的背景都是黑色的?以及如何在保持透明的同时裁剪它们?

最佳答案

我花了一段时间才弄清楚到底是怎么回事。原来$i2 = imagecropauto($i, IMG_CROP_TRANSPARENT);返回的是false而不是true。根据文档:



因此,我不是IMG_CROP_TRANSPARENT而是IMG_CROP_DEFAULT:



这给了我预期的结果。现在我自己没有任何黑色背景。但这是一个已知问题,因此很容易找到解决方案:
imagecolortransparent($i, $transparant); // Set background transparent
这将我带到最终完成的代码:

<?php
    // Create a 300x300px transparant image with a 100px wide red circle in the middle
    $i = imagecreatetruecolor(300, 300);
    imagealphablending($i, FALSE);
    imagesavealpha($i, TRUE);
    $transparant = imagecolorallocatealpha($i, 0xDD, 0xDD, 0xDD, 0x7F);
    imagecolortransparent($i, $transparant); // Set background transparent
    imagefill($i, 0, 0, $transparant);
    $red = imagecolorallocate($i, 0xFF, 0x0, 0x0);
    imagefilledellipse($i, 150, 150, 100, 100, $red);
    imagepng($i, "red_300.png");

    // Crop away transparant parts and save
    $i2 = imagecropauto($i, IMG_CROP_DEFAULT); //Attempts to use IMG_CROP_TRANSPARENT and if it fails it falls back to IMG_CROP_SIDES.
    imagepng($i2, "red_crop_trans.png");
    imagedestroy($i2);

    // Crop away bg-color parts and save
    $i2 = imagecropauto($i, IMG_CROP_SIDES);
    imagepng($i2, "red_crop_sides.png");
    imagedestroy($i2);

    // clean up org image
    imagedestroy($i);

?>

09-11 19:38