-1

Consider the following example:

class foo:
    def __init__(self):
        print ("Constructor")
    def testMethod(self,val):
        print ("Hello " + val)
    def test(self):
        ptr = self.testMethod("Joe") <---- Anyway instead of calling self.testMethod with parameter "Joe" I could simple bind the parameter Joe to a variable ?
        ptr()

k = foo()
k.test()

In the defintion test is it possible for me to create a variable which when called calls the method self.testMethod with the parameter "Joe" ?

James Franco
  • 4,068
  • 9
  • 33
  • 75

2 Answers2

1

You could pass a name to the constructor (and store it on the class instance), this is then accessible to methods:

class Foo:
    def __init__(self, name):
        print("Constructor")
        self.name = name

    def testMethod(self):
        print("Hello " + self.name)

    def test(self):
        self.testMethod()

As follows:

k = Foo("Joe")
k.test()          # prints: Hello Joe
Andy Hayden
  • 328,850
  • 93
  • 598
  • 514
  • Not really. I am looking for binding functionality. I dont want any other approach. The code i just posted is a simple example. – James Franco Jul 28 '16 at 22:09
1

Either use a functools.partial() object or a lambda expression:

from functools import partial

ptr = partial(self.testMethod, 'Joe')

or

ptr = lambda: self.testMethod('Joe')
Martijn Pieters
  • 963,270
  • 265
  • 3,804
  • 3,187