我正在尝试让python允许私有变量,所以我制作了这个装饰器,你把它放在一个类的乞讨,这样每个函数都会得到一个额外的私有参数,他们可以修改为他们想要的。据我所知,从课外获取变量是不可能的,但我不是专业人士。
任何人都可以找到一种方法来攻击私有对象并从中获取值吗?有没有比这更好的方法?
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()
答案 0 :(得分:10)
简而言之:不要这样做。
There is no need to make things truly private in Python。使用您的软件的人可以看到某些内容是否被标记为私有(变量名称以_
开头),因此他们知道。如果他们仍想访问它,为什么要阻止它们?
我确信你的代码也有办法 - Python拥有大量内省代码,修改类很容易。如果有人真的想要解决问题,几乎不可能锁定任何东西。
值得注意的是,在Python中,setter / getter毫无意义。目的是允许您在设置/获取属性时添加代码,python允许您使用the property()
builtin。
答案 1 :(得分:9)
这是一个有趣的想法,但是您用于装饰器的包装函数将在其func_closure
属性中引用“私有”对象。因此,您的“私人”变量可以a.getValue.func_closure[0].cell_contents.test
访问。 (您可以使用任何包装函数来访问“私有”对象,而不仅仅是getValue
。)
通常这种技术只会惹恼使用您代码的其他程序员。
答案 2 :(得分:4)
总有一种方法可以在Python中使用,特别是如果你有原始的源代码可以阅读。使用kindall的示例,将这些行添加到文件的末尾:
print a.getValue.im_func.func_closure[0].cell_contents.test
a.getValue.im_func.func_closure[0].cell_contents.test = 17
print a.getValue()
真的,不要这样做。 Python人们说,“不要为私有变量而烦恼。”
答案 3 :(得分:1)
正如其他人所说,仍然有办法获得私有变量。但是,您仍然可以使用c ++获取私有变量。考虑一下这个C ++示例:
class PrivateEye
{
private:
int a;
double b;
char c;
public:
// ... public functions ...
};
PrivateEye detective;
double privateB = *((double *) ((void *) &detective + sizeof(detective.a)));
正如您所看到的,访问私有变量需要很多工作,因此这样做的人需要足够了解风险。因此,如果您有程序员使用您的_attribute
私有属性,那么您发布的解决方案将有效地让他们在弄乱私有属性之前对其进行思考。使用__attribute
(双下划线)将导致一些名称重整,这也会导致人们在决定访问“私有”属性之前进行更多思考。
编辑:根据Accessing private members中的第二个答案,C ++标准不保证类中成员变量的顺序,因此您可能需要进行一些实验以获取对私有变量的访问权限想要在上面的C ++示例中。