python try:except:finally

后端 未结 8 2124
后悔当初
后悔当初 2020-12-23 17:36
# Open new file to write
file = None
try:
    file = open(filePath, \'w\')
except IOError:
    msg = (\"Unable to create file on disk.\")
    file.close()
    return         


        
8条回答
  •  春和景丽
    2020-12-23 17:56

    You shouldn't be writing to the file in the finally block as any exceptions raised there will not be caught by the except block.

    The except block executes if there is an exception raised by the try block. The finally block always executes whatever happens.

    Also, there shouldn't be any need for initializing the file variable to none.

    The use of return in the except block will not skip the finally block. By its very nature it cannot be skipped, that's why you want to put your "clean-up" code in there (i.e. closing files).

    So, if you want to use try:except:finally, you should be doing something like this:

    try:
        f = open("file", "w")
        try:
            f.write('Hello World!')
        finally:
            f.close()
    except IOError:
        print 'oops!'
    

    A much cleaner way of doing this is using the with statement:

    try:
        with open("output", "w") as outfile:
            outfile.write('Hello World')
    except IOError:
        print 'oops!'
    

提交回复
热议问题