4

我想将 RGB/Hex 格式的颜色转换为最接近的网络安全颜色。

可以在此处找到有关网络安全颜色的详细信息:http ://en.wikipedia.org/wiki/Web_safe_color

这个网站(http://www.colortools.net/color_make_web-safe.html)能够按照我想要的方式进行,但我不确定如何在 Python 中进行操作。有谁可以帮我离开这里吗?

4

2 回答 2

6

尽管有点用词不当,但网络安全调色板确实对颜色量化非常有用。它简单、快速、灵活且无处不在。它还允许使用 RGB 十六进制简写,例如#369代替#336699. 这是一个演练:

  1. 网络安全颜色是 RGB 三元组,每个值都是以下六种之一:00, 33, 66, 99, CC, FF. 所以我们可以将最大 RGB 值255除以五(比总可能值少一)得到一个倍数,51.
  2. 通过除以规范化通道值255(这使它成为一个值0-1而不是0-255)。
  3. 乘以5,然后将结果四舍五入以确保它保持准确。
  4. 乘以51得到最终的网络安全值。总之,这看起来像:

    def getNearestWebSafeColor(r, g, b):
        r = int(round( ( r / 255.0 ) * 5 ) * 51)
        g = int(round( ( g / 255.0 ) * 5 ) * 51)
        b = int(round( ( b / 255.0 ) * 5 ) * 51)
        return (r, g, b)
    
    print getNearestWebSafeColor(65, 135, 211)
    

无需像其他人建议的那样疯狂比较颜色或创建巨大的查找表。:-)

于 2015-03-12T05:36:45.757 回答
3
import scipy.spatial as sp

input_color = (100, 50, 25)
websafe_colors = [(200, 100, 50), ...] # list of web-save colors
tree = sp.KDTree(websafe_colors) # creating k-d tree from web-save colors
ditsance, result = tree.query(input_color) # get Euclidean distance and index of web-save color in tree/list
nearest_color = websafe_colors[result]

或者为几个input_colors添加循环

关于k 维树

于 2014-03-18T11:34:55.673 回答