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 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039
|
# -*- Mode: python; tab-width: 4; indent-tabs-mode:nil; coding:utf-8 -*-
# vim: tabstop=4 expandtab shiftwidth=4 softtabstop=4 fileencoding=utf-8
#
# MDAnalysis --- https://www.mdanalysis.org
# Copyright (c) 2006-2017 The MDAnalysis Development Team and contributors
# (see the file AUTHORS for the full list of names)
#
# Released under the Lesser GNU Public Licence, v2.1 or any higher version
#
# Please cite your use of MDAnalysis in published work:
#
# R. J. Gowers, M. Linke, J. Barnoud, T. J. E. Reddy, M. N. Melo, S. L. Seyler,
# D. L. Dotson, J. Domanski, S. Buchoux, I. M. Kenney, and O. Beckstein.
# MDAnalysis: A Python package for the rapid analysis of molecular dynamics
# simulations. In S. Benthall and S. Rostrup editors, Proceedings of the 15th
# Python in Science Conference, pages 102-109, Austin, TX, 2016. SciPy.
# doi: 10.25080/majora-629e541a-00e
#
# N. Michaud-Agrawal, E. J. Denning, T. B. Woolf, and O. Beckstein.
# MDAnalysis: A Toolkit for the Analysis of Molecular Dynamics Simulations.
# J. Comput. Chem. 32 (2011), 2319--2327, doi:10.1002/jcc.21787
#
from io import StringIO
import pytest
import os
import warnings
import re
import textwrap
from unittest.mock import Mock, patch
import sys
import copy
import shutil
import numpy as np
from numpy.testing import (
assert_equal,
assert_almost_equal,
assert_array_almost_equal,
assert_array_equal,
assert_allclose,
)
from itertools import combinations_with_replacement as comb_wr
import MDAnalysis as mda
import MDAnalysis.lib.util as util
from MDAnalysis.lib.util import (
cached,
static_variables,
warn_if_not_unique,
check_coords,
store_init_arguments,
check_atomgroup_not_empty,
)
from MDAnalysis.core.topologyattrs import Bonds
from MDAnalysis.exceptions import NoDataError, DuplicateWarning
from MDAnalysis.core.groups import AtomGroup
from MDAnalysisTests.datafiles import (
PSF,
DCD,
Make_Whole,
TPR,
GRO,
fullerene,
two_water_gro,
)
def test_absence_cutil():
with patch.dict("sys.modules", {"MDAnalysis.lib._cutil": None}):
import importlib
with pytest.raises(ImportError):
importlib.reload(sys.modules["MDAnalysis.lib.util"])
def test_presence_cutil():
mock = Mock()
with patch.dict("sys.modules", {"MDAnalysis.lib._cutil": mock}):
try:
import MDAnalysis.lib._cutil
except ImportError:
pytest.fail(
msg="""MDAnalysis.lib._cutil should not raise
an ImportError if cutil is available."""
)
def convert_aa_code_long_data():
aa = [
(
"H",
(
"HIS",
"HISA",
"HISB",
"HSE",
"HSD",
"HIS1",
"HIS2",
"HIE",
"HID",
),
),
("K", ("LYS", "LYSH", "LYN")),
("A", ("ALA",)),
("D", ("ASP", "ASPH", "ASH")),
("E", ("GLU", "GLUH", "GLH")),
("N", ("ASN",)),
("Q", ("GLN",)),
("C", ("CYS", "CYSH", "CYS1", "CYS2")),
]
for resname1, strings in aa:
for resname3 in strings:
yield (resname3, resname1)
class TestStringFunctions(object):
# (1-letter, (canonical 3 letter, other 3/4 letter, ....))
aa = [
(
"H",
(
"HIS",
"HISA",
"HISB",
"HSE",
"HSD",
"HIS1",
"HIS2",
"HIE",
"HID",
),
),
("K", ("LYS", "LYSH", "LYN")),
("A", ("ALA",)),
("D", ("ASP", "ASPH", "ASH")),
("E", ("GLU", "GLUH", "GLH")),
("N", ("ASN",)),
("Q", ("GLN",)),
("C", ("CYS", "CYSH", "CYS1", "CYS2")),
]
residues = [
("LYS300:HZ1", ("LYS", 300, "HZ1")),
("K300:HZ1", ("LYS", 300, "HZ1")),
("K300", ("LYS", 300, None)),
("LYS 300:HZ1", ("LYS", 300, "HZ1")),
("M1:CA", ("MET", 1, "CA")),
]
@pytest.mark.parametrize("rstring, residue", residues)
def test_parse_residue(self, rstring, residue):
assert util.parse_residue(rstring) == residue
def test_parse_residue_ValueError(self):
with pytest.raises(ValueError):
util.parse_residue("ZZZ")
@pytest.mark.parametrize("resname3, resname1", convert_aa_code_long_data())
def test_convert_aa_3to1(self, resname3, resname1):
assert util.convert_aa_code(resname3) == resname1
@pytest.mark.parametrize("resname1, strings", aa)
def test_convert_aa_1to3(self, resname1, strings):
assert util.convert_aa_code(resname1) == strings[0]
@pytest.mark.parametrize("x", ("XYZXYZ", "£"))
def test_ValueError(self, x):
with pytest.raises(ValueError):
util.convert_aa_code(x)
def test_greedy_splitext(
inp="foo/bar/boing.2.pdb.bz2", ref=["foo/bar/boing", ".2.pdb.bz2"]
):
inp = os.path.normpath(inp)
ref[0] = os.path.normpath(ref[0])
ref[1] = os.path.normpath(ref[1])
root, ext = util.greedy_splitext(inp)
assert root == ref[0], "root incorrect"
assert ext == ref[1], "extension incorrect"
@pytest.mark.parametrize(
"iterable, value",
[
([1, 2, 3], True),
([], True),
((1, 2, 3), True),
((), True),
(range(3), True),
(np.array([1, 2, 3]), True),
(123, False),
("byte string", False),
("unicode string", False),
],
)
def test_iterable(iterable, value):
assert util.iterable(iterable) == value
class TestFilename(object):
root = "foo"
filename = "foo.psf"
ext = "pdb"
filename2 = "foo.pdb"
@pytest.mark.parametrize(
"name, ext, keep, actual_name",
[
(filename, None, False, filename),
(filename, ext, False, filename2),
(filename, ext, True, filename),
(root, ext, False, filename2),
(root, ext, True, filename2),
],
)
def test_string(self, name, ext, keep, actual_name):
file_name = util.filename(name, ext, keep)
assert file_name == actual_name
def test_named_stream(self):
ns = util.NamedStream(StringIO(), self.filename)
fn = util.filename(ns, ext=self.ext)
# assert_equal replace by this if loop to avoid segfault on some systems
if fn != ns:
pytest.fail("fn and ns are different")
assert str(fn) == self.filename2
assert ns.name == self.filename2
class Class_with_Caches(object):
def __init__(self):
self._cache = dict()
self.ref1 = 1.0
self.ref2 = 2.0
self.ref3 = 3.0
self.ref4 = 4.0
self.ref5 = 5.0
self.ref6 = 6.0
# For universe-validated caches
# One-line lambda-like class
self.universe = type("Universe", (), dict())()
self.universe._cache = {"_valid": {}}
@cached("val1")
def val1(self):
return self.ref1
# Do one with property decorator as these are used together often
@property
@cached("val2")
def val2(self):
return self.ref2
# Check use of property setters
@property
@cached("val3")
def val3(self):
return self.ref3
@val3.setter
def val3(self, new):
self._clear_caches("val3")
self._fill_cache("val3", new)
@val3.deleter
def val3(self):
self._clear_caches("val3")
# Check that args are passed through to underlying functions
@cached("val4")
def val4(self, n1, n2):
return self._init_val_4(n1, n2)
def _init_val_4(self, m1, m2):
return self.ref4 + m1 + m2
# Args and Kwargs
@cached("val5")
def val5(self, n, s=None):
return self._init_val_5(n, s=s)
def _init_val_5(self, n, s=None):
return n * s
# Property decorator and universally-validated cache
@property
@cached("val6", universe_validation=True)
def val6(self):
return self.ref5 + 1.0
# These are designed to mimic the AG and Universe cache methods
def _clear_caches(self, *args):
if len(args) == 0:
self._cache = dict()
else:
for name in args:
try:
del self._cache[name]
except KeyError:
pass
def _fill_cache(self, name, value):
self._cache[name] = value
class TestCachedDecorator(object):
@pytest.fixture()
def obj(self):
return Class_with_Caches()
def test_val1_lookup(self, obj):
obj._clear_caches()
assert "val1" not in obj._cache
assert obj.val1() == obj.ref1
ret = obj.val1()
assert "val1" in obj._cache
assert obj._cache["val1"] == ret
assert obj.val1() is obj._cache["val1"]
def test_val1_inject(self, obj):
# Put something else into the cache and check it gets returned
# this tests that the cache is blindly being used
obj._clear_caches()
ret = obj.val1()
assert "val1" in obj._cache
assert ret == obj.ref1
new = 77.0
obj._fill_cache("val1", new)
assert obj.val1() == new
# Managed property
def test_val2_lookup(self, obj):
obj._clear_caches()
assert "val2" not in obj._cache
assert obj.val2 == obj.ref2
ret = obj.val2
assert "val2" in obj._cache
assert obj._cache["val2"] == ret
def test_val2_inject(self, obj):
obj._clear_caches()
ret = obj.val2
assert "val2" in obj._cache
assert ret == obj.ref2
new = 77.0
obj._fill_cache("val2", new)
assert obj.val2 == new
# Setter on cached attribute
def test_val3_set(self, obj):
obj._clear_caches()
assert obj.val3 == obj.ref3
new = 99.0
obj.val3 = new
assert obj.val3 == new
assert obj._cache["val3"] == new
def test_val3_del(self, obj):
# Check that deleting the property removes it from cache,
obj._clear_caches()
assert obj.val3 == obj.ref3
assert "val3" in obj._cache
del obj.val3
assert "val3" not in obj._cache
# But allows it to work as usual afterwards
assert obj.val3 == obj.ref3
assert "val3" in obj._cache
# Pass args
def test_val4_args(self, obj):
obj._clear_caches()
assert obj.val4(1, 2) == 1 + 2 + obj.ref4
# Further calls should yield the old result
# this arguably shouldn't be cached...
assert obj.val4(3, 4) == 1 + 2 + obj.ref4
# Pass args and kwargs
def test_val5_kwargs(self, obj):
obj._clear_caches()
assert obj.val5(5, s="abc") == 5 * "abc"
assert obj.val5(5, s="!!!") == 5 * "abc"
# property decorator, with universe validation
def test_val6_universe_validation(self, obj):
obj._clear_caches()
assert not hasattr(obj, "_cache_key")
assert "val6" not in obj._cache
assert "val6" not in obj.universe._cache["_valid"]
ret = obj.val6 # Trigger caching
assert obj.val6 == obj.ref6
assert ret is obj.val6
assert "val6" in obj._cache
assert "val6" in obj.universe._cache["_valid"]
assert obj._cache_key in obj.universe._cache["_valid"]["val6"]
assert obj._cache["val6"] is ret
# Invalidate cache at universe level
obj.universe._cache["_valid"]["val6"].clear()
ret2 = obj.val6
assert ret2 is obj.val6
assert ret2 is not ret
# Clear obj cache and access again
obj._clear_caches()
ret3 = obj.val6
assert ret3 is obj.val6
assert ret3 is not ret2
assert ret3 is not ret
class TestConvFloat(object):
@pytest.mark.parametrize(
"s, output", [("0.45", 0.45), (".45", 0.45), ("a.b", "a.b")]
)
def test_float(self, s, output):
assert util.conv_float(s) == output
@pytest.mark.parametrize(
"input, output",
[
(("0.45", "0.56", "6.7"), [0.45, 0.56, 6.7]),
(("0.45", "a.b", "!!"), [0.45, "a.b", "!!"]),
],
)
def test_map(self, input, output):
ret = [util.conv_float(el) for el in input]
assert ret == output
class TestFixedwidthBins(object):
def test_keys(self):
ret = util.fixedwidth_bins(0.5, 1.0, 2.0)
for k in ["Nbins", "delta", "min", "max"]:
assert k in ret
def test_ValueError(self):
with pytest.raises(ValueError):
util.fixedwidth_bins(0.1, 5.0, 4.0)
@pytest.mark.parametrize(
"delta, xmin, xmax, output_Nbins, output_delta, output_min, output_max",
[
(0.1, 4.0, 5.0, 10, 0.1, 4.0, 5.0),
(0.4, 4.0, 5.0, 3, 0.4, 3.9, 5.1),
],
)
def test_usage(
self,
delta,
xmin,
xmax,
output_Nbins,
output_delta,
output_min,
output_max,
):
ret = util.fixedwidth_bins(delta, xmin, xmax)
assert ret["Nbins"] == output_Nbins
assert ret["delta"] == output_delta
assert ret["min"], output_min
assert ret["max"], output_max
@pytest.fixture
def atoms():
from MDAnalysisTests import make_Universe
u = make_Universe(extras=("masses",), size=(3, 1, 1))
return u.atoms
@pytest.mark.parametrize(
"weights,result",
[
(None, None),
("mass", np.array([5.1, 4.2, 3.3])),
(np.array([12.0, 1.0, 12.0]), np.array([12.0, 1.0, 12.0])),
([12.0, 1.0, 12.0], np.array([12.0, 1.0, 12.0])),
(range(3), np.arange(3, dtype=int)),
],
)
def test_check_weights_ok(atoms, weights, result):
assert_array_equal(util.get_weights(atoms, weights), result)
@pytest.mark.parametrize(
"weights",
[
42,
"geometry",
np.array(1.0),
np.array([12.0, 1.0, 12.0, 1.0]),
[12.0, 1.0],
np.array([[12.0, 1.0, 12.0]]),
np.array([[12.0, 1.0, 12.0], [12.0, 1.0, 12.0]]),
],
)
def test_check_weights_raises_ValueError(atoms, weights):
with pytest.raises(ValueError):
util.get_weights(atoms, weights)
class TestGuessFormat(object):
"""Test guessing of format from filenames
Tests also getting the appropriate Parser and Reader from a
given filename
"""
# list of known formats, followed by the desired Parser and Reader
# None indicates that there isn't a Reader for this format
# All formats call fallback to the MinimalParser
formats = [
(
"CHAIN",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.chain.ChainReader,
),
(
"CONFIG",
mda.topology.DLPolyParser.ConfigParser,
mda.coordinates.DLPoly.ConfigReader,
),
(
"CRD",
mda.topology.CRDParser.CRDParser,
mda.coordinates.CRD.CRDReader,
),
(
"DATA",
mda.topology.LAMMPSParser.DATAParser,
mda.coordinates.LAMMPS.DATAReader,
),
(
"DCD",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.DCD.DCDReader,
),
(
"DMS",
mda.topology.DMSParser.DMSParser,
mda.coordinates.DMS.DMSReader,
),
(
"GMS",
mda.topology.GMSParser.GMSParser,
mda.coordinates.GMS.GMSReader,
),
(
"GRO",
mda.topology.GROParser.GROParser,
mda.coordinates.GRO.GROReader,
),
(
"HISTORY",
mda.topology.DLPolyParser.HistoryParser,
mda.coordinates.DLPoly.HistoryReader,
),
(
"INPCRD",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.INPCRD.INPReader,
),
(
"LAMMPS",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.LAMMPS.DCDReader,
),
(
"MDCRD",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.TRJ.TRJReader,
),
(
"MMTF",
mda.topology.MMTFParser.MMTFParser,
mda.coordinates.MMTF.MMTFReader,
),
(
"MOL2",
mda.topology.MOL2Parser.MOL2Parser,
mda.coordinates.MOL2.MOL2Reader,
),
(
"NC",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.TRJ.NCDFReader,
),
(
"NCDF",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.TRJ.NCDFReader,
),
(
"PDB",
mda.topology.PDBParser.PDBParser,
mda.coordinates.PDB.PDBReader,
),
(
"PDBQT",
mda.topology.PDBQTParser.PDBQTParser,
mda.coordinates.PDBQT.PDBQTReader,
),
("PRMTOP", mda.topology.TOPParser.TOPParser, None),
(
"PQR",
mda.topology.PQRParser.PQRParser,
mda.coordinates.PQR.PQRReader,
),
("PSF", mda.topology.PSFParser.PSFParser, None),
(
"RESTRT",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.INPCRD.INPReader,
),
("TOP", mda.topology.TOPParser.TOPParser, None),
("TPR", mda.topology.TPRParser.TPRParser, None),
(
"TRJ",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.TRJ.TRJReader,
),
(
"TRR",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.TRR.TRRReader,
),
("XML", mda.topology.HoomdXMLParser.HoomdXMLParser, None),
(
"XPDB",
mda.topology.ExtendedPDBParser.ExtendedPDBParser,
mda.coordinates.PDB.ExtendedPDBReader,
),
(
"XTC",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.XTC.XTCReader,
),
(
"XYZ",
mda.topology.XYZParser.XYZParser,
mda.coordinates.XYZ.XYZReader,
),
(
"TRZ",
mda.topology.MinimalParser.MinimalParser,
mda.coordinates.TRZ.TRZReader,
),
]
# list of possible compressed extensions
# include no extension too!
compressed_extensions = [".bz2", ".gz"]
@pytest.mark.parametrize(
"extention",
[format_tuple[0].upper() for format_tuple in formats]
+ [format_tuple[0].lower() for format_tuple in formats],
)
def test_get_extention(self, extention):
"""Check that get_ext works"""
file_name = "file.{0}".format(extention)
a, b = util.get_ext(file_name)
assert a == "file"
assert b == extention.lower()
@pytest.mark.parametrize(
"extention",
[format_tuple[0].upper() for format_tuple in formats]
+ [format_tuple[0].lower() for format_tuple in formats],
)
def test_compressed_without_compression_extention(self, extention):
"""Check that format suffixed by compressed extension works"""
file_name = "file.{0}".format(extention)
a = util.format_from_filename_extension(file_name)
# expect answer to always be uppercase
assert a == extention.upper()
@pytest.mark.parametrize(
"extention",
[format_tuple[0].upper() for format_tuple in formats]
+ [format_tuple[0].lower() for format_tuple in formats],
)
@pytest.mark.parametrize("compression_extention", compressed_extensions)
def test_compressed(self, extention, compression_extention):
"""Check that format suffixed by compressed extension works"""
file_name = "file.{0}{1}".format(extention, compression_extention)
a = util.format_from_filename_extension(file_name)
# expect answer to always be uppercase
assert a == extention.upper()
@pytest.mark.parametrize(
"extention",
[format_tuple[0].upper() for format_tuple in formats]
+ [format_tuple[0].lower() for format_tuple in formats],
)
def test_guess_format(self, extention):
file_name = "file.{0}".format(extention)
a = util.guess_format(file_name)
# expect answer to always be uppercase
assert a == extention.upper()
@pytest.mark.parametrize(
"extention",
[format_tuple[0].upper() for format_tuple in formats]
+ [format_tuple[0].lower() for format_tuple in formats],
)
@pytest.mark.parametrize("compression_extention", compressed_extensions)
def test_guess_format_compressed(self, extention, compression_extention):
file_name = "file.{0}{1}".format(extention, compression_extention)
a = util.guess_format(file_name)
# expect answer to always be uppercase
assert a == extention.upper()
@pytest.mark.parametrize(
"extention, parser",
[
(format_tuple[0], format_tuple[1])
for format_tuple in formats
if format_tuple[1] is not None
],
)
def test_get_parser(self, extention, parser):
file_name = "file.{0}".format(extention)
a = mda.topology.core.get_parser_for(file_name)
assert a == parser
@pytest.mark.parametrize(
"extention, parser",
[
(format_tuple[0], format_tuple[1])
for format_tuple in formats
if format_tuple[1] is not None
],
)
@pytest.mark.parametrize("compression_extention", compressed_extensions)
def test_get_parser_compressed(
self, extention, parser, compression_extention
):
file_name = "file.{0}{1}".format(extention, compression_extention)
a = mda.topology.core.get_parser_for(file_name)
assert a == parser
@pytest.mark.parametrize(
"extention",
[
(format_tuple[0], format_tuple[1])
for format_tuple in formats
if format_tuple[1] is None
],
)
def test_get_parser_invalid(self, extention):
file_name = "file.{0}".format(extention)
with pytest.raises(ValueError):
mda.topology.core.get_parser_for(file_name)
@pytest.mark.parametrize(
"extention, reader",
[
(format_tuple[0], format_tuple[2])
for format_tuple in formats
if format_tuple[2] is not None
],
)
def test_get_reader(self, extention, reader):
file_name = "file.{0}".format(extention)
a = mda.coordinates.core.get_reader_for(file_name)
assert a == reader
@pytest.mark.parametrize(
"extention, reader",
[
(format_tuple[0], format_tuple[2])
for format_tuple in formats
if format_tuple[2] is not None
],
)
@pytest.mark.parametrize("compression_extention", compressed_extensions)
def test_get_reader_compressed(
self, extention, reader, compression_extention
):
file_name = "file.{0}{1}".format(extention, compression_extention)
a = mda.coordinates.core.get_reader_for(file_name)
assert a == reader
@pytest.mark.parametrize(
"extention",
[
(format_tuple[0], format_tuple[2])
for format_tuple in formats
if format_tuple[2] is None
],
)
def test_get_reader_invalid(self, extention):
file_name = "file.{0}".format(extention)
with pytest.raises(ValueError):
mda.coordinates.core.get_reader_for(file_name)
def test_check_compressed_format_TypeError(self):
with pytest.raises(TypeError):
util.check_compressed_format(1234, "bz2")
def test_format_from_filename_TypeError(self):
with pytest.raises(TypeError):
util.format_from_filename_extension(1234)
def test_guess_format_stream_ValueError(self):
# This stream has no name, so can't guess format
s = StringIO("this is a very fun file")
with pytest.raises(ValueError):
util.guess_format(s)
def test_from_ndarray(self):
fn = np.zeros((3, 3))
rd = mda.coordinates.core.get_reader_for(fn)
assert rd == mda.coordinates.memory.MemoryReader
class TestUniqueRows(object):
def test_unique_rows_2(self):
a = np.array([[0, 1], [1, 2], [2, 1], [0, 1], [0, 1], [2, 1]])
assert_array_equal(
util.unique_rows(a), np.array([[0, 1], [1, 2], [2, 1]])
)
def test_unique_rows_3(self):
a = np.array([[0, 1, 2], [0, 1, 2], [2, 3, 4], [0, 1, 2]])
assert_array_equal(
util.unique_rows(a), np.array([[0, 1, 2], [2, 3, 4]])
)
def test_unique_rows_with_view(self):
# unique_rows doesn't work when flags['OWNDATA'] is False,
# happens when second dimension is created through broadcast
a = np.array([1, 2])
assert_array_equal(util.unique_rows(a[None, :]), np.array([[1, 2]]))
class TestGetWriterFor(object):
def test_no_filename_argument(self):
# Does ``get_writer_for`` fails as expected when provided no
# filename arguments
with pytest.raises(TypeError):
mda.coordinates.core.get_writer_for()
def test_precedence(self):
writer = mda.coordinates.core.get_writer_for("test.pdb", "GRO")
assert writer == mda.coordinates.GRO.GROWriter
# Make sure ``get_writer_for`` uses *format* if provided
def test_missing_extension(self):
# Make sure ``get_writer_for`` behave as expected if *filename*
# has no extension
with pytest.raises(ValueError):
mda.coordinates.core.get_writer_for(filename="test", format=None)
def test_extension_empty_string(self):
"""
Test format=''.
Raises TypeError because format can be only None or
valid formats.
"""
with pytest.raises(ValueError):
mda.coordinates.core.get_writer_for(filename="test", format="")
def test_file_no_extension(self):
"""No format given"""
with pytest.raises(ValueError):
mda.coordinates.core.get_writer_for("outtraj")
def test_wrong_format(self):
# Make sure ``get_writer_for`` fails if the format is unknown
with pytest.raises(TypeError):
mda.coordinates.core.get_writer_for(
filename="fail_me", format="UNK"
)
def test_compressed_extension(self):
for ext in (".gz", ".bz2"):
fn = "test.gro" + ext
writer = mda.coordinates.core.get_writer_for(filename=fn)
assert writer == mda.coordinates.GRO.GROWriter
# Make sure ``get_writer_for`` works with compressed file file names
def test_compressed_extension_fail(self):
for ext in (".gz", ".bz2"):
fn = "test.unk" + ext
# Make sure ``get_writer_for`` fails if an unknown format is compressed
with pytest.raises(TypeError):
mda.coordinates.core.get_writer_for(filename=fn)
def test_non_string_filename(self):
# Does ``get_writer_for`` fails with non string filename, no format
with pytest.raises(ValueError):
mda.coordinates.core.get_writer_for(
filename=StringIO(), format=None
)
def test_multiframe_failure(self):
# does ``get_writer_for`` fail with invalid format and multiframe not None
with pytest.raises(TypeError):
mda.coordinates.core.get_writer_for(
filename="fail_me", format="UNK", multiframe=True
)
mda.coordinates.core.get_writer_for(
filename="fail_me", format="UNK", multiframe=False
)
def test_multiframe_nonsense(self):
with pytest.raises(ValueError):
mda.coordinates.core.get_writer_for(
filename="this.gro", multiframe="sandwich"
)
formats = [
# format name, related class, singleframe, multiframe
("CRD", mda.coordinates.CRD.CRDWriter, True, False),
("DATA", mda.coordinates.LAMMPS.DATAWriter, True, False),
("DCD", mda.coordinates.DCD.DCDWriter, True, True),
# ('ENT', mda.coordinates.PDB.PDBWriter, True, False),
("GRO", mda.coordinates.GRO.GROWriter, True, False),
("LAMMPS", mda.coordinates.LAMMPS.DCDWriter, True, True),
("MOL2", mda.coordinates.MOL2.MOL2Writer, True, True),
("NCDF", mda.coordinates.TRJ.NCDFWriter, True, True),
("NULL", mda.coordinates.null.NullWriter, True, True),
# ('PDB', mda.coordinates.PDB.PDBWriter, True, True), special case, done separately
("PDBQT", mda.coordinates.PDBQT.PDBQTWriter, True, False),
("PQR", mda.coordinates.PQR.PQRWriter, True, False),
("TRR", mda.coordinates.TRR.TRRWriter, True, True),
("XTC", mda.coordinates.XTC.XTCWriter, True, True),
("XYZ", mda.coordinates.XYZ.XYZWriter, True, True),
("TRZ", mda.coordinates.TRZ.TRZWriter, True, True),
]
@pytest.mark.parametrize(
"format, writer",
[
(format_tuple[0], format_tuple[1])
for format_tuple in formats
if format_tuple[2] is True
],
)
def test_singleframe(self, format, writer):
assert (
mda.coordinates.core.get_writer_for(
"this", format=format, multiframe=False
)
== writer
)
@pytest.mark.parametrize(
"format",
[
(format_tuple[0], format_tuple[1])
for format_tuple in formats
if format_tuple[2] is False
],
)
def test_singleframe_fails(self, format):
with pytest.raises(TypeError):
mda.coordinates.core.get_writer_for(
"this", format=format, multiframe=False
)
@pytest.mark.parametrize(
"format, writer",
[
(format_tuple[0], format_tuple[1])
for format_tuple in formats
if format_tuple[3] is True
],
)
def test_multiframe(self, format, writer):
assert (
mda.coordinates.core.get_writer_for(
"this", format=format, multiframe=True
)
== writer
)
@pytest.mark.parametrize(
"format",
[
format_tuple[0]
for format_tuple in formats
if format_tuple[3] is False
],
)
def test_multiframe_fails(self, format):
with pytest.raises(TypeError):
mda.coordinates.core.get_writer_for(
"this", format=format, multiframe=True
)
def test_get_writer_for_pdb(self):
assert (
mda.coordinates.core.get_writer_for(
"this", format="PDB", multiframe=False
)
== mda.coordinates.PDB.PDBWriter
)
assert (
mda.coordinates.core.get_writer_for(
"this", format="PDB", multiframe=True
)
== mda.coordinates.PDB.MultiPDBWriter
)
assert (
mda.coordinates.core.get_writer_for(
"this", format="ENT", multiframe=False
)
== mda.coordinates.PDB.PDBWriter
)
assert (
mda.coordinates.core.get_writer_for(
"this", format="ENT", multiframe=True
)
== mda.coordinates.PDB.MultiPDBWriter
)
class TestBlocksOf(object):
def test_blocks_of_1(self):
arr = np.arange(16).reshape(4, 4)
view = util.blocks_of(arr, 1, 1)
assert view.shape == (4, 1, 1)
assert_array_almost_equal(
view, np.array([[[0]], [[5]], [[10]], [[15]]])
)
# Change my view, check changes are reflected in arr
view[:] = 1001
assert_array_almost_equal(
arr,
np.array(
[
[1001, 1, 2, 3],
[4, 1001, 6, 7],
[8, 9, 1001, 11],
[12, 13, 14, 1001],
]
),
)
def test_blocks_of_2(self):
arr = np.arange(16).reshape(4, 4)
view = util.blocks_of(arr, 2, 2)
assert view.shape == (2, 2, 2)
assert_array_almost_equal(
view, np.array([[[0, 1], [4, 5]], [[10, 11], [14, 15]]])
)
view[0] = 100
view[1] = 200
assert_array_almost_equal(
arr,
np.array(
[
[100, 100, 2, 3],
[100, 100, 6, 7],
[8, 9, 200, 200],
[12, 13, 200, 200],
]
),
)
def test_blocks_of_3(self):
# testing non square array
arr = np.arange(32).reshape(8, 4)
view = util.blocks_of(arr, 2, 1)
assert view.shape == (4, 2, 1)
def test_blocks_of_4(self):
# testing block exceeding array size results in empty view
arr = np.arange(4).reshape(2, 2)
view = util.blocks_of(arr, 3, 3)
assert view.shape == (0, 3, 3)
view[:] = 100
assert_array_equal(arr, np.arange(4).reshape(2, 2))
def test_blocks_of_ValueError(self):
arr = np.arange(16).reshape(4, 4)
with pytest.raises(ValueError):
util.blocks_of(arr, 2, 1) # blocks don't fit
with pytest.raises(ValueError):
util.blocks_of(arr[:, ::2], 2, 1) # non-contiguous input
@pytest.mark.parametrize(
"arr,answer",
[
([2, 3, 4, 7, 8, 9, 10, 15, 16], [[2, 3, 4], [7, 8, 9, 10], [15, 16]]),
([11, 12, 13, 14, 15, 16], [[11, 12, 13, 14, 15, 16]]),
([1, 2, 2, 2, 3, 6], [[1, 2, 2, 2, 3], [6]]),
],
)
def test_group_same_or_consecutive_integers(arr, answer):
assert_equal(util.group_same_or_consecutive_integers(arr), answer)
class TestNamespace(object):
@staticmethod
@pytest.fixture()
def ns():
return util.Namespace()
def test_getitem(self, ns):
ns.this = 42
assert ns["this"] == 42
def test_getitem_KeyError(self, ns):
with pytest.raises(KeyError):
dict.__getitem__(ns, "this")
def test_setitem(self, ns):
ns["this"] = 42
assert ns["this"] == 42
def test_delitem(self, ns):
ns["this"] = 42
assert "this" in ns
del ns["this"]
assert "this" not in ns
def test_delitem_AttributeError(self, ns):
with pytest.raises(AttributeError):
del ns.this
def test_setattr(self, ns):
ns.this = 42
assert ns.this == 42
def test_getattr(self, ns):
ns["this"] = 42
assert ns.this == 42
def test_getattr_AttributeError(self, ns):
with pytest.raises(AttributeError):
getattr(ns, "this")
def test_delattr(self, ns):
ns["this"] = 42
assert "this" in ns
del ns.this
assert "this" not in ns
def test_eq(self, ns):
ns["this"] = 42
ns2 = util.Namespace()
ns2["this"] = 42
assert ns == ns2
def test_len(self, ns):
assert len(ns) == 0
ns["this"] = 1
ns["that"] = 2
assert len(ns) == 2
def test_iter(self, ns):
ns["this"] = 12
ns["that"] = 24
ns["other"] = 48
seen = []
for val in ns:
seen.append(val)
for val in ["this", "that", "other"]:
assert val in seen
class TestTruncateInteger(object):
@pytest.mark.parametrize(
"a, b",
[
((1234, 1), 4),
((1234, 2), 34),
((1234, 3), 234),
((1234, 4), 1234),
((1234, 5), 1234),
],
)
def test_ltruncate_int(self, a, b):
assert util.ltruncate_int(*a) == b
class TestFlattenDict(object):
def test_flatten_dict(self):
d = {
"A": {1: ("a", "b", "c")},
"B": {2: ("c", "d", "e")},
"C": {3: ("f", "g", "h")},
}
result = util.flatten_dict(d)
for k in result:
assert type(k) == tuple
assert len(k) == 2
assert k[0] in d
assert k[1] in d[k[0]]
assert result[k] in d[k[0]].values()
class TestStaticVariables(object):
"""Tests concerning the decorator @static_variables"""
def test_static_variables(self):
x = [0]
@static_variables(foo=0, bar={"test": x})
def myfunc():
assert myfunc.foo == 0
assert type(myfunc.bar) is type(dict())
if "test2" not in myfunc.bar:
myfunc.bar["test2"] = "a"
else:
myfunc.bar["test2"] += "a"
myfunc.bar["test"][0] += 1
return myfunc.bar["test"]
assert hasattr(myfunc, "foo")
assert hasattr(myfunc, "bar")
y = myfunc()
assert y is x
assert x[0] == 1
assert myfunc.bar["test"][0] == 1
assert myfunc.bar["test2"] == "a"
x = [0]
y = myfunc()
assert y is not x
assert myfunc.bar["test"][0] == 2
assert myfunc.bar["test2"] == "aa"
class TestWarnIfNotUnique(object):
"""Tests concerning the decorator @warn_if_not_unique"""
def warn_msg(self, func, group, group_name):
msg = (
"{}.{}(): {} {} contains duplicates. Results might be "
"biased!".format(
group.__class__.__name__,
func.__name__,
group_name,
group.__repr__(),
)
)
return msg
def test_warn_if_not_unique(self, atoms):
# Check that the warn_if_not_unique decorator has a "static variable"
# warn_if_not_unique.warned:
assert hasattr(warn_if_not_unique, "warned")
assert warn_if_not_unique.warned is False
def test_warn_if_not_unique_once_outer(self, atoms):
# Construct a scenario with two nested functions, each one decorated
# with @warn_if_not_unique:
@warn_if_not_unique
def inner(group):
if not group.isunique:
# The inner function should not trigger a warning, and the state
# of warn_if_not_unique.warned should reflect that:
assert warn_if_not_unique.warned is True
return 0
@warn_if_not_unique
def outer(group):
return inner(group)
# Check that no warning is raised for a unique group:
assert atoms.isunique
with warnings.catch_warnings():
warnings.simplefilter("error")
x = outer(atoms)
assert x == 0
# Check that a warning is raised for a group with duplicates:
ag = atoms + atoms[0]
msg = self.warn_msg(outer, ag, "'ag'")
with pytest.warns(DuplicateWarning) as w:
assert warn_if_not_unique.warned is False
x = outer(ag)
# Assert that the "warned" state is restored:
assert warn_if_not_unique.warned is False
# Check correct function execution:
assert x == 0
# Only one warning must have been raised:
assert len(w) == 1
# For whatever reason pytest.warns(DuplicateWarning, match=msg)
# doesn't work, so we compare the recorded warning message instead:
assert w[0].message.args[0] == msg
# Make sure the warning uses the correct stacklevel and references
# this file instead of MDAnalysis/lib/util.py:
assert w[0].filename == __file__
def test_warned_state_restored_on_failure(self, atoms):
# A decorated function raising an exception:
@warn_if_not_unique
def thisfails(group):
raise ValueError()
ag = atoms + atoms[0]
msg = self.warn_msg(thisfails, ag, "'ag'")
with pytest.warns(DuplicateWarning) as w:
assert warn_if_not_unique.warned is False
with pytest.raises(ValueError):
thisfails(ag)
# Assert that the "warned" state is restored despite `thisfails`
# raising an exception:
assert warn_if_not_unique.warned is False
assert len(w) == 1
assert w[0].message.args[0] == msg
assert w[0].filename == __file__
def test_warn_if_not_unique_once_inner(self, atoms):
# Construct a scenario with two nested functions, each one decorated
# with @warn_if_not_unique, but the outer function adds a duplicate
# to the group:
@warn_if_not_unique
def inner(group):
return 0
@warn_if_not_unique
def outer(group):
dupgroup = group + group[0]
return inner(dupgroup)
# Check that even though outer() is called the warning is raised for
# inner():
msg = self.warn_msg(inner, atoms + atoms[0], "'dupgroup'")
with pytest.warns(DuplicateWarning) as w:
assert warn_if_not_unique.warned is False
x = outer(atoms)
# Assert that the "warned" state is restored:
assert warn_if_not_unique.warned is False
# Check correct function execution:
assert x == 0
# Only one warning must have been raised:
assert len(w) == 1
assert w[0].message.args[0] == msg
assert w[0].filename == __file__
def test_warn_if_not_unique_multiple_references(self, atoms):
ag = atoms + atoms[0]
aag = ag
aaag = aag
@warn_if_not_unique
def func(group):
return group.isunique
# Check that the warning message contains the names of all references to
# the group in alphabetic order:
msg = self.warn_msg(func, ag, "'aaag' a.k.a. 'aag' a.k.a. 'ag'")
with pytest.warns(DuplicateWarning) as w:
x = func(ag)
# Assert that the "warned" state is restored:
assert warn_if_not_unique.warned is False
# Check correct function execution:
assert x is False
# Check warning message:
assert w[0].message.args[0] == msg
# Check correct file referenced:
assert w[0].filename == __file__
def test_warn_if_not_unique_unnamed(self, atoms):
@warn_if_not_unique
def func(group):
pass
msg = self.warn_msg(
func,
atoms + atoms[0],
"'unnamed {}'".format(atoms.__class__.__name__),
)
with pytest.warns(DuplicateWarning) as w:
func(atoms + atoms[0])
# Check warning message:
assert w[0].message.args[0] == msg
def test_warn_if_not_unique_fails_for_non_groupmethods(self):
@warn_if_not_unique
def func(group):
pass
class dummy(object):
pass
with pytest.raises(AttributeError):
func(dummy())
def test_filter_duplicate_with_userwarning(self, atoms):
@warn_if_not_unique
def func(group):
pass
with warnings.catch_warnings(record=True) as record:
warnings.resetwarnings()
warnings.filterwarnings("ignore", category=UserWarning)
with warnings.catch_warnings():
warnings.simplefilter("error")
func(atoms)
assert len(record) == 0
class TestCheckCoords(object):
"""Tests concerning the decorator @check_coords"""
prec = 6
def test_default_options(self):
a_in = np.zeros(3, dtype=np.float32)
b_in = np.ones(3, dtype=np.float32)
b_in2 = np.ones((2, 3), dtype=np.float32)
@check_coords("a", "b")
def func(a, b):
# check that enforce_copy is True by default:
assert a is not a_in
assert b is not b_in
# check that convert_single is True by default:
assert a.shape == (1, 3)
assert b.shape == (1, 3)
return a + b
# check that allow_single is True by default:
res = func(a_in, b_in)
# check that reduce_result_if_single is True by default:
assert res.shape == (3,)
# check correct function execution:
assert_array_equal(res, b_in)
# check that check_lenghts_match is True by default:
with pytest.raises(ValueError):
res = func(a_in, b_in2)
@pytest.fixture()
def atomgroup(self):
u = mda.Universe(PSF, DCD)
return u.atoms
# check atomgroup handling with every option except allow_atomgroup
@pytest.mark.parametrize("enforce_copy", [True, False])
@pytest.mark.parametrize("enforce_dtype", [True, False])
@pytest.mark.parametrize("allow_single", [True, False])
@pytest.mark.parametrize("convert_single", [True, False])
@pytest.mark.parametrize("reduce_result_if_single", [True, False])
@pytest.mark.parametrize("check_lengths_match", [True, False])
def test_atomgroup(
self,
atomgroup,
enforce_copy,
enforce_dtype,
allow_single,
convert_single,
reduce_result_if_single,
check_lengths_match,
):
ag1 = atomgroup
ag2 = atomgroup
@check_coords(
"ag1",
"ag2",
enforce_copy=enforce_copy,
enforce_dtype=enforce_dtype,
allow_single=allow_single,
convert_single=convert_single,
reduce_result_if_single=reduce_result_if_single,
check_lengths_match=check_lengths_match,
allow_atomgroup=True,
)
def func(ag1, ag2):
assert_allclose(ag1, ag2)
assert isinstance(ag1, np.ndarray)
assert isinstance(ag2, np.ndarray)
assert ag1.dtype == ag2.dtype == np.float32
return ag1 + ag2
res = func(ag1, ag2)
assert_allclose(res, atomgroup.positions * 2)
def test_atomgroup_not_allowed(self, atomgroup):
@check_coords("ag1", allow_atomgroup=False)
def func(ag1):
return ag1
with pytest.raises(TypeError, match="allow_atomgroup is False"):
_ = func(atomgroup)
def test_atomgroup_not_allowed_default(self, atomgroup):
@check_coords("ag1")
def func_default(ag1):
return ag1
with pytest.raises(TypeError, match="allow_atomgroup is False"):
_ = func_default(atomgroup)
def test_enforce_copy(self):
a_2d = np.ones((1, 3), dtype=np.float32)
b_1d = np.zeros(3, dtype=np.float32)
c_2d = np.zeros((1, 6), dtype=np.float32)[:, ::2]
d_2d = np.zeros((1, 3), dtype=np.int64)
@check_coords("a", "b", "c", "d", enforce_copy=False)
def func(a, b, c, d):
# Assert that if enforce_copy is False:
# no copy is made if input shape, order, and dtype are correct:
assert a is a_2d
# a copy is made if input shape has to be changed:
assert b is not b_1d
# a copy is made if input order has to be changed:
assert c is not c_2d
# a copy is made if input dtype has to be changed:
assert d is not d_2d
# Assert correct dtype conversion:
assert d.dtype == np.float32
assert_almost_equal(d, d_2d, self.prec)
# Assert all shapes are converted to (1, 3):
assert a.shape == b.shape == c.shape == d.shape == (1, 3)
return a + b + c + d
# Call func() to:
# - test the above assertions
# - ensure that input of single coordinates is simultaneously possible
# with different shapes (3,) and (1, 3)
res = func(a_2d, b_1d, c_2d, d_2d)
# Since some inputs are not 1d, even though reduce_result_if_single is
# True, the result must have shape (1, 3):
assert res.shape == (1, 3)
# check correct function execution:
assert_array_equal(res, a_2d)
def test_no_allow_single(self):
@check_coords("a", allow_single=False)
def func(a):
pass
with pytest.raises(ValueError) as err:
func(np.zeros(3, dtype=np.float32))
assert err.msg == ("func(): a.shape must be (n, 3), got (3,).")
def test_no_convert_single(self):
a_1d = np.arange(-3, 0, dtype=np.float32)
@check_coords("a", enforce_copy=False, convert_single=False)
def func(a):
# assert no conversion and no copy were performed:
assert a is a_1d
return a
res = func(a_1d)
# Assert result has been reduced:
assert res == a_1d[0]
assert type(res) is np.float32
def test_no_reduce_result_if_single(self):
a_1d = np.zeros(3, dtype=np.float32)
# Test without shape conversion:
@check_coords(
"a",
enforce_copy=False,
convert_single=False,
reduce_result_if_single=False,
)
def func(a):
return a
res = func(a_1d)
# make sure the input array is just passed through:
assert res is a_1d
# Test with shape conversion:
@check_coords("a", enforce_copy=False, reduce_result_if_single=False)
def func(a):
return a
res = func(a_1d)
assert res.shape == (1, 3)
assert_array_equal(res[0], a_1d)
def test_no_check_lengths_match(self):
a_2d = np.zeros((1, 3), dtype=np.float32)
b_2d = np.zeros((3, 3), dtype=np.float32)
@check_coords("a", "b", enforce_copy=False, check_lengths_match=False)
def func(a, b):
return a, b
res_a, res_b = func(a_2d, b_2d)
# Assert arrays are just passed through:
assert res_a is a_2d
assert res_b is b_2d
def test_atomgroup_mismatched_lengths(self):
u = mda.Universe(PSF, DCD)
ag1 = u.select_atoms("index 0 to 10")
ag2 = u.atoms
@check_coords(
"ag1", "ag2", check_lengths_match=True, allow_atomgroup=True
)
def func(ag1, ag2):
return ag1, ag2
with pytest.raises(
ValueError, match="must contain the same number of " "coordinates"
):
_, _ = func(ag1, ag2)
def test_invalid_input(self):
a_inv_dtype = np.array([["hello", "world", "!"]])
a_inv_type = [[0.0, 0.0, 0.0]]
a_inv_shape_1d = np.zeros(6, dtype=np.float32)
a_inv_shape_2d = np.zeros((3, 2), dtype=np.float32)
@check_coords("a")
def func(a):
pass
with pytest.raises(TypeError) as err:
func(a_inv_dtype)
assert err.msg.startswith(
"func(): a.dtype must be convertible to " "float32, got "
)
with pytest.raises(TypeError) as err:
func(a_inv_type)
assert err.msg == (
"func(): Parameter 'a' must be a numpy.ndarray, "
"got <class 'list'>."
)
with pytest.raises(ValueError) as err:
func(a_inv_shape_1d)
assert err.msg == (
"func(): a.shape must be (3,) or (n, 3), got " "(6,)."
)
with pytest.raises(ValueError) as err:
func(a_inv_shape_2d)
assert err.msg == (
"func(): a.shape must be (3,) or (n, 3), got " "(3, 2)."
)
def test_usage_with_kwargs(self):
a_2d = np.zeros((1, 3), dtype=np.float32)
@check_coords("a", enforce_copy=False)
def func(a, b, c=0):
return a, b, c
# check correct functionality if passed as keyword argument:
a, b, c = func(a=a_2d, b=0, c=1)
assert a is a_2d
assert b == 0
assert c == 1
def test_wrong_func_call(self):
@check_coords("a", enforce_copy=False)
def func(a, b, c=0):
pass
# Make sure invalid call marker is present:
func._invalid_call = False
# usage with posarg doubly defined:
assert not func._invalid_call
with pytest.raises(TypeError):
func(0, a=0) # pylint: disable=redundant-keyword-arg
assert func._invalid_call
func._invalid_call = False
# usage with missing posargs:
assert not func._invalid_call
with pytest.raises(TypeError):
func(0)
assert func._invalid_call
func._invalid_call = False
# usage with missing posargs (supplied as kwargs):
assert not func._invalid_call
with pytest.raises(TypeError):
func(a=0, c=1)
assert func._invalid_call
func._invalid_call = False
# usage with too many posargs:
assert not func._invalid_call
with pytest.raises(TypeError):
func(0, 0, 0, 0)
assert func._invalid_call
func._invalid_call = False
# usage with unexpected kwarg:
assert not func._invalid_call
with pytest.raises(TypeError):
func(a=0, b=0, c=1, d=1) # pylint: disable=unexpected-keyword-arg
assert func._invalid_call
func._invalid_call = False
def test_wrong_decorator_usage(self):
# usage without parantheses:
@check_coords
def func():
pass
with pytest.raises(TypeError):
func()
# usage without arguments:
with pytest.raises(ValueError) as err:
@check_coords()
def func():
pass
assert err.msg == (
"Decorator check_coords() cannot be used "
"without positional arguments."
)
# usage with defaultarg:
with pytest.raises(ValueError) as err:
@check_coords("a")
def func(a=1):
pass
assert err.msg == (
"In decorator check_coords(): Name 'a' doesn't "
"correspond to any positional argument of the "
"decorated function func()."
)
# usage with invalid parameter name:
with pytest.raises(ValueError) as err:
@check_coords("b")
def func(a):
pass
assert err.msg == (
"In decorator check_coords(): Name 'b' doesn't "
"correspond to any positional argument of the "
"decorated function func()."
)
@pytest.mark.parametrize("old_name", (None, "MDAnalysis.Universe"))
@pytest.mark.parametrize("new_name", (None, "Multiverse"))
@pytest.mark.parametrize("remove", (None, "99.0.0", 2099))
@pytest.mark.parametrize("message", (None, "use the new stuff"))
def test_deprecate(old_name, new_name, remove, message, release="2.7.1"):
def AlternateUniverse(anything):
# important: first line needs to be """\ so that textwrap.dedent()
# works
"""\
AlternateUniverse provides a true view of the Universe.
Parameters
----------
anything : object
Returns
-------
truth
"""
return True
oldfunc = util.deprecate(
AlternateUniverse,
old_name=old_name,
new_name=new_name,
release=release,
remove=remove,
message=message,
)
# match_expr changed to match (Issue 2329)
with pytest.warns(DeprecationWarning, match="`.+` is deprecated"):
oldfunc(42)
doc = oldfunc.__doc__
name = old_name if old_name else AlternateUniverse.__name__
deprecation_line_1 = ".. deprecated:: {0}".format(release)
assert re.search(deprecation_line_1, doc)
if message:
deprecation_line_2 = message
else:
if new_name is None:
default_message = "`{0}` is deprecated!".format(name)
else:
default_message = "`{0}` is deprecated, use `{1}` instead!".format(
name, new_name
)
deprecation_line_2 = default_message
assert re.search(deprecation_line_2, doc)
if remove:
deprecation_line_3 = "`{0}` will be removed in release {1}".format(
name, remove
)
assert re.search(deprecation_line_3, doc)
# check that the old docs are still present
assert re.search(textwrap.dedent(AlternateUniverse.__doc__), doc)
def test_deprecate_missing_release_ValueError():
with pytest.raises(ValueError):
util.deprecate(mda.Universe)
def test_set_function_name(name="bar"):
def foo():
pass
util._set_function_name(foo, name)
assert foo.__name__ == name
@pytest.mark.parametrize(
"text",
(
"",
"one line text",
" one line with leading space",
"multiline\n\n with some\n leading space",
" multiline\n\n with all\n leading space",
),
)
def test_dedent_docstring(text):
doc = util.dedent_docstring(text)
for line in doc.splitlines():
assert line == line.lstrip()
class TestCheckBox(object):
prec = 6
ref_ortho = np.ones(3, dtype=np.float32)
ref_tri_vecs = np.array(
[[1, 0, 0], [0, 1, 0], [0, 2**0.5, 2**0.5]], dtype=np.float32
)
@pytest.mark.parametrize(
"box",
(
[1, 1, 1, 90, 90, 90],
(1, 1, 1, 90, 90, 90),
["1", "1", 1, 90, "90", "90"],
("1", "1", 1, 90, "90", "90"),
np.array(["1", "1", 1, 90, "90", "90"]),
np.array([1, 1, 1, 90, 90, 90], dtype=np.float32),
np.array([1, 1, 1, 90, 90, 90], dtype=np.float64),
np.array(
[1, 1, 1, 1, 1, 1, 90, 90, 90, 90, 90, 90], dtype=np.float32
)[::2],
),
)
def test_check_box_ortho(self, box):
boxtype, checked_box = util.check_box(box)
assert boxtype == "ortho"
assert_allclose(checked_box, self.ref_ortho)
assert checked_box.dtype == np.float32
assert checked_box.flags["C_CONTIGUOUS"]
def test_check_box_None(self):
with pytest.raises(ValueError, match="Box is None"):
util.check_box(None)
@pytest.mark.parametrize(
"box",
(
[1, 1, 2, 45, 90, 90],
(1, 1, 2, 45, 90, 90),
["1", "1", 2, 45, "90", "90"],
("1", "1", 2, 45, "90", "90"),
np.array(["1", "1", 2, 45, "90", "90"]),
np.array([1, 1, 2, 45, 90, 90], dtype=np.float32),
np.array([1, 1, 2, 45, 90, 90], dtype=np.float64),
np.array(
[1, 1, 1, 1, 2, 2, 45, 45, 90, 90, 90, 90], dtype=np.float32
)[::2],
),
)
def test_check_box_tri_vecs(self, box):
boxtype, checked_box = util.check_box(box)
assert boxtype == "tri_vecs"
assert_almost_equal(checked_box, self.ref_tri_vecs, self.prec)
assert checked_box.dtype == np.float32
assert checked_box.flags["C_CONTIGUOUS"]
def test_check_box_wrong_data(self):
with pytest.raises(ValueError):
wrongbox = ["invalid", 1, 1, 90, 90, 90]
boxtype, checked_box = util.check_box(wrongbox)
def test_check_box_wrong_shape(self):
with pytest.raises(ValueError):
wrongbox = np.ones((3, 3), dtype=np.float32)
boxtype, checked_box = util.check_box(wrongbox)
class StoredClass:
"""
A simple class that takes positional and keyword arguments of various types
"""
@store_init_arguments
def __init__(self, a, b, /, *args, c="foo", d="bar", e="foobar", **kwargs):
self.a = a
self.b = b
self.c = c
self.d = d
self.e = e
self.args = args
self.kwargs = kwargs
def copy(self):
kwargs = copy.deepcopy(self._kwargs)
args = kwargs.pop("args", tuple())
new = self.__class__(kwargs.pop("a"), kwargs.pop("b"), *args, **kwargs)
return new
class TestStoreInitArguments:
def test_store_arguments_default(self):
store = StoredClass("parsnips", ["roast"])
assert store.a == store._kwargs["a"] == "parsnips"
assert store.b is store._kwargs["b"] == ["roast"]
assert store._kwargs["c"] == "foo"
assert store._kwargs["d"] == "bar"
assert store._kwargs["e"] == "foobar"
assert "args" not in store._kwargs.keys()
assert "kwargs" not in store._kwargs.keys()
assert store.args is ()
store2 = store.copy()
assert store2.__dict__ == store.__dict__
assert store2.__dict__["b"] is not store.__dict__["b"]
def test_store_arguments_withkwargs(self):
store = StoredClass(
"parsnips",
"roast",
"honey",
"glaze",
c="richard",
d="has",
e="a",
f="recipe",
g="allegedly",
)
assert store.a == store._kwargs["a"] == "parsnips"
assert store.b == store._kwargs["b"] == "roast"
assert store.c == store._kwargs["c"] == "richard"
assert store.d == store._kwargs["d"] == "has"
assert store.e == store._kwargs["e"] == "a"
assert store.kwargs["f"] == store._kwargs["f"] == "recipe"
assert store.kwargs["g"] == store._kwargs["g"] == "allegedly"
assert store.args[0] == store._kwargs["args"][0] == "honey"
assert store.args[1] == store._kwargs["args"][1] == "glaze"
store2 = store.copy()
assert store2.__dict__ == store.__dict__
@pytest.mark.xfail(
os.name == "nt", reason="util.which does not get right binary on Windows"
)
def test_which():
wmsg = "This method is deprecated"
with pytest.warns(DeprecationWarning, match=wmsg):
assert util.which("python") == shutil.which("python")
@pytest.mark.parametrize(
"modulename,is_installed",
[("math", True), ("sys", True), ("some_weird_module_name", False)],
)
def test_is_installed(modulename, is_installed):
assert util.is_installed(modulename) == is_installed
|