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 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786
|
from __future__ import annotations
import numbers
import pathlib
import sys
import mmap
import struct
import array
import io
from collections import abc
import functools
from typing import Tuple, Union, List, Iterable, Any, Optional, BinaryIO, TextIO, overload, Iterator, Type, TypeVar
import bitarray
import bitarray.util
import bitstring
from bitstring.bitstore import BitStore
from bitstring import bitstore_helpers, utils
from bitstring.dtypes import Dtype, dtype_register
from bitstring.fp8 import p4binary_fmt, p3binary_fmt
from bitstring.mxfp import e3m2mxfp_fmt, e2m3mxfp_fmt, e2m1mxfp_fmt, e4m3mxfp_saturate_fmt, e5m2mxfp_saturate_fmt
from bitstring.bitstring_options import Colour
# Things that can be converted to Bits when a Bits type is needed
BitsType = Union['Bits', str, Iterable[Any], bool, BinaryIO, bytearray, bytes, memoryview, bitarray.bitarray]
TBits = TypeVar("TBits", bound='Bits')
# Maximum number of digits to use in __str__ and __repr__.
MAX_CHARS: int = 250
class Bits:
"""A container holding an immutable sequence of bits.
For a mutable container use the BitArray class instead.
Methods:
all() -- Check if all specified bits are set to 1 or 0.
any() -- Check if any of specified bits are set to 1 or 0.
copy() - Return a copy of the bitstring.
count() -- Count the number of bits set to 1 or 0.
cut() -- Create generator of constant sized chunks.
endswith() -- Return whether the bitstring ends with a sub-string.
find() -- Find a sub-bitstring in the current bitstring.
findall() -- Find all occurrences of a sub-bitstring in the current bitstring.
fromstring() -- Create a bitstring from a formatted string.
join() -- Join bitstrings together using current bitstring.
pp() -- Pretty print the bitstring.
rfind() -- Seek backwards to find a sub-bitstring.
split() -- Create generator of chunks split by a delimiter.
startswith() -- Return whether the bitstring starts with a sub-bitstring.
tobitarray() -- Return bitstring as a bitarray from the bitarray package.
tobytes() -- Return bitstring as bytes, padding if needed.
tofile() -- Write bitstring to file, padding if needed.
unpack() -- Interpret bits using format string.
Special methods:
Also available are the operators [], ==, !=, +, *, ~, <<, >>, &, |, ^.
Properties:
[GENERATED_PROPERTY_DESCRIPTIONS]
len -- Length of the bitstring in bits.
"""
__slots__ = ('_bitstore', '_filename')
def __init__(self, auto: Optional[Union[BitsType, int]] = None, /, length: Optional[int] = None,
offset: Optional[int] = None, **kwargs) -> None:
"""Either specify an 'auto' initialiser:
A string of comma separated tokens, an integer, a file object,
a bytearray, a boolean iterable, an array or another bitstring.
Or initialise via **kwargs with one (and only one) of:
bin -- binary string representation, e.g. '0b001010'.
hex -- hexadecimal string representation, e.g. '0x2ef'
oct -- octal string representation, e.g. '0o777'.
bytes -- raw data as a bytes object, for example read from a binary file.
int -- a signed integer.
uint -- an unsigned integer.
float / floatbe -- a big-endian floating point number.
bool -- a boolean (True or False).
se -- a signed exponential-Golomb code.
ue -- an unsigned exponential-Golomb code.
sie -- a signed interleaved exponential-Golomb code.
uie -- an unsigned interleaved exponential-Golomb code.
floatle -- a little-endian floating point number.
floatne -- a native-endian floating point number.
bfloat / bfloatbe - a big-endian bfloat format 16-bit floating point number.
bfloatle -- a little-endian bfloat format 16-bit floating point number.
bfloatne -- a native-endian bfloat format 16-bit floating point number.
intbe -- a signed big-endian whole byte integer.
intle -- a signed little-endian whole byte integer.
intne -- a signed native-endian whole byte integer.
uintbe -- an unsigned big-endian whole byte integer.
uintle -- an unsigned little-endian whole byte integer.
uintne -- an unsigned native-endian whole byte integer.
filename -- the path of a file which will be opened in binary read-only mode.
Other keyword arguments:
length -- length of the bitstring in bits, if needed and appropriate.
It must be supplied for all integer and float initialisers.
offset -- bit offset to the data. These offset bits are
ignored and this is mainly intended for use when
initialising using 'bytes' or 'filename'.
"""
self._bitstore.immutable = True
def __new__(cls: Type[TBits], auto: Optional[Union[BitsType, int]] = None, /, length: Optional[int] = None,
offset: Optional[int] = None, pos: Optional[int] = None, **kwargs) -> TBits:
x = super().__new__(cls)
if auto is None and not kwargs:
# No initialiser so fill with zero bits up to length
if length is not None:
x._bitstore = BitStore(length)
x._bitstore.setall(0)
else:
x._bitstore = BitStore()
return x
x._initialise(auto, length, offset, **kwargs)
return x
@classmethod
def _create_from_bitstype(cls: Type[TBits], auto: BitsType, /) -> TBits:
if isinstance(auto, cls):
return auto
b = super().__new__(cls)
b._setauto_no_length_or_offset(auto)
return b
def _initialise(self, auto: Any, /, length: Optional[int], offset: Optional[int], **kwargs) -> None:
if auto is not None:
if isinstance(auto, numbers.Integral):
# Initialise with s zero bits.
if auto < 0:
raise bitstring.CreationError(f"Can't create bitstring of negative length {auto}.")
self._bitstore = BitStore(int(auto))
self._bitstore.setall(0)
return
self._setauto(auto, length, offset)
return
k, v = kwargs.popitem()
if k == 'bytes':
# Special case for bytes as we want to allow offsets and lengths to work only on creation.
self._setbytes_with_truncation(v, length, offset)
return
if k == 'filename':
self._setfile(v, length, offset)
return
if k == 'bitarray':
self._setbitarray(v, length, offset)
return
if k == 'auto':
raise bitstring.CreationError(
f"The 'auto' parameter should not be given explicitly - just use the first positional argument. "
f"Instead of '{self.__class__.__name__}(auto=x)' use '{self.__class__.__name__}(x)'.")
if offset is not None:
raise bitstring.CreationError(f"offset cannot be used when initialising with '{k}'.")
try:
Dtype(k, length).set_fn(self, v)
except ValueError as e:
raise bitstring.CreationError(e)
def __getattr__(self, attribute: str) -> Any:
# Support for arbitrary attributes like u16 or f64.
try:
d = Dtype(attribute)
except ValueError:
raise AttributeError(f"'{self.__class__.__name__}' object has no attribute '{attribute}'.")
if d.bitlength is not None and len(self) != d.bitlength:
raise ValueError(f"bitstring length {len(self)} doesn't match length {d.bitlength} of property '{attribute}'.")
return d.get_fn(self)
def __iter__(self) -> Iterable[bool]:
return iter(self._bitstore)
def __copy__(self: TBits) -> TBits:
"""Return a new copy of the Bits for the copy module."""
# Note that if you want a new copy (different ID), use _copy instead.
# The copy can return self as it's immutable.
return self
def __lt__(self, other: Any) -> bool:
# bitstrings can't really be ordered.
return NotImplemented
def __gt__(self, other: Any) -> bool:
return NotImplemented
def __le__(self, other: Any) -> bool:
return NotImplemented
def __ge__(self, other: Any) -> bool:
return NotImplemented
def __add__(self: TBits, bs: BitsType) -> TBits:
"""Concatenate bitstrings and return new bitstring.
bs -- the bitstring to append.
"""
bs = self.__class__._create_from_bitstype(bs)
s = self._copy() if len(bs) <= len(self) else bs._copy()
if len(bs) <= len(self):
s._addright(bs)
else:
s._addleft(self)
return s
def __radd__(self: TBits, bs: BitsType) -> TBits:
"""Append current bitstring to bs and return new bitstring.
bs -- An object that can be 'auto' initialised as a bitstring that will be appended to.
"""
bs = self.__class__._create_from_bitstype(bs)
return bs.__add__(self)
@overload
def __getitem__(self: TBits, key: slice, /) -> TBits:
...
@overload
def __getitem__(self, key: int, /) -> bool:
...
def __getitem__(self: TBits, key: Union[slice, int], /) -> Union[TBits, bool]:
"""Return a new bitstring representing a slice of the current bitstring.
>>> print(Bits('0b00110')[1:4])
'0b011'
"""
if isinstance(key, numbers.Integral):
return bool(self._bitstore.getindex(key))
bs = super().__new__(self.__class__)
bs._bitstore = self._bitstore.getslice_withstep(key)
return bs
def __len__(self) -> int:
"""Return the length of the bitstring in bits."""
return self._getlength()
def __bytes__(self) -> bytes:
return self.tobytes()
def __str__(self) -> str:
"""Return approximate string representation of bitstring for printing.
Short strings will be given wholly in hexadecimal or binary. Longer
strings may be part hexadecimal and part binary. Very long strings will
be truncated with '...'.
"""
length = len(self)
if not length:
return ''
if length > MAX_CHARS * 4:
# Too long for hex. Truncate...
return ''.join(('0x', self[0:MAX_CHARS*4]._gethex(), '...'))
# If it's quite short and we can't do hex then use bin
if length < 32 and length % 4 != 0:
return '0b' + self.bin
# If we can use hex then do so
if not length % 4:
return '0x' + self.hex
# Otherwise first we do as much as we can in hex
# then add on 1, 2 or 3 bits on at the end
bits_at_end = length % 4
return ''.join(('0x', self[0:length - bits_at_end]._gethex(),
', ', '0b', self[length - bits_at_end:]._getbin()))
def _repr(self, classname: str, length: int, pos: int):
pos_string = f', pos={pos}' if pos else ''
if hasattr(self, '_filename') and self._filename:
return f"{classname}(filename={self._filename!r}, length={length}{pos_string})"
else:
s = self.__str__()
lengthstring = ''
if s.endswith('...'):
lengthstring = f' # length={length}'
return f"{classname}('{s}'{pos_string}){lengthstring}"
def __repr__(self) -> str:
"""Return representation that could be used to recreate the bitstring.
If the returned string is too long it will be truncated. See __str__().
"""
return self._repr(self.__class__.__name__, len(self), 0)
def __eq__(self, bs: Any, /) -> bool:
"""Return True if two bitstrings have the same binary representation.
>>> BitArray('0b1110') == '0xe'
True
"""
try:
return self._bitstore == Bits._create_from_bitstype(bs)._bitstore
except TypeError:
return False
def __ne__(self, bs: Any, /) -> bool:
"""Return False if two bitstrings have the same binary representation.
>>> BitArray('0b111') == '0x7'
False
"""
return not self.__eq__(bs)
def __invert__(self: TBits) -> TBits:
"""Return bitstring with every bit inverted.
Raises Error if the bitstring is empty.
"""
if len(self) == 0:
raise bitstring.Error("Cannot invert empty bitstring.")
s = self._copy()
s._invert_all()
return s
def __lshift__(self: TBits, n: int, /) -> TBits:
"""Return bitstring with bits shifted by n to the left.
n -- the number of bits to shift. Must be >= 0.
"""
if n < 0:
raise ValueError("Cannot shift by a negative amount.")
if len(self) == 0:
raise ValueError("Cannot shift an empty bitstring.")
n = min(n, len(self))
s = self._absolute_slice(n, len(self))
s._addright(Bits(n))
return s
def __rshift__(self: TBits, n: int, /) -> TBits:
"""Return bitstring with bits shifted by n to the right.
n -- the number of bits to shift. Must be >= 0.
"""
if n < 0:
raise ValueError("Cannot shift by a negative amount.")
if len(self) == 0:
raise ValueError("Cannot shift an empty bitstring.")
if not n:
return self._copy()
s = self.__class__(length=min(n, len(self)))
n = min(n, len(self))
s._addright(self._absolute_slice(0, len(self) - n))
return s
def __mul__(self: TBits, n: int, /) -> TBits:
"""Return bitstring consisting of n concatenations of self.
Called for expression of the form 'a = b*3'.
n -- The number of concatenations. Must be >= 0.
"""
if n < 0:
raise ValueError("Cannot multiply by a negative integer.")
if not n:
return self.__class__()
s = self._copy()
s._imul(n)
return s
def __rmul__(self: TBits, n: int, /) -> TBits:
"""Return bitstring consisting of n concatenations of self.
Called for expressions of the form 'a = 3*b'.
n -- The number of concatenations. Must be >= 0.
"""
return self.__mul__(n)
def __and__(self: TBits, bs: BitsType, /) -> TBits:
"""Bit-wise 'and' between two bitstrings. Returns new bitstring.
bs -- The bitstring to '&' with.
Raises ValueError if the two bitstrings have differing lengths.
"""
if bs is self:
return self.copy()
bs = Bits._create_from_bitstype(bs)
s = object.__new__(self.__class__)
s._bitstore = self._bitstore & bs._bitstore
return s
def __rand__(self: TBits, bs: BitsType, /) -> TBits:
"""Bit-wise 'and' between two bitstrings. Returns new bitstring.
bs -- the bitstring to '&' with.
Raises ValueError if the two bitstrings have differing lengths.
"""
return self.__and__(bs)
def __or__(self: TBits, bs: BitsType, /) -> TBits:
"""Bit-wise 'or' between two bitstrings. Returns new bitstring.
bs -- The bitstring to '|' with.
Raises ValueError if the two bitstrings have differing lengths.
"""
if bs is self:
return self.copy()
bs = Bits._create_from_bitstype(bs)
s = object.__new__(self.__class__)
s._bitstore = self._bitstore | bs._bitstore
return s
def __ror__(self: TBits, bs: BitsType, /) -> TBits:
"""Bit-wise 'or' between two bitstrings. Returns new bitstring.
bs -- The bitstring to '|' with.
Raises ValueError if the two bitstrings have differing lengths.
"""
return self.__or__(bs)
def __xor__(self: TBits, bs: BitsType, /) -> TBits:
"""Bit-wise 'xor' between two bitstrings. Returns new bitstring.
bs -- The bitstring to '^' with.
Raises ValueError if the two bitstrings have differing lengths.
"""
bs = Bits._create_from_bitstype(bs)
s = object.__new__(self.__class__)
s._bitstore = self._bitstore ^ bs._bitstore
return s
def __rxor__(self: TBits, bs: BitsType, /) -> TBits:
"""Bit-wise 'xor' between two bitstrings. Returns new bitstring.
bs -- The bitstring to '^' with.
Raises ValueError if the two bitstrings have differing lengths.
"""
return self.__xor__(bs)
def __contains__(self, bs: BitsType, /) -> bool:
"""Return whether bs is contained in the current bitstring.
bs -- The bitstring to search for.
"""
found = Bits.find(self, bs, bytealigned=False)
return bool(found)
def __hash__(self) -> int:
"""Return an integer hash of the object."""
# Only requirement is that equal bitstring should return the same hash.
# For equal bitstrings the bytes at the start/end will be the same and they will have the same length
# (need to check the length as there could be zero padding when getting the bytes). We do not check any
# bit position inside the bitstring as that does not feature in the __eq__ operation.
if len(self) <= 2000:
# Use the whole bitstring.
return hash((self.tobytes(), len(self)))
else:
# We can't in general hash the whole bitstring (it could take hours!)
# So instead take some bits from the start and end.
return hash(((self[:800] + self[-800:]).tobytes(), len(self)))
def __bool__(self) -> bool:
"""Return False if bitstring is empty, otherwise return True."""
return len(self) != 0
def _clear(self) -> None:
"""Reset the bitstring to an empty state."""
self._bitstore = BitStore()
def _setauto_no_length_or_offset(self, s: BitsType, /) -> None:
"""Set bitstring from a bitstring, file, bool, array, iterable or string."""
if isinstance(s, str):
self._bitstore = bitstore_helpers.str_to_bitstore(s)
elif isinstance(s, Bits):
self._bitstore = s._bitstore.copy()
elif isinstance(s, (bytes, bytearray, memoryview)):
self._bitstore = BitStore.frombytes(bytearray(s))
elif isinstance(s, io.BytesIO):
self._bitstore = BitStore.frombytes(s.getvalue())
elif isinstance(s, io.BufferedReader):
self._setfile(s.name)
elif isinstance(s, bitarray.bitarray):
self._bitstore = BitStore(s)
elif isinstance(s, array.array):
self._bitstore = BitStore.frombytes(s.tobytes())
elif isinstance(s, abc.Iterable):
# Evaluate each item as True or False and set bits to 1 or 0.
self._setbin_unsafe(''.join(str(int(bool(x))) for x in s))
elif isinstance(s, numbers.Integral):
raise TypeError(f"It's no longer possible to auto initialise a bitstring from an integer."
f" Use '{self.__class__.__name__}({s})' instead of just '{s}' as this makes it "
f"clearer that a bitstring of {int(s)} zero bits will be created.")
else:
raise TypeError(f"Cannot initialise bitstring from type '{type(s)}'.")
def _setauto(self, s: BitsType, length: Optional[int], offset: Optional[int], /) -> None:
"""Set bitstring from a bitstring, file, bool, array, iterable or string."""
# As s can be so many different things it's important to do the checks
# in the correct order, as some types are also other allowed types.
if offset is None and length is None:
return self._setauto_no_length_or_offset(s)
if offset is None:
offset = 0
if isinstance(s, io.BytesIO):
if length is None:
length = s.seek(0, 2) * 8 - offset
byteoffset, offset = divmod(offset, 8)
bytelength = (length + byteoffset * 8 + offset + 7) // 8 - byteoffset
if length + byteoffset * 8 + offset > s.seek(0, 2) * 8:
raise bitstring.CreationError("BytesIO object is not long enough for specified length and offset.")
self._bitstore = BitStore.frombytes(s.getvalue()[byteoffset: byteoffset + bytelength]).getslice(
offset, offset + length)
return
if isinstance(s, io.BufferedReader):
self._setfile(s.name, length, offset)
return
if isinstance(s, (str, Bits, bytes, bytearray, memoryview, io.BytesIO, io.BufferedReader,
bitarray.bitarray, array.array, abc.Iterable)):
raise bitstring.CreationError(f"Cannot initialise bitstring from type '{type(s)}' when using explicit lengths or offsets.")
raise TypeError(f"Cannot initialise bitstring from type '{type(s)}'.")
def _setfile(self, filename: str, length: Optional[int] = None, offset: Optional[int] = None) -> None:
"""Use file as source of bits."""
with open(pathlib.Path(filename), 'rb') as source:
if offset is None:
offset = 0
m = mmap.mmap(source.fileno(), 0, access=mmap.ACCESS_READ)
if offset == 0:
self._filename = source.name
self._bitstore = BitStore.frombuffer(m, length=length)
else:
# If offset is given then always read into memory.
temp = BitStore.frombuffer(m)
if length is None:
if offset > len(temp):
raise bitstring.CreationError(f"The offset of {offset} bits is greater than the file length ({len(temp)} bits).")
self._bitstore = temp.getslice(offset, None)
else:
self._bitstore = temp.getslice(offset, offset + length)
if len(self) != length:
raise bitstring.CreationError(f"Can't use a length of {length} bits and an offset of {offset} bits as file length is only {len(temp)} bits.")
def _setbitarray(self, ba: bitarray.bitarray, length: Optional[int], offset: Optional[int]) -> None:
if offset is None:
offset = 0
if offset > len(ba):
raise bitstring.CreationError(f"Offset of {offset} too large for bitarray of length {len(ba)}.")
if length is None:
self._bitstore = BitStore(ba[offset:])
else:
if offset + length > len(ba):
raise bitstring.CreationError(
f"Offset of {offset} and length of {length} too large for bitarray of length {len(ba)}.")
self._bitstore = BitStore(ba[offset: offset + length])
def _setbits(self, bs: BitsType, length: None = None) -> None:
bs = Bits._create_from_bitstype(bs)
self._bitstore = bs._bitstore
def _setp3binary(self, f: float) -> None:
self._bitstore = bitstore_helpers.p3binary2bitstore(f)
def _setp4binary(self, f: float) -> None:
self._bitstore = bitstore_helpers.p4binary2bitstore(f)
def _sete4m3mxfp(self, f: float) -> None:
self._bitstore = bitstore_helpers.e4m3mxfp2bitstore(f)
def _sete5m2mxfp(self, f: float) -> None:
self._bitstore = bitstore_helpers.e5m2mxfp2bitstore(f)
def _sete3m2mxfp(self, f: float) -> None:
self._bitstore = bitstore_helpers.e3m2mxfp2bitstore(f)
def _sete2m3mxfp(self, f: float) -> None:
self._bitstore = bitstore_helpers.e2m3mxfp2bitstore(f)
def _sete2m1mxfp(self, f: float) -> None:
self._bitstore = bitstore_helpers.e2m1mxfp2bitstore(f)
def _sete8m0mxfp(self, f: float) -> None:
self._bitstore = bitstore_helpers.e8m0mxfp2bitstore(f)
def _setmxint(self, f: float) -> None:
self._bitstore = bitstore_helpers.mxint2bitstore(f)
def _setbytes(self, data: Union[bytearray, bytes, List], length:None = None) -> None:
"""Set the data from a bytes or bytearray object."""
self._bitstore = BitStore.frombytes(bytes(data))
def _setbytes_with_truncation(self, data: Union[bytearray, bytes], length: Optional[int] = None, offset: Optional[int] = None) -> None:
"""Set the data from a bytes or bytearray object, with optional offset and length truncations."""
if offset is None and length is None:
return self._setbytes(data)
data = bytearray(data)
if offset is None:
offset = 0
if length is None:
# Use to the end of the data
length = len(data) * 8 - offset
else:
if length + offset > len(data) * 8:
raise bitstring.CreationError(f"Not enough data present. Need {length + offset} bits, have {len(data) * 8}.")
self._bitstore = BitStore.frombytes(data).getslice_msb0(offset, offset + length)
def _getbytes(self) -> bytes:
"""Return the data as an ordinary bytes object."""
if len(self) % 8:
raise bitstring.InterpretError("Cannot interpret as bytes unambiguously - not multiple of 8 bits.")
return self._bitstore.tobytes()
_unprintable = list(range(0x00, 0x20)) # ASCII control characters
_unprintable.extend(range(0x7f, 0xff)) # DEL char + non-ASCII
def _getbytes_printable(self) -> str:
"""Return an approximation of the data as a string of printable characters."""
bytes_ = self._getbytes()
# For everything that isn't printable ASCII, use value from 'Latin Extended-A' unicode block.
string = ''.join(chr(0x100 + x) if x in Bits._unprintable else chr(x) for x in bytes_)
return string
def _setuint(self, uint: int, length: Optional[int] = None) -> None:
"""Reset the bitstring to have given unsigned int interpretation."""
# If no length given, and we've previously been given a length, use it.
if length is None and hasattr(self, 'len') and len(self) != 0:
length = len(self)
if length is None or length == 0:
raise bitstring.CreationError("A non-zero length must be specified with a uint initialiser.")
self._bitstore = bitstore_helpers.int2bitstore(uint, length, False)
def _getuint(self) -> int:
"""Return data as an unsigned int."""
if len(self) == 0:
raise bitstring.InterpretError("Cannot interpret a zero length bitstring as an integer.")
return self._bitstore.slice_to_uint()
def _setint(self, int_: int, length: Optional[int] = None) -> None:
"""Reset the bitstring to have given signed int interpretation."""
# If no length given, and we've previously been given a length, use it.
if length is None and hasattr(self, 'len') and len(self) != 0:
length = len(self)
if length is None or length == 0:
raise bitstring.CreationError("A non-zero length must be specified with an int initialiser.")
self._bitstore = bitstore_helpers.int2bitstore(int_, length, True)
def _getint(self) -> int:
"""Return data as a two's complement signed int."""
if len(self) == 0:
raise bitstring.InterpretError("Cannot interpret bitstring without a length as an integer.")
return self._bitstore.slice_to_int()
def _setuintbe(self, uintbe: int, length: Optional[int] = None) -> None:
"""Set the bitstring to a big-endian unsigned int interpretation."""
if length is None and hasattr(self, 'len') and len(self) != 0:
length = len(self)
if length is None or length == 0:
raise bitstring.CreationError("A non-zero length must be specified with a uintbe initialiser.")
self._bitstore = bitstore_helpers.int2bitstore(uintbe, length, False)
def _getuintbe(self) -> int:
"""Return data as a big-endian two's complement unsigned int."""
if len(self) % 8:
raise bitstring.InterpretError(f"Big-endian integers must be whole-byte. Length = {len(self)} bits.")
return self._getuint()
def _setintbe(self, intbe: int, length: Optional[int] = None) -> None:
"""Set bitstring to a big-endian signed int interpretation."""
if length is None and hasattr(self, 'len') and len(self) != 0:
length = len(self)
if length is None or length == 0:
raise bitstring.CreationError("A non-zero length must be specified with a intbe initialiser.")
self._bitstore = bitstore_helpers.int2bitstore(intbe, length, True)
def _getintbe(self) -> int:
"""Return data as a big-endian two's complement signed int."""
if len(self) % 8:
raise bitstring.InterpretError(f"Big-endian integers must be whole-byte. Length = {len(self)} bits.")
return self._getint()
def _setuintle(self, uintle: int, length: Optional[int] = None) -> None:
if length is None and hasattr(self, 'len') and len(self) != 0:
length = len(self)
if length is None or length == 0:
raise bitstring.CreationError("A non-zero length must be specified with a uintle initialiser.")
self._bitstore = bitstore_helpers.intle2bitstore(uintle, length, False)
def _getuintle(self) -> int:
"""Interpret as a little-endian unsigned int."""
if len(self) % 8:
raise bitstring.InterpretError(f"Little-endian integers must be whole-byte. Length = {len(self)} bits.")
bs = BitStore.frombytes(self._bitstore.tobytes()[::-1])
return bs.slice_to_uint()
def _setintle(self, intle: int, length: Optional[int] = None) -> None:
if length is None and hasattr(self, 'len') and len(self) != 0:
length = len(self)
if length is None or length == 0:
raise bitstring.CreationError("A non-zero length must be specified with an intle initialiser.")
self._bitstore = bitstore_helpers.intle2bitstore(intle, length, True)
def _getintle(self) -> int:
"""Interpret as a little-endian signed int."""
if len(self) % 8:
raise bitstring.InterpretError(f"Little-endian integers must be whole-byte. Length = {len(self)} bits.")
bs = BitStore.frombytes(self._bitstore.tobytes()[::-1])
return bs.slice_to_int()
def _getp4binary(self) -> float:
u = self._getuint()
return p4binary_fmt.lut_binary8_to_float[u]
def _getp3binary(self) -> float:
u = self._getuint()
return p3binary_fmt.lut_binary8_to_float[u]
def _gete4m3mxfp(self) -> float:
u = self._getuint()
return e4m3mxfp_saturate_fmt.lut_int_to_float[u]
def _gete5m2mxfp(self) -> float:
u = self._getuint()
return e5m2mxfp_saturate_fmt.lut_int_to_float[u]
def _gete3m2mxfp(self) -> float:
u = self._getuint()
return e3m2mxfp_fmt.lut_int_to_float[u]
def _gete2m3mxfp(self) -> float:
u = self._getuint()
return e2m3mxfp_fmt.lut_int_to_float[u]
def _gete2m1mxfp(self) -> float:
u = self._getuint()
return e2m1mxfp_fmt.lut_int_to_float[u]
def _gete8m0mxfp(self) -> float:
u = self._getuint() - 127
if u == 128:
return float('nan')
return 2.0 ** u
def _getmxint(self) -> float:
u = self._getint()
return float(u) * 2 ** -6
def _setfloat(self, f: float, length: Optional[int], big_endian: bool) -> None:
if length is None and hasattr(self, 'len') and len(self) != 0:
length = len(self)
if length is None or length not in [16, 32, 64]:
raise bitstring.CreationError("A length of 16, 32, or 64 must be specified with a float initialiser.")
self._bitstore = bitstore_helpers.float2bitstore(f, length, big_endian)
def _setfloatbe(self, f: float, length: Optional[int] = None) -> None:
self._setfloat(f, length, True)
def _getfloatbe(self) -> float:
"""Interpret the whole bitstring as a big-endian float."""
fmt = {16: '>e', 32: '>f', 64: '>d'}[len(self)]
return struct.unpack(fmt, self._bitstore.tobytes())[0]
def _setfloatle(self, f: float, length: Optional[int] = None) -> None:
self._setfloat(f, length, False)
def _getfloatle(self) -> float:
"""Interpret the whole bitstring as a little-endian float."""
fmt = {16: '<e', 32: '<f', 64: '<d'}[len(self)]
return struct.unpack(fmt, self._bitstore.tobytes())[0]
def _getbfloatbe(self) -> float:
zero_padded = self + Bits(16)
return zero_padded._getfloatbe()
def _setbfloatbe(self, f: Union[float, str], length: Optional[int] = None) -> None:
if length is not None and length != 16:
raise bitstring.CreationError(f"bfloats must be length 16, received a length of {length} bits.")
self._bitstore = bitstore_helpers.bfloat2bitstore(f, True)
def _getbfloatle(self) -> float:
zero_padded = Bits(16) + self
return zero_padded._getfloatle()
def _setbfloatle(self, f: Union[float, str], length: Optional[int] = None) -> None:
if length is not None and length != 16:
raise bitstring.CreationError(f"bfloats must be length 16, received a length of {length} bits.")
self._bitstore = bitstore_helpers.bfloat2bitstore(f, False)
def _setue(self, i: int) -> None:
"""Initialise bitstring with unsigned exponential-Golomb code for integer i.
Raises CreationError if i < 0.
"""
if bitstring.options.lsb0:
raise bitstring.CreationError("Exp-Golomb codes cannot be used in lsb0 mode.")
self._bitstore = bitstore_helpers.ue2bitstore(i)
def _readue(self, pos: int) -> Tuple[int, int]:
"""Return interpretation of next bits as unsigned exponential-Golomb code.
Raises ReadError if the end of the bitstring is encountered while
reading the code.
"""
if bitstring.options.lsb0:
raise bitstring.ReadError("Exp-Golomb codes cannot be read in lsb0 mode.")
oldpos = pos
try:
while not self[pos]:
pos += 1
except IndexError:
raise bitstring.ReadError("Read off end of bitstring trying to read code.")
leadingzeros = pos - oldpos
codenum = (1 << leadingzeros) - 1
if leadingzeros > 0:
if pos + leadingzeros + 1 > len(self):
raise bitstring.ReadError("Read off end of bitstring trying to read code.")
codenum += self[pos + 1:pos + 1 + leadingzeros]._getuint()
pos += leadingzeros + 1
else:
assert codenum == 0
pos += 1
return codenum, pos
def _getue(self) -> Tuple[int, int]:
try:
return self._readue(0)
except bitstring.ReadError:
raise bitstring.InterpretError
def _getse(self) -> Tuple[int, int]:
try:
return self._readse(0)
except bitstring.ReadError:
raise bitstring.InterpretError
def _getuie(self) -> Tuple[int, int]:
try:
return self._readuie(0)
except bitstring.ReadError:
raise bitstring.InterpretError
def _getsie(self) -> Tuple[int, int]:
try:
return self._readsie(0)
except bitstring.ReadError:
raise bitstring.InterpretError
def _setse(self, i: int) -> None:
"""Initialise bitstring with signed exponential-Golomb code for integer i."""
if bitstring.options.lsb0:
raise bitstring.CreationError("Exp-Golomb codes cannot be used in lsb0 mode.")
self._bitstore = bitstore_helpers.se2bitstore(i)
def _readse(self, pos: int) -> Tuple[int, int]:
"""Return interpretation of next bits as a signed exponential-Golomb code.
Advances position to after the read code.
Raises ReadError if the end of the bitstring is encountered while
reading the code.
"""
codenum, pos = self._readue(pos)
m = (codenum + 1) // 2
return (m, pos) if codenum % 2 else (-m, pos)
def _setuie(self, i: int) -> None:
"""Initialise bitstring with unsigned interleaved exponential-Golomb code for integer i.
Raises CreationError if i < 0.
"""
if bitstring.options.lsb0:
raise bitstring.CreationError("Exp-Golomb codes cannot be used in lsb0 mode.")
self._bitstore = bitstore_helpers.uie2bitstore(i)
def _readuie(self, pos: int) -> Tuple[int, int]:
"""Return interpretation of next bits as unsigned interleaved exponential-Golomb code.
Raises ReadError if the end of the bitstring is encountered while
reading the code.
"""
if bitstring.options.lsb0:
raise bitstring.ReadError("Exp-Golomb codes cannot be read in lsb0 mode.")
try:
codenum: int = 1
while not self[pos]:
pos += 1
codenum <<= 1
codenum += self[pos]
pos += 1
pos += 1
except IndexError:
raise bitstring.ReadError("Read off end of bitstring trying to read code.")
return codenum - 1, pos
def _setsie(self, i: int, ) -> None:
"""Initialise bitstring with signed interleaved exponential-Golomb code for integer i."""
if bitstring.options.lsb0:
raise bitstring.CreationError("Exp-Golomb codes cannot be used in lsb0 mode.")
self._bitstore = bitstore_helpers.sie2bitstore(i)
def _readsie(self, pos: int) -> Tuple[int, int]:
"""Return interpretation of next bits as a signed interleaved exponential-Golomb code.
Advances position to after the read code.
Raises ReadError if the end of the bitstring is encountered while
reading the code.
"""
codenum, pos = self._readuie(pos)
if not codenum:
return 0, pos
try:
return (-codenum, pos + 1) if self[pos] else (codenum, pos + 1)
except IndexError:
raise bitstring.ReadError("Read off end of bitstring trying to read code.")
def _setbool(self, value: Union[bool, str]) -> None:
# We deliberately don't want to have implicit conversions to bool here.
# If we did then it would be difficult to deal with the 'False' string.
if value in (1, 'True', '1'):
self._bitstore = BitStore('1')
elif value in (0, 'False', '0'):
self._bitstore = BitStore('0')
else:
raise bitstring.CreationError(f"Cannot initialise boolean with {value}.")
def _getbool(self) -> bool:
return self[0]
def _getpad(self) -> None:
return None
def _setpad(self, value: None, length: int) -> None:
self._bitstore = BitStore(length)
def _setbin_safe(self, binstring: str, length: None = None) -> None:
"""Reset the bitstring to the value given in binstring."""
self._bitstore = bitstore_helpers.bin2bitstore(binstring)
def _setbin_unsafe(self, binstring: str, length: None = None) -> None:
"""Same as _setbin_safe, but input isn't sanity checked. binstring mustn't start with '0b'."""
self._bitstore = bitstore_helpers.bin2bitstore_unsafe(binstring)
def _getbin(self) -> str:
"""Return interpretation as a binary string."""
return self._bitstore.slice_to_bin()
def _setoct(self, octstring: str, length: None = None) -> None:
"""Reset the bitstring to have the value given in octstring."""
self._bitstore = bitstore_helpers.oct2bitstore(octstring)
def _getoct(self) -> str:
"""Return interpretation as an octal string."""
return self._bitstore.slice_to_oct()
def _sethex(self, hexstring: str, length: None = None) -> None:
"""Reset the bitstring to have the value given in hexstring."""
self._bitstore = bitstore_helpers.hex2bitstore(hexstring)
def _gethex(self) -> str:
"""Return the hexadecimal representation as a string.
Raises an InterpretError if the bitstring's length is not a multiple of 4.
"""
return self._bitstore.slice_to_hex()
def _getlength(self) -> int:
"""Return the length of the bitstring in bits."""
return len(self._bitstore)
def _copy(self: TBits) -> TBits:
"""Create and return a new copy of the Bits (always in memory)."""
# Note that __copy__ may choose to return self if it's immutable. This method always makes a copy.
s_copy = self.__class__()
s_copy._bitstore = self._bitstore._copy()
return s_copy
def _slice(self: TBits, start: int, end: int) -> TBits:
"""Used internally to get a slice, without error checking."""
bs = self.__class__()
bs._bitstore = self._bitstore.getslice(start, end)
return bs
def _absolute_slice(self: TBits, start: int, end: int) -> TBits:
"""Used internally to get a slice, without error checking.
Uses MSB0 bit numbering even if LSB0 is set."""
if end == start:
return self.__class__()
assert start < end, f"start={start}, end={end}"
bs = self.__class__()
bs._bitstore = self._bitstore.getslice_msb0(start, end)
return bs
def _readtoken(self, name: str, pos: int, length: Optional[int]) -> Tuple[Union[float, int, str, None, Bits], int]:
"""Reads a token from the bitstring and returns the result."""
dtype = dtype_register.get_dtype(name, length)
if dtype.bitlength is not None and dtype.bitlength > len(self) - pos:
raise bitstring.ReadError("Reading off the end of the data. "
f"Tried to read {dtype.bitlength} bits when only {len(self) - pos} available.")
try:
val = dtype.read_fn(self, pos)
if isinstance(val, tuple):
return val
else:
assert length is not None
return val, pos + dtype.bitlength
except KeyError:
raise ValueError(f"Can't parse token {name}:{length}")
def _addright(self, bs: Bits, /) -> None:
"""Add a bitstring to the RHS of the current bitstring."""
self._bitstore += bs._bitstore
def _addleft(self, bs: Bits, /) -> None:
"""Prepend a bitstring to the current bitstring."""
if bs._bitstore.immutable:
self._bitstore = bs._bitstore._copy() + self._bitstore
else:
self._bitstore = bs._bitstore + self._bitstore
def _truncateleft(self: TBits, bits: int, /) -> TBits:
"""Truncate bits from the start of the bitstring. Return the truncated bits."""
assert 0 <= bits <= len(self)
if bits == 0:
return self.__class__()
truncated_bits = self._absolute_slice(0, bits)
if bits == len(self):
self._clear()
return truncated_bits
self._bitstore = self._bitstore.getslice_msb0(bits, None)
return truncated_bits
def _truncateright(self: TBits, bits: int, /) -> TBits:
"""Truncate bits from the end of the bitstring. Return the truncated bits."""
assert 0 <= bits <= len(self)
if bits == 0:
return self.__class__()
truncated_bits = self._absolute_slice(len(self) - bits, len(self))
if bits == len(self):
self._clear()
return truncated_bits
self._bitstore = self._bitstore.getslice_msb0(None, -bits)
return truncated_bits
def _insert(self, bs: Bits, pos: int, /) -> None:
"""Insert bs at pos."""
assert 0 <= pos <= len(self)
self._bitstore[pos: pos] = bs._bitstore
return
def _overwrite(self, bs: Bits, pos: int, /) -> None:
"""Overwrite with bs at pos."""
assert 0 <= pos <= len(self)
if bs is self:
# Just overwriting with self, so do nothing.
assert pos == 0
return
self._bitstore[pos: pos + len(bs)] = bs._bitstore
def _delete(self, bits: int, pos: int, /) -> None:
"""Delete bits at pos."""
assert 0 <= pos <= len(self)
assert pos + bits <= len(self), f"pos={pos}, bits={bits}, len={len(self)}"
del self._bitstore[pos: pos + bits]
return
def _reversebytes(self, start: int, end: int) -> None:
"""Reverse bytes in-place."""
assert (end - start) % 8 == 0
self._bitstore[start:end] = BitStore.frombytes(self._bitstore.getslice(start, end).tobytes()[::-1])
def _invert(self, pos: int, /) -> None:
"""Flip bit at pos 1<->0."""
assert 0 <= pos < len(self)
self._bitstore.invert(pos)
def _invert_all(self) -> None:
"""Invert every bit."""
self._bitstore.invert()
def _ilshift(self: TBits, n: int, /) -> TBits:
"""Shift bits by n to the left in place. Return self."""
assert 0 < n <= len(self)
self._addright(Bits(n))
self._truncateleft(n)
return self
def _irshift(self: TBits, n: int, /) -> TBits:
"""Shift bits by n to the right in place. Return self."""
assert 0 < n <= len(self)
self._addleft(Bits(n))
self._truncateright(n)
return self
def _imul(self: TBits, n: int, /) -> TBits:
"""Concatenate n copies of self in place. Return self."""
assert n >= 0
if n == 0:
self._clear()
else:
m = 1
old_len = len(self)
while m * 2 < n:
self._addright(self)
m *= 2
self._addright(self[0:(n - m) * old_len])
return self
def _getbits(self: TBits):
return self._copy()
def _validate_slice(self, start: Optional[int], end: Optional[int]) -> Tuple[int, int]:
"""Validate start and end and return them as positive bit positions."""
start = 0 if start is None else (start + len(self) if start < 0 else start)
end = len(self) if end is None else (end + len(self) if end < 0 else end)
if not 0 <= start <= end <= len(self):
raise ValueError(f"Invalid slice positions for bitstring length {len(self)}: start={start}, end={end}.")
return start, end
def unpack(self, fmt: Union[str, List[Union[str, int]]], **kwargs) -> List[Union[int, float, str, Bits, bool, bytes, None]]:
"""Interpret the whole bitstring using fmt and return list.
fmt -- A single string or a list of strings with comma separated tokens
describing how to interpret the bits in the bitstring. Items
can also be integers, for reading new bitstring of the given length.
kwargs -- A dictionary or keyword-value pairs - the keywords used in the
format string will be replaced with their given value.
Raises ValueError if the format is not understood. If not enough bits
are available then all bits to the end of the bitstring will be used.
See the docstring for 'read' for token examples.
"""
return self._readlist(fmt, 0, **kwargs)[0]
def _readlist(self, fmt: Union[str, List[Union[str, int, Dtype]]], pos: int, **kwargs) \
-> Tuple[List[Union[int, float, str, Bits, bool, bytes, None]], int]:
if isinstance(fmt, str):
fmt = [fmt]
# Convert to a flat list of Dtypes
dtype_list = []
for f_item in fmt:
if isinstance(f_item, numbers.Integral):
dtype_list.append(Dtype('bits', f_item))
elif isinstance(f_item, Dtype):
dtype_list.append(f_item)
else:
token_list = utils.preprocess_tokens(f_item)
for t in token_list:
try:
name, length = utils.parse_name_length_token(t, **kwargs)
except ValueError:
dtype_list.append(Dtype('bits', int(t)))
else:
dtype_list.append(Dtype(name, length))
return self._read_dtype_list(dtype_list, pos)
def _read_dtype_list(self, dtypes: List[Dtype], pos: int) -> Tuple[List[Union[int, float, str, Bits, bool, bytes, None]], int]:
has_stretchy_token = False
bits_after_stretchy_token = 0
for dtype in dtypes:
stretchy = dtype.bitlength is None and not dtype.variable_length
if stretchy:
if has_stretchy_token:
raise bitstring.Error("It's not possible to have more than one 'filler' token.")
has_stretchy_token = True
elif has_stretchy_token:
if dtype.variable_length:
raise bitstring.Error(f"It's not possible to parse a variable length token '{dtype}' after a 'filler' token.")
bits_after_stretchy_token += dtype.bitlength
# We should have precisely zero or one stretchy token
vals = []
for dtype in dtypes:
stretchy = dtype.bitlength is None and not dtype.variable_length
if stretchy:
bits_remaining = len(self) - pos
# Set length to the remaining bits
bitlength = max(bits_remaining - bits_after_stretchy_token, 0)
items, remainder = divmod(bitlength, dtype.bits_per_item)
if remainder != 0:
raise ValueError(
f"The '{dtype.name}' type must have a bit length that is a multiple of {dtype.bits_per_item}"
f" so cannot be created from the {bitlength} bits that are available for this stretchy token.")
dtype = Dtype(dtype.name, items)
if dtype.bitlength is not None:
val = dtype.read_fn(self, pos)
pos += dtype.bitlength
else:
val, pos = dtype.read_fn(self, pos)
if val is not None: # Don't append pad tokens
vals.append(val)
return vals, pos
def find(self, bs: BitsType, /, start: Optional[int] = None, end: Optional[int] = None,
bytealigned: Optional[bool] = None) -> Union[Tuple[int], Tuple[()]]:
"""Find first occurrence of substring bs.
Returns a single item tuple with the bit position if found, or an
empty tuple if not found. The bit position (pos property) will
also be set to the start of the substring if it is found.
bs -- The bitstring to find.
start -- The bit position to start the search. Defaults to 0.
end -- The bit position one past the last bit to search.
Defaults to len(self).
bytealigned -- If True the bitstring will only be
found on byte boundaries.
Raises ValueError if bs is empty, if start < 0, if end > len(self) or
if end < start.
>>> BitArray('0xc3e').find('0b1111')
(6,)
"""
bs = Bits._create_from_bitstype(bs)
if len(bs) == 0:
raise ValueError("Cannot find an empty bitstring.")
start, end = self._validate_slice(start, end)
ba = bitstring.options.bytealigned if bytealigned is None else bytealigned
p = self._find(bs, start, end, ba)
return p
def _find_lsb0(self, bs: Bits, start: int, end: int, bytealigned: bool) -> Union[Tuple[int], Tuple[()]]:
# A forward find in lsb0 is very like a reverse find in msb0.
assert start <= end
assert bitstring.options.lsb0
new_slice = bitstring.bitstore.offset_slice_indices_lsb0(slice(start, end, None), len(self))
msb0_start, msb0_end = self._validate_slice(new_slice.start, new_slice.stop)
p = self._rfind_msb0(bs, msb0_start, msb0_end, bytealigned)
if p:
return (len(self) - p[0] - len(bs),)
else:
return ()
def _find_msb0(self, bs: Bits, start: int, end: int, bytealigned: bool) -> Union[Tuple[int], Tuple[()]]:
"""Find first occurrence of a binary string."""
p = self._bitstore.find(bs._bitstore, start, end, bytealigned)
return () if p == -1 else (p,)
def findall(self, bs: BitsType, start: Optional[int] = None, end: Optional[int] = None, count: Optional[int] = None,
bytealigned: Optional[bool] = None) -> Iterable[int]:
"""Find all occurrences of bs. Return generator of bit positions.
bs -- The bitstring to find.
start -- The bit position to start the search. Defaults to 0.
end -- The bit position one past the last bit to search.
Defaults to len(self).
count -- The maximum number of occurrences to find.
bytealigned -- If True the bitstring will only be found on
byte boundaries.
Raises ValueError if bs is empty, if start < 0, if end > len(self) or
if end < start.
Note that all occurrences of bs are found, even if they overlap.
"""
if count is not None and count < 0:
raise ValueError("In findall, count must be >= 0.")
bs = Bits._create_from_bitstype(bs)
start, end = self._validate_slice(start, end)
ba = bitstring.options.bytealigned if bytealigned is None else bytealigned
return self._findall(bs, start, end, count, ba)
def _findall_msb0(self, bs: Bits, start: int, end: int, count: Optional[int],
bytealigned: bool) -> Iterable[int]:
c = 0
for i in self._bitstore.findall_msb0(bs._bitstore, start, end, bytealigned):
if count is not None and c >= count:
return
c += 1
yield i
return
def _findall_lsb0(self, bs: Bits, start: int, end: int, count: Optional[int],
bytealigned: bool) -> Iterable[int]:
assert start <= end
assert bitstring.options.lsb0
new_slice = bitstring.bitstore.offset_slice_indices_lsb0(slice(start, end, None), len(self))
msb0_start, msb0_end = self._validate_slice(new_slice.start, new_slice.stop)
# Search chunks starting near the end and then moving back.
c = 0
increment = max(8192, len(bs) * 80)
buffersize = min(increment + len(bs), msb0_end - msb0_start)
pos = max(msb0_start, msb0_end - buffersize)
while True:
found = list(self._findall_msb0(bs, start=pos, end=pos + buffersize, count=None, bytealigned=False))
if not found:
if pos == msb0_start:
return
pos = max(msb0_start, pos - increment)
continue
while found:
if count is not None and c >= count:
return
c += 1
lsb0_pos = len(self) - found.pop() - len(bs)
if not bytealigned or lsb0_pos % 8 == 0:
yield lsb0_pos
pos = max(msb0_start, pos - increment)
if pos == msb0_start:
return
def rfind(self, bs: BitsType, /, start: Optional[int] = None, end: Optional[int] = None,
bytealigned: Optional[bool] = None) -> Union[Tuple[int], Tuple[()]]:
"""Find final occurrence of substring bs.
Returns a single item tuple with the bit position if found, or an
empty tuple if not found. The bit position (pos property) will
also be set to the start of the substring if it is found.
bs -- The bitstring to find.
start -- The bit position to end the reverse search. Defaults to 0.
end -- The bit position one past the first bit to reverse search.
Defaults to len(self).
bytealigned -- If True the bitstring will only be found on byte
boundaries.
Raises ValueError if bs is empty, if start < 0, if end > len(self) or
if end < start.
"""
bs = Bits._create_from_bitstype(bs)
start, end = self._validate_slice(start, end)
ba = bitstring.options.bytealigned if bytealigned is None else bytealigned
if len(bs) == 0:
raise ValueError("Cannot find an empty bitstring.")
p = self._rfind(bs, start, end, ba)
return p
def _rfind_msb0(self, bs: Bits, start: int, end: int, bytealigned: bool) -> Union[Tuple[int], Tuple[()]]:
"""Find final occurrence of a binary string."""
p = self._bitstore.rfind(bs._bitstore, start, end, bytealigned)
return () if p == -1 else (p,)
def _rfind_lsb0(self, bs: Bits, start: int, end: int, bytealigned: bool) -> Union[Tuple[int], Tuple[()]]:
# A reverse find in lsb0 is very like a forward find in msb0.
assert start <= end
assert bitstring.options.lsb0
new_slice = bitstring.bitstore.offset_slice_indices_lsb0(slice(start, end, None), len(self))
msb0_start, msb0_end = self._validate_slice(new_slice.start, new_slice.stop)
p = self._find_msb0(bs, msb0_start, msb0_end, bytealigned)
if p:
return (len(self) - p[0] - len(bs),)
else:
return ()
def cut(self, bits: int, start: Optional[int] = None, end: Optional[int] = None,
count: Optional[int] = None) -> Iterator[Bits]:
"""Return bitstring generator by cutting into bits sized chunks.
bits -- The size in bits of the bitstring chunks to generate.
start -- The bit position to start the first cut. Defaults to 0.
end -- The bit position one past the last bit to use in the cut.
Defaults to len(self).
count -- If specified then at most count items are generated.
Default is to cut as many times as possible.
"""
start_, end_ = self._validate_slice(start, end)
if count is not None and count < 0:
raise ValueError("Cannot cut - count must be >= 0.")
if bits <= 0:
raise ValueError("Cannot cut - bits must be >= 0.")
c = 0
while count is None or c < count:
c += 1
nextchunk = self._slice(start_, min(start_ + bits, end_))
if len(nextchunk) == 0:
return
yield nextchunk
if len(nextchunk) != bits:
return
start_ += bits
return
def split(self, delimiter: BitsType, start: Optional[int] = None, end: Optional[int] = None,
count: Optional[int] = None, bytealigned: Optional[bool] = None) -> Iterable[Bits]:
"""Return bitstring generator by splitting using a delimiter.
The first item returned is the initial bitstring before the delimiter,
which may be an empty bitstring.
delimiter -- The bitstring used as the divider.
start -- The bit position to start the split. Defaults to 0.
end -- The bit position one past the last bit to use in the split.
Defaults to len(self).
count -- If specified then at most count items are generated.
Default is to split as many times as possible.
bytealigned -- If True splits will only occur on byte boundaries.
Raises ValueError if the delimiter is empty.
"""
delimiter = Bits._create_from_bitstype(delimiter)
if len(delimiter) == 0:
raise ValueError("split delimiter cannot be empty.")
start, end = self._validate_slice(start, end)
bytealigned_: bool = bitstring.options.bytealigned if bytealigned is None else bytealigned
if count is not None and count < 0:
raise ValueError("Cannot split - count must be >= 0.")
if count == 0:
return
f = functools.partial(self._find_msb0, bs=delimiter, bytealigned=bytealigned_)
found = f(start=start, end=end)
if not found:
# Initial bits are the whole bitstring being searched
yield self._slice(start, end)
return
# yield the bytes before the first occurrence of the delimiter, even if empty
yield self._slice(start, found[0])
startpos = pos = found[0]
c = 1
while count is None or c < count:
pos += len(delimiter)
found = f(start=pos, end=end)
if not found:
# No more occurrences, so return the rest of the bitstring
yield self._slice(startpos, end)
return
c += 1
yield self._slice(startpos, found[0])
startpos = pos = found[0]
# Have generated count bitstrings, so time to quit.
return
def join(self: TBits, sequence: Iterable[Any]) -> TBits:
"""Return concatenation of bitstrings joined by self.
sequence -- A sequence of bitstrings.
"""
s = self.__class__()
if len(self) == 0:
# Optimised version that doesn't need to add self between every item
for item in sequence:
s._addright(Bits._create_from_bitstype(item))
return s
else:
sequence_iter = iter(sequence)
try:
s._addright(Bits._create_from_bitstype(next(sequence_iter)))
except StopIteration:
return s
for item in sequence_iter:
s._addright(self)
s._addright(Bits._create_from_bitstype(item))
return s
def tobytes(self) -> bytes:
"""Return the bitstring as bytes, padding with zero bits if needed.
Up to seven zero bits will be added at the end to byte align.
"""
return self._bitstore.tobytes()
def tobitarray(self) -> bitarray.bitarray:
"""Convert the bitstring to a bitarray object."""
if self._bitstore.modified_length is not None:
# Removes the offset and truncates to length
return self._bitstore.getslice(0, len(self))._bitarray
else:
return self._bitstore._bitarray
def tofile(self, f: BinaryIO) -> None:
"""Write the bitstring to a file object, padding with zero bits if needed.
Up to seven zero bits will be added at the end to byte align.
"""
# If the bitstring is file based then we don't want to read it all in to memory first.
chunk_size = 8 * 100 * 1024 * 1024 # 100 MiB
for chunk in self.cut(chunk_size):
f.write(chunk.tobytes())
def startswith(self, prefix: BitsType, start: Optional[int] = None, end: Optional[int] = None) -> bool:
"""Return whether the current bitstring starts with prefix.
prefix -- The bitstring to search for.
start -- The bit position to start from. Defaults to 0.
end -- The bit position to end at. Defaults to len(self).
"""
prefix = self._create_from_bitstype(prefix)
start, end = self._validate_slice(start, end)
return self._slice(start, start + len(prefix)) == prefix if end >= start + len(prefix) else False
def endswith(self, suffix: BitsType, start: Optional[int] = None, end: Optional[int] = None) -> bool:
"""Return whether the current bitstring ends with suffix.
suffix -- The bitstring to search for.
start -- The bit position to start from. Defaults to 0.
end -- The bit position to end at. Defaults to len(self).
"""
suffix = self._create_from_bitstype(suffix)
start, end = self._validate_slice(start, end)
return self._slice(end - len(suffix), end) == suffix if start + len(suffix) <= end else False
def all(self, value: Any, pos: Optional[Iterable[int]] = None) -> bool:
"""Return True if one or many bits are all set to bool(value).
value -- If value is True then checks for bits set to 1, otherwise
checks for bits set to 0.
pos -- An iterable of bit positions. Negative numbers are treated in
the same way as slice indices. Defaults to the whole bitstring.
"""
value = 1 if bool(value) else 0
if pos is None:
return self._bitstore.all_set() if value else not self._bitstore.any_set()
for p in pos:
if self._bitstore.getindex(p) != value:
return False
return True
def any(self, value: Any, pos: Optional[Iterable[int]] = None) -> bool:
"""Return True if any of one or many bits are set to bool(value).
value -- If value is True then checks for bits set to 1, otherwise
checks for bits set to 0.
pos -- An iterable of bit positions. Negative numbers are treated in
the same way as slice indices. Defaults to the whole bitstring.
"""
value = 1 if bool(value) else 0
if pos is None:
return self._bitstore.any_set() if value else not self._bitstore.all_set()
for p in pos:
if self._bitstore.getindex(p) == value:
return True
return False
def count(self, value: Any) -> int:
"""Return count of total number of either zero or one bits.
value -- If bool(value) is True then bits set to 1 are counted, otherwise bits set
to 0 are counted.
>>> Bits('0xef').count(1)
7
"""
# count the number of 1s (from which it's easy to work out the 0s).
count = self._bitstore.count(1)
return count if value else len(self) - count
@staticmethod
def _format_bits(bits: Bits, bits_per_group: int, sep: str, dtype: Dtype,
colour_start: str, colour_end: str, width: Optional[int]=None) -> Tuple[str, int]:
get_fn = dtype.get_fn
if dtype.name == 'bytes': # Special case for bytes to print one character each.
get_fn = Bits._getbytes_printable
if dtype.name == 'bool': # Special case for bool to print '1' or '0' instead of `True` or `False`.
get_fn = dtype_register.get_dtype('uint', bits_per_group).get_fn
if bits_per_group == 0:
x = str(get_fn(bits))
else:
# Left-align for fixed width types when msb0, otherwise right-align.
align = '<' if dtype.name in ['bin', 'oct', 'hex', 'bits', 'bytes'] and not bitstring.options.lsb0 else '>'
chars_per_group = 0
if dtype_register[dtype.name].bitlength2chars_fn is not None:
chars_per_group = dtype_register[dtype.name].bitlength2chars_fn(bits_per_group)
x = sep.join(f"{str(get_fn(b)): {align}{chars_per_group}}" for b in bits.cut(bits_per_group))
chars_used = len(x)
padding_spaces = 0 if width is None else max(width - len(x), 0)
x = colour_start + x + colour_end
# Pad final line with spaces to align it
if bitstring.options.lsb0:
x = ' ' * padding_spaces + x
else:
x += ' ' * padding_spaces
return x, chars_used
@staticmethod
def _chars_per_group(bits_per_group: int, fmt: Optional[str]):
"""How many characters are needed to represent a number of bits with a given format."""
if fmt is None or dtype_register[fmt].bitlength2chars_fn is None:
return 0
return dtype_register[fmt].bitlength2chars_fn(bits_per_group)
@staticmethod
def _bits_per_char(fmt: str):
"""How many bits are represented by each character of a given format."""
if fmt not in ['bin', 'oct', 'hex', 'bytes']:
raise ValueError
return 24 // dtype_register[fmt].bitlength2chars_fn(24)
def _pp(self, dtype1: Dtype, dtype2: Optional[Dtype], bits_per_group: int, width: int, sep: str, format_sep: str,
show_offset: bool, stream: TextIO, lsb0: bool, offset_factor: int) -> None:
"""Internal pretty print method."""
colour = Colour(not bitstring.options.no_color)
name1 = dtype1.name
name2 = dtype2.name if dtype2 is not None else None
if dtype1.variable_length:
raise ValueError(f"Can't use Dtype '{dtype1}' in pp() as it has a variable length.")
if dtype2 is not None and dtype2.variable_length:
raise ValueError(f"Can't use Dtype '{dtype2}' in pp() as it has a variable length.")
offset_width = 0
offset_sep = ' :' if lsb0 else ': '
if show_offset:
# This could be 1 too large in some circumstances. Slightly recurrent logic needed to fix it...
offset_width = len(str(len(self))) + len(offset_sep)
if bits_per_group > 0:
group_chars1 = Bits._chars_per_group(bits_per_group, name1)
group_chars2 = Bits._chars_per_group(bits_per_group, name2)
# The number of characters that get added when we add an extra group (after the first one)
total_group_chars = group_chars1 + group_chars2 + len(sep) + len(sep) * bool(group_chars2)
width_excluding_offset_and_final_group = width - offset_width - group_chars1 - group_chars2 - len(
format_sep) * bool(group_chars2)
width_excluding_offset_and_final_group = max(width_excluding_offset_and_final_group, 0)
groups_per_line = 1 + width_excluding_offset_and_final_group // total_group_chars
max_bits_per_line = groups_per_line * bits_per_group # Number of bits represented on each line
else:
assert bits_per_group == 0 # Don't divide into groups
width_available = width - offset_width - len(format_sep) * (name2 is not None)
width_available = max(width_available, 1)
if name2 is None:
max_bits_per_line = width_available * Bits._bits_per_char(name1)
else:
chars_per_24_bits = dtype_register[name1].bitlength2chars_fn(24) + dtype_register[name2].bitlength2chars_fn(24)
max_bits_per_line = 24 * (width_available // chars_per_24_bits)
if max_bits_per_line == 0:
max_bits_per_line = 24 # We can't fit into the width asked for. Show something small.
assert max_bits_per_line > 0
bitpos = 0
first_fb_width = second_fb_width = None
for bits in self.cut(max_bits_per_line):
offset_str = ''
if show_offset:
offset = bitpos // offset_factor
bitpos += len(bits)
if bitstring.options.lsb0:
offset_str = colour.green + offset_sep + f'{offset: <{offset_width - len(offset_sep)}}' + colour.off
else:
offset_str = colour.green + f'{offset: >{offset_width - len(offset_sep)}}' + offset_sep + colour.off
fb1, chars_used = Bits._format_bits(bits, bits_per_group, sep, dtype1, colour.purple, colour.off, first_fb_width)
if first_fb_width is None:
first_fb_width = chars_used
fb2 = ''
if dtype2 is not None:
fb2, chars_used = Bits._format_bits(bits, bits_per_group, sep, dtype2, colour.blue, colour.off, second_fb_width)
if second_fb_width is None:
second_fb_width = chars_used
fb2 = format_sep + fb2
if bitstring.options.lsb0 is True:
line_fmt = fb1 + fb2 + offset_str + '\n'
else:
line_fmt = offset_str + fb1 + fb2 + '\n'
stream.write(line_fmt)
return
@staticmethod
def _process_pp_tokens(token_list, fmt):
if len(token_list) not in [1, 2]:
raise ValueError(
f"Only one or two tokens can be used in an pp() format - '{fmt}' has {len(token_list)} tokens.")
has_length_in_fmt = True
name1, length1 = utils.parse_name_length_token(token_list[0])
dtype1 = Dtype(name1, length1)
bits_per_group = dtype1.bitlength
dtype2 = None
if len(token_list) == 2:
name2, length2 = utils.parse_name_length_token(token_list[1])
dtype2 = Dtype(name2, length2)
if None not in {dtype1.bitlength, dtype2.bitlength} and dtype1.bitlength != dtype2.bitlength:
raise ValueError(
f"Differing bit lengths of {dtype1.bitlength} and {dtype2.bitlength} in format string '{fmt}'.")
if bits_per_group is None:
bits_per_group = dtype2.bitlength
if bits_per_group is None:
has_length_in_fmt = False
if len(token_list) == 1:
bits_per_group = {'bin': 8, 'hex': 8, 'oct': 12, 'bytes': 32}.get(dtype1.name)
if bits_per_group is None:
raise ValueError(f"No length or default length available for pp() format '{fmt}'.")
else:
try:
bits_per_group = 2 * Bits._bits_per_char(dtype1.name) * Bits._bits_per_char(dtype2.name)
except ValueError:
raise ValueError(f"Can't find a default bitlength to use for pp() format '{fmt}'.")
if bits_per_group >= 24:
bits_per_group //= 2
return dtype1, dtype2, bits_per_group, has_length_in_fmt
def pp(self, fmt: Optional[str] = None, width: int = 120, sep: str = ' ',
show_offset: bool = True, stream: TextIO = sys.stdout) -> None:
"""Pretty print the bitstring's value.
fmt -- Printed data format. One or two of 'bin', 'oct', 'hex' or 'bytes'.
The number of bits represented in each printed group defaults to 8 for hex and bin,
12 for oct and 32 for bytes. This can be overridden with an explicit length, e.g. 'hex:64'.
Use a length of 0 to not split into groups, e.g. `bin:0`.
width -- Max width of printed lines. Defaults to 120. A single group will always be printed
per line even if it exceeds the max width.
sep -- A separator string to insert between groups. Defaults to a single space.
show_offset -- If True (the default) shows the bit offset in the first column of each line.
stream -- A TextIO object with a write() method. Defaults to sys.stdout.
>>> s.pp('hex16')
>>> s.pp('b, h', sep='_', show_offset=False)
"""
colour = Colour(not bitstring.options.no_color)
if fmt is None:
fmt = 'bin, hex' if len(self) % 8 == 0 and len(self) >= 8 else 'bin'
token_list = utils.preprocess_tokens(fmt)
dtype1, dtype2, bits_per_group, has_length_in_fmt = Bits._process_pp_tokens(token_list, fmt)
trailing_bit_length = len(self) % bits_per_group if has_length_in_fmt and bits_per_group else 0
data = self if trailing_bit_length == 0 else self[0: -trailing_bit_length]
format_sep = " : " # String to insert on each line between multiple formats
tidy_fmt = colour.purple + str(dtype1) + colour.off
if dtype2 is not None:
tidy_fmt += ', ' + colour.blue + str(dtype2) + colour.off
output_stream = io.StringIO()
len_str = colour.green + str(len(self)) + colour.off
output_stream.write(f"<{self.__class__.__name__}, fmt='{tidy_fmt}', length={len_str} bits> [\n")
data._pp(dtype1, dtype2, bits_per_group, width, sep, format_sep, show_offset,
output_stream, bitstring.options.lsb0, 1)
output_stream.write("]")
if trailing_bit_length != 0:
output_stream.write(" + trailing_bits = " + str(self[-trailing_bit_length:]))
output_stream.write("\n")
stream.write(output_stream.getvalue())
return
def copy(self: TBits) -> TBits:
"""Return a copy of the bitstring."""
# Note that if you want a new copy (different ID), use _copy instead.
# The copy can return self as it's immutable.
return self
@classmethod
def fromstring(cls: TBits, s: str, /) -> TBits:
"""Create a new bitstring from a formatted string."""
x = super().__new__(cls)
x._bitstore = bitstore_helpers.str_to_bitstore(s)
return x
len = length = property(_getlength, doc="The length of the bitstring in bits. Read only.")
|