我正在尝试使用php
我试过使用这段代码,但这个algorathim给了我任何图像中的所有颜色。
<?php
function colorPalette($imageFile, $numColors, $granularity = 5)
{
$granularity = max(1, abs((int)$granularity));
$colors = array();
$size = @getimagesize($imageFile);
if($size === false)
{
user_error("Unable to get image size data");
return false;
}
$img = @imagecreatefromjpeg($imageFile);
if(!$img)
{
user_error("Unable to open image file");
return false;
}
for($x = 0; $x < $size[0]; $x += $granularity)
{
for($y = 0; $y < $size[1]; $y += $granularity)
{
$thisColor = imagecolorat($img, $x, $y);
$rgb = imagecolorsforindex($img, $thisColor);
$red = round(round(($rgb['red'] / 0x33)) * 0x33);
$green = round(round(($rgb['green'] / 0x33)) * 0x33);
$blue = round(round(($rgb['blue'] / 0x33)) * 0x33);
$thisRGB = sprintf('%02X%02X%02X', $red, $green, $blue);
if(array_key_exists($thisRGB, $colors))
{
$colors[$thisRGB]++;
}
else
{
$colors[$thisRGB] = 1;
}
}
}
arsort($colors);
return array_slice(array_keys($colors), 0, $numColors);
}
// sample usage:
$palette = colorPalette('rmnp8.jpg', 10, 4);
echo "<table>\n";
foreach($palette as $color)
{
echo "<tr><td style='background-color:#$color;width:2em;'> </td><td>#$color</td></tr>\n";
}
echo "</table>\n";
另外,我正在尝试使用它来构建像这些设计一样的设计。
答案 0 :(得分:5)
您获取图像中所有颜色的原因是因为您使用嵌套循环迭代图像中的像素。相反,您应该使用两个顺序循环:一个用于检查水平边框,另一个用于检查垂直边框,因此您的循环代码将变为如下所示:
function checkColorAt(&$img, $x, $y, &$colors) {
$thisColor = imagecolorat($img, $x, $y);
$rgb = imagecolorsforindex($img, $thisColor);
$red = round(round(($rgb['red'] / 0x33)) * 0x33);
$green = round(round(($rgb['green'] / 0x33)) * 0x33);
$blue = round(round(($rgb['blue'] / 0x33)) * 0x33);
$thisRGB = sprintf('%02X%02X%02X', $red, $green, $blue);
if(array_key_exists($thisRGB, $colors))
{
$colors[$thisRGB]++;
}
else
{
$colors[$thisRGB] = 1;
}
}
$colors = array();
for($x = 0; $x < $size[0]; $x += $granularity)
{
checkColorAt(&$img, $x, $0, &$colors);
checkColorAt(&$img, $x, $size[1] - 1, &$colors);
}
for($y = 0; $y < $size[1]; $y += $granularity)
{
checkColorAt(&$img, $0, $y, &$colors);
checkColorAt(&$img, $size[0] - 1, $y, &$colors);
}