26

カスタム ポップアップ ダイアログ ボックスの作成方法を学び始めたところです。結局のところ、tkinter messageboxは非常に使いやすいですが、あまり機能しません。ここでは、入力を受け取り、それをユーザー名に保存するダイアログ ボックスを作成しようとしています。

私の質問は、これを実装するために推奨されるスタイルは何ですか? Bryan Oakley がこのコメントで示唆したように。

グローバル変数を使用しないことをお勧めします。ダイアログがそれ自体を破棄する代わりに、実際のウィジェットのみを破棄し、オブジェクトは生きたままにします。次に、次のようなものを呼び出してinputDialog.get_string()からdel inputDialog、メイン ロジックから呼び出します。

おそらく、グローバル変数を使用して文字列を返すことは最善の考えではありませんが、なぜでしょうか? そして、提案された方法は何ですか?ウィンドウが破棄された後に getstring をトリガーする方法がわからないため、混乱します。実際のウィジェットの破棄に関する行は、彼が参照しているかどうかわかりませんTopLevel

私が尋ねる理由は、送信ボタンを押した後にポップアップボックスを破棄したいからです。結局のところ、メイン プログラムに戻ったり、何かを更新したりしたいからsendです。この場合、ボタン メソッドは何をすべきでしょうか。この特定の例のアイデアは、ユーザーが必要に応じて何度でも実行できるようにすることです。

import tkinter as tk

class MyDialog:
    def __init__(self, parent):
        top = self.top = tk.Toplevel(parent)
        self.myLabel = tk.Label(top, text='Enter your username below')
        self.myLabel.pack()

        self.myEntryBox = tk.Entry(top)
        self.myEntryBox.pack()

        self.mySubmitButton = tk.Button(top, text='Submit', command=self.send)
        self.mySubmitButton.pack()

    def send(self):
        global username
        username = self.myEntryBox.get()
        self.top.destroy()

def onClick():
    inputDialog = MyDialog(root)
    root.wait_window(inputDialog.top)
    print('Username: ', username)

username = 'Empty'
root = tk.Tk()
mainLabel = tk.Label(root, text='Example for pop up input box')
mainLabel.pack()

mainButton = tk.Button(root, text='Click me', command=onClick)
mainButton.pack()

root.mainloop()
4

5 に答える 5

41

頭に浮かぶ2つのシナリオでは 、グローバルステートメントを使用する必要はありません。

  1. メインGUIで使用するためにインポートできるダイアログボックスをコーディングしたい
  2. メインGUIなしで使用するためにインポートできるダイアログボックスをコーディングしたい

メインGUIで使用するためにインポートできるダイアログボックスをコーディングする


ダイアログボックスのインスタンスを作成するときに辞書とキーを渡すことで、グローバルステートメントを回避できます。その後、ラムダを使用して、辞書とキーをボタンのコマンドに関連付けることができます。これにより、ボタンが押されたときに関数呼び出し(argsを使用)を実行する無名関数が作成されます。

親をクラス属性(この例ではroot)にバインドすることにより、ダイアログボックスのインスタンスを作成するたびに親を渡す必要がなくなります。

以下は、メインGUIのファイルと同じフォルダ内または同じフォルダにmbox.py保存できます。your_python_folder\Lib\site-packages

import tkinter

class Mbox(object):

    root = None

    def __init__(self, msg, dict_key=None):
        """
        msg = <str> the message to be displayed
        dict_key = <sequence> (dictionary, key) to associate with user input
        (providing a sequence for dict_key creates an entry for user input)
        """
        tki = tkinter
        self.top = tki.Toplevel(Mbox.root)

        frm = tki.Frame(self.top, borderwidth=4, relief='ridge')
        frm.pack(fill='both', expand=True)

        label = tki.Label(frm, text=msg)
        label.pack(padx=4, pady=4)

        caller_wants_an_entry = dict_key is not None

        if caller_wants_an_entry:
            self.entry = tki.Entry(frm)
            self.entry.pack(pady=4)

            b_submit = tki.Button(frm, text='Submit')
            b_submit['command'] = lambda: self.entry_to_dict(dict_key)
            b_submit.pack()

        b_cancel = tki.Button(frm, text='Cancel')
        b_cancel['command'] = self.top.destroy
        b_cancel.pack(padx=4, pady=4)

    def entry_to_dict(self, dict_key):
        data = self.entry.get()
        if data:
            d, key = dict_key
            d[key] = data
            self.top.destroy()

effbotでTopLevelとtkSimpleDialog(py3のtkinter.simpledialog)をサブクラス化する例を見ることができます

この例では、 ttkウィジェットはtkinterウィジェットと互換性があることに注意してください。

ダイアログボックスを正確に中央に配置するには、→ thisを読んでください。

使用例:

import tkinter
import mbox

root = tkinter.Tk()

Mbox = mbox.Mbox
Mbox.root = root

D = {'user':'Bob'}

b_login = tkinter.Button(root, text='Log in')
b_login['command'] = lambda: Mbox('Name?', (D, 'user'))
b_login.pack()

b_loggedin = tkinter.Button(root, text='Current User')
b_loggedin['command'] = lambda: Mbox(D['user'])
b_loggedin.pack()

root.mainloop()

メインGUIなしで使用するためにインポートできるダイアログボックスをコーディングする


ダイアログボックスクラス(ここではMessageBox)を含むモジュールを作成します。また、そのクラスのインスタンスを作成し、最後に押されたボタンの値(またはエントリウィジェットからのデータ)を返す関数を含めます。

