Stop execution of a script called with execfile
What's wrong with plain old exception handling?
scriptexit.py
class ScriptExit( Exception ): pass
main.py
from scriptexit import ScriptExit
print "Main Starting"
try:
execfile( "script.py" )
except ScriptExit:
pass
print "This should print"
script.py
from scriptexit import ScriptExit
print "Script starting"
a = False
if a == False:
# Sanity checks. Script should break here
raise ScriptExit( "A Good Reason" )
# I'd prefer not to put an "else" here and have to indent the rest of the code
print "this should not print"
# lots of lines below
# script.py
def main():
print "Script starting"
a = False
if a == False:
# Sanity checks. Script should break here
# <insert magic command>
return;
# I'd prefer not to put an "else" here and have to indent the rest of the code
print "this should not print"
# lots of lines bellow
if __name__ == "__main__":
main();
I find this aspect of Python (the __name__
== "__main__
", etc.) irritating.
main
can wrap the execfile
into a try
/except
block: sys.exit
raises a SystemExit exception which main
can catch in the except
clause in order to continue its execution normally, if desired. I.e., in main.py
:
try:
execfile('whatever.py')
except SystemExit:
print "sys.exit was called but I'm proceeding anyway (so there!-)."
print "so I'll print this, etc, etc"
and whatever.py
can use sys.exit(0)
or whatever to terminate its own execution only. Any other exception will work as well as long as it's agreed between the source to be execfile
d and the source doing the execfile
call -- but SystemExit
is particularly suitable as its meaning is pretty clear!