PHP GD 和 WebP 支持
普通 WebP (VP8):从 PHP 5.4 开始支持
透明 WebP 或 Alpha 透明度 (VP8X、VP8L):从 PHP 7.0 开始支持
动画 WebP (VP8X):完全不支持。
您可以使用来自此处的图像 https://developers.google.com/speed/webp/gallery2
这里 https://ezgif.com/help/alternative-animated-image-formats
以及这里 https://developers.google.com/speed/webp/gallery1
使用 imagecreatefromwebp('your-image.webp'); 测试并查看错误。
您可以使用此代码检测动画或透明 WebP。
<?php
/**
* 获取 WebP 文件信息。
*
* @link https://php.net/manual/en/function.pack.php unpack 格式参考。
* @link https://developers.google.com/speed/webp/docs/riff_container WebP 文档。
* @param string $file
* @return array|false 成功返回关联数组,否则返回 `false`。
*/
function webpinfo($file) {
if (!is_file($file)) {
return false;
} else {
$file = realpath($file);
}
$fp = fopen($file, 'rb');
if (!$fp) {
return false;
}
$data = fread($fp, 90);
fclose($fp);
unset($fp);
$header_format = 'A4Riff/' . // 获取 n 个字符串
'I1Filesize/' . // 获取整数 (文件大小,但不是实际大小)
'A4Webp/' . // 获取 n 个字符串
'A4Vp/' . // 获取 n 个字符串
'A74Chunk';
$header = unpack($header_format, $data);
unset($data, $header_format);
if (!isset($header['Riff']) || strtoupper($header['Riff']) !== 'RIFF') {
return false;
}
if (!isset($header['Webp']) || strtoupper($header['Webp']) !== 'WEBP') {
return false;
}
if (!isset($header['Vp']) || strpos(strtoupper($header['Vp']), 'VP8') === false) {
return false;
}
if (
strpos(strtoupper($header['Chunk']), 'ANIM') !== false ||
strpos(strtoupper($header['Chunk']), 'ANMF') !== false
) {
$header['Animation'] = true;
} else {
$header['Animation'] = false;
}
if (strpos(strtoupper($header['Chunk']), 'ALPH') !== false) {
$header['Alpha'] = true;
} else {
if (strpos(strtoupper($header['Vp']), 'VP8L') !== false) {
// 如果是 VP8L,我假设此图像将是透明的
// 如 https://developers.google.com/speed/webp/docs/riff_container#simple_file_format_lossless 中所述
$header['Alpha'] = true;
} else {
$header['Alpha'] = false;
}
}
unset($header['Chunk']);
return $header;
}// webpinfo
?>
参考: https://stackoverflow.com/a/68491679/128761
用法
<?php
$info = webpinfo('your-image.webp');
if (isset($info['Animation']) && $info['Animation'] === true) {
echo '它是动画 webp。';
}
if (isset($info['Alpha']) && $info['Alpha'] === true) {
echo '它是透明的 webp。';
}
?>