我正在编写一个将图像转换为灰度的程序。我工作正常,现在我正在实现单选按钮,让用户选择使用哪种类型的灰度。到目前为止,我的问题是,当首次制作单选按钮时,立即调用command = function并将我的所有布尔值设置为True,因为我明确告诉它要通过使用function()而不是函数来做。我正在尝试一种方法,我可以用来存储选择哪个单选按钮,或者希望有内置的东西,我可以进行检查。我知道使用全局变量不是最佳实践,并且一个类将消除它们的必要性。这是相关的代码。
# Global variables for radio buttons----
radio1 = False
radio2 = False
radio3 = False
radio4 = False
def whichSelected(numberSelected):
global radio1
global radio2
global radio3
global radio4
if numberSelected == 4:
radio4 = True
if numberSelected == 3:
radio3 = True
if numberSelected == 2:
radio2 = True
if numberSelected == 1:
radio1 = True
# Radio Button Code---------------------------------------------------------
var = tkinter.IntVar()
option1 = tkinter.Radiobutton(window, text ='Average Grayscale',variable = var, value = 1,command = whichSelected(1))
option2 = tkinter.Radiobutton(window, text ='Lightness Grayscale',variable = var, value = 2, command = whichSelected(2))
option3 = tkinter.Radiobutton(window, text ='Luminosity Grayscale',variable = var, value = 3, command = whichSelected(3))
option4 = tkinter.Radiobutton(window, text ='Invert',variable = var, value = 4, command = whichSelected(4))
def change_pixel():
global tkPic2
global radio1
global radio2
global radio3
global radio4
# Treats the image as a 2d array, iterates through changing the
#values of each pixel with the algorithm for gray
rgbList = pic.load() #Get a 2d array of the pixels
for row in range(picWidth):
for column in range(picHeight):
rgb = rgbList[row,column]
r,g,b = rgb # Unpacks the RGB value tuple per pixel
if radio1 == True:
grayAlgorithm1 = grayAverage(r,g,b)
rgbList[row,column] = (grayAlgorithm1, grayAlgorithm1, grayAlgorithm1)
elif radio2 == True:
grayAlgorithm = lightness(r,g,b)
rgbList[row,column] = (grayAlgorithm1, grayAlgorithm1, grayAlgorithm1)
elif radio3 == True:
grayAlgorithm1= luminosity(r,g,b)
rgbList[row,column] = (grayAlgorithm1, grayAlgorithm1, grayAlgorithm1) # Gives each pixel a new RGB value
elif radio4 == True:
r,g,b= invertRGB(r,g,b)
rgbList[row,column] = (r, g, b) # Gives each pixel a new RGB value
# Converting to a tkinter PhotoImage
tkPic2 = ImageTk.PhotoImage(pic, master = window)
print(radio1,radio2,radio3,radio4)
canvas1.create_image(815,170, anchor='e',image = tkPic2)
答案 0 :(得分:2)
我不完全确定你为什么首先需要whichSelected
。您应该能够从var
:
value = var.get()
if value == 1:
print "Average Grayscale"
elif value == 2:
print "Lightness Grayscale"
...
这样做的另一个好处是可以保证您知道当前选中了哪个值。使用之前的方法,您需要添加一些逻辑以将所有全局变量都转换为False
,然后再创建所需的True
。正如您的功能所在,如果用户选择其中一个单选按钮,然后选择另一个单选按钮,则两者都将在全局变量中标记为True
。
然而,指出为什么你的方法也失败是有益的。除了前面提到的问题,command
参数应该是函数,你传递函数的结果(在这种情况下{ {1}})。当你调用函数来获得结果时,你将全局变量设置为None
作为副作用。
快速解决方法是使用True
创建一个新功能,以您希望的方式调用旧功能。这样,您将推迟将全局变量设置为lambda
,直到实际点击单选按钮为止:
True
option1 = tkinter.Radiobutton(window, text='Average Grayscale',
variable=var,
value=1,
command=lambda: whichSelected(1))
最终对lambda
应用程序中的此类事物非常有用。 (如果没有它,我无法想象编写应用程序......)