web-dev-qa-db-ja.com

tkinterでのエントリウィジェットコンテンツのインタラクティブな検証

Tkinter Entryウィジェットのコンテンツをインタラクティブに検証するための推奨テクニックは何ですか?

validate=Trueおよびvalidatecommand=commandの使用に関する投稿を読みましたが、これらの機能は、validatecommandコマンドがEntryウィジェットの値。

この動作を考えると、KeyPressCut、およびPasteイベントをバインドし、これらのイベントを介してEntryウィジェットの値を監視/更新する必要がありますか? (そして私が見逃したかもしれない他の関連イベント?)

または、インタラクティブな検証を完全に忘れて、FocusOutイベントでのみ検証する必要がありますか?

68
Malcolm

正解は、ウィジェットのvalidatecommand属性を使用することです。残念ながら、この機能はTkinterの世界では十分に文書化されていませんが、Tkの世界では十分に文書化されています。十分に文書化されていませんが、バインディングやトレース変数に頼ったり、検証手順内からウィジェットを変更したりせずに検証を行うために必要なものはすべて揃っています。

秘Theは、Tkinterがvalidateコマンドに特別な値を渡すことができることを知ることです。これらの値は、データが有効かどうかを判断するために知っておく必要のあるすべての情報を提供します。編集前の値、編集が有効な場合は編集後の値、その他のいくつかの情報です。ただし、これらを使用するには、この情報をvalidateコマンドに渡すために少しブードゥーをする必要があります。

注:検証コマンドがTrueまたはFalseを返すことが重要です。それ以外の場合は、ウィジェットの検証がオフになります。

小文字のみを許可する(およびそれらのファンキーな値をすべて出力する)例は次のとおりです。

import tkinter as tk  # python 3.x
# import Tkinter as tk # python 2.x

class Example(tk.Frame):

    def __init__(self, parent):
        tk.Frame.__init__(self, parent)

        # valid percent substitutions (from the Tk entry man page)
        # note: you only have to register the ones you need; this
        # example registers them all for illustrative purposes
        #
        # %d = Type of action (1=insert, 0=delete, -1 for others)
        # %i = index of char string to be inserted/deleted, or -1
        # %P = value of the entry if the edit is allowed
        # %s = value of entry prior to editing
        # %S = the text string being inserted or deleted, if any
        # %v = the type of validation that is currently set
        # %V = the type of validation that triggered the callback
        #      (key, focusin, focusout, forced)
        # %W = the tk name of the widget

        vcmd = (self.register(self.onValidate),
                '%d', '%i', '%P', '%s', '%S', '%v', '%V', '%W')
        self.entry = tk.Entry(self, validate="key", validatecommand=vcmd)
        self.text = tk.Text(self, height=10, width=40)
        self.entry.pack(side="top", fill="x")
        self.text.pack(side="bottom", fill="both", expand=True)

    def onValidate(self, d, i, P, s, S, v, V, W):
        self.text.delete("1.0", "end")
        self.text.insert("end","OnValidate:\n")
        self.text.insert("end","d='%s'\n" % d)
        self.text.insert("end","i='%s'\n" % i)
        self.text.insert("end","P='%s'\n" % P)
        self.text.insert("end","s='%s'\n" % s)
        self.text.insert("end","S='%s'\n" % S)
        self.text.insert("end","v='%s'\n" % v)
        self.text.insert("end","V='%s'\n" % V)
        self.text.insert("end","W='%s'\n" % W)

        # Disallow anything but lowercase letters
        if S == S.lower():
            return True
        else:
            self.bell()
            return False

if __== "__main__":
    root = tk.Tk()
    Example(root).pack(fill="both", expand=True)
    root.mainloop()

registerメソッドを呼び出したときに内部で何が起こるかについての詳細は、 Input validation tkinter を参照してください

175
Bryan Oakley

Bryanのコードを調べて実験した後、最小限のバージョンの入力検証を作成しました。次のコードは、入力ボックスを配置し、数字のみを受け入れます。

from tkinter import *

root = Tk()

def testVal(inStr,acttyp):
    if acttyp == '1': #insert
        if not inStr.isdigit():
            return False
    return True

entry = Entry(root, validate="key")
entry['validatecommand'] = (entry.register(testVal),'%P','%d')
entry.pack()

root.mainloop()

おそらく私はまだ学んでいることを追加する必要がありますPythonそして私は喜んですべてのコメント/提案を受け入れます。

9
user1683793

