Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Difference between os.execl() and os.execv() in python

Is there a difference between os.execl() and os.execv() in python? I was using

os.execl(python, python, *sys.argv) 

to restart my script (from here). But it seems to start from where the previous script left.

I want the script to start from the beginning when it restarts. Will this

os.execv(__file__,sys.argv)

do the job? command and idea from here. I couldn't find difference between them from the python help/documentation. Is there a way do clean restart?

For a little more background on what I am trying to do please see my other question

like image 545
Rohin Kumar Avatar asked Jul 16 '15 07:07

Rohin Kumar


Video Answer


1 Answers

At the low level they do the same thing: they replace the running process image with a new process.

The only difference between execv and execl is the way they take arguments. execv expects a single list of arguments (the first of which should be the name of the executable), while execl expects a variable list of arguments.

Thus, in essence, execv(file, args) is exactly equivalent to execl(file, *args).


Note that sys.argv[0] is already the script name. However, this is the script name as passed into Python, and may not be the actual script name that the program is running under. To be correct and safe, your argument list passed to exec* should be

['python', __file__] + sys.argv[1:]

I have just tested a restart script with the following:

os.execl(sys.executable, 'python', __file__, *sys.argv[1:])

and this works fine. Be sure you're not ignoring or silently catching any errors from execl - if it fails to execute, you'll end up "continuing where you left off".

like image 171
nneonneo Avatar answered Sep 30 '22 15:09

nneonneo