Python 3 – Tkinter Colors

Python 3 – Tkinter Colors

When it comes to creating graphical user interfaces (GUI), the library that comes to mind for Python developers is often Tkinter. Among its many utilities, Tkinter also includes a rich color palette that can be used to enhance the aesthetics and usability of the graphical interfaces we create. In this article, we’ll explore the different options for specifying and using color in Tkinter.

Specifying color in Tkinter

Before we dive deeper into the different ways we can use color in Tkinter, let’s first understand the different ways we can specify color values in Python and Tkinter.

There are a few standard color notation conventions that can be used in Tkinter, including:

  • Hex: the six digit hexadecimal notation (#RRGGBB), where each of the colors is represented by a two-digit hex value (00-FF).
  • RGB: the RGB color model which consists of 3 values (red, green and blue) ranging from 0-255.
  • Name: a named color value, such as “red”, “green” etc.

Now let’s look at how we can use these notations to specify colors in Tkinter.

To specify a color, we simply pass the color value as a string to the widget’s bg, foreground or background attributes.

import tkinter as tk

root = tk.Tk()

# Using hex notation
button1 = tk.Button(root, text="Hex", bg="#FF0000")  # Red button background
button2 = tk.Button(root, text="Hex", bg="#00FF00")  # Green button background
button3 = tk.Button(root, text="Hex", bg="#0000FF")  # Blue button background 

# Using named color notation
button4 = tk.Button(root, text="Named Color", bg="orange")
button5 = tk.Button(root, text="Named Color", bg="gray")

# Using RGB notation 
button6 = tk.Button(root, text="RGB", bg="rgb(255,255,51)")
button7 = tk.Button(root, text="RGB", bg="rgb(0,128,0)")

button1.pack(pady=5)
button2.pack(pady=5)
button3.pack(pady=5)
button4.pack(pady=5)
button5.pack(pady=5)
button6.pack(pady=5)
button7.pack(pady=5)

root.mainloop()

In the code above, we create seven buttons using different color notations. You can easily identify which notation has been used by the color value we pass to the bg attribute.

Tkinter Colors

As we mentioned before, Tkinter has a significant color palette that includes many standard named colors. These colors can be directly specified using the color’s name as a string value. Here is a list of the standard Tkinter colors with sample code:

import tkinter as tk

root = tk.Tk()

colors = [["alice blue", "#f0f8ff"], ["antique white", "#faebd7"],
          ["aquamarine", "#7fffd4"], ["azure", "#f0ffff"],
          ["beige", "#f5f5dc"], ["bisque", "#ffe4c4"],
          ["black", "#000000"], ["blue", "#0000ff"],
          ["blue violet", "#8a2be2"], ["brown", "#a52a2a"],
          ["burlywood", "#deb887"], ["cadet blue", "#5f9ea0"],
          ["chartreuse", "#7fff00"], ["chocolate", "#d2691e"],
          ["coral", "#ff7f50"], ["cornflower blue", "#6495ed"],
          ["cornsilk", "#fff8dc"], ["crimson", "#dc143c"],
          ["cyan", "#00ffff"], ["dark blue", "#00008b"],
          ["dark cyan", "#008b8b"], ["dark goldenrod", "#b8860b"],
          ["dark gray", "#a9a9a9"], ["dark green", "#006400"],
          ["dark grey", "#a9a9a9"], ["dark khaki", "#bdb76b"],
          ["dark magenta", "#8b008b"], ["dark olive green", "#556b2f"],
          ["dark orange", "#ff8c00"], ["dark orchid", "#9932cc"],
          ["dark red", "#8b0000"], ["dark salmon", "#e9967a"],
          ["dark sea green", "#8fbc8f"], ["dark slate blue", "#483d8b"],
          ["dark slate gray", "#2f4f4f"], ["dark slate grey", "#2f4f4f"],
          ["dark turquoise", "#00ced1"], ["dark violet", "#9400d3"],
          ["deep pink", "#ff1493"], ["deep sky blue", "#00bfff"],
          ["dim gray", "#696969"], ["dim grey", "#696969"],
          ["dodger blue", "#1e90ff"], ["firebrick", "#b22222"],
          ["floral white", "#fffaf0"], ["forest green", "#228b22"],
          ["fuchsia", "#ff00ff"], ["gainsboro", "#dcdcdc"],
          ["ghost white", "#f8f8ff"], ["gold", "#ffd700"],
          ["goldenrod", "#daa520"], ["gray", "#808080"],
          ["grey", "#808080"], ["green", "#008000"],
          ["green yellow", "#adff2f"], ["honeydew", "#f0fff0"],
          ["hot pink", "#ff69b4"], ["indian red", "#cd5c5c"],
          ["ivory", "#fffff0"], ["khaki", "#f0e68c"],
          ["lavender", "#e6e6fa"], ["lavender blush", "#fff0f5"],
          ["lawn green", "#7cfc00"], ["lemon chiffon", "#fffacd"],
          ["light blue", "#add8e6"], ["light coral", "#f08080"],
          ["light cyan", "#e0ffff"], ["light goldenrod", "#fafad2"],
          ["light goldenrod yellow", "#fafad2"], ["light gray", "#d3d3d3"],
          ["light green", "#90ee90"], ["light grey", "#d3d3d3"],
          ["light pink", "#ffb6c1"], ["light salmon", "#ffa07a"],
          ["light sea green", "#20b2aa"], ["light sky blue", "#87cefa"],
          ["light slate blue", "#8470ff"], ["light slate gray", "#778899"],
          ["light slate grey", "#778899"], ["light steel blue", "#b0c4de"],
          ["light yellow", "#ffffe0"], ["lime", "#00ff00"],
          ["lime green", "#32cd32"], ["linen", "#faf0e6"],
          ["magenta", "#ff00ff"], ["maroon", "#800000"],
          ["medium aquamarine", "#66cdaa"], ["medium blue", "#0000cd"],
          ["medium orchid", "#ba55d3"], ["medium purple", "#9370db"],
          ["medium sea green", "#3cb371"], ["medium slate blue", "#7b68ee"],
          ["medium spring green", "#00fa9a"], ["medium turquoise", "#48d1cc"],
          ["medium violet red", "#c71585"], ["midnight blue", "#191970"],
          ["mint cream", "#f5fffa"], ["misty rose", "#ffe4e1"],
          ["moccasin", "#ffe4b5"], ["navajo white", "#ffdead"],
          ["navy", "#000080"], ["old lace", "#fdf5e6"],
          ["olive", "#808000"], ["olive drab", "#6b8e23"], ["orange", "#ffa500"],
          ["orange red", "#ff4500"], ["orchid", "#da70d6"],
          ["pale goldenrod", "#eee8aa"], ["pale green", "#98fb98"],
          ["pale turquoise", "#afeeee"], ["pale violet red", "#d87093"],
          ["papaya whip", "#ffefd5"], ["peach puff", "#ffdab9"],
          ["peru", "#cd853f"], ["pink", "#ffc0cb"], ["plum", "#dda0dd"],
          ["powder blue", "#b0e0e6"], ["purple", "#800080"],
          ["red", "#ff0000"], ["rosy brown", "#bc8f8f"],
          ["royal blue", "#4169e1"], ["saddle brown", "#8b4513"],
          ["salmon", "#fa8072"], ["sandy brown", "#f4a460"],
          ["sea green", "#2e8b57"], ["seashell", "#fff5ee"],
          ["sienna", "#a0522d"], ["silver", "#c0c0c0"],
          ["sky blue", "#87ceeb"], ["slate blue", "#6a5acd"],
          ["slate gray", "#708090"], ["slate grey", "#708090"],
          ["snow", "#fffafa"], ["spring green", "#00ff7f"],
          ["steel blue", "#4682b4"], ["tan", "#d2b48c"], ["teal", "#008080"],
          ["thistle", "#d8bfd8"], ["tomato", "#ff6347"], ["turquoise", "#40e0d0"],
          ["violet", "#ee82ee"], ["wheat", "#f5deb3"], ["white", "#ffffff"],
          ["white smoke", "#f5f5f5"], ["yellow", "#ffff00"],
          ["yellow green", "#9acd32"]]

for name, value in colors:
    tk.Label(root, text=name, bg=value).pack()

root.mainloop()

In the sample code above, we use a loop to create a label for each standard color and set its background color to the corresponding value.

Tkinter Color Chooser

Sometimes, we might want to allow users to select their desired color for a specific purpose such as customizing themes or changing the appearance of the interface. In such a scenario, we can use the Color Chooser dialog box provided by Tkinter. The Code fragment below illustrates how one can choose a color using the ColorChooser dialog:

import tkinter as tk
from tkinter import colorchooser

root = tk.Tk()

def choose_color():
    color = colorchooser.askcolor(title="Choose a color")
    print(color)

button = tk.Button(root, text="Select Color", command=choose_color)
button.pack()

root.mainloop()

In the code above, we create a button with a choose_color function as its command. In the choose_color function, we simply call the colorchooser.askcolor function to get a tuple containing the selected color value and the color name.

Conclusion

In conclusion, we’ve seen the different ways we can specify color values in Tkinter, including using hex, RGB and named notations. We’ve also seen the standard Tkinter colors palette and how they can be used directly in widgets. Finally, we’ve discovered how to use the Color Chooser dialog box to allow users to select their desired color. In summary, adding color to the interfaces we create using Tkinter can greatly enhance their appearance and usability, and with the tools and options that Tkinter provides, we have everything we need to do so.

Like(0)
Python OS Module
os.accessos.chdiros.chflagos.chmodos.chownos.chrootos.closeos.closerangeos.dupos.dup2os.fchdiros.fchmodos.fchownos.fdatasyncos.fdopenos.fpathconfos.fstatos.fstatvfsos.fsyncos.ftruncateos.getcwdos.getcwdbos.isattyos.lchflagsos.lchmodos.lchownos.linkos.listdiros.lseekos.lstatos.majoros.makedevos.makedirsos.minoros.mkdiros.mkfifoos.mknodos.openos.openptyos.pathconfos.pipeos.popenos.reados.readlinkos.removeos.removedirsos.renameos.renamesos.rmdiros.statos.stat_float_timesos.statvfsos.symlink()os.tcgetpgrpos.tcsetpgrpos.ttynameos.unlinkos.utimeos.walk()os.write()os.pardir
Python Module
Python yaml modulePython argparse module
Python Tutorials
Python with UsageOs.getenv() in PythonSubtract String Lists in PythonBuilding Physical Projects with Python on the Raspberry PiIntroduction to PyOpenGL in PythonIntroduction to the pywhatkit LibraryLee Algorithm in PythonNew Features and Fixes in Python 3.11Pendulum Library in PythonPython doctest Module | Document and Test CodePython Site Connectivity Checker ProjectPython with Qt Designer: Quicker GUI Application DevelopmentRegular Expressions in PythonShould We Update the Latest Version of Python Bugfix?Some Advance Ways to Use Python DictionariesString Manipulation in Python: A Comprehensive GuideSubsets in PythonUtilize Python and Rich to Create a Wordle CloneValidating Bank Account Number Using Regular Expressions in PythonCollections in PythonCreate a GUI to extract information from VIN number Using PythonCreate XML Documents Using PythonCreating a Basic hardcoded ChatBot using Python -NLTKCreating a SQLite Database from CSV with PythonHow can I make sense of the else clause of Python loops?
Python String Module
Python String capitalize()Python String count()Python String center()Python String expandtabs()Python String index()Python String isalnum()Python String endswith()Python String encode()Python String find()Python String decode()Python String isalpha()Python String isdigit()Python String islower()Python String isnumeric()Python String isspace()Python String istitle()Python String isupper()Python String join()Python String len()Python String ljust()Python String lower()Python String lstrip()Python String maketrans()Python String max()Python String min()Python String replace()Python String rfind()Python String rindex()Python String rjust()Python String rstrip()Python String isdecimal()Python String split()Python String splitlines()Python String startswith()Python String strip() MethodPython String swapcase()Python String title()Python String translate()Python String upper()Python String zfill()
Python Math Module
Python Math exp()Python Math ceil()Python Math fabs()Python Math floor()Python Math log10()Python Math log()Python Math modf()Python Math pow()Python Math sqrt()Python Math acos() MethodPython Math asin() MethodPython Math atan() MethodPython Math atan2() MethodPython Math cos() MethodPython Math degrees() MethodPython Math hypot() MethodPython Math radians() MethodPython Math sin() MethodPython Math tan() Method
Python Random Module
Python random choice() MethodPython random random() MethodPython random randrange() MethodPython random seed() MethodPython random shuffle() MethodPython random uniform() Method
Python List Module
Python List min() MethodPython List len() MethodPython List list() MethodPython List max() Method
Python Questions
How to Check if a Dictionary is Empty in Python?How to Validate Email Address in Python with Regular ExpressionDifference Between Python and Gator AIDifference Between Tornado and TyphoonHow to Create a Null Matrix in PythonHow to Install Python on UbuntuHow to Add a column to a DataFrame in PythonHow to Add in PythonHow to Add to a Set in PythonHow to Append to a Dictionary in PythonHow to Change Python VersionHow to Check if a List is Empty in PythonHow to Check if Key Exists in Dictionary PythonHow to Check if Python is InstalledHow to Comment Multiple Lines in PythonHow to Compare Strings in Python
Python Examples
Python Program to Append (key: value) Pair to DictionaryPython Program to Define a Python Class for Complex NumbersPython Program to Implementation of Kruskal's AlgorithmPython Program to Add Elements to a DictionaryPython Program to Calculate the Symmetric Difference Between Two ListsPython Program to Check if Two Sets Are EqualPython Program to Convert List into ArrayPython Program to Create a Dictionary with a Dictionary LiteralPython Program To Find The Largest Element In A DictionaryPython Program to get first and last element from a DictionaryPython Program to Remove Null Values from a ListPython Program to Remove Null Values from a DictionaryPython Program to Replace Elements in a ListPython Program to Rotate Elements of a ListPython Program to Search an Element in a DictionaryPython Program to Print a Spiral MatrixPython Program To Add Elements To A Linked ListPython Program To Convert An Array List Into A String And ViceversaPython Program To Detect A Loop In A Linked ListPython Program To Get The Middle Element Of A Linked List In A Single IterationPython program to implement binary tree data structureCalculate the n-th discrete difference for unsigned integer arrays in PythonCalculate the n-th discrete difference in PythonCalculate the n-th discrete difference over axis 0 in PythonCalculate the n-th discrete difference over axis 1 in PythonCalculate the n-th discrete difference over given axis in PythonDifference between Data Frames and Matrices in Python PandasDifference Between Del and Remove() on Lists in PythonDifference between for loop and while loop in PythonDifference between indexing and slicing in PythonDifference Between Matrices and Arrays in Python?Difference between .pack and .configure for widgets in TkinterDifference between Python and C++Difference between Python and JavaScriptDifference between Python and LuaDifference Between range() and xrange() Functions in Python?Difference between Yield and Return in PythonWhat is the difference between arguments and parameters in Python?What is the difference between attributes and properties in python?What is the Difference between Core Python and Django Python?What is the Difference Between Freedom of Information and Information Privacy?What is the difference between Risk Acceptance and Risk Avoidance?What is the Difference Between Scala and Python?
Python3 Tutorials
Python 3 TutorialWhat is New in Python 3Python 3 - OverviewPython 3 - Environment SetupPython 3 - Basic SyntaxPython 3 - Command Line ArgumentsPython 3 - Variable TypesPython 3 - Basic OperatorsPython 3 - Arithmetic Operators ExamplePython 3 - Comparison Operators ExamplePython 3 - Assignment Operators ExamplePython 3 - Bitwise Operators ExamplePython 3 - Logical Operators ExamplePython 3 - Membership Operators ExamplePython 3 - Identity Operators ExamplePython 3 - Operators Precedence ExamplePython 3 - Decision MakingPython 3 - IF StatementPython 3 - IF...ELIF...ELSE StatementsPython 3 - Nested IF StatementsPython 3 - LoopsPython 3 - While Loop StatementsPython 3 - for Loop StatementsPython 3 - Nested Loops: A Comprehensive GuidePython 3 - break statementPython 3 - continue statementPython 3 - pass StatementPython 3 - NumbersPython 3 - Number abs() MethodPython 3 - Number ceil() MethodPython 3 - Number exp() MethodPython 3 - Number fabs() MethodPython 3 - Number floor() MethodPython 3 - Number log() MethodPython 3 - Number log10() MethodPython 3 - Number max() MethodPython 3 - Number min() MethodPython 3 - modf() MethodPython 3 - Number pow() MethodPython 3 - Number round() MethodPython 3 - Number sqrt() MethodPython 3 - Number choice() MethodPython 3 - Number randrange() MethodPython Number random() MethodPython 3 - Number seed() MethodPython 3 - Number shuffle() MethodPython 3 - Number uniform() MethodPython 3 - Number acos() MethodPython 3 - Number asin() MethodPython 3 - Number atan() MethodPython 3 - Number atan2() MethodPython 3 - Number cos() MethodPython 3 - Number hypot() MethodPython 3 - Number sin() MethodPython 3 - Number tan() MethodPython 3 - Number degrees() MethodPython 3 - Number radians() MethodPython 3 - StringsPython 3 - String capitalize() MethodPython 3 - String center() MethodPython 3 - String count() MethodPython 3 - String decode() MethodPython 3 - String encode() MethodPython 3 - String endswith() MethodPython 3 - String expandtabs() MethodPython 3 - String find() MethodPython 3 - String index() MethodPython 3 - String isalnum() MethodPython 3 - String isalpha() MethodPython 3 - String isdigit() MethodPython 3 - String islower() MethodPython 3 - String isnumeric() MethodPython 3 - String isspace() MethodPython 3 - String istitle() MethodPython 3 - String isupper() MethodPython 3 - String join() MethodPython 3 - String len() MethodPython 3 - String ljust() MethodPython 3 - String lower() MethodPython 3 - String lstrip() MethodPython 3 - String maketrans() MethodPython 3 - dictionary str() MethodPython 3 - String max() MethodPython 3 - dictionary type() MethodPython 3 - String min() MethodPython 3 - dictionary clear() MethodPython 3 - String replace() MethodPython 3 - dictionary copy() MethodPython 3 - String rfind() MethodPython 3 - dictionary fromkeys() MethodPython 3 - String rindex() MethodPython 3 - dictionary get() MethodPython 3 - String rjust() MethodPython 3 - dictionary has_key() MethodPython 3 - String rstrip() MethodPython 3 - dictionary items() MethodPython 3 - String split() MethodPython 3 - dictionary keys() MethodPython 3 - String splitlines() MethodPython 3 - Dictionary setdefault() MethodPython 3 - String startswith() MethodPython 3 - dictionary update() MethodPython 3 - String strip() MethodPython 3 - dictionary values() MethodPython 3 - String swapcase() MethodPython 3 - Date & TimePython 3 - String title() MethodPython 3 - time altzone() MethodPython 3 String translate() MethodPython 3 - time asctime() MethodPython 3 - String upper() MethodPython 3 - time clock() MethodPython 3 - String zfill() MethodPython 3 - time ctime() MethodPython 3 - String isdecimal() MethodPython 3 - time gmtime() MethodPython 3 - ListsPython 3 - time localtime() MethodPython 3 - List len() MethodPython 3 - time mktime() MethodPython 3 - List max() MethodPython 3 - time sleep() MethodPython 3 - List min() MethodPython 3 - time strftime() MethodPython 3 - List list() MethodPython 3 - time strptime() MethodPython 3 - List append() MethodPython 3 - time time() MethodPython 3 - List count() MethodPython 3 - time tzset() MethodPython 3 - List extend() MethodPython 3 - FunctionsPython 3 - List index() MethodPython 3 - ModulesPython 3 - List insert() MethodPython 3 - Files I/OPython 3 - List pop() MethodPython 3 - File MethodsPython 3 - List remove() MethodPython 3 - OS File/Directory MethodsPython 3 - List reverse() MethodPython 3 - Exceptions HandlingPython 3 - List sort() MethodPython 3 - Object OrientedPython 3 - TuplesPython 3 - Regular ExpressionsPython 3 - Tuple len() MethodPython 3 - CGI ProgrammingPython 3 - Tuple max() MethodPython 3 - MySQL Database AccessPython 3 - Tuple min() MethodPython 3 - Network ProgrammingPython 3 - Tuple tuple() MethodPython 3 - Sending Email using SMTPPython 3 - DictionaryPython 3 - Multithreaded ProgrammingPython 3 - Dictionary cmp() MethodPython 3 - XML ProcessingPython 3 - Dictionary len() MethodPython 3 - GUI Programming (Tkinter)Python 3 - Tkinter ButtonPython 3 - Tkinter CanvasPython 3 - Tkinter CheckbuttonPython 3 - Tkinter EntryPython 3 - Tkinter FramePython 3 - Tkinter LabelPython 3 - Tkinter ListboxPython 3 - Tkinter MenubuttonPython 3 - Tkinter MenuPython 3 - Tkinter MessagePython 3 - Tkinter RadiobuttonPython 3 - Tkinter ScalePython 3 - Tkinter ScrollbarPython 3 - Tkinter TextPython 3 - Tkinter ToplevelPython 3 - Tkinter SpinboxPython 3 - Tkinter PanedWindowPython 3 - Tkinter LabelFramePython 3 - Tkinter tkMessageBoxPython 3 - Tkinter DimensionsPython 3 - Tkinter ColorsPython Tkinter FontsPython 3 - Tkinter AnchorsPython 3 - Tkinter Relief stylesPython 3 - Tkinter BitmapsPython 3 - Tkinter CursorsPython 3 - Tkinter pack() MethodPython Tkinter grid() MethodPython 3 - Tkinter place() MethodPython 3 - Extension Programming with CPython 3 -File close() MethodPython 3 - File flush() MethodPython 3 - File fileno() MethodPython 3 - File isatty() MethodPython 3 - File next() MethodPython 3 - File read() MethodPython 3 - File readline() MethodPython 3 - File readlines() MethodPython 3 - File seek() MethodPython 3 - File tell() MethodPython 3 - File Truncate() MethodPython 3 - File write() MethodPython 3 - File writelines() MethodPython 3 - os.access() MethodPython 3 - os.chdir() MethodPython 3 - os.chflags() MethodPython 3 - os.chmod() MethodPython 3 - os.chown() MethodPython 3 - os.chroot() MethodPython 3 - os.close() MethodPython 3 - os.closerange() MethodPython 3 - os.dup() MethodPython 3 - os.dup2() MethodPython 3 - os.fchdir() MethodPython 3 - os.fchmod() MethodPython 3 - os.fchown() MethodPython 3 - os.fdatasync() MethodPython 3 - os.fdopen() MethodPython 3 - os.fpathconf() MethodPython 3 - os.fstat() MethodPython 3 - os.fstatvfs() MethodPython 3 - os.fsync() MethodPython 3 - os.ftruncate() MethodPython 3 - os.getcwd() MethodPython 3 - os.getcwdu() MethodPython 3 - os.isatty() MethodPython 3 - os.lchflags() MethodPython 3 - os.lchmod() MethodPython 3 - os.lchown() MethodPython 3 - os.link() MethodPython 3 - os.listdir() MethodPython 3 - os.lseek() MethodPython 3 - os.lstat() MethodPython 3 - os.major() MethodPython 3 - os.makedev() MethodPython 3 - os.makedirs() MethodPython 3 - os.minor() MethodPython 3 - os.mkdir() MethodPython 3 - os.mkfifo() MethodPython 3 - os.mknod() MethodPython 3 - os.open() MethodPython 3 - os.openpty() MethodPython 3 - os.pathconf() MethodPython 3 - os.pipe() MethodPython 3 - os.popen() MethodPython 3 - os.read() MethodPython 3 - os.readlink() MethodPython 3 - os.remove() MethodPython 3 - os.removedirs() MethodPython 3 - os.rename() MethodPython 3 - os.renames() MethodPython 3 - os.rmdir() MethodPython 3 - os.stat() MethodPython 3 - os.stat_float_times() MethodPython 3 - os.statvfs() MethodPython 3 - os.symlink() MethodPython 3 - os.tcgetpgrp() MethodPython 3 - os.tcsetpgrp() MethodPython 3 - os.tempnam() MethodPython 3 - os.tmpfile() MethodPython 3 - os.tmpnam() MethodPython 3 - os.ttyname() MethodPython 3 - os.unlink() MethodPython 3 - os.utime() MethodPython 3 - os.walk() MethodPython 3 - os.write() Method