Q. 有没有什么办法可以让这种更紧凑的方式变得更紧凑?
1.如果变量是只读的,那么将一个多变量访问器方法分解出来是合理的 Pythonic:
class Test:
def __init__(self):
self.a = 10
self.b = 20
self.c = 30
def _read_vars(self):
return self.a, self.b, self.c
def dosomething(self):
a, b, c = self._read_vars()
return a + b * c
def dosomethingelse(self):
a, b, c = self._read_vars()
return a - b * c
如果变量不是只读的,最好坚持使用self.inst_var = value
. 这是编写 Python 代码的正常方式,通常也是大多数人所期望的。
2.偶尔你会看到人们self
用更短的变量名缩写。当整理的可读性好处超过使用非标准变量名的可读性成本时,使用它:
def updatesomethings(s):
s.a, s.b, s.c = s.a + s.c, s.b - s.a, s.c * s.b
3.处理大量实例变量的另一种方法是将它们存储在可变容器中,以便于打包和解包:
class Test:
def __init__(self, a, b, c, d, e, f, g, h, i):
self._vars = [a, b, c, d, e, f, g, h, i]
def fancy_stuff(self):
a, b, c, d, e, f, g, h, i = self._vars
a += d * h - g
b -= e * f - c
g = a + b - i
self._vars[:] = a, b, c, d, e, f, g, h, i
4.还有一种字典操作方法可以工作,但它有一种大多数 Pythonistas 会避免的代码味道:
def updatesomethings(self):
a = 100
b = 200
c = 300
vars(self).update(locals())
del self.self