0

如果上传的图像太大,我正在尝试在 PHP 中调整图像的大小。我创建了一个应该调整文件大小的函数,然后(希望)返回一个数组——除非它不起作用:(

private function _resizeImage($image, $width = 780, $height = 780) {

    $imgDetails = GetImageSize($image["tmp_name"]);

    // Content type
    //header("Content-Type: image/jpeg");
    //header("Content-Disposition: attachment; filename=resized-$image");

    // Get dimensions
    $width_orig = $imgDetails['0'];
    $height_orig = $imgDetails['1'];

    $ratio_orig = $width_orig/$height_orig;

    if ($width/$height > $ratio_orig) {
       $width = $height*$ratio_orig;
    } else {
       $height = $width/$ratio_orig;
    }

    // Resample
    switch ( $imgDetails['2'] ) 
    {
      case 1: $newImage = imagecreatefromgif($image["tmp_name"]); break;
      case 2: $newImage = imagecreatefromjpeg($image["tmp_name"]); break;
      case 3: $newImage = imagecreatefrompng($image["tmp_name"]); break;
      default: trigger_error('Unsupported filetype!', E_USER_WARNING);  break;
    }

    if (!$newImage) {
        // We get errors from PHP's ImageCreate functions...
        // So let's echo back the contents of the actual image.
        readfile ($image);
    } else {
        // Create the resized image destination
        $thumb = @ImageCreateTrueColor ($width, $height);
        // Copy from image source, resize it, and paste to image destination
        @ImageCopyResampled ($thumb, $newImage, 0, 0, 0, 0, $width, $height, $width_orig, $height_orig);
        // Output resized image
        //ImageJPEG ($thumb);
    }

    // Output
    $newFile = imagejpeg($thumb, null, 100);
    return $newFile;
}

由以下人员调用:

if($imgDetails['0'] > 780 || $imgDetails['1'] < 780) {
    $file = $this->_resizeImage($file); // Resize image if bigger than 780x780
} 

但我没有得到一个对象回来,我不知道为什么。

4

1 回答 1

1

正如 Seain 在评论中提到的那样, imagejpeg 返回一个 bool 值。

bool imagejpeg ( resource $image [, string $filename [, int $quality ]] )

Returns TRUE on success or FALSE on failure.

php.net 上的 imagejpeg 参考

此外,您将 NULL 作为第二个参数,它将图像作为原始图像流输出。如果要将图像保存到某个文件,则需要为此参数提供文件名。

另一个注意事项 - 您应该调用imagedestroy($newImage);以释放从 gif/jpeg/png 创建图像时分配的内存。打电话后执行此操作imagejpeg

此外,我建议您不要使用@运算符抑制错误。而是尝试将这些错误记录到错误日志中。抑制将使您的代码更难调试,如果出现严重错误,您抑制它将完全杀死您的脚本,而不会说明原因。错误日志帮助。

于 2013-03-08T20:13:39.847 回答