Python使用其他类的方法

时间:2010-05-09 09:07:57

标签: python class methods

如果我有两个类,并且其中一个类具有我想在其他类中使用的函数,那么我将使用什么以便不必重写我的函数?

3 个答案:

答案 0 :(得分:29)

有两种选择:

  • 在您的班级中实例化一个对象,然后在其上调用所需的方法
  • 使用@classmethod将函数转换为类方法

示例:

class A(object):
    def a1(self):
        """ This is an instance method. """
        print "Hello from an instance of A"

    @classmethod
    def a2(cls):
        """ This a classmethod. """
        print "Hello from class A"

class B(object):
    def b1(self):
        print A().a1() # => prints 'Hello from an instance of A'
        print A.a2() # => 'Hello from class A'

或者使用继承(如果适用):

class A(object):
    def a1(self):
        print "Hello from Superclass"

class B(A):
    pass

B().a1() # => prints 'Hello from Superclass'

答案 1 :(得分:23)

有几种方法:

        
  • 继承
  •     
  •     
  • 超级偷偷摸摸的代表团

以下示例使用每个示例共享打印成员的函数。

继承

class Common(object):
    def __init__(self,x):
        self.x = x
    def sharedMethod(self):
        print self.x

class Alpha(Common):
    def __init__(self):
        Common.__init__(self,"Alpha")

class Bravo(Common):
    def __init__(self):
        Common.__init__(self,"Bravo")


class Common(object):
    def __init__(self,x):
        self.x = x
    def sharedMethod(self):
        print self.x

class Alpha(object):
    def __init__(self):
         self.common = Common("Alpha")
    def sharedMethod(self):
         self.common.sharedMethod()

class Bravo(object):
    def __init__(self):
         self.common = Common("Bravo")
    def sharedMethod(self):
         self.common.sharedMethod()

超级偷偷摸摸的代表团
这个解决方案的基础是Python成员函数没有什么特别之处;只要将第一个参数解释为类的实例,就可以使用任何函数或可调用对象。

def commonPrint(self):
    print self.x

class Alpha(object):
    def __init__(self):
        self.x = "Alpha"
    sharedMethod = commonPrint

class Bravo(object):
    def __init__(self):
        self.x = "Bravo"
    sharedMethod = commonPrint

或者,类似的偷偷摸摸的实现委派的方法是使用可调用的对象:

class Printable(object):
   def __init__(self,x):
       self.x = x
   def __call__(self):
       print self.x

class Alpha(object):
   def __init__(self):
       self.sharedMethod = Printable("Alpha")

class Bravo(object):
   def __init__(self):
       self.sharedMethod = Printable("Bravo")

答案 2 :(得分:6)

你创建了一个类,两个类都从这个类继承。

有多重继承,所以如果他们已经拥有父母,那就不是问题了。

class master ():
    def stuff (self):
        pass

class first (master):
    pass


class second (master):
    pass


ichi=first()
ni=second()

ichi.stuff()
ni.stuff()