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 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422
|
#!/usr/bin/env python3
##
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
#
# https://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""
Read/Write Avro File Object Containers.
https://avro.apache.org/docs/current/spec.html#Object+Container+Files
"""
import io
import json
import warnings
from types import TracebackType
from typing import IO, AnyStr, MutableMapping, Optional, Type, cast
import avro.codecs
import avro.errors
import avro.io
import avro.schema
from avro.utils import TypedDict, randbytes
VERSION = 1
MAGIC = bytes(b"Obj" + bytearray([VERSION]))
MAGIC_SIZE = len(MAGIC)
SYNC_SIZE = 16
SYNC_INTERVAL = 4000 * SYNC_SIZE # TODO(hammer): make configurable
META_SCHEMA = cast(
avro.schema.RecordSchema,
avro.schema.parse(
json.dumps(
{
"type": "record",
"name": "org.apache.avro.file.Header",
"fields": [
{"name": "magic", "type": {"type": "fixed", "name": "magic", "size": MAGIC_SIZE}},
{"name": "meta", "type": {"type": "map", "values": "bytes"}},
{"name": "sync", "type": {"type": "fixed", "name": "sync", "size": SYNC_SIZE}},
],
}
)
),
)
NULL_CODEC = "null"
VALID_CODECS = avro.codecs.KNOWN_CODECS.keys()
VALID_ENCODINGS = ["binary"] # not used yet
CODEC_KEY = "avro.codec"
SCHEMA_KEY = "avro.schema"
class HeaderType(TypedDict):
magic: bytes
meta: MutableMapping[str, bytes]
sync: bytes
class _DataFileMetadata:
"""
Mixin for meta properties.
Files may include arbitrary user-specified metadata.
File metadata is written as if defined by the following map schema:
`{"type": "map", "values": "bytes"}`
All metadata properties that start with "avro." are reserved.
The following file metadata properties are currently used:
- `avro.schema` contains the schema of objects stored in the file, as JSON data (required).
- `avro.codec`, the name of the compression codec used to compress blocks, as a string.
Implementations are required to support the following codecs: "null" and "deflate".
If codec is absent, it is assumed to be "null". See avro.codecs for implementation details.
"""
__slots__ = ("_meta",)
_meta: MutableMapping[str, bytes]
def get_meta(self, key: str) -> Optional[bytes]:
"""Get the metadata property at `key`."""
return self.meta.get(key)
def set_meta(self, key: str, val: bytes) -> None:
"""Set the metadata property at `key`."""
self.meta[key] = val
def del_meta(self, key: str) -> None:
"""Unset the metadata property at `key`."""
del self.meta[key]
@property
def meta(self) -> MutableMapping[str, bytes]:
"""Get the dictionary of metadata for this datafile."""
if not hasattr(self, "_meta"):
self._meta = {}
return self._meta
@property
def schema(self) -> str:
"""Get the schema of objects stored in the file from the file's metadata."""
schema_str = self.get_meta(SCHEMA_KEY)
if schema_str:
return schema_str.decode()
raise avro.errors.DataFileException("Missing required schema metadata.")
@schema.setter
def schema(self, value: str) -> None:
"""Set the schema of objects stored in the file's metadata."""
self.set_meta(SCHEMA_KEY, value.encode())
@property
def codec(self) -> str:
"""Get the file's compression codec algorithm from the file's metadata."""
codec = self.get_meta(CODEC_KEY)
return "null" if codec is None else codec.decode()
@codec.setter
def codec(self, value: str) -> None:
"""Set the file's compression codec algorithm in the file's metadata."""
if value not in VALID_CODECS:
raise avro.errors.DataFileException(f"Unknown codec: {value!r}")
self.set_meta(CODEC_KEY, value.encode())
@codec.deleter
def codec(self) -> None:
"""Unset the file's compression codec algorithm from the file's metadata."""
self.del_meta(CODEC_KEY)
class DataFileWriter(_DataFileMetadata):
__slots__ = (
"_buffer_encoder",
"_buffer_writer",
"_datum_writer",
"_encoder",
"_header_written",
"_writer",
"block_count",
"sync_marker",
)
_buffer_encoder: avro.io.BinaryEncoder
_buffer_writer: io.BytesIO # BinaryIO would have better compatibility, but we use getvalue right now.
_datum_writer: avro.io.DatumWriter
_encoder: avro.io.BinaryEncoder
_header_written: bool
_writer: IO[bytes]
block_count: int
sync_marker: bytes
def __init__(
self, writer: IO[AnyStr], datum_writer: avro.io.DatumWriter, writers_schema: Optional[avro.schema.Schema] = None, codec: str = NULL_CODEC
) -> None:
"""If the schema is not present, presume we're appending."""
if hasattr(writer, "mode") and "b" not in writer.mode:
warnings.warn(avro.errors.AvroWarning(f"Writing binary data to a writer {writer!r} that's opened for text"))
bytes_writer = cast(IO[bytes], getattr(writer, "buffer", writer))
self._writer = bytes_writer
self._encoder = avro.io.BinaryEncoder(bytes_writer)
self._datum_writer = datum_writer
self._buffer_writer = io.BytesIO()
self._buffer_encoder = avro.io.BinaryEncoder(self._buffer_writer)
self.block_count = 0
self._header_written = False
if writers_schema is None:
# open writer for reading to collect metadata
dfr = DataFileReader(writer, avro.io.DatumReader())
# TODO(hammer): collect arbitrary metadata
# collect metadata
self.sync_marker = dfr.sync_marker
self.codec = dfr.codec
# get schema used to write existing file
self.schema = schema_from_file = dfr.schema
self.datum_writer.writers_schema = avro.schema.parse(schema_from_file)
# seek to the end of the file and prepare for writing
writer.seek(0, 2)
self._header_written = True
return
self.sync_marker = randbytes(16)
self.codec = codec
self.schema = str(writers_schema)
self.datum_writer.writers_schema = writers_schema
@property
def writer(self) -> IO[bytes]:
return self._writer
@property
def encoder(self) -> avro.io.BinaryEncoder:
return self._encoder
@property
def datum_writer(self) -> avro.io.DatumWriter:
return self._datum_writer
@property
def buffer_writer(self) -> io.BytesIO:
return self._buffer_writer
@property
def buffer_encoder(self) -> avro.io.BinaryEncoder:
return self._buffer_encoder
def _write_header(self) -> None:
header = {"magic": MAGIC, "meta": self.meta, "sync": self.sync_marker}
self.datum_writer.write_data(META_SCHEMA, header, self.encoder)
self._header_written = True
# TODO(hammer): make a schema for blocks and use datum_writer
def _write_block(self) -> None:
if not self._header_written:
self._write_header()
if self.block_count > 0:
# write number of items in block
self.encoder.write_long(self.block_count)
# write block contents
uncompressed_data = self.buffer_writer.getvalue()
codec = avro.codecs.get_codec(self.codec)
compressed_data, compressed_data_length = codec.compress(uncompressed_data)
# Write length of block
self.encoder.write_long(compressed_data_length)
# Write block
self.writer.write(compressed_data)
# write sync marker
self.writer.write(self.sync_marker)
# reset buffer
self.buffer_writer.truncate(0)
self.buffer_writer.seek(0)
self.block_count = 0
def append(self, datum: object) -> None:
"""Append a datum to the file."""
self.datum_writer.write(datum, self.buffer_encoder)
self.block_count += 1
# if the data to write is larger than the sync interval, write the block
if self.buffer_writer.tell() >= SYNC_INTERVAL:
self._write_block()
def sync(self) -> int:
"""
Return the current position as a value that may be passed to
DataFileReader.seek(long). Forces the end of the current block,
emitting a synchronization marker.
"""
self._write_block()
return self.writer.tell()
def flush(self) -> None:
"""Flush the current state of the file, including metadata."""
self._write_block()
self.writer.flush()
def close(self) -> None:
"""Close the file."""
self.flush()
self.writer.close()
def __enter__(self) -> "DataFileWriter":
return self
def __exit__(self, type_: Optional[Type[BaseException]], value: Optional[BaseException], traceback: Optional[TracebackType]) -> None:
"""Perform a close if there's no exception."""
if type_ is None:
self.close()
class DataFileReader(_DataFileMetadata):
"""Read files written by DataFileWriter."""
__slots__ = (
"_datum_decoder",
"_datum_reader",
"_file_length",
"_raw_decoder",
"_reader",
"block_count",
"sync_marker",
)
_datum_decoder: Optional[avro.io.BinaryDecoder]
_datum_reader: avro.io.DatumReader
_file_length: int
_raw_decoder: avro.io.BinaryDecoder
_reader: IO[bytes]
block_count: int
sync_marker: bytes
# TODO(hammer): allow user to specify expected schema?
# TODO(hammer): allow user to specify the encoder
def __init__(self, reader: IO[AnyStr], datum_reader: avro.io.DatumReader) -> None:
if hasattr(reader, "mode") and "b" not in reader.mode:
warnings.warn(avro.errors.AvroWarning(f"Reader binary data from a reader {reader!r} that's opened for text"))
bytes_reader = cast(IO[bytes], getattr(reader, "buffer", reader))
self._reader = bytes_reader
self._raw_decoder = avro.io.BinaryDecoder(bytes_reader)
self._datum_decoder = None # Maybe reset at every block.
self._datum_reader = datum_reader
# read the header: magic, meta, sync
self._read_header()
# get file length
self._file_length = self.determine_file_length()
# get ready to read
self.block_count = 0
self.datum_reader.writers_schema = avro.schema.parse(self.schema)
def __iter__(self) -> "DataFileReader":
return self
@property
def reader(self) -> IO[bytes]:
return self._reader
@property
def raw_decoder(self) -> avro.io.BinaryDecoder:
return self._raw_decoder
@property
def datum_decoder(self) -> Optional[avro.io.BinaryDecoder]:
return self._datum_decoder
@property
def datum_reader(self) -> avro.io.DatumReader:
return self._datum_reader
@property
def file_length(self) -> int:
return self._file_length
def determine_file_length(self) -> int:
"""
Get file length and leave file cursor where we found it.
"""
remember_pos = self.reader.tell()
self.reader.seek(0, 2)
file_length = self.reader.tell()
self.reader.seek(remember_pos)
return file_length
def is_EOF(self) -> bool:
return self.reader.tell() == self.file_length
def _read_header(self) -> None:
# seek to the beginning of the file to get magic block
self.reader.seek(0, 0)
# read header into a dict
header = cast(HeaderType, self.datum_reader.read_data(META_SCHEMA, META_SCHEMA, self.raw_decoder))
if header.get("magic") != MAGIC:
raise avro.errors.AvroException(f"Not an Avro data file: {header.get('magic')!r} doesn't match {MAGIC!r}.")
self._meta = header["meta"]
self.sync_marker = header["sync"]
def _read_block_header(self) -> None:
self.block_count = self.raw_decoder.read_long()
codec = avro.codecs.get_codec(self.codec)
self._datum_decoder = codec.decompress(self.raw_decoder)
def _skip_sync(self) -> bool:
"""
Read the length of the sync marker; if it matches the sync marker,
return True. Otherwise, seek back to where we started and return False.
"""
proposed_sync_marker = self.reader.read(SYNC_SIZE)
if proposed_sync_marker == self.sync_marker:
return True
self.reader.seek(-SYNC_SIZE, 1)
return False
def __next__(self) -> object:
"""Return the next datum in the file."""
while self.block_count == 0:
if self.is_EOF() or (self._skip_sync() and self.is_EOF()):
raise StopIteration
self._read_block_header()
if self.datum_decoder is None:
raise avro.errors.DataFileException("DataFile is not ready to read because it has no decoder")
datum = self.datum_reader.read(self.datum_decoder)
self.block_count -= 1
return datum
def close(self) -> None:
"""Close this reader."""
self.reader.close()
def __enter__(self) -> "DataFileReader":
return self
def __exit__(self, type_: Optional[Type[BaseException]], value: Optional[BaseException], traceback: Optional[TracebackType]) -> None:
"""Perform a close if there's no exception."""
if type_ is None:
self.close()
|