首页 > 解决方案 > When importing a module in another .py , return of function is different to directly run it?

问题描述

I have the following program:

def savings_account(client_to_accounts: Dict[Tuple[str, int],
                     List[List[float]]], valid_client: Tuple[str, int],
                       balance: float, interest: float)-> list:
   ''' Return the newest update of accounts added.'''

   key_list = client_to_accounts.keys()
   for i in key_list:
       if i == valid_client:
           last = len(client_to_accounts[i][0]) - 1
           client_to_accounts[i][0].insert(last,balance)
           client_to_accounts[i][1].insert(last,interest)

   return client_to_accounts[i]

When I call this func from original file like to:

actual = savings_account({('Habib', 696969696): [[1.0, 10000.0], [2.0, 1.0]],
                              ('Hendiye', 123456789): [[20000.0, -100.0], [1.0, 1.0]]},
                              ('Hendiye', 123456789),40.0, 2.0)
print(actual)
#printed: [[20000.0, 40.0, -100.0], [1.0, 2.0, 1.0]]

the value of ('Hendiye', 123456789) correctly will be update. but when call this function from other python file the value of ('Hendiye', 123456789) isn't updated.

 import banking_functions
 param1 = {('Habib', 696969696): [[1.0, 10000.0], [2.0, 1.0]], ('Hendiye', 123456789): [[20000.0, 
        -100.0], [1.0, 1.0]]}
 param2 = (('Hendiye', 123456789),40.0, 2.0)
 param3 =  40.0
 param4 =   2.0
                    
 actual = banking_functions.savings_account(param1, param2, param3, param4)
 #expected = [[20000.0, 40.0, -100.0], [1.0, 2.0, 1.0]]
 print(actual)
 #printed : [[20000.0, -100.0], [1.0, 1.0]]
 

标签: pythondata-sciencepython-3.6object-oriented-analysis

解决方案


Your second snippet does not call the function in the same way the first does.

Did you mean:

import banking_functions

param1 = {('Habib', 696969696): [[1.0, 10000.0], [2.0, 1.0]], ('Hendiye', 123456789): [[20000.0, 
        -100.0], [1.0, 1.0]]}
param2 = ('Hendiye', 123456789)  # Just a tuple of two items
param3 =  40.0
param4 =   2.0
                    
actual = banking_functions.savings_account(param1, param2, param3, param4)
#expected = [[20000.0, 40.0, -100.0], [1.0, 2.0, 1.0]]
print(actual)

Output same as first now.


推荐阅读