can a python function call a global function with the same name?

后端 未结 2 777
礼貌的吻别
礼貌的吻别 2021-01-13 01:50

Can I call a global function from a function that has the same name?

For example:

def sorted(services):
    return {sorted}(services, key=lambda s: s         


        
相关标签:
2条回答
  • 2021-01-13 02:16

    Python's name-resolution scheme which sometimes is referred to as LEGB rule, implies that when you use an unqualified name inside a function, Python searches up to four scopes— First the local (L) scope, then the local scopes of any enclosing (E) defs and lambdas, then the global (G) scope, and finally the built-in (B) scope. (Note that it will stops the search as soon as it finds a match)

    So when you use sorted inside the functions interpreter considers it as a Global name (your function name) so you will have a recursion function. if you want to access to built-in sorted you need to specify that for Python . by __builtin__ module (in Python-2.x ) and builtins in Python-3.x (This module provides direct access to all ‘built-in’ identifiers of Python)


    python 2 :

    import __builtin__
    def sorted(services):
        return __builtin__.sorted(services, key=lambda s: s.sortkey())
    

    python 3 :

    import builtins
    def sorted(services):
        return builtins.sorted(services, key=lambda s: s.sortkey())
    
    0 讨论(0)
  • 2021-01-13 02:18

    Store the original function reference before define a new function with the same name.

    original_sorted = sorted
    
    def sorted(services):
        return original_sorted(services, key=lambda s: s.sortkey())
    

    For, builtin functions like sorted, you can access the function using __builtin__ module (In Python 3.x, builtins module):

    import __builtin__
    
    def sorted(services):
        return __builtin__.sorted(services, key=lambda s: s.sortkey())
    

    But, both which shadow builtin function is not recommended. Choose other name if possible.

    0 讨论(0)
提交回复
热议问题