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 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589
|
"""Bag class definitions."""
import heapq
from abc import ABCMeta, abstractmethod
from collections import defaultdict
from collections.abc import Collection, Hashable, Set
from operator import itemgetter
from ._util import deprecated
__all__ = (
'Bag',
'BagView',
'CountsView',
'UniqueElementsView',
'bag',
'frozenbag',
)
class BagView(Collection):
"""Base class for bag views."""
__metaclass__ = ABCMeta
__slots__ = ('bag', )
def __init__(self, bag):
self.bag = bag
def __repr__(self):
return '{0.__class__.__name__}({0.bag!r})'.format(self)
def __len__(self):
return self.bag.num_unique_elements()
@abstractmethod
def __iter__(self):
raise NotImplementedError
@abstractmethod
def __contains__(self, elem):
raise NotImplementedError
class UniqueElementsView(BagView):
"""A view for the unique items and their counts in a bag.
.. versionadded:: 1.0
"""
def __iter__(self):
for elem in self.bag._dict:
yield elem
def __contains__(self, elem):
return elem in self.bag
class CountsView(BagView):
"""A view for the unique items and their counts in a bag.
.. versionadded:: 1.0
"""
__slots__ = ('bag', )
def __len__(self):
return self.bag.num_unique_elements()
def __iter__(self):
for elem in self.bag.unique_elements():
yield elem, self.bag.count(elem)
def __contains__(self, item):
elem, count = item
return self.bag.count(elem) == count
class Bag(Collection):
"""Base class for bag classes.
Base class for bag and frozenbag. Is not mutable and not hashable, so there's
no reason to use this instead of either bag or frozenbag.
"""
# Basic object methods
def __init__(self, iterable=None):
"""Create a new bag.
If iterable isn't given, is None or is empty then the bag starts empty.
Otherwise each element from iterable will be added to the bag
however many times it appears.
This runs in O(len(iterable))
"""
self._dict = dict()
self._size = 0
if iterable:
if isinstance(iterable, Bag):
self._dict = iterable._dict.copy()
self._size = iterable._size
else:
for value in iterable:
self._increment_count(value)
def _set_count(self, elem, count):
if count < 0:
raise ValueError
self._size += count - self.count(elem)
if count == 0:
self._dict.pop(elem, None)
else:
self._dict[elem] = count
def _increment_count(self, elem, count=1):
self._set_count(elem, self.count(elem) + count)
@classmethod
def _from_iterable(cls, it):
return cls(it)
def copy(self):
"""Create a shallow copy of self.
This runs in O(len(self.num_unique_elements()))
"""
out = self._from_iterable(None)
out._dict = self._dict.copy()
out._size = self._size
return out
def __repr__(self):
if self._size == 0:
return '{0}()'.format(self.__class__.__name__)
else:
repr_format = '{class_name}({values!r})'
return repr_format.format(
class_name=self.__class__.__name__,
values=tuple(self),
)
def __str__(self):
if self._size == 0:
return '{class_name}()'.format(class_name=self.__class__.__name__)
else:
format_single = '{elem!r}'
format_mult = '{elem!r}^{mult}'
strings = []
for elem, mult in self.counts():
if mult > 1:
strings.append(format_mult.format(elem=elem, mult=mult))
else:
strings.append(format_single.format(elem=elem))
return '{%s}' % ', '.join(strings)
# New public methods (not overriding/implementing anything)
def num_unique_elements(self):
"""Return the number of unique elements.
This runs in O(1) time
"""
return len(self._dict)
def unique_elements(self):
"""Return a view of unique elements in this bag."""
return UniqueElementsView(self)
def count(self, value):
"""Return the number of value present in this bag.
If value is not in the bag no Error is raised, instead 0 is returned.
This runs in O(1) time
Args:
value: The element of self to get the count of
Returns:
int: The count of value in self
"""
return self._dict.get(value, 0)
@deprecated(
"Use `heapq.nlargest(n, self.counts(), key=itemgetter(1))` instead or "
"`sorted(self.counts(), reverse=True, key=itemgetter(1))` for `n=None`",
'1.0',
)
def nlargest(self, n=None):
"""List the n most common elements and their counts.
List is from the most
common to the least. If n is None, the list all element counts.
Run time should be O(m log m) where m is len(self)
Args:
n (int): The number of elements to return
"""
if n is None:
return sorted(self.counts(), key=itemgetter(1), reverse=True)
else:
return heapq.nlargest(n, self.counts(), key=itemgetter(1))
def counts(self):
"""Return a view of the unique elements in self and their counts.
.. versionadded:: 1.0.3
"""
return CountsView(self)
@classmethod
def from_mapping(cls, mapping):
"""Create a bag from a dict of elem->count.
Each key in the dict is added if the value is > 0.
Raises:
ValueError: If any count is < 0.
"""
out = cls()
for elem, count in mapping.items():
out._set_count(elem, count)
return out
# implementing Sized methods
def __len__(self):
"""Return the cardinality of the bag.
This runs in O(1)
"""
return self._size
# implementing Container methods
def __contains__(self, value):
"""Return the multiplicity of the element.
This runs in O(1)
"""
return self.count(value)
# implementing Iterable methods
def __iter__(self):
"""Iterate through all elements.
Multiple copies will be returned if they exist.
"""
for value, count in self.counts():
for _ in range(count):
yield value
# Comparison methods
def issubset(self, other):
"""Check that every element in self has a count <= in other.
Args:
other (Iterable)
"""
if not isinstance(other, Bag):
return self.issubset(frozenbag(other))
for elem, count in self.counts():
if not count <= other.count(elem):
return False
return True
def issuperset(self, other):
"""Check that every element in self has a count >= in other.
Args:
other (Iterable)
"""
if not isinstance(other, Bag):
return self.issuperset(bag(other))
for elem, count in other.counts():
if not self.count(elem) >= count:
return False
return True
def __le__(self, other):
if not isinstance(other, Bag):
return NotImplemented
return len(self) <= len(other) and self.issubset(other)
def __lt__(self, other):
if not isinstance(other, Bag):
return NotImplemented
return len(self) < len(other) and self.issubset(other)
def __gt__(self, other):
if not isinstance(other, Bag):
return NotImplemented
return len(self) > len(other) and self.issuperset(other)
def __ge__(self, other):
if not isinstance(other, Bag):
return NotImplemented
return len(self) >= len(other) and self.issuperset(other)
def __eq__(self, other):
if not isinstance(other, Bag):
return False
return self._dict == other._dict
def __ne__(self, other):
return not (self == other)
# Operations - &, |, +, -, ^, * and isdisjoint
def _iadd(self, other):
"""Add all of the elements of other to self.
if isinstance(it, Bag):
This runs in O(it.num_unique_elements())
else:
This runs in O(len(it))
"""
if isinstance(other, Bag):
for elem, count in other.counts():
self._increment_count(elem, count)
else:
for elem in other:
self._increment_count(elem, 1)
return self
def _iand(self, other):
"""Set multiplicity of each element to the minimum of the two collections.
if isinstance(other, Bag):
This runs in O(other.num_unique_elements())
else:
This runs in O(len(other))
"""
# TODO do we have to create a bag from the other first?
if not isinstance(other, Bag):
other = self._from_iterable(other)
for elem, old_count in set(self.counts()):
other_count = other.count(elem)
new_count = min(other_count, old_count)
self._set_count(elem, new_count)
return self
def _ior(self, other):
"""Set multiplicity of each element to the maximum of the two collections.
if isinstance(other, Bag):
This runs in O(other.num_unique_elements())
else:
This runs in O(len(other))
"""
# TODO do we have to create a bag from the other first?
if not isinstance(other, Bag):
other = self._from_iterable(other)
for elem, other_count in other.counts():
old_count = self.count(elem)
new_count = max(other_count, old_count)
self._set_count(elem, new_count)
return self
def _ixor(self, other):
"""Set self to the symmetric difference between the sets.
if isinstance(other, Bag):
This runs in O(other.num_unique_elements())
else:
This runs in O(len(other))
"""
if isinstance(other, Bag):
for elem, other_count in other.counts():
count = abs(self.count(elem) - other_count)
self._set_count(elem, count)
else:
# Let a = self.count(elem) and b = other.count(elem)
# if a >= b then elem is removed from self b times leaving a - b
# if a < b then elem is removed from self a times then added (b - a)
# times leaving a - a + (b - a) = b - a
for elem in other:
try:
self._increment_count(elem, -1)
except ValueError:
self._increment_count(elem, 1)
return self
def _isub(self, other):
"""Discard the elements of other from self.
if isinstance(it, Bag):
This runs in O(it.num_unique_elements())
else:
This runs in O(len(it))
"""
if isinstance(other, Bag):
for elem, other_count in other.counts():
try:
self._increment_count(elem, -other_count)
except ValueError:
self._set_count(elem, 0)
else:
for elem in other:
try:
self._increment_count(elem, -1)
except ValueError:
pass
return self
def __and__(self, other):
"""Intersection is the minimum of corresponding counts.
This runs in O(l + n) where:
* n is self.num_unique_elements()
* `l = 1` if other is a bag else `l = len(other)`
"""
return self.copy()._iand(other)
def isdisjoint(self, other):
"""Return if this bag is disjoint with the passed collection.
This runs in O(len(other))
"""
for value in other:
if value in self:
return False
return True
def __or__(self, other):
"""Union is the maximum of all elements.
This runs in O(m + n) where:
* `n = self.num_unique_elements()`
* m = other.num_unique_elements() if other is a bag else m = len(other)
"""
return self.copy()._ior(other)
def __add__(self, other):
"""Return a new bag also containing all the elements of other.
self + other = self & other + self | other
This runs in O(m + n) where:
* n is self.num_unique_elements()
* m is len(other)
Args:
other (Iterable): elements to add to self
"""
return self.copy()._iadd(other)
def __sub__(self, other):
"""Difference between the sets.
For normal sets this is all x s.t. x in self and x not in other.
For bags this is count(x) = max(0, self.count(x)-other.count(x))
This runs in O(m + n) where:
* n is self.num_unique_elements()
* m is len(other)
Args:
other (Iterable): elements to remove
"""
return self.copy()._isub(other)
def __mul__(self, other):
"""Cartesian product with other."""
return self.product(other)
def product(self, other, operator=None):
"""Cartesian product of the two sets.
Optionally, pass an operator to combine elements instead of creating a
tuple.
This should run in O(m*n+l) where:
* `m` is the number of unique elements in `self`
* `n` is the number of unique elements in `other`
* `l` is 0 if `other` is a bag, else `l` is the `len(other)`
Args:
other (Iterable): The iterable to take the product with.
operator (Callable): A function that accepts an element from self
and other and returns a combined value to include in the return
value.
"""
if not isinstance(other, Bag):
other = self._from_iterable(other)
values = defaultdict(int)
for elem, count in self.counts():
for other_elem, other_count in other.counts():
if operator:
new_elem = operator(elem, other_elem)
else:
new_elem = (elem, other_elem)
new_count = count * other_count
values[new_elem] += new_count
return self.from_mapping(values)
def __xor__(self, other):
"""Symmetric difference between the sets.
other can be any iterable.
This runs in O(m + n) where:
m = len(self)
n = len(other)
"""
return self.copy()._ixor(other)
class bag(Bag):
"""bag is a mutable unhashable bag.
.. automethod:: __init__
"""
def pop(self):
"""Remove and return an element of self."""
# TODO can this be done more efficiently (no need to create an iterator)?
it = iter(self)
try:
value = next(it)
except StopIteration:
raise KeyError('pop from an empty bag')
self.remove(value)
return value
def add(self, elem):
"""Add elem to self."""
self._increment_count(elem)
def discard(self, elem):
"""Remove elem from this bag, silent if it isn't present."""
try:
self.remove(elem)
except ValueError:
pass
def remove(self, elem):
"""Remove elem from this bag, raising a ValueError if it isn't present.
Args:
elem: object to remove from self
Raises:
ValueError: if the elem isn't present
"""
self._increment_count(elem, -1)
def discard_all(self, other):
"""Discard all of the elems from other."""
self._isub(other)
def remove_all(self, other):
"""Remove all of the elems from other.
Raises a ValueError if the multiplicity of any elem in other is greater
than in self.
"""
if not self.issuperset(other):
raise ValueError('Passed collection is not a subset of this bag')
self.discard_all(other)
def clear(self):
"""Remove all elements from this bag."""
self._dict = dict()
self._size = 0
# In-place operations
__ior__ = Bag._ior
__iand__ = Bag._iand
__ixor__ = Bag._ixor
__isub__ = Bag._isub
__iadd__ = Bag._iadd
class frozenbag(Bag, Hashable):
"""frozenbag is an immutable, hashable bag.
.. automethod:: __init__
"""
def __hash__(self):
"""Compute the hash value of a frozenbag."""
if not hasattr(self, '_hash_value'):
self._hash_value = Set._hash(self)
return self._hash_value
|