web-dev-qa-db-ja.com

宣言されたときにボタンパラメータの「コマンド」が実行されるのはなぜですか?

私のコードは:

from Tkinter import *

admin = Tk()
def button(an):
    print an
    print 'het'

b = Button(admin, text='as', command=button('hey'))
b.pack()
mainloop()

ボタンが機能せず、コマンドなしで「hey」と「het」が1回出力されます。その後、ボタンを押しても何も起こりません。

62
salk

このコードを考えてみましょう:

b = Button(admin, text='as', command=button('hey'))

それはこれとまったく同じです:

result = button('hey')
b = button(admin, text='as', command=result)

commandオプションは関数への参照を受け取ります。これは、関数の名前を渡す必要があることを示すための空想的な方法です。参照を渡すには、括弧や引数を使用せずに名前のみを使用する必要があります。例えば:

b = Button(... command = button)

「hey」などのパラメーターを渡す場合は、少し余分なコードを使用する必要があります。

  • 引数なしで呼び出すことができ、次にbutton関数を呼び出す中間関数を作成できます。
  • lambdaを使用して、無名関数と呼ばれるものを作成できます。名前が付いていない点を除いて、すべての点で関数です。 lambdaコマンドを呼び出すと、作成された関数へのreferenceが返されます。これは、ボタンのcommandオプションの値に使用できることを意味します。
  • functools.partial を使用できます

私にとって、lambdafunctools.partialのように追加のインポートを必要としないため最も単純ですが、functools.partialの方がわかりやすいと考える人もいます。

引数を指定してbutton関数を呼び出すラムダ関数を作成するには、次のようにします。

lambda: button('hey')

最終的に、次の機能と同等の機能が得られます。

def some_name():
    button('hey')

前に述べたように、lambdaはこの名前のない関数への参照を返します。参照はcommandオプションが期待するものであるため、ボタンの作成でlambdaを直接使用できます。

b = Button(... command = lambda: button('hey'))

このサイトには、一般的にラムダに関する興味深いコメントが多い質問があります。質問を参照してください なぜPythonラムダが便利ですか? 。同じ議論に ループでラムダを使用する方法を示す回答 コールバックに変数を渡す必要があります。

最後に、ナイスチュートリアルについては、「 effbot.orgのTkinterコールバック 」というタイトルのセクションを参照してください。ラムダのカバレッジはかなり無駄がありませんが、そこにある情報はまだ役に立つかもしれません。

69
Bryan Oakley

コマンドとして使用できるパラメーターなしの関数を作成する必要があります。

b = Button(admin, text='as', command=lambda: button('hey'))

このドキュメント の「コールバックへの引数の受け渡し」セクションを参照してください。

11

GUIの例:

私がGUIを持っているとしましょう:

_import tkinter as tk

root = tk.Tk()

btn = tk.Button(root, text="Press")
btn.pack()

root.mainloop()
_

ボタンが押されたときに何が起こるか

btnが押されると、次の例の_button_press_handle_とよく似たのown関数が呼び出されることを確認してください。

_def button_press_handle(callback=None):
    if callback:
        callback() # Where exactly the method assigned to btn['command'] is being callled
_

と:

_button_press_handle(btn['command'])
_

commandオプションは、呼び出したいメソッドへの参照として設定する必要があると単純に考えることができます。これは、_button_press_handle_のcallbackと同様です。


