Remove an open file if an error occurs

2.9k Views Asked by At

Is it possible to close and delete while using 'with open()'?

I will occasionally encounter an error while doing calculations/extractions/queries in a routine called 'write_file'.

try:
    with open(some_file, 'w') as report:
        write_file(report, other_variables)
except:
    logging.error("Report {} did not compile".format(some_file))

I wrapped this in a try/except, but it still wrote the report up to the exception.

3

There are 3 best solutions below

3
On BEST ANSWER

If you're comfortable deleting the file after encountering any exception at all, then this will suffice:

import os

try:
    with open(some_file, 'w') as report:
        write_file(report, other_variables)
except:
    logging.error("Report {} did not compile".format(some_file))
    os.remove(some_file)

Just keep in mind that it's almost always better to be specific about the exception you're catching.

Some free advice: if I were concerned about writing nonsense to a file, I would separate what you're doing into two distinct steps.

First, I would determine prior to even opening the file to being written whether or not some calculation or statement will throw an exception. If it does, I wouldn't even bother opening the file.

Second, if the first step passes without an exception, I would open up the file and write to it. You can optionally wrap this step around a try/except block to catch file IO errors.

The benefit of splitting up your work like this is that it makes it easier to diagnose an issue should one occur. The class of exceptions resulting from the first step are bound to be distinct from the class of exceptions that would result from the second step.

0
On

After some digging I found that, no, you cannot close and delete an open file. In this case it makes more sense to use tempfile. If a report complies correctly I can then read from the tempfile and write the actual report. This way the script is not creating, writing and then deleting an actual file.

with tempfile.TemporaryFile() as report:
    write_file(report, other_variables)

https://docs.python.org/3.4/library/tempfile.html

0
On

Here's a handy context manager I sometimes use. It has the benefit of still raising the exception, while deleting partial files:

from contextlib import contextmanager
from pathlib import Path


@contextmanager
def safe_open(file, *args, **kwargs):
    try:
        with open(file, *args, **kwargs) as f:
            yield f
    except:
        Path(file).unlink(missing_ok=True)
        raise

Usage:

with safe_open('file.txt', 'wt') as f:
    raise RuntimeError('Oh no! Something went wrong! Well, at least file.txt gets deleted')

Important! Make sure you only use it with mode 'w' (open for writing, truncating the file first). It would happily delete files open for reading, which is probably not what you intended.