1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67
|
import contextlib
import os
import os.path
import shutil
import tempfile
import unittest
import decorator
def relpath(*path):
return os.path.join(os.path.dirname(__file__), *path)
def tmpdir(path, teardown=True):
def real_decorator(function):
def wrapper(function, *args, **kwargs):
with tmp(path, teardown=teardown):
return function(*args, **kwargs)
return decorator.decorator(wrapper, function)
return real_decorator
def test_path(path):
return os.path.join(os.path.dirname(__file__), path)
@contextlib.contextmanager
def tmp(path=None, teardown=True):
"""Create and go into tmp directory, returns the path.
This function creates a temporary directory and enters that directory. The
returned object is the path to the created directory.
If @path is not specified, we create an empty directory, otherwise, it must
be a path to an existing directory. In that case, the directory will be
copied into the temporary directory.
If @teardown is True (defaults to True), the directory is (attempted)
deleted after context, otherwise it is kept as is.
"""
cwd = os.getcwd()
fname = tempfile.NamedTemporaryFile().name
if path:
if not os.path.isdir(path):
logging.debug('tmp:raise no such path')
raise IOError('No such directory: %s' % path)
shutil.copytree(path, fname)
else:
# no path to copy, create empty dir
os.mkdir(fname)
os.chdir(fname)
yield fname # give control to caller scope
os.chdir(cwd)
if teardown:
try:
shutil.rmtree(fname)
except OSError as oserr:
logging.debug('tmp:rmtree failed %s (%s)' % (fname, oserr))
shutil.rmtree(fname, ignore_errors=True)
|