ボタンが押されたときのメソッドの呼び出し( コールバック

Withoutarguments

したがって、ボタンが押されたときにprintを何かしたい場合は、次のように設定する必要があります。

_btn['command'] = print # default to print is new line
_

次の意味で省略されているprintメソッドを使用して_()_のlackに細心の注意を払ってください: "これはメソッドの名前です押されたときに電話してほしいしかしこれだけでは呼び出さないでください。 "しかし、何も渡さなかったprintの引数により、引数なしで呼び出されたときに出力されるものをすべて出力しました。

With引数

今私がに引数を渡したい場合は、ボタンが押されたときに呼び出されるメソッドを使用できます lambdaで作成できる匿名関数を使用できます ステートメント、この場合、print組み込みメソッドの場合、次のようになります。

_btn['command'] = lambda arg1="Hello", arg2=" ", arg3="World!" : print(arg1 + arg2 + arg3)
_

ボタンが押されたときにMultipleメソッドを呼び出す

Without引数

lambdaステートメントを使用してこれを実現することもできますが、これは悪い習慣と見なされているため、ここでは説明しません。望ましい方法は、必要なメソッドを呼び出す別のメソッド_multiple_methods_を定義し、それをボタンプレスへのコールバックとして設定することです。

_def multiple_methods():
    print("Vicariously") # the first inner callback
    print("I") # another inner callback
_

With引数

他のメソッドを呼び出すメソッドに引数を渡すには、再度lambdaステートメントを使用しますが、最初に次のようにします。

_def multiple_methods(*args, **kwargs):
    print(args[0]) # the first inner callback
    print(kwargs['opt1']) # another inner callback
_

次に設定します:

_btn['command'] = lambda arg="live", kw="as the" : a_new_method(arg, opt1=kw)
_

コールバックからオブジェクトを返す

また、callbackは、_callback()ではなくreturn callback()を使用して_button_press_handle_内でのみ呼び出されるため、実際にはreturnを使用できないことに注意してください。 returnを実行しますが、notその関数の外部では行いません。したがって、現在のスコープでアクセス可能なオブジェクトをmodifyする必要があります。


グローバル オブジェクト変更を含む完全な例

以下の例では、ボタンが押されるたびにbtnのテキストを変更するメソッドを呼び出します。

_import tkinter as tk

i = 0
def text_mod():
    global i, btn           # btn can be omitted but not sure if should be
    txt = ("Vicariously", "I", "live", "as", "the", "whole", "world", "dies")
    btn['text'] = txt[i]    # the global object that is modified
    i = (i + 1) % len(txt)  # another global object that gets modified

root = tk.Tk()

btn = tk.Button(root, text="My Button")
btn['command'] = text_mod

btn.pack(fill='both', expand=True)

root.mainloop()
_

5
Nae

エンジンは、 "... command = ..."という行で値を割り当てているときに、関数の結果を評価します。

「コマンド」は関数が返されることを期待します。評価中に「コマンド」に返される匿名関数を作成しているので、ラムダを使用して作業を実行できるのはこのためです。また、独自の関数をコーディングすることもできます。これも機能します。

これはラムダがある場合とない場合の例です。

#!/usr/bin/python
# coding=utf-8

from Tkinter import *
# Creation de la fenêtre principale (main window)
Mafenetre = Tk()
res1 = StringVar()
res2 = StringVar()

def isValidInput(obj):
    if hasattr(obj, 'get') and callable(getattr(obj, 'get')):
        return TRUE
    return FALSE


# stupid action 2 (return 12 on purpose to show potential mistake)
def action1(*arguments):
    print "action1 running"
    for arg in arguments:
        if isValidInput(arg):
            print "input value: ", arg.get()
            res1.set(arg.get())
        else:
            print "other value:", arg
    print "\n"
    return 12


# stupid action 2
def action2(*arguments):
    print "action2 running"
    a = arguments[0]
    b = arguments[1]
    if isValidInput(a) and isValidInput(b):
        c = a.get() + b.get()
        res2.set(c)
        print c
    print "\n"


# a stupid workflow manager ordered by name
def start_tasks(*arguments, **keywords):
    keys = sorted(keywords.keys())
    for kw in keys:
        print kw, "plugged "
        keywords[kw](*arguments)


# valid callback wrapper with lambda
def action1_callback(my_input):
    return lambda args=[my_input]: action1(*args)


# valid callback wrapper without lambda
def action1_callback_nolambda(*args, **kw):
    def anon():
        action1(*args)
    return anon


# first input string
input1 = StringVar()
input1.set("delete me...")
f1 = Entry(Mafenetre, textvariable=input1, bg='bisque', fg='maroon')
f1.focus_set()
f1.pack(fill="both", expand="yes", padx="5", pady=5)

# failed callback because the action1 function is evaluated, it will return 12. 
# in this case the button won't work at all, because the assignement expect a function 
# in order to have the button command to execute something
ba1 = Button(Mafenetre)
ba1['text'] = "show input 1 (ko)"
ba1['command'] = action1(input1)
ba1.pack(fill="both", expand="yes", padx="5", pady=5)

# working button using a wrapper
ba3 = Button(Mafenetre)
ba3['text'] = "show input 1 (ok)"
# without a lambda it is also working if the assignment is a function
#ba1['command'] = action1_callback_nolambda(input1)
ba3['command'] = action1_callback(input1)
ba3.pack(fill="both", expand="yes", padx="5", pady=5)

# display result label
Label1 = Label(Mafenetre, text="Action 1 result:")
Label1.pack(fill="both", expand="yes", padx="5", pady=5)
# display result value
resl1 = Label(Mafenetre, textvariable=res1)
resl1.pack(fill="both", expand="yes", padx="5", pady=5)


# second input string
input2 = StringVar()
f2 = Entry(Mafenetre, textvariable=input2, bg='bisque', fg='maroon')
f2.focus_set()
f2.pack(fill="both", expand="yes", padx="5", pady=5)

# third test without wrapper, but making sure that several arguments are well handled by a lambda function
ba2 = Button(Mafenetre)
ba2['text'] = "execute action 2"
ba2['command'] = lambda args=[input1, input2], action=action2: start_tasks(*args, do=action)
ba2.pack(fill="both", expand="yes", padx="5", pady=5)

# display result label
Label2 = Label(Mafenetre, text="Action 2 result:")
Label2.pack(fill="both", expand="yes", padx="5", pady=5)
# display result value
resl2 = Label(Mafenetre, textvariable=res2)
resl2.pack(fill="both", expand="yes", padx="5", pady=5)

Mafenetre.mainloop()
2
C.Vergnaud

関数の入力または括弧としてキーワードまたは引数を使用しないでください。これは非常に簡単な解決策です。

0
novonimo