Make your application's python runtime compact and easy to maintain.
This is aimed toward people who want to keep/have their python application to run as scripts and not a compiled executable.
To simply put we take advantage of the way how python scripts are compiled by tools like Nuitka or PyInstaller.
A compiled python script contains the following:
- Scripts
- Data/Files
- Python Installation it is was compiled with.
So we compile this specific base code for every onefile python interpreter.
from sys import argv, exit
from runpy import run_path
if len(argv) == 1: exit()
file = argv[1]; args = {}
for index, arg in enumerate(argv[2:]): args[index] = arg
run_path(file, init_globals=args, run_name='__main__')
We take advantage of runpy.run_path
to execute our python scripts.
Note: These are advantages when you are dealing with only .py
files and not python zipapps.
- Single/One file executable that can be used as your application's python interpreter.
- Add pip packages easily into your runtime by just importing them. (Compare this against, embedded python's method of including pip packages.)
- Easy to maintain.
Onefile python interpreters have some limitations in regards with how executed scripts parse command-line arguments.
This all boils down to how runpy.run_path
passes init_globals
to the script that has to be executed.
Say:
example.exe file.py -a -b -c
is executed via the command-line.
Now in our compiled onefile interpreter sees the following:
['example.exe', 'file.py', '-a', '-b', '-c']
What our executed script sees:
['file.py', 'file.py', '-a', '-b', '-c']
We have a duplicate filepath entry.
Thus, this can mess with any scripts that deal with sys.argv
or argparse
.
Its actually easy to fix/workaround these limitations.
-
Fixing duplicate filepath entires.
Add the following at the beginning your script.
Customize this workaround according to your needs!from sys import argv if len(argv) >= 2: if argv[0] == argv[1]: argv = argv[1:]
-
Fixing parsing issues with
argparse
.
argparse
doesn't respect the first workaround directly so we will need to explictly tell what arguments to parse.-
Add the first workaround for
sys.argv
. -
Find the
.parse_args()
function in your code and add the following argument:.parse_args(argv[2:])
OR
.parse_args(sys.argv[2:])
-
Its actually really easy!
Just import them into the base code:
import package1
import module1
from sys import argv, exit
from runpy import run_path
if len(argv) == 1: exit()
file = argv[1]; args = {}
for index, arg in enumerate(argv[2:]): args[index] = arg
run_path(file, init_globals=args, run_name='__main__')
and just compile the script!
To compile your onefile python interpreter, do the following.
- Install the following PIP packages.
pip install nuitka zstandard ordered-set
- Run
build.bat
and you are good to go!