使う Tkinter.StringVarエントリウィジェットの値を追跡します。 StringVarを設定することにより、traceの値を検証できます。

エントリウィジェットで有効なフロートのみを受け入れる短い作業プログラムを次に示します。

from Tkinter import *
root = Tk()
sv = StringVar()

def validate_float(var):
    new_value = var.get()
    try:
        new_value == '' or float(new_value)
        validate.old_value = new_value
    except:
        var.set(validate.old_value)    
validate.old_value = ''

# trace wants a callback with nearly useless parameters, fixing with lambda.
sv.trace('w', lambda nm, idx, mode, var=sv: validate_float(var))
ent = Entry(root, textvariable=sv)
ent.pack()

root.mainloop()
9

Bryanの答えは正しいですが、tkinterウィジェットの 'invalidcommand'属性については誰も言及していません。

良い説明はこちらです: http://infohost.nmt.edu/tcc/help/pubs/tkinter/web/entry-validation.html

リンク切れの場合のテキストのコピー/貼り付け

Entryウィジェットは、validatecommandがFalseを返すたびに呼び出されるコールバック関数を指定するinvalidcommandオプションもサポートします。このコマンドは、ウィジェットの関連するテキスト変数で.set()メソッドを使用して、ウィジェット内のテキストを変更できます。このオプションの設定は、validateコマンドの設定と同じように機能します。 .register()メソッドを使用して、Python関数をラップする必要があります。このメソッドは、ラップされた関数の名前を文字列として返します。次に、invalidcommandオプションの値として、文字列、または置換コードを含むタプルの最初の要素として。

注:方法を理解できないことが1つだけあります。エントリに検証を追加し、ユーザーがテキストの一部を選択して新しい値を入力した場合、元の値をキャプチャしてリセットする方法はありませんエントリ。ここに例があります

  1. エントリは、「validatecommand」を実装することで整数のみを受け入れるように設計されています
  2. ユーザーは1234567を入力します
  3. ユーザーは「345」を選択して「j」を押します。これは、「345」の削除と「j」の挿入という2つのアクションとして登録されます。 Tkinterは削除を無視し、「j」の挿入に対してのみ動作します。 'validatecommand'はFalseを返し、 'invalidcommand'関数に渡される値は次のとおりです。%d = 1、%i = 2、%P = 12j67、%s = 1267、%S = j
  4. コードに「invalidcommand」関数が実装されていない場合、「validatecommand」関数は「j」を拒否し、結果は1267になります。コードに「invalidcommand」関数が実装されている場合、元の1234567を回復する方法はありません。
3
orionrobert

Bryan Oakley's answer を勉強している間に、何かもっと一般的な解決策を開発できると教えてくれました。次の例では、検証用のモード列挙、タイプ辞書、およびセットアップ関数を紹介します。使用例とその単純さのデモについては、48行目を参照してください。

#! /usr/bin/env python3
# https://stackoverflow.com/questions/4140437
import enum
import inspect
import tkinter
from tkinter.constants import *


Mode = enum.Enum('Mode', 'none key focus focusin focusout all')
CAST = dict(d=int, i=int, P=str, s=str, S=str,
            v=Mode.__getitem__, V=Mode.__getitem__, W=str)


def on_validate(widget, mode, validator):
    # http://www.tcl.tk/man/tcl/TkCmd/ttk_entry.htm#M39
    if mode not in Mode:
        raise ValueError('mode not recognized')
    parameters = inspect.signature(validator).parameters
    if not set(parameters).issubset(CAST):
        raise ValueError('validator arguments not recognized')
    casts = Tuple(map(CAST.__getitem__, parameters))
    widget.configure(validate=mode.name, validatecommand=[widget.register(
        lambda *args: bool(validator(*(cast(arg) for cast, arg in Zip(
            casts, args)))))]+['%' + parameter for parameter in parameters])


