Issue
In the following code I try to store multiple functions as a value of the dictionary. This code doesn't work. The two functions are returned as a tuple. But I don't want to iter over the dictionary. I want to use a special key, and then I want the dictionary to run the two functions.
from functools import partial
def test_1(arg_1 = None):
print "printing from test_1 func with text:", arg_1
def test_2(arg_2 = None):
print "printing from test_2 func with text:", arg_2
dic = {'a':(partial(test_1, arg_1 = 'test_1'),
partial(test_2, arg_2 = 'test_2'))}
dic['a']()
Solution
You can build a closure to do that like:
Code:
def chain_funcs(*funcs):
"""return a callable to call multiple functions"""
def call_funcs(*args, **kwargs):
for f in funcs:
f(*args, **kwargs)
return call_funcs
Test Code:
def test_1(arg_1=None):
print("printing from test_1 func with text: %s" % arg_1)
def test_2(arg_2=None):
print("printing from test_2 func with text: %s" % arg_2)
from functools import partial
dic = {'a': chain_funcs(partial(test_1, arg_1='test_1'),
partial(test_2, arg_2='test_2'))}
dic['a']()
Results:
printing from test_1 func with text: test_1
printing from test_2 func with text: test_2
Answered By - Stephen Rauch Answer Checked By - Pedro (PHPFixing Volunteer)
0 Comments:
Post a Comment
Note: Only a member of this blog may post a comment.