Call a Function with Arguments on Button Click in Tkinter
In Tkinter, the command
option of a Button widget allows you to specify a function to be executed when the button is clicked. However, passing arguments directly to the function requires a special approach.
To call a function with arguments on a button click, you can use:
- The
lambda
function - The
functools.partial
method
In this tutorial, we will explore both methods with examples.
Examples
1. Calling a Function with Arguments Using lambda
We use a lambda
function to pass arguments to a function when the button is clicked.
main.py
import tkinter as tk
# Function with arguments
def greet(name):
print(f"Hello, {name}!")
root = tk.Tk()
root.title("Tkinter Button Example - tutorialkart.com")
root.geometry("400x200")
# Button calling function with argument using lambda
button = tk.Button(root, text="Greet John", command=lambda: greet("John"))
button.pack(pady=10)
root.mainloop()
Output in Windows:
data:image/s3,"s3://crabby-images/5f9aa/5f9aa72c6000c6d1955b2c6eea8ef7ad39936bf2" alt=""
When the button is clicked, Hello, John!
is printed in the console.
data:image/s3,"s3://crabby-images/9e52b/9e52b64e1cbec4a95377f8530cde799681a87e2f" alt=""
2. Calling a Function with Arguments Using functools.partial
Using functools.partial
allows passing arguments to a function without using lambda
.
main.py
import tkinter as tk
from functools import partial
# Function with arguments
def display_message(msg):
print(msg)
root = tk.Tk()
root.title("Tkinter Button Example - tutorialkart.com")
root.geometry("400x200")
# Button calling function with argument using functools.partial
button = tk.Button(root, text="Show Message", command=partial(display_message, "Welcome to tutorialkart.com!"))
button.pack(pady=10)
root.mainloop()
Output in Windows:
data:image/s3,"s3://crabby-images/ea84e/ea84ebe45f9bf720bb45c821ced69f3d64a012e3" alt=""
When the button is clicked, Welcome to tutorialkart.com!
is printed in the console.
data:image/s3,"s3://crabby-images/7adaf/7adaf0ded27e32120a211654008a98e83e0e14c9" alt=""
Conclusion
In this tutorial, we explored how to pass arguments to a function when a Tkinter button is clicked using:
lambda
functionsfunctools.partial
Both methods provide flexible ways to execute functions with parameters in Tkinter applications.