You cannot call GParent's testmethod without an instance of GParent as its first argument. 
Inheritance
class GParent(object):
    def testmethod(self):
        print "I'm a grandpa"
class Parent(GParent):
    # implicitly inherit __init__()                                                                                                                  
    # inherit and override testmethod()                                                                                                              
    def testmethod(self):
        print "I'm a papa"
class Child(Parent):
    def __init__(self):
        super(Child, self).__init__()
        # You can only call testmethod with an instance of Child
        # though technically it is calling the parent's up the chain                                                                                      
        self.testmethod()
    # inherit parent's testmethod implicitly
c = Child() # print "I'm a papa"
However, two ways of calling a parent's method explicitly is through composition or class method
Composition
class Parent(object):
    def testmethod(self):
        print "I'm a papa"
class Child(object):
    def __init__(self):
        self.parent = Parent()
        # call own's testmethod                                                                                                                      
        self.testmethod()
        # call parent's method                                                                                                                       
        self.parentmethod()
    def parentmethod(self):
        self.parent.testmethod()
    def testmethod(self):
        print "I'm a son"
c = Child()
Class method
class Parent(object):
    @classmethod
    def testmethod(cls):
        print "I'm a papa"
class Child(object):
    def __init__(self):
        # call own's testmethod                                                                                                                      
        self.testmethod()
        # call parent's method                                                                                                                       
        Parent.testmethod()
    def testmethod(self):
        print "I'm a son"
c = Child()
It has become advisory to use composition when dealing with multiple inheritance, since inheritance creates dependency to the parent class.