PHP HTML image output
In the PHP manual
for base64_encode()
I saw the following script for outputting an image.
<?php
$imgfile = "test.gif";
$handle = fopen($filename, "r");
$i开发者_StackOverflowmgbinary = fread(fopen($imgfile, "r"), filesize($imgfile));
echo '<img src="data:image/gif;base64,' . base64_encode($imgbinary) . '" />';
?>
But how can you output an image dynamically created with GD
?
I've tried this:
$im = imagecreatetruecolor(400, 400);
imagefilledrectangle($im, 0, 0, 200, 200, 0xFF0000);
imagefilledrectangle($im, 200, 0, 400, 200, 0x0000FF);
imagefilledrectangle($im, 0, 200, 200, 400, 0xFFFF00);
imagefilledrectangle($im, 200, 200, 400, 400, 0x00FF00);
echo '<img src="data:image/png;base64,'.base64_encode(imagepng($im)).'" />';
Why doesn't that work?
It seems to work in IE but not Firefox. How can I make it cross-browser?
Ok, sorry, I was thinking too fast :)
imagepng()
will output raw data stream directly to the browser, so you must use ob_start()
and other output buffering handles to obtain it.
Here you are:
ob_start();
imagepng($yourGdImageHandle);
$output = ob_get_contents();
ob_end_clean();
That is - you need to use $output
variable for you base64_encode()
function.
Because imagepng outputs bool or image stream directly to output.
So, in order to get image data you should use output buffers like this:
ob_start();
imagepng($im);
$image = ob_get_contents();
ob_end_clean();
echo '<img src="data:image/png;base64,'.base64_encode($image).'" />';
Most likely because the data:
URI scheme is extremely limited and good to use unless there is absolutely no way around it.
In Internet Explorer, for example, this doesn't work at all until IE 8; and in there, there is a global 32 kilobyte limitation for data: URIs.
You have to save your image as a PNG first, and then read from it to get its contents as a value.
http://www.php.net/manual/en/function.imagepng.php
imagepng() does not return the PNG file. It outputs it directly to the browser and then returns a boolean meaning success or failure.
(from php.net:) PHP internally works with a temporary file when sending the image to the browser, so you'll gain nothing by calling imagepng() twice.
精彩评论