PHP-GD を使用して画像に FishEye (または Barrel 変換) 効果を適用する方法はありますか? いくつかのコードでこれを見つけましたが、PHP に移植するのに苦労しています。
2 に答える
GD を使用した PHP は、許容できる方法でそのようなことを行うことはできません。画像をピクセルごとに処理すると、非常に遅くなります...
Imagick は、独自の式 ( fximage )を記述できる関数をサポートしています。その後、すべてが Imagick 内で内部的に処理されます。
だから私はあなたが Imagick で要求したことを行う方法を見つけました。私は"Scott builds Software" ブログ - imagick の魚眼効果から表現を取り入れました。式の完全な説明は、彼のブログで読むことができます。この関数の詳細なドキュメントは、ImageMagickの公式サイトで入手できます。独自の式を構築する方法を学ぶことができます。
戻り値に関する PHP ドキュメントが正しくないことに注意してください。そこにもコメントしました。この関数は、実際の Imagick オブジェクトを返します。
だからここにあなたのコードがあります:
<?php
/* Create new object */
$im = new Imagick();
/* Create new checkerboard pattern */
$im->newPseudoImage(100, 100, "pattern:checkerboard");
/* Set the image format to png */
$im->setImageFormat('png');
/* Fill background area with transparent */
$trans = Imagick::VIRTUALPIXELMETHOD_TRANSPARENT;
$im->setImageVirtualPixelMethod($trans);
/* Activate matte */
$im->setImageMatte(true);
/* This is the expression that define how to do the fisheye effect */
$distort_expression =
'kk=w*0.5;
ll=h*0.5;
dx=(i-kk);
dy=(j-ll);
aa=atan2(dy,dx);
rr=hypot(dy,dx);
rs=rr*rr/hypot(kk,ll);
px=kk+rs*cos(aa);
py=ll+rs*sin(aa);
p{px,py}';
/* Perform the distortion */
$im = $im->fxImage($distort_expression);
/* Ouput the image */
header("Content-Type: image/png");
echo $im;
?>
とにかく、これはまだ遅いことを覚えておいてください。何をするにも注意してください...
しかし - GDと高速で可能です!! ImageMagick との比較(2*SourceWidth)/PI
のサイズの新しいイメージを作成します。
新しい画像の各ピクセルをたどり、中心からの距離を見つけます。
d source =hypot(x-centerX,y-centerY) d dest
によってソース イメージ内の対応する距離を見つけます。=2*r*asin(d source /r)/2 rは宛先イメージの半分の幅です。
ベンチマーク付きの例を参照してください: http://meindesign.net/picture2bubble/picture2bubble.php
function fisheye($infilename,$outfilename){
$im=imagecreatefrompng($infilename);
$ux=imagesx($im);//Source imgage width(x)
$uy=imagesy($im);//Source imgage height(y)
$umx=$ux/2;//Source middle
$umy=$uy/2;
if($ux>$uy)$ow=2*$uy/pi();//Width for the destionation image
else $ow=2*$ux/pi();
$out=imagecreatetruecolor($ow+1,$ow+1);
$trans=imagecolortransparent($out,ImageColorAllocate($out,0,0,0));
imagefill($im,1,1,$trans);
for($c=0;$c<imagecolorstotal($im);$c++){//Copy palette
$col=imagecolorsforindex($im,$c);
imagecolorset($out,$c,$col[red],$col[green],$col[blue]);
}
$om=$ow/2;//destination middle
for($x=0;$x<=$ow;++$x){//Loop X in destination image
for($y=0;$y<=$ow;++$y){//Loop y in destination image
$otx=$x-$om;//X in relation to the middle
$oty=$y-$om;//Y in relation to the middle
$oh=hypot($otx,$oty);//distance
$arc=(2*$om*asin($oh/$om))/(2);
$factor=$arc/$oh;
if($oh<=$om){//if pixle inside radius
$color=imagecolorat($im,round($otx*$factor+$umx),round($oty*$factor+$umy));
$r = ($color >> 16) & 0xFF;
$g = ($color >> 8) & 0xFF;
$b = $color & 0xFF;
$temp=imagecolorexact($out, $r, $g, $b);
imagesetpixel($out,$x,$y,$temp);
}
}
}
imagepng($out,$outfilename);
}