execfile
Function in Python (Python 2 Only)
The execfile
function in Python was used to execute Python code from a file. It reads a Python script file and executes the code within it as if it were part of the calling script. This function was available in Python 2 but is not present in Python 3. For Python 3, alternative methods are recommended for executing code from files.
execfile
Function in Python (Python 2 Only)The syntax of the execfile
function is:
**filename**
: The path to the Python file to be executed.**globals**
(optional): A dictionary defining the global namespace in which the file is executed.**locals**
(optional): A dictionary defining the local namespace in which the file is executed.The execfile
function executes the Python code contained in the specified file.
Assume you have a file named script.py
with the following content:
You can use execfile
to execute this file:
Output:
In this example, execfile
executes the script.py
file, which defines and assigns values to a
, b
, and result
. The value of result
is then printed.
Output:
In this example, execfile
uses a custom global dictionary custom_globals
to execute the file. The value of result
is accessed from this dictionary.
Since execfile
is not available in Python 3, you can achieve similar functionality using the exec
function with file reading. Here’s how you can do it:
exec
with File Reading:In this Python 3 example, the execfile
function is redefined to read the content of the file and execute it using exec
.
The execfile
function in Python 2 was used to execute Python code from a file, allowing you to run external scripts and manage code execution dynamically. Although execfile
is not available in Python 3, you can achieve similar functionality using the exec
function combined with file reading techniques. Understanding these methods allows you to effectively manage and execute external code files in both Python 2 and Python 3 environments.