How to properly structure internal scripts in a Python project?

后端 未结 7 1252
抹茶落季
抹茶落季 2021-02-14 02:58

Consider the following Python project skeleton:

proj/
├── foo
│   └── __init__.py
├── README.md
└── scripts
    └── run.py

In this case f

相关标签:
7条回答
  • 2021-02-14 04:03

    There's two ways you could resolve this.

    (1) Turn your project into an installable package

    Add a proj/setup.py file with the following contents:

    import setuptools
    
    setuptools.setup(
        name="my-project",
        version="1.0.0",
        author="You",
        author_email="you@example.com",
        description="This is my project",
        packages=["foo"],
    )
    

    create a virtualenv:

    python3 -m venv virtualenv  # this creates a directory "virtualenv" in your project
    source ./virtualenv/bin/activate  # this switches you into the new environment
    python setup.py develop  # this places your "foo" package in the environment
    

    inside the virtualenv, foo behaves as an installed package and is importable via import foo.

    So you can use absolute imports in your scripts.

    To make them run from anywhere, without needing to activate the virtualenv, you can then specify the path as a shebang.

    In scripts/run.py (the first line is important):

    #!/path/to/proj/virtualenv/bin/python
    
    import foo
    
    print(foo.callfunc())
    

    (2) Make the scripts part of the foo package

    Instead of a separate subdirectory scripts, make a subpackage. In proj/foo/commands/run.py:

    from .. import callfunc()
    
    def main():
        print(callfunc())
    
    if __name__ == "__main__":
        main()
    

    Then execute the script from the top-level proj/ directory with:

    python -m foo.commands.run
    

    If you combine this with (1) and install your package, you can then run python -m foo.commands.run from anywhere.

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