有沒有簡單的物理模型,將做到這一點,畫家的色彩與光線非常複雜的相互作用。幸運的是,我們有計算機,不限於物理世界的建模 - 我們可以讓他們做任何我們想要的任意事情!
第一步是創建與我們所需要的色調分佈,具有紅色,黃色和藍色,在120倍的增量的色輪。網絡上有很多例子。我在這裏創建了一個只有完全飽和的顏色,以便它可以用來生成完整的RGB色域。車輪上的顏色完全是任意的;我已將橙色(60°)設置爲(255,160,0),因爲紅色和黃色之間的中點太紅,我已將純藍(0,0,255)移至250°而不是240°,因此240°藍色會更好看。
想起我童年的實驗中,當你混合紅,黃,藍的等量在一起你會得到一個模糊的棕灰色。我選擇了一個合適的顏色,您可以在色輪的中心看到它;在代碼中我親切地稱它爲「泥」。
爲了獲得所有您想要的顏色,您需要比紅色,黃色和藍色更多的顏色,還需要混合白色和黑色。例如,您通過混合紅色和白色獲得粉紅色,並且通過將橙色(黃色+紅色)與黑色混合來獲得布朗。
該轉換適用於比率而不是絕對數字。與真正的油漆一樣,混合1份紅色和1份黃色與100份紅色和100份黃色混合沒有區別。
代碼以Python呈現,但它不應該很難轉換爲其他語言。最棘手的部分是添加紅色,黃色和藍色來創建色調角度。我使用矢量加法,並轉換回與atan2
的角度。幾乎所有其他事情都通過線性插值(lerp)完成。
# elementary_colors.py
from math import degrees, radians, atan2, sin, cos
red = (255, 0, 0)
orange = (255, 160, 0)
yellow = (255, 255, 0)
green = (0, 255, 0)
cyan = (0, 255, 255)
blue = (0, 0, 255)
magenta = (255, 0, 255)
white = (255, 255, 255)
black = (0, 0, 0)
mud = (94, 81, 74)
colorwheel = [(0, red), (60, orange), (120, yellow), (180, green),
(215, cyan), (250, blue), (330, magenta), (360, red)]
red_x, red_y = cos(radians(0)), sin(radians(0))
yellow_x, yellow_y = cos(radians(120)), sin(radians(120))
blue_x, blue_y = cos(radians(240)), sin(radians(240))
def lerp(left, right, left_part, total):
if total == 0:
return left
ratio = float(left_part)/total
return [l * ratio + r * (1.0 - ratio) for l,r in zip(left, right)]
def hue_to_rgb(deg):
deg = deg % 360
previous_angle, previous_color = colorwheel[0]
for angle, color in colorwheel:
if deg <= angle:
return lerp(previous_color, color, angle - deg, angle - previous_angle)
previous_angle = angle
previous_color = color
def int_rgb(rgb):
return tuple(int(c * 255.99/255) for c in rgb)
def rybwk_to_rgb(r, y, b, w, k):
if r == 0 and y == 0 and b == 0:
rgb = white
else:
hue = degrees(atan2(r * red_y + y * yellow_y + b * blue_y,
r * red_x + y * yellow_x + b * blue_x))
rgb = hue_to_rgb(hue)
rgb = lerp(mud, rgb, min(r, y, b), max(r, y, b))
gray = lerp(white, black, w, w+k)
rgb = lerp(rgb, gray, r+y+b, r+y+b+w+k)
return int_rgb(rgb)
您是否看了:「[算法爲RGB值添加顏色混合](http://stackoverflow.com/questions/726549/algorithm-for-additive-color-mixing-for-rgb-values)」或「[是否有一種顏色混合算法,像混合真實顏色一樣工作?](http://stackoverflow.com/questions/1351442/is-there-an-algorithm-for-color-mixing-that-works-like-混合實時的顏色)「? – kmote