これらのリファレンスを使用してカスタマイズできる完全なモジュールは次のとおりです:NMTechEffbot
次のコードを次のように保存しmbox.pyますyour_python_folder\Lib\site-packages

import tkinter

class MessageBox(object):

    def __init__(self, msg, b1, b2, frame, t, entry):

        root = self.root = tkinter.Tk()
        root.title('Message')
        self.msg = str(msg)
        # ctrl+c to copy self.msg
        root.bind('<Control-c>', func=self.to_clip)
        # remove the outer frame if frame=False
        if not frame: root.overrideredirect(True)
        # default values for the buttons to return
        self.b1_return = True
        self.b2_return = False
        # if b1 or b2 is a tuple unpack into the button text & return value
        if isinstance(b1, tuple): b1, self.b1_return = b1
        if isinstance(b2, tuple): b2, self.b2_return = b2
        # main frame
        frm_1 = tkinter.Frame(root)
        frm_1.pack(ipadx=2, ipady=2)
        # the message
        message = tkinter.Label(frm_1, text=self.msg)
        message.pack(padx=8, pady=8)
        # if entry=True create and set focus
        if entry:
            self.entry = tkinter.Entry(frm_1)
            self.entry.pack()
            self.entry.focus_set()
        # button frame
        frm_2 = tkinter.Frame(frm_1)
        frm_2.pack(padx=4, pady=4)
        # buttons
        btn_1 = tkinter.Button(frm_2, width=8, text=b1)
        btn_1['command'] = self.b1_action
        btn_1.pack(side='left')
        if not entry: btn_1.focus_set()
        btn_2 = tkinter.Button(frm_2, width=8, text=b2)
        btn_2['command'] = self.b2_action
        btn_2.pack(side='left')
        # the enter button will trigger the focused button's action
        btn_1.bind('<KeyPress-Return>', func=self.b1_action)
        btn_2.bind('<KeyPress-Return>', func=self.b2_action)
        # roughly center the box on screen
        # for accuracy see: https://stackoverflow.com/a/10018670/1217270
        root.update_idletasks()
        xp = (root.winfo_screenwidth() // 2) - (root.winfo_width() // 2)
        yp = (root.winfo_screenheight() // 2) - (root.winfo_height() // 2)
        geom = (root.winfo_width(), root.winfo_height(), xp, yp)
        root.geometry('{0}x{1}+{2}+{3}'.format(*geom))
        # call self.close_mod when the close button is pressed
        root.protocol("WM_DELETE_WINDOW", self.close_mod)
        # a trick to activate the window (on windows 7)
        root.deiconify()
        # if t is specified: call time_out after t seconds
        if t: root.after(int(t*1000), func=self.time_out)

    def b1_action(self, event=None):
        try: x = self.entry.get()
        except AttributeError:
            self.returning = self.b1_return
            self.root.quit()
        else:
            if x:
                self.returning = x
                self.root.quit()

    def b2_action(self, event=None):
        self.returning = self.b2_return
        self.root.quit()

    # remove this function and the call to protocol
    # then the close button will act normally
    def close_mod(self):
        pass

    def time_out(self):
        try: x = self.entry.get()
        except AttributeError: self.returning = None
        else: self.returning = x
        finally: self.root.quit()

    def to_clip(self, event=None):
        self.root.clipboard_clear()
        self.root.clipboard_append(self.msg)

と:

def mbox(msg, b1='OK', b2='Cancel', frame=True, t=False, entry=False):
    """Create an instance of MessageBox, and get data back from the user.
    msg = string to be displayed
    b1 = text for left button, or a tuple (<text for button>, <to return on press>)
    b2 = text for right button, or a tuple (<text for button>, <to return on press>)
    frame = include a standard outerframe: True or False
    t = time in seconds (int or float) until the msgbox automatically closes
    entry = include an entry widget that will have its contents returned: True or False
    """
    msgbox = MessageBox(msg, b1, b2, frame, t, entry)
    msgbox.root.mainloop()
    # the function pauses here until the mainloop is quit
    msgbox.root.destroy()
    return msgbox.returning

mboxがMessageBoxのインスタンスを作成した後、メインループを開始します。
メインループは、を介してメインループが終了するまで、そこで関数を効果的に停止しますroot.quit()mbox関数は、にアクセス
してその値を返すことができます。 msgbox.returning

例:

user = {}
mbox('starting in 1 second...', t=1)
user['name'] = mbox('name?', entry=True)
if user['name']:
    user['sex'] = mbox('male or female?', ('male', 'm'), ('female', 'f'))
    mbox(user, frame=False)
于 2012-04-08T18:40:35.750 に答える
13

オブジェクトinputDialogは破棄されていないので、オブジェクト属性にアクセスできました。戻り文字列を属性として追加しました。

import tkinter as tk

class MyDialog:

    def __init__(self, parent):
        top = self.top = tk.Toplevel(parent)
        self.myLabel = tk.Label(top, text='Enter your username below')
        self.myLabel.pack()
        self.myEntryBox = tk.Entry(top)
        self.myEntryBox.pack()
        self.mySubmitButton = tk.Button(top, text='Submit', command=self.send)
        self.mySubmitButton.pack()

    def send(self):
        self.username = self.myEntryBox.get()
        self.top.destroy()

def onClick():
    inputDialog = MyDialog(root)
    root.wait_window(inputDialog.top)
    print('Username: ', inputDialog.username)

root = tk.Tk()
mainLabel = tk.Label(root, text='Example for pop up input box')
mainLabel.pack()

mainButton = tk.Button(root, text='Click me', command=onClick)
mainButton.pack()

root.mainloop()
于 2014-07-30T22:44:22.677 に答える