代码之家  ›  专栏  ›  技术社区  ›  Rodolphe LAMPE

什么是pythonic方法来完成复杂的初始化

  •  0
  • Rodolphe LAMPE  · 技术社区  · 6 年前

    假设我有课 Point :

    class Point:
        def __init__(self, x, y):
            self.x = x
            self.y = y
    

    假设我总是使用表单的字符串来创建点 x_y 以下内容:

    x, y = my_string.split('_')
    p = Point(x, y)
    

    因为我总是用一个字符串来创建 Point p 是的。可以换一下 __init__ 以这种方式:

    class Point:
        def __init__(self, s):
            x, y = s.split('_')
            self.x = x
            self.y = y
    

    如果 _初始__ 只接受将设置属性的值,或者如果设置的值超过了该值,是否可以?

    1 回复  |  直到 6 年前
        1
  •  1
  •   Felix    6 年前

    这个 __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 .