Thursday, 3 January 2019

arcpy - Self terminating Python script in ArcMap?


I have tried sys.exit, but it doesn't seem to work in ArcMap 10.


Anyone know how to do it?



Answer



From ArcPy examples, it seems like sys.exit() is the correct way to terminate a script early.


The Python documentation notes that sys.exit():



is implemented by raising the SystemExit exception, so cleanup actions specified by finally clauses of try statements are honored, and it is possible to intercept the exit attempt at an outer level.



The easy way to deal with this is to wrap your script in an exception handler:



import sys
import arcpy

try:
#do stuff
sys.exit(0)
except SystemExit:
pass

However, this is not particularly elegant and requires a restructure of your entire project, not to mention another level of indentation. Plus, in the unlikely situation that another part of your code raises a SystemExit exception you would never know about it... Another inelegant but perhaps preferable solution is to wrap calls to sys.exit() in another function:



import sys
import arcpy

def finish(arg=None):
try:
sys.exit(arg)
except SystemExit:
pass

#do stuff

finish()

Now you can call finish(), finish(1), or finish('Error message') just like you expect to be able to call sys.exit().


Of course, we might want to use our exception eating approach in other circumstances, and because this is Python, we can generalise and make a useful, multipurpose decorator:


import sys
import arcpy

def eat_exception(fn, exception):
def safe(*v, **k):
try:

fn(*v, **k)
except exception:
pass
return safe

finish = eat_exception(sys.exit, SystemExit)

#do stuff
finish()

No comments:

Post a Comment

arcpy - Changing output name when exporting data driven pages to JPG?

Is there a way to save the output JPG, changing the output file name to the page name, instead of page number? I mean changing the script fo...