如何检查jpeg是否适合内存?

时间:2017-10-17 20:13:46

标签: php image gd fatal-error

使用imagecreatefromjpeg打开JPEG图像很容易导致致命错误,因为所需的内存会导致memory_limit

小于100Kb的.jpg文件很容易超过2000x2000像素 - 打开时大约需要20-25MB内存。 "同样的"使用不同的压缩级别,2000x2000px映像可能占用磁盘上的5MB。

所以我显然无法使用filesize来确定它是否可以安全打开。

如何在打开文件之前确定文件是否适合内存,这样我可以避免致命错误?

1 个答案:

答案 0 :(得分:4)

根据几个来源,所需的内存最多为每个像素5个字节,具体取决于几个不同的因素,如位深度。我自己的测试证实这大致是正确的。

最重要的是,需要考虑一些开销。

但是通过检查图像尺寸 - 可以在不加载图像的情况下轻松完成 - 我们可以粗略估计所需的内存,并将其与可用内存(估计值)进行比较,如下所示:

$filename = 'black.jpg';

//Get image dimensions
$info = getimagesize($filename);

//Each pixel needs 5 bytes, and there will obviously be some overhead - In a
//real implementation I'd probably reserve at least 10B/px just in case.
$mem_needed = $info[0] * $info[1] * 6;

//Find out (roughly!) how much is available
// - this can easily be refined, but that's not really the point here
$mem_total = intval(str_replace(array('G', 'M', 'K'), array('000000000', '000000', '000'), ini_get('memory_limit')));

//Find current usage - AFAIK this is _not_ directly related to
//the memory_limit... but it's the best we have!
$mem_available = $mem_total - memory_get_usage();

if ($mem_needed > $mem_available) {
    die('That image is too large!');
}

//Do your thing
$img = imagecreatefromjpeg('black.jpg');

这只是表面上的测试,因此我建议使用大量不同的图像进行进一步测试,并使用这些函数检查计算在您的特定环境中是否相当正确:

//Set some low limit to make sure you will run out
ini_set('memory_limit', '10M');

//Use this to check the peak memory at different points during execution
$mem_1 = memory_get_peak_usage(true);