这个
__init__
函数可以接受对应用程序有意义的任何参数。如果你的
Point
类被其他人使用,他们可能想知道为什么他们只能通过提供格式化字符串来实例化类。通过使用如下静态方法,可以允许两种初始化方式:
class Point:
def __init__(self, x, y):
self.x = x
self.y = y
@classmethod
def from_string(cls, s):
x, y = s.split('_')
return cls(x, y)
# example usage
p1 = Point(10, 20)
p2 = Point.from_string("15_25")
编辑:
正如帕特里克在评论中指出的,使用
classmethod
比用作
staticmethod
就像我刚开始那样。
编辑2:
如果您使用的是Python3.7,则可以使用
dataclass
为此:
In [1]: from dataclasses import dataclass
In [4]: @dataclass
...: class Point:
...: x: int
...: y: int
...:
...: @classmethod
...: def from_string(cls, s):
...: return cls(*s.split("_"))
...:
In [5]: Point(1, 2)
Out[5]: Point(x=1, y=2)
In [6]: Point(1, "2")
Out[6]: Point(x=1, y='2')
In [7]: Point.from_string("3_4")
Out[7]: Point(x='3', y='4')
但要对你的类型开玩笑。如上面的代码所示,没有自动类型转换为
int
.