0

我对 global 做的不多,我想知道如何使类中的函数和变量成为全局的。我试图使用字体和函数在类之间测试全局。如果有人能指出我哪里出错了,那将非常有帮助。

全局.py

#Fonts
#Common Functions
import tkFont

class Global():
    def __init__(self):
        global f,f1,f2,enter,leave
        f = tkFont.Font(name='f',size=14, weight='bold')
        f1 = tkFont.Font(name='f1',size=12, weight='bold')
        f2 = tkFont.Font(name='f2', underline=True,size=12, weight='bold')

    def enter(self,event):
            event.widget.config(font='f2')
    def leave(self,event):
            event.widget.config(font='f1')

登录框架.py

from Tkinter import *
from Global import *

class LoginFrame(Frame):
    def __init__(self,master):
        self.master=master
        Global()

    def createWidgets(self):
        self.frame = Frame(self.master,bg='black',width=800,height=500,bd=5,relief=GROOVE)
        self.user_lbl = Label(self.frame, text='User', bg='black', fg='white',font='f1')
        self.user_lbl.bind('<Enter>',enter), self.user_lbl.bind('<Leave>',leave)

        self.pw_lbl = Label(self.frame, text='Password', bg='black', fg='white',font='f2')
        self.pw_lbl.bind('<Enter>',enter), self.pw_lbl.bind('<Leave>',leave)

    def packWidgets(self):
        self.frame.grid_propagate(0), self.frame.grid(row=1)
        self.user_lbl.grid(row=2,column=1,sticky=W)
        self.pw_lbl.grid(row=4,column=1,sticky=W)


root=Tk()
loginFrame=LoginFrame(root)
loginFrame.createWidgets()
loginFrame.packWidgets()
root.mainloop()
4

2 回答 2

1

我对 global 做的不多,我想知道如何使类中的函数和变量成为全局的。

你不能。在方法内部,您可以将变量声明为全局变量,对它的赋值将是全局变量。

没有任何其他级别的全球性。

当然,您不会想这样做,因为类的目的是避免全局状态,并保持共享状态封装。

于 2012-08-19T23:54:32.007 回答
1

在这段代码中

def __init__(self,master):
    self.master=master
    Global()

Global() 刚刚创建并没有分配。全球__init__电话

global f,f1,f2,enter,leave

但这定义了范围,而不是“全局变量”。

一种选择是执行以下操作

class Globals():
    f = tkFont.Font(name='f',size=14, weight='bold')
    f1 = tkFont.Font(name='f1',size=12, weight='bold')
    f2 = tkFont.Font(name='f2', underline=True,size=12, weight='bold')

或者干脆自己定义

 f = tkFont.Font(name='f',size=14, weight='bold')
 f1 = tkFont.Font(name='f1',size=12, weight='bold')
 f2 = tkFont.Font(name='f2', underline=True,size=12, weight='bold')

然后在你的函数中使用全局变量。global除非您进行分配,否则您不需要关键字

self.pw_lbl = Label(...,f)
于 2012-08-19T23:54:51.383 回答