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 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353
|
"""
The functions in this module allow compression and decompression using the
zlib library, which is based on GNU zip.
adler32(string[, start]) -- Compute an Adler-32 checksum.
compress(string[, level]) -- Compress string, with compression level in 1-9.
compressobj([level]) -- Return a compressor object.
crc32(string[, start]) -- Compute a CRC-32 checksum.
decompress(string,[wbits],[bufsize]) -- Decompresses a compressed string.
decompressobj([wbits]) -- Return a decompressor object.
'wbits' is window buffer size.
Compressor objects support compress() and flush() methods; decompressor
objects support decompress() and flush().
"""
import array
import binascii
import jarray
import struct
import sys
from cStringIO import StringIO
from java.lang import Long, String, System
from java.util.zip import Adler32, CRC32, Deflater, Inflater, DataFormatException
DEFLATED = 8
MAX_WBITS = 15
DEF_MEM_LEVEL = 8
ZLIB_VERSION = "1.1.3"
Z_BEST_COMPRESSION = 9
Z_BEST_SPEED = 1
Z_FILTERED = 1
Z_HUFFMAN_ONLY = 2
Z_DEFAULT_COMPRESSION = -1
Z_DEFAULT_STRATEGY = 0
Z_NO_FLUSH = 0
Z_SYNC_FLUSH = 2
Z_FULL_FLUSH = 3
Z_FINISH = 4
_valid_flush_modes = (Z_NO_FLUSH, Z_SYNC_FLUSH, Z_FULL_FLUSH, Z_FINISH)
_zlib_to_deflater = {
Z_NO_FLUSH: Deflater.NO_FLUSH,
Z_SYNC_FLUSH: Deflater.SYNC_FLUSH,
Z_FULL_FLUSH: Deflater.FULL_FLUSH
}
_ADLER_BASE = 65521 # largest prime smaller than 65536
_MASK32 = 0xffffffffL # 2**32 - 1 used for unsigned mod 2**32
def adler32(s, value=1):
# Although Java has an implmentation in java.util.zip.Adler32,
# this class does not allow for updating the value directly, as
# required by this C-style API.
#
# ported from https://tools.ietf.org/html/rfc2960#page-132
s1 = value & 0xffff
s2 = (value >> 16) & 0xffff
for c in s:
s1 = (s1 + ord(c)) % _ADLER_BASE
s2 = (s2 + s1) % _ADLER_BASE
# Support two's complement, to comply with the range specified for 2.6+;
# for 3.x, simply return (s2 << 16) + s1
high_bit = -2147483648 if (s2 & 0x8000) else 0
remaining_high_word = s2 & 0x7fff
return high_bit + (remaining_high_word << 16) + s1
def crc32(string, value=0):
return binascii.crc32(string, value)
def compress(string, level=6):
if level < Z_BEST_SPEED or level > Z_BEST_COMPRESSION:
raise error, "Bad compression level"
deflater = Deflater(level, 0)
try:
string = _to_input(string)
deflater.setInput(string, 0, len(string))
deflater.finish()
return _get_deflate_data(deflater)
finally:
deflater.end()
def decompress(string, wbits=0, bufsize=16384):
inflater = Inflater(wbits < 0)
try:
inflater.setInput(_to_input(string))
data = _get_inflate_data(inflater)
if not inflater.finished():
raise error, "Error -5 while decompressing data: incomplete or truncated stream"
return data
finally:
inflater.end()
# per zlib manual (http://www.zlib.net/manual.html):
# > windowBits can also be greater than 15 for optional gzip
# > encoding. Add 16 to windowBits to write a simple gzip header and
# > trailer around the compressed data instead of a zlib wrapper. The
# > gzip header will have no file name, no extra data, no comment, no
# > modification time (set to zero), no header crc, and the operating
# > system will be set to 255 (unknown). If a gzip stream is being
# > written, strm->adler is a crc32 instead of an adler32.
class compressobj(object):
# All jython uses wbits for is in deciding whether to skip the
# header if it's negative or to set gzip. But we still raise
# ValueError to get full test compliance.
GZIP_HEADER = "\x1f\x8b\x08\x00\x00\x00\x00\x00\x04\x03"
# NB: this format is little-endian, not big-endian as we might
# expect for network oriented protocols. Both are 4 bytes unsigned
# modulus 2^32 per RFC-1952. CRC32.getValue() returns an unsigned
# int as a long, so cope accordingly.
GZIP_TRAILER_FORMAT = struct.Struct("<II") # crc32, size
def __init__(self, level=6, method=DEFLATED, wbits=MAX_WBITS,
memLevel=0, strategy=0):
if abs(wbits) & 16:
if wbits > 0:
wbits -= 16
else:
wbits += 16
self._gzip = True
else:
self._gzip = False
if abs(wbits) > MAX_WBITS or abs(wbits) < 8:
raise ValueError, "Invalid initialization option: %s" % (wbits,)
self.deflater = Deflater(level, wbits < 0 or self._gzip)
self.deflater.setStrategy(strategy)
self._ended = False
self._size = 0
self._crc32 = CRC32()
def compress(self, string):
if self._ended:
raise error("compressobj may not be used after flush(Z_FINISH)")
string = _to_input(string)
self.deflater.setInput(string, 0, len(string))
deflated = _get_deflate_data(self.deflater)
self._size += len(string)
self._crc32.update(string)
if self._gzip:
return self.GZIP_HEADER + deflated
else:
return deflated
def flush(self, mode=Z_FINISH):
if self._ended:
raise error("compressobj may not be used after flush(Z_FINISH)")
if mode not in _valid_flush_modes:
raise ValueError, "Invalid flush option"
if mode == Z_FINISH:
self.deflater.finish()
last = _get_deflate_data(self.deflater, mode)
if mode == Z_FINISH:
if self._gzip:
last += self.GZIP_TRAILER_FORMAT.pack(
self._crc32.getValue(), self._size & _MASK32)
self.deflater.end()
self._ended = True
return last
class decompressobj(object):
def __init__(self, wbits=MAX_WBITS):
# Jython only uses wbits to determine to skip the header if it's negative;
# but apparently there are some tests around this that we do some bogus
# param checking
if abs(wbits) < 8:
raise ValueError, "Invalid initialization option"
if abs(wbits) > 16: # NOTE apparently this also implies being negative in CPython/zlib
wbits = -1
self.inflater = Inflater(wbits < 0)
self._ended = False
self.unused_data = ""
self.unconsumed_tail = ""
self.gzip = wbits < 0
self.gzip_header_skipped = False
self._crc32 = CRC32()
def decompress(self, string, max_length=0):
if self._ended:
raise error("decompressobj may not be used after flush()")
# unused_data is always "" until inflation is finished; then it is
# the unused bytes of the input;
# unconsumed_tail is whatever input was not used because max_length
# was exceeded before inflation finished.
# Thus, at most one of {unused_data, unconsumed_tail} may be non-empty.
self.unconsumed_tail = ""
if not self.inflater.finished() and not (self.gzip and not self.gzip_header_skipped):
self.unused_data = ""
if max_length < 0:
raise ValueError("max_length must be a positive integer")
# Suppress gzip header if present and wbits < 0
if self.gzip and not self.gzip_header_skipped:
string = self.unused_data + string
self.unused_data = ""
try:
string = _skip_gzip_header(string)
except IndexError:
# need more input!
self.unused_data = string
return ""
self.gzip_header_skipped = True
string = _to_input(string)
self.inflater.setInput(string)
inflated = _get_inflate_data(self.inflater, max_length)
self._crc32.update(inflated)
r = self.inflater.getRemaining()
if r:
if self.gzip and self.inflater.finished() and r == 8:
# Consume tail, check inflate size, and crc32
crc,isize = struct.unpack_from("<LL", string[-r:])
mysize = self.inflater.getBytesWritten() & _MASK32
mycrc = self._crc32.getValue() & _MASK32
if mysize != isize:
raise error('Error -3 while decompressing data: incorrect length check')
if mycrc != crc:
raise error("Error -3 while decompressing data: incorrect data check")
elif max_length and not self.inflater.finished():
self.unconsumed_tail = string[-r:]
else:
self.unused_data += string[-r:]
return inflated
def flush(self, length=None):
if self._ended:
raise error("decompressobj may not be used after flush()")
if length is None:
length = 0
elif length <= 0:
raise ValueError('length must be greater than zero')
last = _get_inflate_data(self.inflater, length)
self.inflater.end()
return last
def _to_input(s):
if isinstance(s, unicode):
return s.encode('ascii')
if isinstance(s, array.array):
return s.tostring()
if isinstance(s, basestring) or isinstance(s, buffer) or isinstance(s, memoryview):
return s
else:
raise TypeError('must be string or read-only buffer, not %s' % type(s))
def _get_deflate_data(deflater, mode=Z_NO_FLUSH):
buflen = 1024
buf = jarray.zeros(buflen, 'b')
s = StringIO()
while not deflater.finished():
l = deflater.deflate(buf, 0, buflen, _zlib_to_deflater.get(mode, Deflater.NO_FLUSH))
if l == 0:
break
s.write(String(buf, 0, 0, l))
s.seek(0)
return s.read()
def _get_inflate_data(inflater, max_length=0):
buf = jarray.zeros(1024, 'b')
s = StringIO()
total = 0
while not inflater.finished():
try:
if max_length:
l = inflater.inflate(buf, 0, min(1024, max_length - total))
else:
l = inflater.inflate(buf)
except DataFormatException, e:
raise error(str(e))
if l == 0:
break
total += l
s.write(String(buf, 0, 0, l))
if max_length and total == max_length:
break
s.seek(0)
return s.read()
FTEXT = 1
FHCRC = 2
FEXTRA = 4
FNAME = 8
FCOMMENT = 16
def _skip_gzip_header(string):
# per format specified in https://tools.ietf.org/html/rfc1952
s = bytearray(string)
id1 = s[0]
id2 = s[1]
# Check gzip magic
if id1 != 31 or id2 != 139:
return string
cm = s[2]
flg = s[3]
mtime = s[4:8]
xfl = s[8]
os = s[9]
# skip fixed header, then figure out variable parts
s = s[10:]
if flg & FEXTRA:
# skip extra field
xlen = s[0] + s[1] * 256 # MSB ordering
s = s[2 + xlen:]
if flg & FNAME:
# skip filename
s = s[s.find("\x00")+1:]
if flg & FCOMMENT:
# skip comment
s = s[s.find("\x00")+1:]
if flg & FHCRC:
# skip CRC16 for the header - might be nice to check of course
s = s[2:]
return bytes(s)
class error(Exception):
pass
|