shutil.py 39 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143
  1. """Utility functions for copying and archiving files and directory trees.
  2. XXX The functions here don't copy the resource fork or other metadata on Mac.
  3. """
  4. import os
  5. import sys
  6. import stat
  7. import fnmatch
  8. import collections
  9. import errno
  10. import tarfile
  11. try:
  12. import bz2
  13. del bz2
  14. _BZ2_SUPPORTED = True
  15. except ImportError:
  16. _BZ2_SUPPORTED = False
  17. try:
  18. import lzma
  19. del lzma
  20. _LZMA_SUPPORTED = True
  21. except ImportError:
  22. _LZMA_SUPPORTED = False
  23. try:
  24. from pwd import getpwnam
  25. except ImportError:
  26. getpwnam = None
  27. try:
  28. from grp import getgrnam
  29. except ImportError:
  30. getgrnam = None
  31. __all__ = ["copyfileobj", "copyfile", "copymode", "copystat", "copy", "copy2",
  32. "copytree", "move", "rmtree", "Error", "SpecialFileError",
  33. "ExecError", "make_archive", "get_archive_formats",
  34. "register_archive_format", "unregister_archive_format",
  35. "get_unpack_formats", "register_unpack_format",
  36. "unregister_unpack_format", "unpack_archive",
  37. "ignore_patterns", "chown", "which", "get_terminal_size",
  38. "SameFileError"]
  39. # disk_usage is added later, if available on the platform
  40. class Error(OSError):
  41. pass
  42. class SameFileError(Error):
  43. """Raised when source and destination are the same file."""
  44. class SpecialFileError(OSError):
  45. """Raised when trying to do a kind of operation (e.g. copying) which is
  46. not supported on a special file (e.g. a named pipe)"""
  47. class ExecError(OSError):
  48. """Raised when a command could not be executed"""
  49. class ReadError(OSError):
  50. """Raised when an archive cannot be read"""
  51. class RegistryError(Exception):
  52. """Raised when a registry operation with the archiving
  53. and unpacking registeries fails"""
  54. def copyfileobj(fsrc, fdst, length=16*1024):
  55. """copy data from file-like object fsrc to file-like object fdst"""
  56. while 1:
  57. buf = fsrc.read(length)
  58. if not buf:
  59. break
  60. fdst.write(buf)
  61. def _samefile(src, dst):
  62. # Macintosh, Unix.
  63. if hasattr(os.path, 'samefile'):
  64. try:
  65. return os.path.samefile(src, dst)
  66. except OSError:
  67. return False
  68. # All other platforms: check for same pathname.
  69. return (os.path.normcase(os.path.abspath(src)) ==
  70. os.path.normcase(os.path.abspath(dst)))
  71. def copyfile(src, dst, *, follow_symlinks=True):
  72. """Copy data from src to dst.
  73. If follow_symlinks is not set and src is a symbolic link, a new
  74. symlink will be created instead of copying the file it points to.
  75. """
  76. if _samefile(src, dst):
  77. raise SameFileError("{!r} and {!r} are the same file".format(src, dst))
  78. for fn in [src, dst]:
  79. try:
  80. st = os.stat(fn)
  81. except OSError:
  82. # File most likely does not exist
  83. pass
  84. else:
  85. # XXX What about other special files? (sockets, devices...)
  86. if stat.S_ISFIFO(st.st_mode):
  87. raise SpecialFileError("`%s` is a named pipe" % fn)
  88. if not follow_symlinks and os.path.islink(src):
  89. os.symlink(os.readlink(src), dst)
  90. else:
  91. with open(src, 'rb') as fsrc:
  92. with open(dst, 'wb') as fdst:
  93. copyfileobj(fsrc, fdst)
  94. return dst
  95. def copymode(src, dst, *, follow_symlinks=True):
  96. """Copy mode bits from src to dst.
  97. If follow_symlinks is not set, symlinks aren't followed if and only
  98. if both `src` and `dst` are symlinks. If `lchmod` isn't available
  99. (e.g. Linux) this method does nothing.
  100. """
  101. if not follow_symlinks and os.path.islink(src) and os.path.islink(dst):
  102. if hasattr(os, 'lchmod'):
  103. stat_func, chmod_func = os.lstat, os.lchmod
  104. else:
  105. return
  106. elif hasattr(os, 'chmod'):
  107. stat_func, chmod_func = os.stat, os.chmod
  108. else:
  109. return
  110. st = stat_func(src)
  111. chmod_func(dst, stat.S_IMODE(st.st_mode))
  112. if hasattr(os, 'listxattr') and os.listxattr in os.supports_follow_symlinks:
  113. def _copyxattr(src, dst, *, follow_symlinks=True):
  114. """Copy extended filesystem attributes from `src` to `dst`.
  115. Overwrite existing attributes.
  116. If `follow_symlinks` is false, symlinks won't be followed.
  117. """
  118. try:
  119. names = os.listxattr(src, follow_symlinks=follow_symlinks)
  120. except OSError as e:
  121. if e.errno not in (errno.ENOTSUP, errno.ENODATA):
  122. raise
  123. return
  124. for name in names:
  125. try:
  126. value = os.getxattr(src, name, follow_symlinks=follow_symlinks)
  127. os.setxattr(dst, name, value, follow_symlinks=follow_symlinks)
  128. except OSError as e:
  129. if e.errno not in (errno.EPERM, errno.ENOTSUP, errno.ENODATA):
  130. raise
  131. else:
  132. def _copyxattr(*args, **kwargs):
  133. pass
  134. def copystat(src, dst, *, follow_symlinks=True):
  135. """Copy all stat info (mode bits, atime, mtime, flags) from src to dst.
  136. If the optional flag `follow_symlinks` is not set, symlinks aren't followed if and
  137. only if both `src` and `dst` are symlinks.
  138. """
  139. def _nop(*args, ns=None, follow_symlinks=None):
  140. pass
  141. # follow symlinks (aka don't not follow symlinks)
  142. follow = follow_symlinks or not (os.path.islink(src) and os.path.islink(dst))
  143. if follow:
  144. # use the real function if it exists
  145. def lookup(name):
  146. return getattr(os, name, _nop)
  147. else:
  148. # use the real function only if it exists
  149. # *and* it supports follow_symlinks
  150. def lookup(name):
  151. fn = getattr(os, name, _nop)
  152. if fn in os.supports_follow_symlinks:
  153. return fn
  154. return _nop
  155. st = lookup("stat")(src, follow_symlinks=follow)
  156. mode = stat.S_IMODE(st.st_mode)
  157. lookup("utime")(dst, ns=(st.st_atime_ns, st.st_mtime_ns),
  158. follow_symlinks=follow)
  159. try:
  160. lookup("chmod")(dst, mode, follow_symlinks=follow)
  161. except NotImplementedError:
  162. # if we got a NotImplementedError, it's because
  163. # * follow_symlinks=False,
  164. # * lchown() is unavailable, and
  165. # * either
  166. # * fchownat() is unavailable or
  167. # * fchownat() doesn't implement AT_SYMLINK_NOFOLLOW.
  168. # (it returned ENOSUP.)
  169. # therefore we're out of options--we simply cannot chown the
  170. # symlink. give up, suppress the error.
  171. # (which is what shutil always did in this circumstance.)
  172. pass
  173. if hasattr(st, 'st_flags'):
  174. try:
  175. lookup("chflags")(dst, st.st_flags, follow_symlinks=follow)
  176. except OSError as why:
  177. for err in 'EOPNOTSUPP', 'ENOTSUP':
  178. if hasattr(errno, err) and why.errno == getattr(errno, err):
  179. break
  180. else:
  181. raise
  182. _copyxattr(src, dst, follow_symlinks=follow)
  183. def copy(src, dst, *, follow_symlinks=True):
  184. """Copy data and mode bits ("cp src dst"). Return the file's destination.
  185. The destination may be a directory.
  186. If follow_symlinks is false, symlinks won't be followed. This
  187. resembles GNU's "cp -P src dst".
  188. If source and destination are the same file, a SameFileError will be
  189. raised.
  190. """
  191. if os.path.isdir(dst):
  192. dst = os.path.join(dst, os.path.basename(src))
  193. copyfile(src, dst, follow_symlinks=follow_symlinks)
  194. copymode(src, dst, follow_symlinks=follow_symlinks)
  195. return dst
  196. def copy2(src, dst, *, follow_symlinks=True):
  197. """Copy data and all stat info ("cp -p src dst"). Return the file's
  198. destination."
  199. The destination may be a directory.
  200. If follow_symlinks is false, symlinks won't be followed. This
  201. resembles GNU's "cp -P src dst".
  202. """
  203. if os.path.isdir(dst):
  204. dst = os.path.join(dst, os.path.basename(src))
  205. copyfile(src, dst, follow_symlinks=follow_symlinks)
  206. copystat(src, dst, follow_symlinks=follow_symlinks)
  207. return dst
  208. def ignore_patterns(*patterns):
  209. """Function that can be used as copytree() ignore parameter.
  210. Patterns is a sequence of glob-style patterns
  211. that are used to exclude files"""
  212. def _ignore_patterns(path, names):
  213. ignored_names = []
  214. for pattern in patterns:
  215. ignored_names.extend(fnmatch.filter(names, pattern))
  216. return set(ignored_names)
  217. return _ignore_patterns
  218. def copytree(src, dst, symlinks=False, ignore=None, copy_function=copy2,
  219. ignore_dangling_symlinks=False):
  220. """Recursively copy a directory tree.
  221. The destination directory must not already exist.
  222. If exception(s) occur, an Error is raised with a list of reasons.
  223. If the optional symlinks flag is true, symbolic links in the
  224. source tree result in symbolic links in the destination tree; if
  225. it is false, the contents of the files pointed to by symbolic
  226. links are copied. If the file pointed by the symlink doesn't
  227. exist, an exception will be added in the list of errors raised in
  228. an Error exception at the end of the copy process.
  229. You can set the optional ignore_dangling_symlinks flag to true if you
  230. want to silence this exception. Notice that this has no effect on
  231. platforms that don't support os.symlink.
  232. The optional ignore argument is a callable. If given, it
  233. is called with the `src` parameter, which is the directory
  234. being visited by copytree(), and `names` which is the list of
  235. `src` contents, as returned by os.listdir():
  236. callable(src, names) -> ignored_names
  237. Since copytree() is called recursively, the callable will be
  238. called once for each directory that is copied. It returns a
  239. list of names relative to the `src` directory that should
  240. not be copied.
  241. The optional copy_function argument is a callable that will be used
  242. to copy each file. It will be called with the source path and the
  243. destination path as arguments. By default, copy2() is used, but any
  244. function that supports the same signature (like copy()) can be used.
  245. """
  246. names = os.listdir(src)
  247. if ignore is not None:
  248. ignored_names = ignore(src, names)
  249. else:
  250. ignored_names = set()
  251. os.makedirs(dst)
  252. errors = []
  253. for name in names:
  254. if name in ignored_names:
  255. continue
  256. srcname = os.path.join(src, name)
  257. dstname = os.path.join(dst, name)
  258. try:
  259. if os.path.islink(srcname):
  260. linkto = os.readlink(srcname)
  261. if symlinks:
  262. # We can't just leave it to `copy_function` because legacy
  263. # code with a custom `copy_function` may rely on copytree
  264. # doing the right thing.
  265. os.symlink(linkto, dstname)
  266. copystat(srcname, dstname, follow_symlinks=not symlinks)
  267. else:
  268. # ignore dangling symlink if the flag is on
  269. if not os.path.exists(linkto) and ignore_dangling_symlinks:
  270. continue
  271. # otherwise let the copy occurs. copy2 will raise an error
  272. if os.path.isdir(srcname):
  273. copytree(srcname, dstname, symlinks, ignore,
  274. copy_function)
  275. else:
  276. copy_function(srcname, dstname)
  277. elif os.path.isdir(srcname):
  278. copytree(srcname, dstname, symlinks, ignore, copy_function)
  279. else:
  280. # Will raise a SpecialFileError for unsupported file types
  281. copy_function(srcname, dstname)
  282. # catch the Error from the recursive copytree so that we can
  283. # continue with other files
  284. except Error as err:
  285. errors.extend(err.args[0])
  286. except OSError as why:
  287. errors.append((srcname, dstname, str(why)))
  288. try:
  289. copystat(src, dst)
  290. except OSError as why:
  291. # Copying file access times may fail on Windows
  292. if getattr(why, 'winerror', None) is None:
  293. errors.append((src, dst, str(why)))
  294. if errors:
  295. raise Error(errors)
  296. return dst
  297. # version vulnerable to race conditions
  298. def _rmtree_unsafe(path, onerror):
  299. try:
  300. if os.path.islink(path):
  301. # symlinks to directories are forbidden, see bug #1669
  302. raise OSError("Cannot call rmtree on a symbolic link")
  303. except OSError:
  304. onerror(os.path.islink, path, sys.exc_info())
  305. # can't continue even if onerror hook returns
  306. return
  307. names = []
  308. try:
  309. names = os.listdir(path)
  310. except OSError:
  311. onerror(os.listdir, path, sys.exc_info())
  312. for name in names:
  313. fullname = os.path.join(path, name)
  314. try:
  315. mode = os.lstat(fullname).st_mode
  316. except OSError:
  317. mode = 0
  318. if stat.S_ISDIR(mode):
  319. _rmtree_unsafe(fullname, onerror)
  320. else:
  321. try:
  322. os.unlink(fullname)
  323. except OSError:
  324. onerror(os.unlink, fullname, sys.exc_info())
  325. try:
  326. os.rmdir(path)
  327. except OSError:
  328. onerror(os.rmdir, path, sys.exc_info())
  329. # Version using fd-based APIs to protect against races
  330. def _rmtree_safe_fd(topfd, path, onerror):
  331. names = []
  332. try:
  333. names = os.listdir(topfd)
  334. except OSError as err:
  335. err.filename = path
  336. onerror(os.listdir, path, sys.exc_info())
  337. for name in names:
  338. fullname = os.path.join(path, name)
  339. try:
  340. orig_st = os.stat(name, dir_fd=topfd, follow_symlinks=False)
  341. mode = orig_st.st_mode
  342. except OSError:
  343. mode = 0
  344. if stat.S_ISDIR(mode):
  345. try:
  346. dirfd = os.open(name, os.O_RDONLY, dir_fd=topfd)
  347. except OSError:
  348. onerror(os.open, fullname, sys.exc_info())
  349. else:
  350. try:
  351. if os.path.samestat(orig_st, os.fstat(dirfd)):
  352. _rmtree_safe_fd(dirfd, fullname, onerror)
  353. try:
  354. os.rmdir(name, dir_fd=topfd)
  355. except OSError:
  356. onerror(os.rmdir, fullname, sys.exc_info())
  357. else:
  358. try:
  359. # This can only happen if someone replaces
  360. # a directory with a symlink after the call to
  361. # stat.S_ISDIR above.
  362. raise OSError("Cannot call rmtree on a symbolic "
  363. "link")
  364. except OSError:
  365. onerror(os.path.islink, fullname, sys.exc_info())
  366. finally:
  367. os.close(dirfd)
  368. else:
  369. try:
  370. os.unlink(name, dir_fd=topfd)
  371. except OSError:
  372. onerror(os.unlink, fullname, sys.exc_info())
  373. _use_fd_functions = ({os.open, os.stat, os.unlink, os.rmdir} <=
  374. os.supports_dir_fd and
  375. os.listdir in os.supports_fd and
  376. os.stat in os.supports_follow_symlinks)
  377. def rmtree(path, ignore_errors=False, onerror=None):
  378. """Recursively delete a directory tree.
  379. If ignore_errors is set, errors are ignored; otherwise, if onerror
  380. is set, it is called to handle the error with arguments (func,
  381. path, exc_info) where func is platform and implementation dependent;
  382. path is the argument to that function that caused it to fail; and
  383. exc_info is a tuple returned by sys.exc_info(). If ignore_errors
  384. is false and onerror is None, an exception is raised.
  385. """
  386. if ignore_errors:
  387. def onerror(*args):
  388. pass
  389. elif onerror is None:
  390. def onerror(*args):
  391. raise
  392. if _use_fd_functions:
  393. # While the unsafe rmtree works fine on bytes, the fd based does not.
  394. if isinstance(path, bytes):
  395. path = os.fsdecode(path)
  396. # Note: To guard against symlink races, we use the standard
  397. # lstat()/open()/fstat() trick.
  398. try:
  399. orig_st = os.lstat(path)
  400. except Exception:
  401. onerror(os.lstat, path, sys.exc_info())
  402. return
  403. try:
  404. fd = os.open(path, os.O_RDONLY)
  405. except Exception:
  406. onerror(os.lstat, path, sys.exc_info())
  407. return
  408. try:
  409. if os.path.samestat(orig_st, os.fstat(fd)):
  410. _rmtree_safe_fd(fd, path, onerror)
  411. try:
  412. os.rmdir(path)
  413. except OSError:
  414. onerror(os.rmdir, path, sys.exc_info())
  415. else:
  416. try:
  417. # symlinks to directories are forbidden, see bug #1669
  418. raise OSError("Cannot call rmtree on a symbolic link")
  419. except OSError:
  420. onerror(os.path.islink, path, sys.exc_info())
  421. finally:
  422. os.close(fd)
  423. else:
  424. return _rmtree_unsafe(path, onerror)
  425. # Allow introspection of whether or not the hardening against symlink
  426. # attacks is supported on the current platform
  427. rmtree.avoids_symlink_attacks = _use_fd_functions
  428. def _basename(path):
  429. # A basename() variant which first strips the trailing slash, if present.
  430. # Thus we always get the last component of the path, even for directories.
  431. sep = os.path.sep + (os.path.altsep or '')
  432. return os.path.basename(path.rstrip(sep))
  433. def move(src, dst, copy_function=copy2):
  434. """Recursively move a file or directory to another location. This is
  435. similar to the Unix "mv" command. Return the file or directory's
  436. destination.
  437. If the destination is a directory or a symlink to a directory, the source
  438. is moved inside the directory. The destination path must not already
  439. exist.
  440. If the destination already exists but is not a directory, it may be
  441. overwritten depending on os.rename() semantics.
  442. If the destination is on our current filesystem, then rename() is used.
  443. Otherwise, src is copied to the destination and then removed. Symlinks are
  444. recreated under the new name if os.rename() fails because of cross
  445. filesystem renames.
  446. The optional `copy_function` argument is a callable that will be used
  447. to copy the source or it will be delegated to `copytree`.
  448. By default, copy2() is used, but any function that supports the same
  449. signature (like copy()) can be used.
  450. A lot more could be done here... A look at a mv.c shows a lot of
  451. the issues this implementation glosses over.
  452. """
  453. real_dst = dst
  454. if os.path.isdir(dst):
  455. if _samefile(src, dst):
  456. # We might be on a case insensitive filesystem,
  457. # perform the rename anyway.
  458. os.rename(src, dst)
  459. return
  460. real_dst = os.path.join(dst, _basename(src))
  461. if os.path.exists(real_dst):
  462. raise Error("Destination path '%s' already exists" % real_dst)
  463. try:
  464. os.rename(src, real_dst)
  465. except OSError:
  466. if os.path.islink(src):
  467. linkto = os.readlink(src)
  468. os.symlink(linkto, real_dst)
  469. os.unlink(src)
  470. elif os.path.isdir(src):
  471. if _destinsrc(src, dst):
  472. raise Error("Cannot move a directory '%s' into itself"
  473. " '%s'." % (src, dst))
  474. copytree(src, real_dst, copy_function=copy_function,
  475. symlinks=True)
  476. rmtree(src)
  477. else:
  478. copy_function(src, real_dst)
  479. os.unlink(src)
  480. return real_dst
  481. def _destinsrc(src, dst):
  482. src = os.path.abspath(src)
  483. dst = os.path.abspath(dst)
  484. if not src.endswith(os.path.sep):
  485. src += os.path.sep
  486. if not dst.endswith(os.path.sep):
  487. dst += os.path.sep
  488. return dst.startswith(src)
  489. def _get_gid(name):
  490. """Returns a gid, given a group name."""
  491. if getgrnam is None or name is None:
  492. return None
  493. try:
  494. result = getgrnam(name)
  495. except KeyError:
  496. result = None
  497. if result is not None:
  498. return result[2]
  499. return None
  500. def _get_uid(name):
  501. """Returns an uid, given a user name."""
  502. if getpwnam is None or name is None:
  503. return None
  504. try:
  505. result = getpwnam(name)
  506. except KeyError:
  507. result = None
  508. if result is not None:
  509. return result[2]
  510. return None
  511. def _make_tarball(base_name, base_dir, compress="gzip", verbose=0, dry_run=0,
  512. owner=None, group=None, logger=None):
  513. """Create a (possibly compressed) tar file from all the files under
  514. 'base_dir'.
  515. 'compress' must be "gzip" (the default), "bzip2", "xz", or None.
  516. 'owner' and 'group' can be used to define an owner and a group for the
  517. archive that is being built. If not provided, the current owner and group
  518. will be used.
  519. The output tar file will be named 'base_name' + ".tar", possibly plus
  520. the appropriate compression extension (".gz", ".bz2", or ".xz").
  521. Returns the output filename.
  522. """
  523. tar_compression = {'gzip': 'gz', None: ''}
  524. compress_ext = {'gzip': '.gz'}
  525. if _BZ2_SUPPORTED:
  526. tar_compression['bzip2'] = 'bz2'
  527. compress_ext['bzip2'] = '.bz2'
  528. if _LZMA_SUPPORTED:
  529. tar_compression['xz'] = 'xz'
  530. compress_ext['xz'] = '.xz'
  531. # flags for compression program, each element of list will be an argument
  532. if compress is not None and compress not in compress_ext:
  533. raise ValueError("bad value for 'compress', or compression format not "
  534. "supported : {0}".format(compress))
  535. archive_name = base_name + '.tar' + compress_ext.get(compress, '')
  536. archive_dir = os.path.dirname(archive_name)
  537. if archive_dir and not os.path.exists(archive_dir):
  538. if logger is not None:
  539. logger.info("creating %s", archive_dir)
  540. if not dry_run:
  541. os.makedirs(archive_dir)
  542. # creating the tarball
  543. if logger is not None:
  544. logger.info('Creating tar archive')
  545. uid = _get_uid(owner)
  546. gid = _get_gid(group)
  547. def _set_uid_gid(tarinfo):
  548. if gid is not None:
  549. tarinfo.gid = gid
  550. tarinfo.gname = group
  551. if uid is not None:
  552. tarinfo.uid = uid
  553. tarinfo.uname = owner
  554. return tarinfo
  555. if not dry_run:
  556. tar = tarfile.open(archive_name, 'w|%s' % tar_compression[compress])
  557. try:
  558. tar.add(base_dir, filter=_set_uid_gid)
  559. finally:
  560. tar.close()
  561. return archive_name
  562. def _make_zipfile(base_name, base_dir, verbose=0, dry_run=0, logger=None):
  563. """Create a zip file from all the files under 'base_dir'.
  564. The output zip file will be named 'base_name' + ".zip". Uses either the
  565. "zipfile" Python module (if available) or the InfoZIP "zip" utility
  566. (if installed and found on the default search path). If neither tool is
  567. available, raises ExecError. Returns the name of the output zip
  568. file.
  569. """
  570. import zipfile
  571. zip_filename = base_name + ".zip"
  572. archive_dir = os.path.dirname(base_name)
  573. if archive_dir and not os.path.exists(archive_dir):
  574. if logger is not None:
  575. logger.info("creating %s", archive_dir)
  576. if not dry_run:
  577. os.makedirs(archive_dir)
  578. if logger is not None:
  579. logger.info("creating '%s' and adding '%s' to it",
  580. zip_filename, base_dir)
  581. if not dry_run:
  582. with zipfile.ZipFile(zip_filename, "w",
  583. compression=zipfile.ZIP_DEFLATED) as zf:
  584. path = os.path.normpath(base_dir)
  585. zf.write(path, path)
  586. if logger is not None:
  587. logger.info("adding '%s'", path)
  588. for dirpath, dirnames, filenames in os.walk(base_dir):
  589. for name in sorted(dirnames):
  590. path = os.path.normpath(os.path.join(dirpath, name))
  591. zf.write(path, path)
  592. if logger is not None:
  593. logger.info("adding '%s'", path)
  594. for name in filenames:
  595. path = os.path.normpath(os.path.join(dirpath, name))
  596. if os.path.isfile(path):
  597. zf.write(path, path)
  598. if logger is not None:
  599. logger.info("adding '%s'", path)
  600. return zip_filename
  601. _ARCHIVE_FORMATS = {
  602. 'gztar': (_make_tarball, [('compress', 'gzip')], "gzip'ed tar-file"),
  603. 'tar': (_make_tarball, [('compress', None)], "uncompressed tar file"),
  604. 'zip': (_make_zipfile, [], "ZIP file")
  605. }
  606. if _BZ2_SUPPORTED:
  607. _ARCHIVE_FORMATS['bztar'] = (_make_tarball, [('compress', 'bzip2')],
  608. "bzip2'ed tar-file")
  609. if _LZMA_SUPPORTED:
  610. _ARCHIVE_FORMATS['xztar'] = (_make_tarball, [('compress', 'xz')],
  611. "xz'ed tar-file")
  612. def get_archive_formats():
  613. """Returns a list of supported formats for archiving and unarchiving.
  614. Each element of the returned sequence is a tuple (name, description)
  615. """
  616. formats = [(name, registry[2]) for name, registry in
  617. _ARCHIVE_FORMATS.items()]
  618. formats.sort()
  619. return formats
  620. def register_archive_format(name, function, extra_args=None, description=''):
  621. """Registers an archive format.
  622. name is the name of the format. function is the callable that will be
  623. used to create archives. If provided, extra_args is a sequence of
  624. (name, value) tuples that will be passed as arguments to the callable.
  625. description can be provided to describe the format, and will be returned
  626. by the get_archive_formats() function.
  627. """
  628. if extra_args is None:
  629. extra_args = []
  630. if not callable(function):
  631. raise TypeError('The %s object is not callable' % function)
  632. if not isinstance(extra_args, (tuple, list)):
  633. raise TypeError('extra_args needs to be a sequence')
  634. for element in extra_args:
  635. if not isinstance(element, (tuple, list)) or len(element) !=2:
  636. raise TypeError('extra_args elements are : (arg_name, value)')
  637. _ARCHIVE_FORMATS[name] = (function, extra_args, description)
  638. def unregister_archive_format(name):
  639. del _ARCHIVE_FORMATS[name]
  640. def make_archive(base_name, format, root_dir=None, base_dir=None, verbose=0,
  641. dry_run=0, owner=None, group=None, logger=None):
  642. """Create an archive file (eg. zip or tar).
  643. 'base_name' is the name of the file to create, minus any format-specific
  644. extension; 'format' is the archive format: one of "zip", "tar", "bztar"
  645. or "gztar".
  646. 'root_dir' is a directory that will be the root directory of the
  647. archive; ie. we typically chdir into 'root_dir' before creating the
  648. archive. 'base_dir' is the directory where we start archiving from;
  649. ie. 'base_dir' will be the common prefix of all files and
  650. directories in the archive. 'root_dir' and 'base_dir' both default
  651. to the current directory. Returns the name of the archive file.
  652. 'owner' and 'group' are used when creating a tar archive. By default,
  653. uses the current owner and group.
  654. """
  655. save_cwd = os.getcwd()
  656. if root_dir is not None:
  657. if logger is not None:
  658. logger.debug("changing into '%s'", root_dir)
  659. base_name = os.path.abspath(base_name)
  660. if not dry_run:
  661. os.chdir(root_dir)
  662. if base_dir is None:
  663. base_dir = os.curdir
  664. kwargs = {'dry_run': dry_run, 'logger': logger}
  665. try:
  666. format_info = _ARCHIVE_FORMATS[format]
  667. except KeyError:
  668. raise ValueError("unknown archive format '%s'" % format)
  669. func = format_info[0]
  670. for arg, val in format_info[1]:
  671. kwargs[arg] = val
  672. if format != 'zip':
  673. kwargs['owner'] = owner
  674. kwargs['group'] = group
  675. try:
  676. filename = func(base_name, base_dir, **kwargs)
  677. finally:
  678. if root_dir is not None:
  679. if logger is not None:
  680. logger.debug("changing back to '%s'", save_cwd)
  681. os.chdir(save_cwd)
  682. return filename
  683. def get_unpack_formats():
  684. """Returns a list of supported formats for unpacking.
  685. Each element of the returned sequence is a tuple
  686. (name, extensions, description)
  687. """
  688. formats = [(name, info[0], info[3]) for name, info in
  689. _UNPACK_FORMATS.items()]
  690. formats.sort()
  691. return formats
  692. def _check_unpack_options(extensions, function, extra_args):
  693. """Checks what gets registered as an unpacker."""
  694. # first make sure no other unpacker is registered for this extension
  695. existing_extensions = {}
  696. for name, info in _UNPACK_FORMATS.items():
  697. for ext in info[0]:
  698. existing_extensions[ext] = name
  699. for extension in extensions:
  700. if extension in existing_extensions:
  701. msg = '%s is already registered for "%s"'
  702. raise RegistryError(msg % (extension,
  703. existing_extensions[extension]))
  704. if not callable(function):
  705. raise TypeError('The registered function must be a callable')
  706. def register_unpack_format(name, extensions, function, extra_args=None,
  707. description=''):
  708. """Registers an unpack format.
  709. `name` is the name of the format. `extensions` is a list of extensions
  710. corresponding to the format.
  711. `function` is the callable that will be
  712. used to unpack archives. The callable will receive archives to unpack.
  713. If it's unable to handle an archive, it needs to raise a ReadError
  714. exception.
  715. If provided, `extra_args` is a sequence of
  716. (name, value) tuples that will be passed as arguments to the callable.
  717. description can be provided to describe the format, and will be returned
  718. by the get_unpack_formats() function.
  719. """
  720. if extra_args is None:
  721. extra_args = []
  722. _check_unpack_options(extensions, function, extra_args)
  723. _UNPACK_FORMATS[name] = extensions, function, extra_args, description
  724. def unregister_unpack_format(name):
  725. """Removes the pack format from the registery."""
  726. del _UNPACK_FORMATS[name]
  727. def _ensure_directory(path):
  728. """Ensure that the parent directory of `path` exists"""
  729. dirname = os.path.dirname(path)
  730. if not os.path.isdir(dirname):
  731. os.makedirs(dirname)
  732. def _unpack_zipfile(filename, extract_dir):
  733. """Unpack zip `filename` to `extract_dir`
  734. """
  735. try:
  736. import zipfile
  737. except ImportError:
  738. raise ReadError('zlib not supported, cannot unpack this archive.')
  739. if not zipfile.is_zipfile(filename):
  740. raise ReadError("%s is not a zip file" % filename)
  741. zip = zipfile.ZipFile(filename)
  742. try:
  743. for info in zip.infolist():
  744. name = info.filename
  745. # don't extract absolute paths or ones with .. in them
  746. if name.startswith('/') or '..' in name:
  747. continue
  748. target = os.path.join(extract_dir, *name.split('/'))
  749. if not target:
  750. continue
  751. _ensure_directory(target)
  752. if not name.endswith('/'):
  753. # file
  754. data = zip.read(info.filename)
  755. f = open(target, 'wb')
  756. try:
  757. f.write(data)
  758. finally:
  759. f.close()
  760. del data
  761. finally:
  762. zip.close()
  763. def _unpack_tarfile(filename, extract_dir):
  764. """Unpack tar/tar.gz/tar.bz2/tar.xz `filename` to `extract_dir`
  765. """
  766. try:
  767. tarobj = tarfile.open(filename)
  768. except tarfile.TarError:
  769. raise ReadError(
  770. "%s is not a compressed or uncompressed tar file" % filename)
  771. try:
  772. tarobj.extractall(extract_dir)
  773. finally:
  774. tarobj.close()
  775. _UNPACK_FORMATS = {
  776. 'gztar': (['.tar.gz', '.tgz'], _unpack_tarfile, [], "gzip'ed tar-file"),
  777. 'tar': (['.tar'], _unpack_tarfile, [], "uncompressed tar file"),
  778. 'zip': (['.zip'], _unpack_zipfile, [], "ZIP file")
  779. }
  780. if _BZ2_SUPPORTED:
  781. _UNPACK_FORMATS['bztar'] = (['.tar.bz2', '.tbz2'], _unpack_tarfile, [],
  782. "bzip2'ed tar-file")
  783. if _LZMA_SUPPORTED:
  784. _UNPACK_FORMATS['xztar'] = (['.tar.xz', '.txz'], _unpack_tarfile, [],
  785. "xz'ed tar-file")
  786. def _find_unpack_format(filename):
  787. for name, info in _UNPACK_FORMATS.items():
  788. for extension in info[0]:
  789. if filename.endswith(extension):
  790. return name
  791. return None
  792. def unpack_archive(filename, extract_dir=None, format=None):
  793. """Unpack an archive.
  794. `filename` is the name of the archive.
  795. `extract_dir` is the name of the target directory, where the archive
  796. is unpacked. If not provided, the current working directory is used.
  797. `format` is the archive format: one of "zip", "tar", or "gztar". Or any
  798. other registered format. If not provided, unpack_archive will use the
  799. filename extension and see if an unpacker was registered for that
  800. extension.
  801. In case none is found, a ValueError is raised.
  802. """
  803. if extract_dir is None:
  804. extract_dir = os.getcwd()
  805. if format is not None:
  806. try:
  807. format_info = _UNPACK_FORMATS[format]
  808. except KeyError:
  809. raise ValueError("Unknown unpack format '{0}'".format(format))
  810. func = format_info[1]
  811. func(filename, extract_dir, **dict(format_info[2]))
  812. else:
  813. # we need to look at the registered unpackers supported extensions
  814. format = _find_unpack_format(filename)
  815. if format is None:
  816. raise ReadError("Unknown archive format '{0}'".format(filename))
  817. func = _UNPACK_FORMATS[format][1]
  818. kwargs = dict(_UNPACK_FORMATS[format][2])
  819. func(filename, extract_dir, **kwargs)
  820. if hasattr(os, 'statvfs'):
  821. __all__.append('disk_usage')
  822. _ntuple_diskusage = collections.namedtuple('usage', 'total used free')
  823. def disk_usage(path):
  824. """Return disk usage statistics about the given path.
  825. Returned value is a named tuple with attributes 'total', 'used' and
  826. 'free', which are the amount of total, used and free space, in bytes.
  827. """
  828. st = os.statvfs(path)
  829. free = st.f_bavail * st.f_frsize
  830. total = st.f_blocks * st.f_frsize
  831. used = (st.f_blocks - st.f_bfree) * st.f_frsize
  832. return _ntuple_diskusage(total, used, free)
  833. elif os.name == 'nt':
  834. import nt
  835. __all__.append('disk_usage')
  836. _ntuple_diskusage = collections.namedtuple('usage', 'total used free')
  837. def disk_usage(path):
  838. """Return disk usage statistics about the given path.
  839. Returned values is a named tuple with attributes 'total', 'used' and
  840. 'free', which are the amount of total, used and free space, in bytes.
  841. """
  842. total, free = nt._getdiskusage(path)
  843. used = total - free
  844. return _ntuple_diskusage(total, used, free)
  845. def chown(path, user=None, group=None):
  846. """Change owner user and group of the given path.
  847. user and group can be the uid/gid or the user/group names, and in that case,
  848. they are converted to their respective uid/gid.
  849. """
  850. if user is None and group is None:
  851. raise ValueError("user and/or group must be set")
  852. _user = user
  853. _group = group
  854. # -1 means don't change it
  855. if user is None:
  856. _user = -1
  857. # user can either be an int (the uid) or a string (the system username)
  858. elif isinstance(user, str):
  859. _user = _get_uid(user)
  860. if _user is None:
  861. raise LookupError("no such user: {!r}".format(user))
  862. if group is None:
  863. _group = -1
  864. elif not isinstance(group, int):
  865. _group = _get_gid(group)
  866. if _group is None:
  867. raise LookupError("no such group: {!r}".format(group))
  868. os.chown(path, _user, _group)
  869. def get_terminal_size(fallback=(80, 24)):
  870. """Get the size of the terminal window.
  871. For each of the two dimensions, the environment variable, COLUMNS
  872. and LINES respectively, is checked. If the variable is defined and
  873. the value is a positive integer, it is used.
  874. When COLUMNS or LINES is not defined, which is the common case,
  875. the terminal connected to sys.__stdout__ is queried
  876. by invoking os.get_terminal_size.
  877. If the terminal size cannot be successfully queried, either because
  878. the system doesn't support querying, or because we are not
  879. connected to a terminal, the value given in fallback parameter
  880. is used. Fallback defaults to (80, 24) which is the default
  881. size used by many terminal emulators.
  882. The value returned is a named tuple of type os.terminal_size.
  883. """
  884. # columns, lines are the working values
  885. try:
  886. columns = int(os.environ['COLUMNS'])
  887. except (KeyError, ValueError):
  888. columns = 0
  889. try:
  890. lines = int(os.environ['LINES'])
  891. except (KeyError, ValueError):
  892. lines = 0
  893. # only query if necessary
  894. if columns <= 0 or lines <= 0:
  895. try:
  896. size = os.get_terminal_size(sys.__stdout__.fileno())
  897. except (AttributeError, ValueError, OSError):
  898. # stdout is None, closed, detached, or not a terminal, or
  899. # os.get_terminal_size() is unsupported
  900. size = os.terminal_size(fallback)
  901. if columns <= 0:
  902. columns = size.columns
  903. if lines <= 0:
  904. lines = size.lines
  905. return os.terminal_size((columns, lines))
  906. def which(cmd, mode=os.F_OK | os.X_OK, path=None):
  907. """Given a command, mode, and a PATH string, return the path which
  908. conforms to the given mode on the PATH, or None if there is no such
  909. file.
  910. `mode` defaults to os.F_OK | os.X_OK. `path` defaults to the result
  911. of os.environ.get("PATH"), or can be overridden with a custom search
  912. path.
  913. """
  914. # Check that a given file can be accessed with the correct mode.
  915. # Additionally check that `file` is not a directory, as on Windows
  916. # directories pass the os.access check.
  917. def _access_check(fn, mode):
  918. return (os.path.exists(fn) and os.access(fn, mode)
  919. and not os.path.isdir(fn))
  920. # If we're given a path with a directory part, look it up directly rather
  921. # than referring to PATH directories. This includes checking relative to the
  922. # current directory, e.g. ./script
  923. if os.path.dirname(cmd):
  924. if _access_check(cmd, mode):
  925. return cmd
  926. return None
  927. if path is None:
  928. path = os.environ.get("PATH", os.defpath)
  929. if not path:
  930. return None
  931. path = path.split(os.pathsep)
  932. if sys.platform == "win32":
  933. # The current directory takes precedence on Windows.
  934. if not os.curdir in path:
  935. path.insert(0, os.curdir)
  936. # PATHEXT is necessary to check on Windows.
  937. pathext = os.environ.get("PATHEXT", "").split(os.pathsep)
  938. # See if the given file matches any of the expected path extensions.
  939. # This will allow us to short circuit when given "python.exe".
  940. # If it does match, only test that one, otherwise we have to try
  941. # others.
  942. if any(cmd.lower().endswith(ext.lower()) for ext in pathext):
  943. files = [cmd]
  944. else:
  945. files = [cmd + ext for ext in pathext]
  946. else:
  947. # On other platforms you don't have things like PATHEXT to tell you
  948. # what file suffixes are executable, so just pass on cmd as-is.
  949. files = [cmd]
  950. seen = set()
  951. for dir in path:
  952. normdir = os.path.normcase(dir)
  953. if not normdir in seen:
  954. seen.add(normdir)
  955. for thefile in files:
  956. name = os.path.join(dir, thefile)
  957. if _access_check(name, mode):
  958. return name
  959. return None