Simpler way to draw a circle with tkinter? Simpler way to draw a circle with tkinter? tkinter tkinter

Simpler way to draw a circle with tkinter?


Here's a trick known as monkey patching where we actually add a member to the tkinter/Tkinter class Canvas. Below is a fully-functioning program (Python 2.7 and 3.x), of which the third paragraph is of interest. Add it to your code and you can treat tk.Canvas.create_circle(x, y, r, options...) as you would a builtin method, where the options are the same as create_oval. We do something similar for create_arc (fourth paragraph), and give the option to specify an end angle instead of an extent.

try:    import tkinter as tkexcept ImportError:    import Tkinter as tk  # Python 2root = tk.Tk()canvas = tk.Canvas(root, width=200, height=200, borderwidth=0, highlightthickness=0,                   bg="black")canvas.grid()def _create_circle(self, x, y, r, **kwargs):    return self.create_oval(x-r, y-r, x+r, y+r, **kwargs)tk.Canvas.create_circle = _create_circledef _create_circle_arc(self, x, y, r, **kwargs):    if "start" in kwargs and "end" in kwargs:        kwargs["extent"] = kwargs["end"] - kwargs["start"]        del kwargs["end"]    return self.create_arc(x-r, y-r, x+r, y+r, **kwargs)tk.Canvas.create_circle_arc = _create_circle_arccanvas.create_circle(100, 120, 50, fill="blue", outline="#DDD", width=4)canvas.create_circle_arc(100, 120, 48, fill="green", outline="", start=45, end=140)canvas.create_circle_arc(100, 120, 48, fill="green", outline="", start=275, end=305)canvas.create_circle_arc(100, 120, 45, style="arc", outline="white", width=6,                         start=270-25, end=270+25)canvas.create_circle(150, 40, 20, fill="#BBB", outline="")root.title("Circles and Arcs")root.mainloop()

Result:

result of code


simpler solution:

from tkinter import *root = Tk()myCanvas = Canvas(root)myCanvas.pack()def create_circle(x, y, r, canvasName): #center coordinates, radius    x0 = x - r    y0 = y - r    x1 = x + r    y1 = y + r    return canvasName.create_oval(x0, y0, x1, y1)create_circle(100, 100, 20, myCanvas)create_circle(50, 25, 10, myCanvas)root.mainloop()