Handle circular dependencies in Python modules?

前端 未结 3 508
误落风尘
误落风尘 2020-12-06 07:51

this is a case again where I\'m running around in circles and I\'m about to go wild.

I wish Python would analyze all files at first, so that it would know all identi

相关标签:
3条回答
  • 2020-12-06 08:33

    If you can't avoid circular imports, move one of the imports out of module-level scope, and into the method/function where it was used.

    filea.py

    import fileb
    
    def filea_thing():
        return "Hello"
    
    def other_thing():
        return fileb_thing()[:10]
    

    fileb.py

    def fileb_thing():
        import filea
        return filea.filea_thing() + " everyone."
    

    That way, filea will only get imported when you call fileb_thing(), and then it reimports fileb, but since fileb_thing doesn't get called at that point, you don't keep looping around.

    As others have pointed out, this is a code smell, but sometimes you need to get something done even if it's ugly.

    0 讨论(0)
  • 2020-12-06 08:41

    I thought I'd expand this into an answer instead of a comment.

    It's worth noting that circular imports are generally a sign of bad design: instead of demanding the language suit your design, why not change that design?

    There are ways around this problem in python:

    • The good option: Refactor your code not to use circular imports.
    • The bad option: Move one of your import statements to a different scope.

    But no, you can't pre-parse files. That's not the way Python works, and if you look into how Python works, it's pretty obvious why.

    0 讨论(0)
  • 2020-12-06 08:45

    In general, dependencies should be a tree. Circular dependencies are not resolvable.

    The usual way to solve this, though, is to do a "local import" of the required module at a level other than the global namespace.

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