Does the order of functions in a Python script matter?

前端 未结 2 842
无人共我
无人共我 2021-02-03 18:04

Let\'s say I have two functions in my script: sum_numbers and print_sum. Their implementation is like this:

def sum_numbers(a, b):
             


        
2条回答
  •  感情败类
    2021-02-03 18:18

    The only thing that Python cares about is that the name is defined when it is actually looked up. That's all.

    In your case, this is just fine, order doesn't really matter since you are just defining two functions. That is, you are just introducing two new names, no look-ups.

    Now, if you called one of these (in effect, performed a look-up) and switched the order around:

    def print_sum(a, b):
        print(sum_numbers(a, b))
    
    print_sum(2, 4)
    
    def sum_numbers(a, b):
        return a + b
    

    you'd be in trouble (NameError) because it will try to find a name (sum_numbers) that just doesn't exist yet.

    So in general, yes, the order does matter; there's no hoisting of names in Python like there is in other languages (e.g JavaScript).

提交回复
热议问题