Search code examples
pythonuser-interfacetkintertkinter-text

Replacing the tkinter.Text insert method


I was trying to replace (at runtime) the inherited insert() method for a subclass of tkinter.Text. The replacement method executes a few lines of code before calling the parent class' (tkinter.Text) insert() method. However, at runtime python shows the following error.

Traceback (most recent call last):
  File "/Library/Frameworks/Python.framework/Versions/3.9/lib/python3.9/tkinter/__init__.py", line 1885, in __call__
    return self.func(*args)
  File ".../expts/test.py", line 20, in callback
    text.insert("1.0", "howdy")
  File ".../expts/test.py", line 14, in new_insert
    tk.Text.insert(text, index, chars, *args)
  File "/Library/Frameworks/Python.framework/Versions/3.9/lib/python3.9/tkinter/__init__.py", line 3740, in insert
    self.tk.call((self._w, 'insert', index, chars) + args)
AttributeError: type object 'Text' has no attribute 'tk'

The following code is a simplified version of my main code.

import tkinter as tk
import types

class TextChild(tk.Text):
    def __init__(self, *args, **kwargs):
        tk.Text.__init__(self, *args, **kwargs)

root = tk.Tk()
text = TextChild(root)
text.pack()

def new_insert(text, index, chars, *args):
    print("Does some work...")
    tk.Text.insert(text, index, chars, *args)

text.insert = types.MethodType(new_insert, tk.Text)

def callback():
    global text
    text.insert("1.0", "howdy")

button = tk.Button(master=root,text="Button", command=callback)
button.pack()

root.mainloop()

Solution

  • To address your original method, you are mixing up the arguments for types.MethodType. Arguments are method and the object.

    text.insert = types.MethodType(new_insert, text)