Open In App

How to generate byte code file in python ?

Improve
Improve
Like Article
Like
Save
Share
Report

Whenever the Python script compiles, it automatically generates a compiled code called as byte code. The byte-code is not actually interpreted to machine code, unless there is some exotic implementation such as PyPy. The byte-code is loaded into the Python run-time and interpreted by a virtual machine, which is a piece of code that reads each instruction in the byte-code and executes whatever operation is indicated. Byte Code is automatically created in the same directory as .py file, when a module of python is imported for the first time, or when the source is more recent than the current compiled file. Next time, when the program is run, python interpreter use this file to skip the compilation step. Running a script is not considered an import and no .pyc file will be created. For instance, let’s write a script file abc.py that imports another module xyz.py. Now run abc.py file, xyz.pyc will be created since xyz is imported, but no abc.pyc file will be created since abc.py isn’t being imported. But there exist an inbuilt py_compile and compileall modules and commands which facilitate the creation of .pyc file.

  1. Using py_compile.compile function: The py_compile module can manually compile any module. One way is to use the py_compile.compile function in that module interactively:
>>> import py_compile
>>> py_compile.compile('abc.py')
  1. This will write the .pyc to the same location as abc.py.
  2. Using py_compile.main() function: It compiles several files at a time.
>>> import py_compile
>>> py_compile.main(['File1.py','File2.py','File3.py'])
  1. Using compileall.compile_dir() function: It compiles every single python file present in the directory supplied.
>>> import compileall
>>> compileall.compile_dir(directoryname)
  1. Using py_compile in Terminal:
$ python -m py_compile File1.py File2.py File3.py ...
  1. Or, for Interactive Compilation of files
$ python -m py_compile -
  File1.py
  File2.py
  File3.py
   .
   .
   .
  1. Using compileall in Terminal: This command will automatically go recursively into sub directories and make .pyc files for all the python files it finds.
$ python -m compileall 

Note: The compileall and py_compile module is part of the python standard library, so there is no need to install anything extra to use it.


Last Updated : 07 Mar, 2024
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads