Spaces:
Sleeping
Sleeping
File size: 9,936 Bytes
ffaa9fc |
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 |
# -*- coding: utf-8 -*-
# Copyright (c) 2013, Mahmoud Hashemi
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are
# met:
#
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
#
# * Redistributions in binary form must reproduce the above
# copyright notice, this list of conditions and the following
# disclaimer in the documentation and/or other materials provided
# with the distribution.
#
# * The names of the contributors may not be used to endorse or
# promote products derived from this software without specific
# prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
"""``jsonutils`` aims to provide various helpers for working with
JSON. Currently it focuses on providing a reliable and intuitive means
of working with `JSON Lines`_-formatted files.
.. _JSON Lines: http://jsonlines.org/
"""
from __future__ import print_function
import io
import os
import json
DEFAULT_BLOCKSIZE = 4096
__all__ = ['JSONLIterator', 'reverse_iter_lines']
def reverse_iter_lines(file_obj, blocksize=DEFAULT_BLOCKSIZE, preseek=True, encoding=None):
"""Returns an iterator over the lines from a file object, in
reverse order, i.e., last line first, first line last. Uses the
:meth:`file.seek` method of file objects, and is tested compatible with
:class:`file` objects, as well as :class:`StringIO.StringIO`.
Args:
file_obj (file): An open file object. Note that
``reverse_iter_lines`` mutably reads from the file and
other functions should not mutably interact with the file
object after being passed. Files can be opened in bytes or
text mode.
blocksize (int): The block size to pass to
:meth:`file.read()`. Warning: keep this a fairly large
multiple of 2, defaults to 4096.
preseek (bool): Tells the function whether or not to automatically
seek to the end of the file. Defaults to ``True``.
``preseek=False`` is useful in cases when the
file cursor is already in position, either at the end of
the file or in the middle for relative reverse line
generation.
"""
# This function is a bit of a pain because it attempts to be byte/text agnostic
try:
encoding = encoding or file_obj.encoding
except AttributeError:
# BytesIO
encoding = None
else:
encoding = 'utf-8'
# need orig_obj to keep alive otherwise __del__ on the TextWrapper will close the file
orig_obj = file_obj
try:
file_obj = orig_obj.detach()
except (AttributeError, io.UnsupportedOperation):
pass
empty_bytes, newline_bytes, empty_text = b'', b'\n', u''
if preseek:
file_obj.seek(0, os.SEEK_END)
buff = empty_bytes
cur_pos = file_obj.tell()
while 0 < cur_pos:
read_size = min(blocksize, cur_pos)
cur_pos -= read_size
file_obj.seek(cur_pos, os.SEEK_SET)
cur = file_obj.read(read_size)
buff = cur + buff
lines = buff.splitlines()
if len(lines) < 2 or lines[0] == empty_bytes:
continue
if buff[-1:] == newline_bytes:
yield empty_text if encoding else empty_bytes
for line in lines[:0:-1]:
yield line.decode(encoding) if encoding else line
buff = lines[0]
if buff:
yield buff.decode(encoding) if encoding else buff
"""
TODO: allow passthroughs for:
json.load(fp[, encoding[, cls[, object_hook[, parse_float[, parse_int[, parse_constant[, object_pairs_hook[, **kw]]]]]]]])
"""
class JSONLIterator(object):
"""The ``JSONLIterator`` is used to iterate over JSON-encoded objects
stored in the `JSON Lines format`_ (one object per line).
Most notably it has the ability to efficiently read from the
bottom of files, making it very effective for reading in simple
append-only JSONL use cases. It also has the ability to start from
anywhere in the file and ignore corrupted lines.
Args:
file_obj (file): An open file object.
ignore_errors (bool): Whether to skip over lines that raise an error on
deserialization (:func:`json.loads`).
reverse (bool): Controls the direction of the iteration.
Defaults to ``False``. If set to ``True`` and *rel_seek*
is unset, seeks to the end of the file before iteration
begins.
rel_seek (float): Used to preseek the start position of
iteration. Set to 0.0 for the start of the file, 1.0 for the
end, and anything in between.
.. _JSON Lines format: http://jsonlines.org/
"""
def __init__(self, file_obj,
ignore_errors=False, reverse=False, rel_seek=None):
self._reverse = bool(reverse)
self._file_obj = file_obj
self.ignore_errors = ignore_errors
if rel_seek is None:
if reverse:
rel_seek = 1.0
elif not -1.0 < rel_seek < 1.0:
raise ValueError("'rel_seek' expected a float between"
" -1.0 and 1.0, not %r" % rel_seek)
elif rel_seek < 0:
rel_seek = 1.0 - rel_seek
self._rel_seek = rel_seek
self._blocksize = 4096
if rel_seek is not None:
self._init_rel_seek()
if self._reverse:
self._line_iter = reverse_iter_lines(self._file_obj,
blocksize=self._blocksize,
preseek=False)
else:
self._line_iter = iter(self._file_obj)
@property
def cur_byte_pos(self):
"A property representing where in the file the iterator is reading."
return self._file_obj.tell()
def _align_to_newline(self):
"Aligns the file object's position to the next newline."
fo, bsize = self._file_obj, self._blocksize
cur, total_read = '', 0
cur_pos = fo.tell()
while '\n' not in cur:
cur = fo.read(bsize)
total_read += bsize
try:
newline_offset = cur.index('\n') + total_read - bsize
except ValueError:
raise # TODO: seek to end?
fo.seek(cur_pos + newline_offset)
def _init_rel_seek(self):
"Sets the file object's position to the relative location set above."
rs, fo = self._rel_seek, self._file_obj
if rs == 0.0:
fo.seek(0, os.SEEK_SET)
else:
fo.seek(0, os.SEEK_END)
size = fo.tell()
if rs == 1.0:
self._cur_pos = size
else:
target = int(size * rs)
fo.seek(target, os.SEEK_SET)
self._align_to_newline()
self._cur_pos = fo.tell()
def __iter__(self):
return self
def next(self):
"""Yields one :class:`dict` loaded with :func:`json.loads`, advancing
the file object by one line. Raises :exc:`StopIteration` upon reaching
the end of the file (or beginning, if ``reverse`` was set to ``True``.
"""
while 1:
line = next(self._line_iter).lstrip()
if not line:
continue
try:
obj = json.loads(line)
except Exception:
if not self.ignore_errors:
raise
continue
return obj
__next__ = next
if __name__ == '__main__':
def _main():
import sys
if '-h' in sys.argv or '--help' in sys.argv:
print('loads one or more JSON Line files for basic validation.')
return
verbose = False
if '-v' in sys.argv or '--verbose' in sys.argv:
verbose = True
file_count, obj_count = 0, 0
filenames = sys.argv[1:]
for filename in filenames:
if filename in ('-h', '--help', '-v', '--verbose'):
continue
file_count += 1
with open(filename, 'rb') as file_obj:
iterator = JSONLIterator(file_obj)
cur_obj_count = 0
while 1:
try:
next(iterator)
except ValueError:
print('error reading object #%s around byte %s in %s'
% (cur_obj_count + 1, iterator.cur_byte_pos, filename))
return
except StopIteration:
break
obj_count += 1
cur_obj_count += 1
if verbose and obj_count and obj_count % 100 == 0:
sys.stdout.write('.')
if obj_count % 10000:
sys.stdout.write('%s\n' % obj_count)
if verbose:
print('files checked: %s' % file_count)
print('objects loaded: %s' % obj_count)
return
_main()
|