我找不到确切的答案。据我所知,Python 类中__init__
那么我该如何解决这个问题呢?
假设我有一个名为Cheese
的类,具有number_of_holes
属性。我如何有两种创建奶酪对象的方式...
parmesan = Cheese(num_holes = 15)
number_of_holes
属性gouda = Cheese()
我只能想到一种执行此操作的方法,但这似乎很笨拙:
class Cheese():
def __init__(self, num_holes = 0):
if (num_holes == 0):
# Randomize number_of_holes
else:
number_of_holes = num_holes
你怎么说?还有另一种方法吗?
实际上,对于 “魔术” 值, None
class Cheese():
def __init__(self, num_holes = None):
if num_holes is None:
...
现在,如果您想完全自由地添加更多参数:
class Cheese():
def __init__(self, *args, **kwargs):
#args -- tuple of anonymous arguments
#kwargs -- dictionary of named arguments
self.num_holes = kwargs.get('num_holes',random_holes())
为了更好地解释*args
和**kwargs
的概念(您实际上可以更改以下名称):
def f(*args, **kwargs):
print 'args: ', args, ' kwargs: ', kwargs
>>> f('a')
args: ('a',) kwargs: {}
>>> f(ar='a')
args: () kwargs: {'ar': 'a'}
>>> f(1,2,param=3)
args: (1, 2) kwargs: {'param': 3}
__init__
则使用num_holes=None
作为默认值很好。
如果需要多个独立的 “构造函数”,则可以将它们作为类方法提供。这些通常称为工厂方法。在这种情况下,您可以将num_holes
0
。
class Cheese(object):
def __init__(self, num_holes=0):
"defaults to a solid cheese"
self.number_of_holes = num_holes
@classmethod
def random(cls):
return cls(randint(0, 100))
@classmethod
def slightly_holey(cls):
return cls(randint(0, 33))
@classmethod
def very_holey(cls):
return cls(randint(66, 100))
现在创建这样的对象:
gouda = Cheese()
emmentaler = Cheese.random()
leerdammer = Cheese.slightly_holey()
绝对应该选择已经发布的解决方案,但是由于没有人提到此解决方案,因此我认为值得一提的是完整性。
@classmethod
方法,以提供不调用默认构造函数( __init__
)的备用构造函数。 __new__
创建一个实例。
如果无法根据构造函数参数的类型选择初始化的类型,并且构造函数不共享代码,则可以使用此方法。
例子:
class MyClass(set):
def __init__(self, filename):
self._value = load_from_file(filename)
@classmethod
def from_somewhere(cls, somename):
obj = cls.__new__(cls) # Does not call __init__
super(MyClass, obj).__init__() # Don't forget to call any polymorphic base class initializers
obj._value = load_from_somewhere(somename)
return obj