2

我一直在尝试在 Python 33 上使用 Tkinter 制作一个毕达哥拉斯定理计算器,但我遇到了一个小问题。

这是我的代码 -

from tkinter import *
import math

root = Tk()

L1 = Label(root, text="A = ")
L1.pack()

E1 = Entry(root, bd =5)
E1.pack()

L2 = Label(root, text="B = ")
L2.pack()

E2 = Entry(root, bd =5)
E2.pack()

asq = E1**2
bsq = E2**2

csq = asq + bsq
ans = math.sqrt(csq)

def showsum():
    tkMessageBox.showinfo("Answer =", ans)

B1 = tkinter.Button(root, text="Click This To Calculate!", command = showsum())
B1.pack()

root.mainloop()

这是我的错误信息 -

Traceback (most recent call last):
  File "C:/Users/Dale/Desktop/programming/Python/tkinterpythagoras.py", line 18, in     <module>
    asq = E1**2
TypeError: unsupported operand type(s) for ** or pow(): 'Entry' and 'int'

请不要对我粗鲁。我是 Tkinter 的初学者!

4

2 回答 2

3

您的程序中存在一些问题:首先,E1并且E2是 Entry 小部件,而不是数字,因此您必须先检索值:

try:
    val = int(E1.get())
except ValueError:
    # The text of E1 is not a valid number

其次,在 Button 的命令选项中,您调用的是函数showsum()而不是传递引用:

B1 = Button(root, ..., command=showsum)  # Without ()

此外,此函数始终显示与先前计算的结果相同的结果,因此您应该在此函数中而不是之前检索小部件的值。最后,with from tkinter import *Button 位于全局命名空间中,因此您应该删除tkinter对它之前的引用。

所以最后showsum可能是这样的:

def showsum():
    try:
        v1, v2 = int(E1.get()), int(E2.get())
        asq = v1**2
        bsq = v2**2
        csq = asq + bsq
        tkMessageBox.showinfo("Answer =", math.sqrt(csq))
    except ValueError:
        tkMessageBox.showinfo("ValueError!")
于 2013-05-28T18:13:41.267 回答
2

该错误消息非常清楚。您正在尝试将Entry对象提升到某种程度,而您不能对Entry对象进行此操作,因为它们不是数字而是用户界面元素。相反,您需要对象Entry内容,即用户输入的内容,并且您可能希望将其转换为整数或浮点数。所以:

asq = float(E1.get()) ** 2
于 2013-05-28T18:13:27.997 回答