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 354 355 356 357
|
"""
Functionality related with filters in a PyTables file.
:Author: Ivan Vilata i Balaguer
:Contact: ivan at selidor dot net
:License: BSD
:Created: 2007-02-23
:Revision: $Id$
Variables
=========
`__docformat`__
The format of documentation strings in this module.
`__version__`
Repository version of this file.
`all_complibs`
List of all compression libraries.
`default_complib`
The default compression library.
`foreign_complibs`
List of known but unsupported compression libraries.
"""
# Imports
# =======
import warnings
import numpy
from tables import utilsExtension
from tables.exceptions import FiltersWarning, ExperimentalFeatureWarning
# Public variables
# ================
__docformat__ = 'reStructuredText'
"""The format of documentation strings in this module."""
__version__ = '$Revision$'
"""Repository version of this file."""
all_complibs = ['zlib', 'lzo', 'bzip2', 'blosc']
"""List of all compression libraries."""
foreign_complibs = ['szip']
"""List of known but unsupported compression libraries."""
default_complib = 'zlib'
"""The default compression library."""
# Private variables
# =================
_shuffle_flag = 0x1
_fletcher32_flag = 0x2
# Classes
# =======
class Filters(object):
"""
Container for filter properties.
This class is meant to serve as a container that keeps information
about the filter properties associated with the chunked leaves,
that is `Table`, `CArray`, `EArray` and `VLArray`.
Instances of this class can be directly compared for equality.
Public instance variables
-------------------------
fletcher32
Whether the *Fletcher32* filter is active or not.
complevel
The compression level (0 disables compression).
complib
The compression filter used (irrelevant when compression is
not enabled).
shuffle
Whether the *Shuffle* filter is active or not.
Example of use
--------------
This is a small example on using the `Filters` class::
import numpy
from tables import *
fileh = openFile('test5.h5', mode='w')
atom = Float32Atom()
filters = Filters(complevel=1, complib='blosc', fletcher32=True)
arr = fileh.createEArray(fileh.root, 'earray', atom, (0,2),
\"A growable array\", filters=filters)
# Append several rows in only one call
arr.append(numpy.array([[1., 2.],
[2., 3.],
[3., 4.]], dtype=numpy.float32))
# Print information on that enlargeable array
print \"Result Array:\"
print repr(arr)
fileh.close()
This enforces the use of the Blosc library, a compression level of 1
and a Fletcher32 checksum filter as well. See the output of this
example::
Result Array:
/earray (EArray(3, 2), fletcher32, shuffle, blosc(1)) 'A growable array'
type = float32
shape = (3, 2)
itemsize = 4
nrows = 3
extdim = 0
flavor = 'numpy'
byteorder = 'little'
"""
@classmethod
def _from_leaf(class_, leaf):
# Get a dictionary with all the filters
parent = leaf._v_parent
filtersDict = utilsExtension.getFilters( parent._v_objectID,
leaf._v_name )
if filtersDict is None:
filtersDict = {} # not chunked
kwargs = dict( complevel=0, shuffle=False, fletcher32=False, # all off
_new=False )
for (name, values) in filtersDict.items():
if name == 'deflate':
name = 'zlib'
if name in all_complibs:
kwargs['complib'] = name
if name == "blosc":
kwargs['complevel'] = values[4]
# Shuffle filter is internal to blosc
if values[5]:
kwargs['shuffle'] = True
else:
kwargs['complevel'] = values[0]
elif name in foreign_complibs:
kwargs['complib'] = name
kwargs['complevel'] = 1 # any nonzero value will do
elif name in ['shuffle', 'fletcher32']:
kwargs[name] = True
return class_(**kwargs)
@classmethod
def _unpack(class_, packed):
"""
Create a new `Filters` object from a packed version.
>>> Filters._unpack(0)
Filters(complevel=0, shuffle=False, fletcher32=False)
>>> Filters._unpack(0x101)
Filters(complevel=1, complib='zlib', shuffle=False, fletcher32=False)
>>> Filters._unpack(0x30109)
Filters(complevel=9, complib='zlib', shuffle=True, fletcher32=True)
>>> Filters._unpack(0x3010A)
Traceback (most recent call last):
...
ValueError: compression level must be between 0 and 9
>>> Filters._unpack(0x1)
Traceback (most recent call last):
...
ValueError: invalid compression library id: 0
"""
kwargs = {'_new': False}
# Byte 0: compression level.
kwargs['complevel'] = complevel = packed & 0xff
packed >>= 8
# Byte 1: compression library id (0 for none).
if complevel > 0:
complib_id = int(packed & 0xff)
if not (0 < complib_id <= len(all_complibs)):
raise ValueError( "invalid compression library id: %d"
% complib_id )
kwargs['complib'] = all_complibs[complib_id - 1]
packed >>= 8
# Byte 2: parameterless filters.
kwargs['shuffle'] = packed & _shuffle_flag
kwargs['fletcher32'] = packed & _fletcher32_flag
return class_(**kwargs)
def _pack(self):
"""
Pack the `Filters` object into a 64-bit NumPy integer.
>>> type(Filters()._pack())
<type 'numpy.int64'>
>>> hexl = lambda n: hex(long(n))
>>> hexl(Filters()._pack())
'0x0L'
>>> hexl(Filters(1, shuffle=False)._pack())
'0x101L'
>>> hexl(Filters(9, 'zlib', shuffle=True, fletcher32=True)._pack())
'0x30109L'
"""
packed = numpy.int64(0)
# Byte 2: parameterless filters.
if self.shuffle:
packed |= _shuffle_flag
if self.fletcher32:
packed |= _fletcher32_flag
packed <<= 8
# Byte 1: compression library id (0 for none).
if self.complevel > 0:
packed |= all_complibs.index(self.complib) + 1
packed <<= 8
# Byte 0: compression level.
packed |= self.complevel
return packed
def __init__( self, complevel=0, complib=default_complib,
shuffle=True, fletcher32=False,
_new=True ):
"""
Create a new `Filters` instance.
`complevel`
Specifies a compression level for data. The allowed range
is 0-9. A value of 0 (the default) disables compression.
`complib`
Specifies the compression library to be used. Right now,
'zlib' (the default), 'lzo', 'bzip2' and 'blosc' are
supported. Specifying a compression library which is not
available in the system issues a `FiltersWarning` and sets
the library to the default one.
`shuffle`
Whether or not to use the *Shuffle* filter in the HDF5
library. This is normally used to improve the compression
ratio. A false value disables shuffling and a true one
enables it. The default value depends on whether
compression is enabled or not; if compression is enabled,
shuffling defaults to be enabled, else shuffling is
disabled. Shuffling can only be used when compression is
enabled.
`fletcher32`
Whether or not to use the *Fletcher32* filter in the HDF5
library. This is used to add a checksum on each data
chunk. A false value (the default) disables the checksum.
"""
if not (0 <= complevel <= 9):
raise ValueError("compression level must be between 0 and 9")
if _new and complevel > 0:
# These checks are not performed when loading filters from disk.
if complib not in all_complibs:
raise ValueError(
"compression library ``%s`` is not supported; "
"it must be one of: %s"
% (complib, ", ".join(all_complibs)) )
if utilsExtension.whichLibVersion(complib) is None:
warnings.warn( "compression library ``%s`` is not available; "
"using ``%s`` instead"
% (complib, default_complib), FiltersWarning )
complib = default_complib # always available
complevel = int(complevel)
complib = str(complib)
shuffle = bool(shuffle)
fletcher32 = bool(fletcher32)
if complevel == 0:
# Override some inputs when compression is not enabled.
complib = None # make it clear there is no compression
shuffle = False # shuffling and not compressing makes no sense
elif complib not in all_complibs:
# Do not try to use a meaningful level for unsupported libs.
complevel = -1
self.complevel = complevel
"""The compression level (0 disables compression)."""
self.complib = complib
"""
The compression filter used (irrelevant when compression is
not enabled).
"""
self.shuffle = shuffle
"""Whether the *Shuffle* filter is active or not."""
self.fletcher32 = fletcher32
"""Whether the *Fletcher32* filter is active or not."""
def __repr__(self):
args, complevel = [], self.complevel
if complevel >= 0: # meaningful compression level
args.append('complevel=%d' % complevel)
if complevel != 0: # compression enabled (-1 or > 0)
args.append('complib=%r' % self.complib)
args.append('shuffle=%s' % self.shuffle)
args.append('fletcher32=%s' % self.fletcher32)
return '%s(%s)' % (self.__class__.__name__, ', '.join(args))
def __str__(self):
return repr(self)
def __eq__(self, other):
if not isinstance(other, self.__class__):
return False
for attr in self.__dict__.keys():
if getattr(self, attr) != getattr(other, attr):
return False
return True
def copy(self, **override):
"""
Get a copy of the filters, possibly overriding some arguments.
Constructor arguments to be overridden must be passed as
keyword arguments.
Using this method is recommended over replacing the attributes
of an instance, since instances of this class may become
immutable in the future.
>>> filters1 = Filters()
>>> filters2 = filters1.copy()
>>> filters1 == filters2
True
>>> filters1 is filters2
False
>>> filters3 = filters1.copy(complevel=1) #doctest: +ELLIPSIS
Traceback (most recent call last):
...
ValueError: compression library ``None`` is not supported...
>>> filters3 = filters1.copy(complevel=1, complib='zlib')
>>> print filters1
Filters(complevel=0, shuffle=False, fletcher32=False)
>>> print filters3
Filters(complevel=1, complib='zlib', shuffle=False, fletcher32=False)
>>> filters1.copy(foobar=42)
Traceback (most recent call last):
...
TypeError: __init__() got an unexpected keyword argument 'foobar'
"""
newargs = self.__dict__.copy()
newargs.update(override)
return self.__class__(**newargs)
# Main part
# =========
def _test():
"""Run ``doctest`` on this module."""
import doctest
doctest.testmod()
if __name__ == '__main__':
_test()
|