lzma.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345
  1. """Interface to the liblzma compression library.
  2. This module provides a class for reading and writing compressed files,
  3. classes for incremental (de)compression, and convenience functions for
  4. one-shot (de)compression.
  5. These classes and functions support both the XZ and legacy LZMA
  6. container formats, as well as raw compressed data streams.
  7. """
  8. __all__ = [
  9. "CHECK_NONE", "CHECK_CRC32", "CHECK_CRC64", "CHECK_SHA256",
  10. "CHECK_ID_MAX", "CHECK_UNKNOWN",
  11. "FILTER_LZMA1", "FILTER_LZMA2", "FILTER_DELTA", "FILTER_X86", "FILTER_IA64",
  12. "FILTER_ARM", "FILTER_ARMTHUMB", "FILTER_POWERPC", "FILTER_SPARC",
  13. "FORMAT_AUTO", "FORMAT_XZ", "FORMAT_ALONE", "FORMAT_RAW",
  14. "MF_HC3", "MF_HC4", "MF_BT2", "MF_BT3", "MF_BT4",
  15. "MODE_FAST", "MODE_NORMAL", "PRESET_DEFAULT", "PRESET_EXTREME",
  16. "LZMACompressor", "LZMADecompressor", "LZMAFile", "LZMAError",
  17. "open", "compress", "decompress", "is_check_supported",
  18. ]
  19. import builtins
  20. import io
  21. from _lzma import *
  22. from _lzma import _encode_filter_properties, _decode_filter_properties
  23. import _compression
  24. _MODE_CLOSED = 0
  25. _MODE_READ = 1
  26. # Value 2 no longer used
  27. _MODE_WRITE = 3
  28. class LZMAFile(_compression.BaseStream):
  29. """A file object providing transparent LZMA (de)compression.
  30. An LZMAFile can act as a wrapper for an existing file object, or
  31. refer directly to a named file on disk.
  32. Note that LZMAFile provides a *binary* file interface - data read
  33. is returned as bytes, and data to be written must be given as bytes.
  34. """
  35. def __init__(self, filename=None, mode="r", *,
  36. format=None, check=-1, preset=None, filters=None):
  37. """Open an LZMA-compressed file in binary mode.
  38. filename can be either an actual file name (given as a str or
  39. bytes object), in which case the named file is opened, or it can
  40. be an existing file object to read from or write to.
  41. mode can be "r" for reading (default), "w" for (over)writing,
  42. "x" for creating exclusively, or "a" for appending. These can
  43. equivalently be given as "rb", "wb", "xb" and "ab" respectively.
  44. format specifies the container format to use for the file.
  45. If mode is "r", this defaults to FORMAT_AUTO. Otherwise, the
  46. default is FORMAT_XZ.
  47. check specifies the integrity check to use. This argument can
  48. only be used when opening a file for writing. For FORMAT_XZ,
  49. the default is CHECK_CRC64. FORMAT_ALONE and FORMAT_RAW do not
  50. support integrity checks - for these formats, check must be
  51. omitted, or be CHECK_NONE.
  52. When opening a file for reading, the *preset* argument is not
  53. meaningful, and should be omitted. The *filters* argument should
  54. also be omitted, except when format is FORMAT_RAW (in which case
  55. it is required).
  56. When opening a file for writing, the settings used by the
  57. compressor can be specified either as a preset compression
  58. level (with the *preset* argument), or in detail as a custom
  59. filter chain (with the *filters* argument). For FORMAT_XZ and
  60. FORMAT_ALONE, the default is to use the PRESET_DEFAULT preset
  61. level. For FORMAT_RAW, the caller must always specify a filter
  62. chain; the raw compressor does not support preset compression
  63. levels.
  64. preset (if provided) should be an integer in the range 0-9,
  65. optionally OR-ed with the constant PRESET_EXTREME.
  66. filters (if provided) should be a sequence of dicts. Each dict
  67. should have an entry for "id" indicating ID of the filter, plus
  68. additional entries for options to the filter.
  69. """
  70. self._fp = None
  71. self._closefp = False
  72. self._mode = _MODE_CLOSED
  73. if mode in ("r", "rb"):
  74. if check != -1:
  75. raise ValueError("Cannot specify an integrity check "
  76. "when opening a file for reading")
  77. if preset is not None:
  78. raise ValueError("Cannot specify a preset compression "
  79. "level when opening a file for reading")
  80. if format is None:
  81. format = FORMAT_AUTO
  82. mode_code = _MODE_READ
  83. elif mode in ("w", "wb", "a", "ab", "x", "xb"):
  84. if format is None:
  85. format = FORMAT_XZ
  86. mode_code = _MODE_WRITE
  87. self._compressor = LZMACompressor(format=format, check=check,
  88. preset=preset, filters=filters)
  89. self._pos = 0
  90. else:
  91. raise ValueError("Invalid mode: {!r}".format(mode))
  92. if isinstance(filename, (str, bytes)):
  93. if "b" not in mode:
  94. mode += "b"
  95. self._fp = builtins.open(filename, mode)
  96. self._closefp = True
  97. self._mode = mode_code
  98. elif hasattr(filename, "read") or hasattr(filename, "write"):
  99. self._fp = filename
  100. self._mode = mode_code
  101. else:
  102. raise TypeError("filename must be a str or bytes object, or a file")
  103. if self._mode == _MODE_READ:
  104. raw = _compression.DecompressReader(self._fp, LZMADecompressor,
  105. trailing_error=LZMAError, format=format, filters=filters)
  106. self._buffer = io.BufferedReader(raw)
  107. def close(self):
  108. """Flush and close the file.
  109. May be called more than once without error. Once the file is
  110. closed, any other operation on it will raise a ValueError.
  111. """
  112. if self._mode == _MODE_CLOSED:
  113. return
  114. try:
  115. if self._mode == _MODE_READ:
  116. self._buffer.close()
  117. self._buffer = None
  118. elif self._mode == _MODE_WRITE:
  119. self._fp.write(self._compressor.flush())
  120. self._compressor = None
  121. finally:
  122. try:
  123. if self._closefp:
  124. self._fp.close()
  125. finally:
  126. self._fp = None
  127. self._closefp = False
  128. self._mode = _MODE_CLOSED
  129. @property
  130. def closed(self):
  131. """True if this file is closed."""
  132. return self._mode == _MODE_CLOSED
  133. def fileno(self):
  134. """Return the file descriptor for the underlying file."""
  135. self._check_not_closed()
  136. return self._fp.fileno()
  137. def seekable(self):
  138. """Return whether the file supports seeking."""
  139. return self.readable() and self._buffer.seekable()
  140. def readable(self):
  141. """Return whether the file was opened for reading."""
  142. self._check_not_closed()
  143. return self._mode == _MODE_READ
  144. def writable(self):
  145. """Return whether the file was opened for writing."""
  146. self._check_not_closed()
  147. return self._mode == _MODE_WRITE
  148. def peek(self, size=-1):
  149. """Return buffered data without advancing the file position.
  150. Always returns at least one byte of data, unless at EOF.
  151. The exact number of bytes returned is unspecified.
  152. """
  153. self._check_can_read()
  154. # Relies on the undocumented fact that BufferedReader.peek() always
  155. # returns at least one byte (except at EOF)
  156. return self._buffer.peek(size)
  157. def read(self, size=-1):
  158. """Read up to size uncompressed bytes from the file.
  159. If size is negative or omitted, read until EOF is reached.
  160. Returns b"" if the file is already at EOF.
  161. """
  162. self._check_can_read()
  163. return self._buffer.read(size)
  164. def read1(self, size=-1):
  165. """Read up to size uncompressed bytes, while trying to avoid
  166. making multiple reads from the underlying stream. Reads up to a
  167. buffer's worth of data if size is negative.
  168. Returns b"" if the file is at EOF.
  169. """
  170. self._check_can_read()
  171. if size < 0:
  172. size = io.DEFAULT_BUFFER_SIZE
  173. return self._buffer.read1(size)
  174. def readline(self, size=-1):
  175. """Read a line of uncompressed bytes from the file.
  176. The terminating newline (if present) is retained. If size is
  177. non-negative, no more than size bytes will be read (in which
  178. case the line may be incomplete). Returns b'' if already at EOF.
  179. """
  180. self._check_can_read()
  181. return self._buffer.readline(size)
  182. def write(self, data):
  183. """Write a bytes object to the file.
  184. Returns the number of uncompressed bytes written, which is
  185. always len(data). Note that due to buffering, the file on disk
  186. may not reflect the data written until close() is called.
  187. """
  188. self._check_can_write()
  189. compressed = self._compressor.compress(data)
  190. self._fp.write(compressed)
  191. self._pos += len(data)
  192. return len(data)
  193. def seek(self, offset, whence=io.SEEK_SET):
  194. """Change the file position.
  195. The new position is specified by offset, relative to the
  196. position indicated by whence. Possible values for whence are:
  197. 0: start of stream (default): offset must not be negative
  198. 1: current stream position
  199. 2: end of stream; offset must not be positive
  200. Returns the new file position.
  201. Note that seeking is emulated, so depending on the parameters,
  202. this operation may be extremely slow.
  203. """
  204. self._check_can_seek()
  205. return self._buffer.seek(offset, whence)
  206. def tell(self):
  207. """Return the current file position."""
  208. self._check_not_closed()
  209. if self._mode == _MODE_READ:
  210. return self._buffer.tell()
  211. return self._pos
  212. def open(filename, mode="rb", *,
  213. format=None, check=-1, preset=None, filters=None,
  214. encoding=None, errors=None, newline=None):
  215. """Open an LZMA-compressed file in binary or text mode.
  216. filename can be either an actual file name (given as a str or bytes
  217. object), in which case the named file is opened, or it can be an
  218. existing file object to read from or write to.
  219. The mode argument can be "r", "rb" (default), "w", "wb", "x", "xb",
  220. "a", or "ab" for binary mode, or "rt", "wt", "xt", or "at" for text
  221. mode.
  222. The format, check, preset and filters arguments specify the
  223. compression settings, as for LZMACompressor, LZMADecompressor and
  224. LZMAFile.
  225. For binary mode, this function is equivalent to the LZMAFile
  226. constructor: LZMAFile(filename, mode, ...). In this case, the
  227. encoding, errors and newline arguments must not be provided.
  228. For text mode, an LZMAFile object is created, and wrapped in an
  229. io.TextIOWrapper instance with the specified encoding, error
  230. handling behavior, and line ending(s).
  231. """
  232. if "t" in mode:
  233. if "b" in mode:
  234. raise ValueError("Invalid mode: %r" % (mode,))
  235. else:
  236. if encoding is not None:
  237. raise ValueError("Argument 'encoding' not supported in binary mode")
  238. if errors is not None:
  239. raise ValueError("Argument 'errors' not supported in binary mode")
  240. if newline is not None:
  241. raise ValueError("Argument 'newline' not supported in binary mode")
  242. lz_mode = mode.replace("t", "")
  243. binary_file = LZMAFile(filename, lz_mode, format=format, check=check,
  244. preset=preset, filters=filters)
  245. if "t" in mode:
  246. return io.TextIOWrapper(binary_file, encoding, errors, newline)
  247. else:
  248. return binary_file
  249. def compress(data, format=FORMAT_XZ, check=-1, preset=None, filters=None):
  250. """Compress a block of data.
  251. Refer to LZMACompressor's docstring for a description of the
  252. optional arguments *format*, *check*, *preset* and *filters*.
  253. For incremental compression, use an LZMACompressor instead.
  254. """
  255. comp = LZMACompressor(format, check, preset, filters)
  256. return comp.compress(data) + comp.flush()
  257. def decompress(data, format=FORMAT_AUTO, memlimit=None, filters=None):
  258. """Decompress a block of data.
  259. Refer to LZMADecompressor's docstring for a description of the
  260. optional arguments *format*, *check* and *filters*.
  261. For incremental decompression, use an LZMADecompressor instead.
  262. """
  263. results = []
  264. while True:
  265. decomp = LZMADecompressor(format, memlimit, filters)
  266. try:
  267. res = decomp.decompress(data)
  268. except LZMAError:
  269. if results:
  270. break # Leftover data is not a valid LZMA/XZ stream; ignore it.
  271. else:
  272. raise # Error on the first iteration; bail out.
  273. results.append(res)
  274. if not decomp.eof:
  275. raise LZMAError("Compressed data ended before the "
  276. "end-of-stream marker was reached")
  277. data = decomp.unused_data
  278. if not data:
  279. break
  280. return b"".join(results)