2024年PHP日本大会

图像处理 (ImageMagick)

添加笔记

用户贡献笔记 3 个笔记

mlong-php at mlong dot us
17 年前
这是一个关于如何处理已存在于字符串中(例如,来自数据库)的图像,并对其进行调整大小、添加边框以及打印输出的示例。我将此用于显示经销商徽标

// 从 base64 解码图像
$image=base64_decode($imagedata);

// 创建 Imagick 对象
$im = new Imagick();

// 将图像转换为 Imagick
$im->readimageblob($image);

// 创建最大为 200x82 的缩略图
$im->thumbnailImage(200,82,true);

// 添加微妙的边框
$color=new ImagickPixel();
$color->setColor("rgb(220,220,220)");
$im->borderImage($color,1,1);

// 输出图像
$output = $im->getimageblob();
$outputtype = $im->getFormat();

header("Content-type: $outputtype");
echo $output;
Eero Niemi (eero at eero dot info)
16 年前
要加载分辨率高于图像默认分辨率的图像(通常是矢量图像,如 PDF),您必须在读取文件之前设置分辨率,如下所示:

<?php
$im
= new Imagick();
$im->setResolution( 300, 300 );
$im->readImage( "test.pdf" );
?>
carlosvanhalen7 at gmail dot com
11 年前
这是一个方便的函数,用于查找特定像素的第一次出现。您可以设置要查找颜色的容差,或者如果需要精确匹配,则将其设置为 0

<?php

function findPixel($img, $r, $g, $b, $tolerance=5)
{
$original_ = new Imagick($img);
$height = 0;
$width = 0;
list(
$width, $height) = getimagesize($img);
$matrix_org = array();
$matrix_mrk = array();

for(
$x = 0 ; $x < $width ; $x++){
$matrix_org[$x] = array();
$matrix_mrk[$x] = array();
}

for(
$x = 0 ; $x < $width ; $x++ )
{
for(
$y = 0 ; $y < $height ; $y++ ){
$matrix_org[$x][$y] = $original_->getImagePixelColor($x, $y)->getColorAsString();
$colors = preg_replace('/[^-,0-9+$]/', '', $matrix_org[$x][$y]);
$colors = explode(',', $colors);
$r_org = $colors[0];
$g_org = $colors[1];
$b_org = $colors[2];

if( (
$r <= ($r_org+$tolerance) && $r >= ($r_org - $tolerance) )
&& (
$g <= ($g_org+$tolerance) && $g >= ($g_org - $tolerance) )
&& (
$b <= ($b_org+$tolerance) && $b >= ($b_org - $tolerance) ) )
{
return array(
$x, $y );
}
}
}

return
false;
}

?>
To Top