PHP: how to express “near white” as a color?

北城以北 提交于 2021-02-16 16:31:07

问题


I have a function for trimming white areas around images that works something like

if(imagecolorat($img, $x, $top) != 0xFFFFFF) {
    //sets where the top part of the image is trimmed
}

The problem is some images have an occasional stray pixel that is so near white that it's unnoticeable but screws up the cropping because it's not exactly 0xFFFFFF but 0xFFFEFF or something. How could I rewrite the above statement so that it evaluates true for those near white images, say down to 0xFDFDFD, obviously without testing for ever possible value.


回答1:


$color = imagecolorat($img, $x, $top);
$color = array(
    'red'   => ($color >> 16) & 0xFF,
    'green' => ($color >>  8) & 0xFF,
    'blue'  => ($color >>  0) & 0xFF,
);
if ($color['red']   >= 0xFD
 && $color['green'] >= 0xFD
 && $color['blue']  >= 0xFD) {
    //sets where the top part of the image is trimmed
}

For a description of the operators used, please read:

  • PHP - Two unusual operators used together to get image pixel color, please explain



回答2:


To detect these off-white colors correctly you should convert from RGB color coordinates to HSV; in HSV, all off-whites have an S near 0 and a V near 100 (normalized). This question has an answer with PHP code to do the conversion, so with that code you 'd have:

$rgb = imagecolorat($img, $x, $top);
$hsv = RBG_TO_HSV(($rgb >> 16) & 0xFF, ($rgb >> 8) & 0xFF, $rgb & 0xFF);
if ($hsv['S'] < .05 && $hsv['V'] > .95) {
    // color is off-white
}

You can tweak the constants .05 and .95 to relax or tighten the criteria as you like; you can also use an interactive color picker (e.g. this) to get a feel for how close to white the colors are for different values of S and V.




回答3:


I think this should do the job:

$range = 0xFFFFFF - 0xFFFEFF;

if((0xFFFEFF - imagecolorat($img, $x, $top)) < $range){
    // do
}



回答4:


Here's one way of doing this. Split your colour into its RGB component, so that with $color = 0xFFFEEF you'll end up with $red = 0xff; $green =0xfe; $blue = 0xef'. Then compare each component to your threshold. If all three are within your threshold, then it's "nearly-white". So your function would be something like (pseudo-code):

function is_nearly_white($r, $g, $b) {
    $threshold = 0xfd;
    return ($r > $threshold && $g > $threshold && $b > $threshold);
}



回答5:


You can detect nearly white by applying an "and" to the RGB integer. Basically it's the same thing that Alin Roman said but a little bit simpler, one line.

if ((imagecolorat($img, $x, $top) & 0xF0F0F0) != 0xF0F0F0) {
    //sets where the top part of the image is trimmed
}

It should detect colors from 0xFFFFFF to 0xF0F0F0.



来源:https://stackoverflow.com/questions/13158928/php-how-to-express-near-white-as-a-color

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!