我应该制作几个文档字符串,还是只制作一个(我应该放在哪里)?
@property
def x(self):
return 0
@x.setter
def x(self, values):
pass
我看到
property()
接受doc参数。 最佳答案
将文档字符串写在 setter/getter 上,因为1)就是help(MyClass)
显示的内容,以及2)这也是在Python docs -- see the x.setter example中完成的方式。
关于1):
class C(object):
@property
def x(self):
"""Get x"""
return getattr(self, '_x', 42)
@x.setter
def x(self, value):
"""Set x"""
self._x = value
接着:
>>> c = C()
>>> help(c)
Help on C in module __main__ object:
class C(__builtin__.object)
| Data descriptors defined here:
|
| __dict__
| dictionary for instance variables (if defined)
|
| __weakref__
| list of weak references to the object (if defined)
|
| x
| Get x
>>>
请注意, setter 的文档字符串“Set x”将被忽略。
因此,您应该在getter函数上为整个属性(getter和setter)编写docstring,以使其可见。一个好的属性文档字符串的示例可能是:
class Serial(object):
@property
def baudrate(self):
"""Get or set the current baudrate. Setting the baudrate to a new value
will reconfigure the serial port automatically.
"""
return self._baudrate
@baudrate.setter
def baudrate(self, value):
if self._baudrate != value:
self._baudrate = value
self._reconfigure_port()
关于python - 在python属性上放置文档字符串的正确方法是什么?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/16025462/