0

我希望能够允许用户上传图片。使用 GD 库,我将为画廊创建/存储三个不同尺寸的图像并显示产品。问题是为上传不同尺寸图像的人缩放尺寸。例如,一张 4000 x 3000 的图像将缩放到我想要的 240 x 180,但是我注意到有些用户的图片尺寸不同,无法缩放到此,例如 3008 x 2000 和 3837 x 2551。

有人可以指导我处理这些不同图像尺寸的最佳方法,以便它们可以缩放到通用尺寸。

4

2 回答 2

1

您必须设置最终尺寸,例如:300x300 像素

然后你将这两个因素除以原始尺寸,例如

factor1=300/4000 <- Width
factor2=300/3000 <- Heigth

现在您按较小的因子缩放图像。您现在应该有一个高度或宽度为 300 像素的图像。现在你切割所有大于最终尺寸的东西。完成的!

希望有帮助

于 2012-10-21T18:13:32.747 回答
0

我认为您正在寻找这样的功能:

function resizePreservingAspectRatio($img, $targetWidth, $targetHeight)
{
    $srcWidth = imagesx($img);
    $srcHeight = imagesy($img);

    // Determine new width / height preserving aspect ratio
    $srcRatio = $srcWidth / $srcHeight;
    $targetRatio = $targetWidth / $targetHeight;
    if (($srcWidth <= $targetWidth) && ($srcHeight <= $targetHeight))
    {
        $imgTargetWidth = $srcWidth;
        $imgTargetHeight = $srcHeight;
    }
    else if ($targetRatio > $srcRatio)
    {
        $imgTargetWidth = (int) ($targetHeight * $srcRatio);
        $imgTargetHeight = $targetHeight;
    }
    else
    {
        $imgTargetWidth = $targetWidth;
        $imgTargetHeight = (int) ($targetWidth / $srcRatio);
    }

    // Creating new image with desired size
    $targetImg = imagecreatetruecolor($targetWidth, $targetHeight);

    // Add transparency if your reduced image does not fit with the new size
    $targetTransparent = imagecolorallocate($targetImg, 255, 0, 255);
    imagefill($targetImg, 0, 0, $targetTransparent);
    imagecolortransparent($targetImg, $targetTransparent);

    // Copies image, centered to the new one (if it does not fit to it)
    imagecopyresampled(
       $targetImg, $img, ($targetWidth - $imgTargetWidth) / 2, // centered
       ($targetHeight - $imgTargetHeight) / 2, // centered
       0, 0, $imgTargetWidth, $imgTargetHeight, $srcWidth, $srcHeight
    );

    return $targetImg;
}

用法示例:

$gd = imagecreatefromjpeg("images/image5.jpg");
$resized = resizePreservingAspectRatio($gd, 100, 100);
header("Content-type: image/png");
imagepng($resized);

这个变换这样的图像:

在此处输入图像描述

到那个:

在此处输入图像描述

于 2012-10-21T18:18:48.333 回答