使用PHP从html创建动画gif

时间:2011-10-29 09:22:31

标签: php animated-gif

我有以下简单的html,我需要用它来创建和保存新的动画gif:

<div id="wrap">
  <div id="content">
    <p>Message here</p>
    <img src="image.jpg" />
  </div>
  <img src="image.gif" width="709" height="425" />
</div>

代码末尾的gif是一个动画gif - 我希望能够覆盖文本和另一个jpeg图形,保留gif的动画。

首先这是可能的,其次,如果是的话,有人可以指出我正确的方向。

我猜我可能需要以某种方式合并PHPs imagegif函数?

1 个答案:

答案 0 :(得分:1)

据我所知,PHP的GD库函数无法生成动画GIF。

您必须依赖其他工具,例如ImageMagik的convert功能(您可以通过exec调用它)。

评论后编辑:

如果您只是想创建一个非动画gif,那么可以使用GD库轻松完成该过程。

假设您的文字位于变量$txt中,并且您想要堆叠两张图片image1.jpgimage2.gif

最终结果如下

    TEXT
-------------
|           |
|  IMAGE 1  |
|           |
 -----------
-------------
|           |
|  IMAGE 2  |
|           |
 -----------

首先打开两张图片:

$i1 = imagecreatefromjpeg("image1.jpg");
$i2 = imagecreatefromgif("image2.gif");

现在找到两张图片的大小。

$i1_w = imagesx($i1);
$i1_h = imagesy($i1);
$i2_w = imagesx($i2);
$i2_h = imagesy($i2);

您的最终图片将

// Add 30px for the text, you can calculate this precisely 
// using imagettfbbox but be sure to use imagettftext 
// instead of imagestring later
$height = $i1_h + $i2_h + 30;
$width = max($i1_w, $i2_w);

现在您创建输出图像

$img = imagecreatetruecolor($width, $height);

将文字置于顶部

$black = imagecolorallocate($img, 0, 0, 0);
// Instead of using 1 as 2nd parameter you can use a font created 
// with imageloadfont. Also, you may want to calculate text coordinates
// so that it is centered etc.
imagestring($img, 1, 10, 10, $txt, $black);

现在添加图片

imagecopy($img, $img1, ($width-$img1_w)/2, 30, 0, 0, $img1_w, $img1_h);
imagecopy($img, $img2, ($width-$img2_w)/2, 35+$img1_h, 0, 0, $img2_w, $img2_h);

最后,输出gif

header('Content-Type: image/gif');
imagegif($img); // Or imagejpeg, imagepng etc.

如果你只是想保存图像,而不是只显示:

imagegif($img, "output.gif");