Hi,

My problem is that I have a large function with hundreds of lines. I want to break it apart into smaller functions. The issue is that if I make a module level function, the scope changes and I have to pass the necessary variables to it. This can be difficult if there are 10 variables that need to be passed. So basically I want to be able to call a function inside another function but keep the scope the same. I found a way to do something like this by defining a function inside another function:

def main():
    a = 'man'
    b = 'dog'
    
    def insideFunc():
        print 'used local variable %s' % a
        print 'used local variable %s' % b
    
    insideFunc()

The thing with this is that it doesn't really shorten my larger function. So is it possible to get the effect of the above code with insideFunc defined somewhere that is not inside of main?

You can use a class to do that in the following way. You could also use a list or dictionary as a container for the 10 variables and pass one list/dictionary instead of 10 variables. IMHO using the class method is preferred.

class test_class:
   def __init__(self):
      self.a="dog"
      self.b="cat"
      self.c=1
      print "__init__, a, b, c =", self.a, self.b, self.c
      self.first_func()
      self.second_func("abc")
   def first_func(self):
      self.c += 1
      print "first_func, a, b, c =", self.a, self.b, self.c
   def second_func(self, d):
      self.c += 1
      print "second_func a, b, c =", self.a, self.b, self.c
      print "d =", d

if __name__ == "__main__":
   TC=test_class()
   print "\n  now calling the functions from outside the class"
   TC.first_func()
   TC.second_func("xyz")
Be a part of the DaniWeb community

We're a friendly, industry-focused community of developers, IT pros, digital marketers, and technology enthusiasts meeting, networking, learning, and sharing knowledge.