web-dev-qa-db-ja.com

Pythonで、RGBカラータプルを6桁のコードに変換する

(0、128、64)を#008040のようなものに変換する必要があります。後者を何と呼ぶか​​わからないので、検索が難しくなります。

61
rectangletangle

書式演算子%を使用します。

>>> '#%02x%02x%02x' % (0, 128, 64)
'#008040'

境界をチェックしないことに注意してください...

>>> '#%02x%02x%02x' % (0, -1, 9999)
'#00-1270f'
138
Dietrich Epp
_def clamp(x): 
  return max(0, min(x, 255))

"#{0:02x}{1:02x}{2:02x}".format(clamp(r), clamp(g), clamp(b))
_

これは、 PEP 3101で説明 のように、文字列の書式設定の推奨される方法を使用します。また、min()およびmaxを使用して、_0 <= {r,g,b} <= 255_であることを確認します。

Updateは、以下に示すようにクランプ機能を追加しました。

Update質問のタイトルと与えられたコンテキストから、これは[0,255]に3つのintを期待し、いつでも色を返すことは明らかですそのようなintを3つ渡しました。ただし、コメントから、これは誰にとっても明らかではない可能性があるため、明示的に述べてください。

3つのint値を指定すると、色を表す有効な16進数のトリプレットが返されます。それらの値が[0,255]の間にある場合、それらをRGB値として扱い、それらの値に対応する色を返します。

43
Jesse Dhillon

これは古い質問ですが、情報のために、色とカラーマップに関連するいくつかのユーティリティを含むパッケージを開発し、トリプレットをヘキサ値に変換するために探していたrgb2hex関数を含みます(これは他の多くのパッケージ、たとえばmatplotlibにあります)。 pypiにあります

pip install colormap

その後

>>> from colormap import rgb2hex
>>> rgb2hex(0, 128, 64)
'##008040'

入力の有効性がチェックされます(値は0〜255でなければなりません)。

16
Thomas Cokelaer

完全なpythonプログラムを作成しました。次の関数はrgbを16進数に、またはその逆に変換できます。

def rgb2hex(r,g,b):
    return "#{:02x}{:02x}{:02x}".format(r,g,b)

def hex2rgb(hexcode):
    return Tuple(map(ord,hexcode[1:].decode('hex')))

完全なコードとチュートリアルは、次のリンクで参照できます。 Pythonを使用したRGBから16進数および16進数からRGBへの変換

8
Mohd Shibli
triplet = (0, 128, 64)
print '#'+''.join(map(chr, triplet)).encode('hex')

または

from struct import pack
print '#'+pack("BBB",*triplet).encode('hex')

python3は少し異なります

from base64 import b16encode
print(b'#'+b16encode(bytes(triplet)))
7
John La Rooy
def RGB(red,green,blue): return '#%02x%02x%02x' % (red,green,blue)

background = RGB(0, 128, 64)

Pythonは必ずしも親切に見られるわけではありません。しかし、Pythonパーサーこれはディートリッヒエップのソリューション(最良)と同じ答えですが、1行の関数にまとめられています。

私は今tkinterでそれを使用しています:-)

2
MikeyB

ラムダとf-stringsを使用できます(python 3.6+)で利用可能)

_rgb2hex = lambda r,g,b: f"#{r:02x}{g:02x}{b:02x}"
hex2rgb = lambda hx: (int(hx[0:2],16),int(hx[2:4],16),int(hx[4:6],16))
_

使用法

rgb2hex(r,g,b) #output = #hexcolor hex2rgb("#hex") #output = (r,g,b) hexcolor must be in #hex format

2
Kaneki

以下は、範囲[0,1]または範囲[0,255]のRGB値を持つ可能性がある状況を処理するためのより完全な関数です。

def RGBtoHex(vals, rgbtype=1):
  """Converts RGB values in a variety of formats to Hex values.

     @param  vals     An RGB/RGBA Tuple
     @param  rgbtype  Valid valus are:
                          1 - Inputs are in the range 0 to 1
                        256 - Inputs are in the range 0 to 255

     @return A hex string in the form '#RRGGBB' or '#RRGGBBAA'
"""

  if len(vals)!=3 and len(vals)!=4:
    raise Exception("RGB or RGBA inputs to RGBtoHex must have three or four elements!")
  if rgbtype!=1 and rgbtype!=256:
    raise Exception("rgbtype must be 1 or 256!")

  #Convert from 0-1 RGB/RGBA to 0-255 RGB/RGBA
  if rgbtype==1:
    vals = [255*x for x in vals]

  #Ensure values are rounded integers, convert to hex, and concatenate
  return '#' + ''.join(['{:02X}'.format(int(round(x))) for x in vals])

print(RGBtoHex((0.1,0.3,  1)))
print(RGBtoHex((0.8,0.5,  0)))
print(RGBtoHex((  3, 20,147), rgbtype=256))
print(RGBtoHex((  3, 20,147,43), rgbtype=256))
1
Richard

Python 3.6では、f-stringsを使用してこのクリーナーを作成できます。

rgb = (0,128, 64)
f'#{rgb[0]:02x}{rgb[1]:02x}{rgb[2]:02x}'

もちろん、それをfunctionに入れることができ、ボーナスとして値は丸められてintに変換されます

def rgb2hex(r,g,b):
    return f'#{int(round(r)):02x}{int(round(g)):02x}{int(round(b)):02x}'

rgb2hex(*rgb)
1
toto_tico

これはpython3.6以降でのみ機能することに注意してください。

def rgb2hex(color):
    """Converts a list or Tuple of color to an RGB string

    Args:
        color (list|Tuple): the list or Tuple of integers (e.g. (127, 127, 127))

    Returns:
        str:  the rgb string
    """
    return f"#{''.join(f'{hex(c)[2:].upper():0>2}' for c in color)}"

上記は以下と同等です:

def rgb2hex(color):
    string = '#'
    for value in color:
       hex_string = hex(value)  #  e.g. 0x7f
       reduced_hex_string = hex_string[2:]  # e.g. 7f
       capitalized_hex_string = reduced_hex_string.upper()  # e.g. 7F
       string += capitalized_hex_string  # e.g. #7F7F7F
    return string
0
Brian Bruggeman