4

たとえば、2つのクラスがあります。

class Parent(object):

    def hello(self):
        print 'Hello world'

    def goodbye(self):
        print 'Goodbye world'


class Child(Parent):
    pass

クラスChildはParentからhello()メソッドのみを継承する必要があり、goodbye()についての言及はありません。出来ますか ?

psはい、私はこれを読みました

重要な注意:そして、私は子クラスのみを変更できます(可能なすべての親クラスではそのままにしておく必要があります)

4

3 に答える 3

15

解決策は、なぜそれをしたいかによって異なります。クラスの将来の誤った使用から安全になりたい場合は、次のようにします。

class Parent(object):
    def hello(self):
        print 'Hello world'
    def goodbye(self):
        print 'Goodbye world'

class Child(Parent):
    def goodbye(self):
        raise NotImplementedError

これは明示的であり、例外メッセージに説明を含めることができます。

親クラスの多くのメソッドを使用したくない場合は、継承の代わりに構成を使用するのがより良いスタイルです。

class Parent(object):
    def hello(self):
        print 'Hello world'
    def goodbye(self):
        print 'Goodbye world'

class Child:
    def __init__(self):
        self.buddy = Parent()
    def hello(self):
        return self.buddy.hello()
于 2012-06-26T09:50:59.353 に答える
3
class Child(Parent):
    def __getattribute__(self, attr):
        if attr == 'goodbye':
            raise AttributeError()
        return super(Child, self).__getattribute__(attr)
于 2012-06-26T09:49:32.013 に答える
0

このPythonの例は、子クラスの継承を実現するためのクラスを設計する方法を示しています。

class HelloParent(object):

    def hello(self):
        print 'Hello world'

class Parent(HelloParent):
    def goodbye(self):
        print 'Goodbye world'


class Child(HelloParent):
    pass
于 2012-06-26T09:30:30.457 に答える