/usr/lib/python3/dist-packages/agate/utils.py is in python3-agate 1.6.0-3.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | #!/usr/bin/env python
# -*- coding: utf8 -*-
"""
This module contains a collection of utility classes and functions used in
agate.
"""
from collections import OrderedDict, Sequence
from functools import wraps
import string
import warnings
from slugify import slugify as pslugify
from agate.warns import warn_duplicate_column, warn_unnamed_column
try:
from cdecimal import Decimal, ROUND_FLOOR, ROUND_CEILING, getcontext
except ImportError: # pragma: no cover
from decimal import Decimal, ROUND_FLOOR, ROUND_CEILING, getcontext
import six
#: Sentinal for use when `None` is an valid argument value
default = object()
def memoize(func):
"""
Dead-simple memoize decorator for instance methods that take no arguments.
This is especially useful since so many of our classes are immutable.
"""
memo = None
@wraps(func)
def wrapper(self):
if memo is not None:
return memo
return func(self)
return wrapper
class NullOrder(object):
"""
Dummy object used for sorting in place of None.
Sorts as "greater than everything but other nulls."
"""
def __lt__(self, other):
return False
def __gt__(self, other):
if other is None:
return False
return True
class Quantiles(Sequence):
"""
A class representing quantiles (percentiles, quartiles, etc.) for a given
column of Number data.
"""
def __init__(self, quantiles):
self._quantiles = quantiles
def __getitem__(self, i):
return self._quantiles.__getitem__(i)
def __iter__(self):
return self._quantiles.__iter__()
def __len__(self):
return self._quantiles.__len__()
def __repr__(self):
return repr(self._quantiles)
def locate(self, value):
"""
Identify which quantile a given value is part of.
"""
i = 0
if value < self._quantiles[0]:
raise ValueError('Value is less than minimum quantile value.')
if value > self._quantiles[-1]:
raise ValueError('Value is greater than maximum quantile value.')
if value == self._quantiles[-1]:
return Decimal(len(self._quantiles) - 1)
while value >= self._quantiles[i + 1]:
i += 1
return Decimal(i)
def median(data_sorted):
"""
Finds the median value of a given series of values.
:param data_sorted:
The values to find the median of. Must be sorted.
"""
length = len(data_sorted)
if length % 2 == 1:
return data_sorted[((length + 1) // 2) - 1]
half = length // 2
a = data_sorted[half - 1]
b = data_sorted[half]
return (a + b) / 2
def max_precision(values):
"""
Given a series of values (such as a :class:`.Column`) returns the most
significant decimal places present in any value.
:param values:
The values to analyze.
"""
max_whole_places = 1
max_decimal_places = 0
precision = getcontext().prec
for value in values:
if value is None:
continue
sign, digits, exponent = value.normalize().as_tuple()
exponent_places = exponent * -1
whole_places = len(digits) - exponent_places
if whole_places > max_whole_places:
max_whole_places = whole_places
if exponent_places > max_decimal_places:
max_decimal_places = exponent_places
# In Python 2 it was possible for the total digits to exceed the
# available context precision. This ensures that can't happen. See #412
if max_whole_places + max_decimal_places > precision: # pragma: no cover
max_decimal_places = precision - max_whole_places
return max_decimal_places
def make_number_formatter(decimal_places, add_ellipsis=False):
"""
Given a number of decimal places creates a formatting string that will
display numbers with that precision.
:param decimal_places:
The number of decimal places
:param add_ellipsis:
Optionally add an ellipsis symbol at the end of a number
"""
fraction = u'0' * decimal_places
ellipsis = u'…' if add_ellipsis else u''
return u''.join([u'#,##0.', fraction, ellipsis, u';-#,##0.', fraction, ellipsis])
def round_limits(minimum, maximum):
"""
Rounds a pair of minimum and maximum values to form reasonable "round"
values suitable for use as axis minimum and maximum values.
Values are rounded "out": up for maximum and down for minimum, and "off":
to one higher than the first significant digit shared by both.
See unit tests for examples.
"""
min_bits = minimum.normalize().as_tuple()
max_bits = maximum.normalize().as_tuple()
max_digits = max(
len(min_bits.digits) + min_bits.exponent,
len(max_bits.digits) + max_bits.exponent
)
# Whole number rounding
if max_digits > 0:
multiplier = Decimal('10') ** (max_digits - 1)
min_fraction = (minimum / multiplier).to_integral_value(rounding=ROUND_FLOOR)
max_fraction = (maximum / multiplier).to_integral_value(rounding=ROUND_CEILING)
return (
min_fraction * multiplier,
max_fraction * multiplier
)
max_exponent = max(min_bits.exponent, max_bits.exponent)
# Fractional rounding
q = Decimal('10') ** (max_exponent + 1)
return (
minimum.quantize(q, rounding=ROUND_FLOOR).normalize(),
maximum.quantize(q, rounding=ROUND_CEILING).normalize()
)
def letter_name(index):
"""
Given a column index, assign a "letter" column name equivalent to
Excel. For example, index ``4`` would return ``E``.
Index ``30`` would return ``EE``.
"""
letters = string.ascii_lowercase
count = len(letters)
return letters[index % count] * ((index // count) + 1)
def parse_object(obj, path=''):
"""
Recursively parse JSON-like Python objects as a dictionary of paths/keys
and values.
Inspired by JSONPipe (https://github.com/dvxhouse/jsonpipe).
"""
if isinstance(obj, dict):
iterator = obj.items()
elif isinstance(obj, (list, tuple)):
iterator = enumerate(obj)
else:
return {path.strip('/'): obj}
d = OrderedDict()
for key, value in iterator:
key = six.text_type(key)
d.update(parse_object(value, path + key + '/'))
return d
def issequence(obj):
"""
Returns :code:`True` if the given object is an instance of
:class:`.Sequence` that is not also a string.
"""
return isinstance(obj, Sequence) and not isinstance(obj, six.string_types)
def deduplicate(values, column_names=False, separator='_'):
"""
Append a unique identifer to duplicate strings in a given sequence of
strings. Identifers are an underscore followed by the occurance number of
the specific string.
['abc', 'abc', 'cde', 'abc'] -> ['abc', 'abc_2', 'cde', 'abc_3']
:param column_names:
If True, values are treated as column names. Warnings will be thrown
if column names are None or duplicates. None values will be replaced with
letter indices.
"""
final_values = []
for i, value in enumerate(values):
if column_names:
if not value:
new_value = letter_name(i)
warn_unnamed_column(i, new_value)
elif isinstance(value, six.string_types):
new_value = value
else:
raise ValueError('Column names must be strings or None.')
else:
new_value = value
final_value = new_value
duplicates = 0
while final_value in final_values:
final_value = new_value + separator + str(duplicates + 2)
duplicates += 1
if column_names and duplicates > 0:
warn_duplicate_column(new_value, final_value)
final_values.append(final_value)
return tuple(final_values)
def slugify(values, ensure_unique=False, **kwargs):
"""
Given a sequence of strings, returns a standardized version of the sequence.
If ``ensure_unique`` is True, any duplicate strings will be appended with
a unique identifier.
agate uses an underscore as a default separator but this can be changed with
kwargs.
Any kwargs will be passed to the slugify method in python-slugify. See:
https://github.com/un33k/python-slugify
"""
slug_args = {'separator': '_'}
slug_args.update(kwargs)
if ensure_unique:
new_values = tuple(pslugify(value, **slug_args) for value in values)
return deduplicate(new_values, separator=slug_args['separator'])
else:
return tuple(pslugify(value, **slug_args) for value in values)
|