代码之家  ›  专栏  ›  技术社区  ›  Zitrax dudico

在python中复制构造函数?

  •  70
  • Zitrax dudico  · 技术社区  · 15 年前

    python中有复制构造函数吗?如果不是,我该怎么做才能实现类似的目标?

    现在的情况是,我正在使用一个库,并且我已经扩展了其中一个具有额外功能的类,我希望能够将从库中获得的对象转换为我自己的类的实例。

    6 回复  |  直到 7 年前
        1
  •  58
  •   Tom Dunham    15 年前

    我想你想要 copy module

    import copy
    
    x = copy.copy(y)        # make a shallow copy of y
    x = copy.deepcopy(y)    # make a deep copy of y
    

    您可以用与您所控制的几乎相同的方式来控制复制。 pickle .

        2
  •  20
  •   meisterluk Michael Borgwardt    7 年前

    在Python中,可以使用默认参数定义复制构造函数。假设您希望普通构造函数运行函数 non_copy_constructor(self) 复制构造函数应该运行 copy_constructor(self, orig) . 然后您可以执行以下操作:

    class Foo:
        def __init__(self, orig=None):
            if orig is None:
                self.non_copy_constructor()
            else:
                self.copy_constructor(orig)
        def non_copy_constructor(self):
            # do the non-copy constructor stuff
        def copy_constructor(self, orig):
            # do the copy constructor
    
    a=Foo()  # this will call the non-copy constructor
    b=Foo(a) # this will call the copy constructor
    
        3
  •  12
  •   Godsmith    10 年前

    我通常使用的复制构造函数实现的一个简单示例:

    import copy
    
    class Foo:
    
      def __init__(self, data):
        self._data = data
    
      @classmethod
      def from_foo(cls, class_instance):
        data = copy.deepcopy(class_instance._data) # if deepcopy is necessary
        return cls(data)
    
        4
  •  11
  •   David Z    15 年前

    对于您的情况,我建议您编写一个类方法(或者它可以是一个静态方法或一个单独的函数),将库类的实例作为参数,并返回您的类的实例,并复制所有适用的属性。

        5
  •  4
  •   Community CDub    7 年前

    建在@Godsmith's train of thought 以及解决@zitrax需要(我认为)为构造函数内的所有属性进行数据复制的问题:

    class ConfusionMatrix(pd.DataFrame):
        def __init__(self, df, *args, **kwargs):
            try:
                # Check if `df` looks like a `ConfusionMatrix`
                # Could check `isinstance(df, ConfusionMatrix)`
                # But might miss some "ConfusionMatrix-elligible" `DataFrame`s
                assert((df.columns == df.index).all())
                assert(df.values.dtype == int)
                self.construct_copy(df, *args, **kwargs)
                return
            except (AssertionError, AttributeError, ValueError):
                pass
            # df is just data, so continue with normal constructor here ...
    
        def construct_copy(self, other, *args, **kwargs):
            # construct a parent DataFrame instance
            parent_type = super(ConfusionMatrix, self)
            parent_type.__init__(other)
            for k, v in other.__dict__.iteritems():
                if hasattr(parent_type, k) and hasattr(self, k) and getattr(parent_type, k) == getattr(self, k):
                    continue
                setattr(self, k, deepcopy(v))
    

    这个 ConfusionMatrix 类继承 pandas.DataFrame 并添加大量其他需要重新计算的属性和方法,除非 other 可以复制矩阵数据。我是如何找到这个问题的。

        6
  •  2
  •   upandacross    7 年前

    我有一个类似的情况,不同之处在于新类只需要复制属性。因此,使用@dunham的想法,并在@meisterluk的建议中添加一些特殊性,@meisterluk的“copy_constructor”方法可以是:

    from copy import deepcopy
    class Foo(object):
        def __init__(self, myOne=1, other=None):
        self.two = 2
        if other <> None:
            assert isinstance(other, Foo), "can only copy instances of Foo"
            self.__dict__ = deepcopy(other.__dict__)
        self.one = myOne
    
    def __repr__(self):
        out = ''
        for k,v in self.__dict__.items():
            out += '{:>4s}: {}, {}\n'.format(k,v.__class__,v)
        return out
    
    def bar(self):
        pass
    
    foo1 = Foo()
    foo2 = Foo('one', foo1)
    
    print '\nfoo1\n',foo1
    print '\nfoo2\n',foo2
    

    输出:

    foo1
     two: <type 'int'>, 2
     one: <type 'int'>, 1
    
    
    foo2
     two: <type 'int'>, 2
     one: <type 'str'>, one