我试图让python允许私有变量,所以我制作了这个装饰器,你把它放在一个类的乞讨中,这样每个函数都会得到一个额外的私有参数,他们可以修改为他们想要的。据我所知,不可能从课堂外获取变量,但我不是专业人士。
谁能找到破解私有对象并从中获取值的方法?还有比这更好的方法吗?
蟒蛇2.7
#this is a decorator that decorates another decorator. it makes the decorator
#not loose things like names and documentation when it creates a new function
def niceDecorator(decorator):
def new_decorator(f):
g = decorator(f)
g.__name__ = f.__name__
g.__doc__ = f.__doc__
g.__dict__.update(f.__dict__)
return g
new_decorator.__name__ = decorator.__name__
new_decorator.__doc__ = decorator.__doc__
new_decorator.__dict__.update(decorator.__dict__)
return new_decorator
@niceDecorator
#this is my private decorator
def usePrivate(cls):
prv=type('blank', (object,), {})
#creates a blank object in the local scope
#this object will be passed into every function in
#the class along with self which has been renamed
#as pbl (public).
@niceDecorator
#this is the decorator that gets applied to every function
#in the class. in makes it also accept the private argument
def decorate(func):
def run(pub, *args, **kwargs):
return func(pub,prv, *args, **kwargs)
return run
#this loops through every function in the class and applies the decorator
for func in cls.__dict__.values():
if callable(func):
setattr(cls, func.__name__, decorate(getattr(cls, func.__name__)))
return cls
#this is the class we are testing the private decorator with.
#this is what the user would program
@usePrivate
class test():
#sets the value of the private variable
def setValue(pbl,prv,arg):
#pbl (public) is another name for self
#prv (private) acts just like self except its private
prv.test=arg
#gets the value of the private variable
def getValue(pbl,prv):
return prv.test
a=test()
a.setValue(3)
print a.getValue()