class Example(tkinter.Frame):

    @classmethod
    def main(cls):
        tkinter.NoDefaultRoot()
        root = tkinter.Tk()
        root.title('Validation Example')
        cls(root).grid(sticky=NSEW)
        root.grid_rowconfigure(0, weight=1)
        root.grid_columnconfigure(0, weight=1)
        root.mainloop()

    def __init__(self, master, **kw):
        super().__init__(master, **kw)
        self.entry = tkinter.Entry(self)
        self.text = tkinter.Text(self, height=15, width=50,
                                 wrap=Word, state=DISABLED)
        self.entry.grid(row=0, column=0, sticky=NSEW)
        self.text.grid(row=1, column=0, sticky=NSEW)
        self.grid_rowconfigure(1, weight=1)
        self.grid_columnconfigure(0, weight=1)
        on_validate(self.entry, Mode.key, self.validator)

    def validator(self, d, i, P, s, S, v, V, W):
        self.text['state'] = NORMAL
        self.text.delete(1.0, END)
        self.text.insert(END, 'd = {!r}\ni = {!r}\nP = {!r}\ns = {!r}\n'
                              'S = {!r}\nv = {!r}\nV = {!r}\nW = {!r}'
                         .format(d, i, P, s, S, v, V, W))
        self.text['state'] = DISABLED
        return not S.isupper()


if __== '__main__':
    Example.main()
3
Noctis Skytower
import tkinter
tk=tkinter.Tk()
def only_numeric_input(e):
    #this is allowing all numeric input
    if e.isdigit():
        return True
    #this will allow backspace to work
    Elif e=="":
        return True
    else:
        return False
#this will make the entry widget on root window
e1=tkinter.Entry(tk)
#arranging entry widget on screen
e1.grid(row=0,column=0)
c=tk.register(only_numeric_input)
e1.configure(validate="key",validatecommand=(c,'%P'))
tk.mainloop()
#very usefull for making app like calci
2
Mohammad Omar

orionrobertの問題への対応 個別の削除や挿入ではなく、選択によるテキストの置換時に単純な検証を処理する:

選択したテキストの置換は、削除とそれに続く挿入として処理されます。これにより、たとえば、削除によってカーソルが左に移動し、置換によってカーソルが右に移動する必要がある場合に問題が発生する可能性があります。幸いなことに、これら2つのプロセスは、すぐにすぐに実行されます。したがって、削除と挿入の間にアイドル時間がないため、置換自体による削除と、置換による挿入が直接続く削除を区別できます。

SubstitutionFlagとWidget.after_idle()を使用してこれを悪用します。 after_idle()は、イベントキューの最後でラムダ関数を実行します。

_class ValidatedEntry(Entry):
    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)

        self.tclValidate = (self.register(self.validate), '%d', '%i', '%P', '%s', '%S', '%v', '%V', '%W')
        # attach the registered validation function to this spinbox
        self.config(validate = "all", validatecommand = self.tclValidate)

    def validate(self, type, index, result, prior, indelText, currentValidationMode, reason, widgetName):

        if typeOfAction == "0":
            # set a flag that can be checked by the insertion validation for being part of the substitution
            self.substitutionFlag = True
            # store desired data
            self.priorBeforeDeletion = prior
            self.indexBeforeDeletion = index
            # reset the flag after idle
            self.after_idle(lambda: setattr(self, "substitutionFlag", False))

            # normal deletion validation
            pass

        Elif typeOfAction == "1":

            # if this is a substitution, everything is shifted left by a deletion, so undo this by using the previous prior
            if self.substitutionFlag:
                # restore desired data to what it was during validation of the deletion
                prior = self.priorBeforeDeletion
                index = self.indexBeforeDeletion

                # optional (often not required) additional behavior upon substitution
                pass

            else:
                # normal insertion validation
                pass

        return True
_

もちろん、置換後、削除部分の検証中、挿入が続くかどうかはまだわかりません。幸いなことに、.set().icursor().index(SEL_FIRST).index(SEL_LAST).index(INSERT)を使用すると、最も望ましい振る舞いを振り返る(新しいsubstitutionFlagと挿入の組み合わせは、新しいユニークで最終的なイベントであるため。

1
Tdiddy

エントリ値を検証する簡単な方法を次に示します。これにより、ユーザーは数字のみを入力できます。

import tkinter  # imports Tkinter module


root = tkinter.Tk()  # creates a root window to place an entry with validation there


def only_numeric_input(P):
    # checks if entry's value is an integer or empty and returns an appropriate boolean
    if P.isdigit() or P == "":  # if a digit was entered or nothing was entered
        return True
    return False


my_entry = tkinter.Entry(root)  # creates an entry
my_entry.grid(row=0, column=0)  # shows it in the root window using grid geometry manager
callback = root.register(only_numeric_input)  # registers a Tcl to Python callback
my_entry.configure(validate="key", validatecommand=(callback, "%P"))  # enables validation
root.mainloop()  # enters to Tkinter main event loop

PS:この例は、calcのようなアプリを作成するのに非常に役立ちます。

0
Demian Wolf