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 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433 2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444 2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474 2475 2476 2477 2478 2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516 2517 2518 2519 2520 2521 2522 2523 2524 2525 2526 2527 2528 2529 2530 2531 2532 2533 2534 2535 2536 2537 2538 2539 2540 2541 2542 2543 2544 2545 2546 2547 2548 2549 2550 2551 2552 2553 2554 2555 2556 2557 2558 2559 2560 2561 2562 2563 2564 2565 2566 2567 2568 2569 2570 2571 2572 2573 2574 2575 2576 2577 2578 2579 2580 2581 2582 2583 2584 2585 2586 2587 2588 2589 2590 2591 2592 2593 2594 2595 2596 2597 2598 2599 2600 2601 2602 2603 2604 2605 2606 2607 2608 2609 2610 2611 2612 2613 2614 2615 2616 2617 2618 2619 2620 2621 2622 2623 2624 2625 2626 2627 2628 2629 2630 2631 2632 2633 2634 2635 2636 2637 2638 2639 2640 2641 2642 2643 2644 2645 2646 2647 2648 2649 2650 2651 2652 2653 2654 2655 2656 2657 2658 2659 2660 2661 2662 2663 2664 2665 2666 2667 2668 2669 2670 2671
|
"""Test pyvista core utilities."""
from __future__ import annotations
from collections.abc import Iterable
import contextlib
import importlib
import json
import os
from pathlib import Path
import pickle
import platform
import re
import shutil
import sys
from typing import TYPE_CHECKING
from typing import Literal
from typing import TypeVar
from typing import get_args
from unittest import mock
import warnings
from hypothesis import given
from hypothesis import strategies as st
import numpy as np
import pytest
from scipy.spatial.transform import Rotation
import vtk
import pyvista as pv
from pyvista import examples as ex
from pyvista._deprecate_positional_args import _MAX_POSITIONAL_ARGS
from pyvista._deprecate_positional_args import _deprecate_positional_args
from pyvista.core import _vtk_core as _vtk
from pyvista.core.celltype import _CELL_TYPE_INFO
from pyvista.core.utilities import cells
from pyvista.core.utilities import fileio
from pyvista.core.utilities import fit_line_to_points
from pyvista.core.utilities import fit_plane_to_points
from pyvista.core.utilities import line_segments_from_points
from pyvista.core.utilities import principal_axes
from pyvista.core.utilities import transformations
from pyvista.core.utilities import vector_poly_data
from pyvista.core.utilities.arrays import _coerce_pointslike_arg
from pyvista.core.utilities.arrays import _SerializedDictArray
from pyvista.core.utilities.arrays import convert_array
from pyvista.core.utilities.arrays import copy_vtk_array
from pyvista.core.utilities.arrays import get_array
from pyvista.core.utilities.arrays import get_array_association
from pyvista.core.utilities.arrays import has_duplicates
from pyvista.core.utilities.arrays import parse_field_choice
from pyvista.core.utilities.arrays import raise_has_duplicates
from pyvista.core.utilities.arrays import raise_not_matching
from pyvista.core.utilities.arrays import vtk_id_list_to_array
from pyvista.core.utilities.cell_quality import _CELL_QUALITY_INFO
from pyvista.core.utilities.cell_quality import CellQualityInfo
from pyvista.core.utilities.docs import linkcode_resolve
from pyvista.core.utilities.features import create_grid
from pyvista.core.utilities.features import sample_function
from pyvista.core.utilities.fileio import get_ext
from pyvista.core.utilities.helpers import is_inside_bounds
from pyvista.core.utilities.misc import AnnotatedIntEnum
from pyvista.core.utilities.misc import _classproperty
from pyvista.core.utilities.misc import _NoNewAttrMixin
from pyvista.core.utilities.misc import assert_empty_kwargs
from pyvista.core.utilities.misc import check_valid_vector
from pyvista.core.utilities.misc import has_module
from pyvista.core.utilities.observers import Observer
from pyvista.core.utilities.observers import ProgressMonitor
from pyvista.core.utilities.state_manager import _StateManager
from pyvista.core.utilities.transform import Transform
from pyvista.plotting.prop3d import _orientation_as_rotation_matrix
from pyvista.plotting.widgets import _parse_interaction_event
from tests.conftest import NUMPY_VERSION_INFO
with contextlib.suppress(ImportError):
import tomllib # Python 3.11+
if TYPE_CHECKING:
from pytest_mock import MockerFixture
@pytest.fixture
def transform():
return Transform()
def test_sample_function_raises(monkeypatch: pytest.MonkeyPatch):
with monkeypatch.context() as m:
m.setattr(os, 'name', 'nt')
with pytest.raises(
ValueError,
match='This function on Windows only supports int32 or smaller',
):
sample_function(vtk.vtkPlane(), output_type=np.int64)
with pytest.raises(
ValueError,
match='This function on Windows only supports int32 or smaller',
):
sample_function(vtk.vtkPlane(), output_type=np.uint64)
with pytest.raises(
ValueError,
match='Invalid output_type 1',
):
sample_function(vtk.vtkPlane(), output_type=1)
def test_progress_monitor_raises(mocker: MockerFixture):
from pyvista.core.utilities import observers
m = mocker.patch.object(observers, 'importlib')
m.util.find_spec.return_value = False
with pytest.raises(
ImportError,
match='Please install `tqdm` to monitor algorithms.',
):
ProgressMonitor('algo')
def test_create_grid_raises():
with pytest.raises(NotImplementedError, match='Please specify dimensions.'):
create_grid(pv.Sphere(), dimensions=None)
def test_parse_field_choice_raises():
with pytest.raises(ValueError, match=re.escape('Data field (foo) not supported.')):
parse_field_choice('foo')
with pytest.raises(TypeError, match=re.escape('Data field (1) not supported.')):
parse_field_choice(1)
def test_convert_array_raises():
with pytest.raises(TypeError, match=re.escape("Invalid input array type (<class 'int'>).")):
convert_array(1)
def test_get_array_raises():
with pytest.raises(
KeyError, match=re.escape("'Data array (foo) not present in this dataset.'")
):
get_array(vtk.vtkTable(), 'foo', err=True)
with pytest.raises(
KeyError, match=re.escape("'Data array (foo) not present in this dataset.'")
):
get_array_association(vtk.vtkTable(), 'foo', err=True)
def test_raise_not_matching_raises():
with pytest.raises(
ValueError,
match=re.escape('Number of scalars (1) must match number of rows (0).'),
):
raise_not_matching(scalars=np.array([0.0]), dataset=pv.Table())
def test_version():
ver = vtk.vtkVersion()
assert ver.GetVTKMajorVersion() == pv.vtk_version_info.major
assert ver.GetVTKMinorVersion() == pv.vtk_version_info.minor
assert ver.GetVTKBuildVersion() == pv.vtk_version_info.micro
ver_tup = (
ver.GetVTKMajorVersion(),
ver.GetVTKMinorVersion(),
ver.GetVTKBuildVersion(),
)
assert str(ver_tup) == str(pv.vtk_version_info)
assert ver_tup == pv.vtk_version_info
assert pv.vtk_version_info >= (0, 0, 0)
def test_createvectorpolydata_error():
orig = np.random.default_rng().random((3, 1))
with pytest.raises(ValueError, match='orig array must be 3D'):
vector_poly_data(orig, [0, 1, 2])
vec = np.random.default_rng().random((3, 1))
with pytest.raises(ValueError, match='vec array must be 3D'):
vector_poly_data([0, 1, 2], vec)
def test_createvectorpolydata_1d():
orig = np.random.default_rng().random(3)
vec = np.random.default_rng().random(3)
vdata = vector_poly_data(orig, vec)
assert np.any(vdata.points)
assert np.any(vdata.point_data['vectors'])
def test_createvectorpolydata():
orig = np.random.default_rng().random((100, 3))
vec = np.random.default_rng().random((100, 3))
vdata = vector_poly_data(orig, vec)
assert np.any(vdata.points)
assert np.any(vdata.point_data['vectors'])
@pytest.mark.parametrize(
('path', 'target_ext'),
[
('/data/mesh.stl', '.stl'),
('/data/image.nii.gz', '.nii.gz'),
('/data/other.gz', '.gz'),
],
)
def test_get_ext(path, target_ext):
ext = get_ext(path)
assert ext == target_ext
@pytest.mark.parametrize('use_pathlib', [True, False])
def test_read(tmpdir, use_pathlib):
fnames = (
ex.antfile,
ex.planefile,
ex.hexbeamfile,
ex.spherefile,
ex.uniformfile,
ex.rectfile,
)
if use_pathlib:
fnames = [Path(fname) for fname in fnames]
types = (
pv.PolyData,
pv.PolyData,
pv.UnstructuredGrid,
pv.PolyData,
pv.ImageData,
pv.RectilinearGrid,
)
for i, filename in enumerate(fnames):
obj = fileio.read(filename)
assert isinstance(obj, types[i])
# this is also tested for each mesh types init from file tests
filename = str(tmpdir.mkdir('tmpdir').join('tmp.npy'))
arr = np.random.default_rng().random((10, 10))
np.save(filename, arr)
with pytest.raises(IOError): # noqa: PT011
_ = pv.read(filename)
# read non existing file
with pytest.raises(IOError): # noqa: PT011
_ = pv.read('this_file_totally_does_not_exist.vtk')
# Now test reading lists of files as multi blocks
multi = pv.read(fnames)
assert isinstance(multi, pv.MultiBlock)
assert multi.n_blocks == len(fnames)
nested = [ex.planefile, [ex.hexbeamfile, ex.uniformfile]]
multi = pv.read(nested)
assert isinstance(multi, pv.MultiBlock)
assert multi.n_blocks == 2
assert isinstance(multi[1], pv.MultiBlock)
assert multi[1].n_blocks == 2
def test_read_force_ext(tmpdir):
fnames = (
ex.antfile,
ex.planefile,
ex.hexbeamfile,
ex.spherefile,
ex.uniformfile,
ex.rectfile,
)
types = (
pv.PolyData,
pv.PolyData,
pv.UnstructuredGrid,
pv.PolyData,
pv.ImageData,
pv.RectilinearGrid,
)
dummy_extension = '.dummy'
for fname, type_ in zip(fnames, types):
path = Path(fname)
root = str(path.parent / path.stem)
original_ext = path.suffix
_, name = os.path.split(root)
new_fname = tmpdir / name + '.' + dummy_extension
shutil.copy(fname, new_fname)
data = fileio.read(new_fname, force_ext=original_ext)
assert isinstance(data, type_)
@mock.patch('pyvista.BaseReader.read')
@mock.patch('pyvista.BaseReader.reader')
@mock.patch('pyvista.BaseReader.show_progress')
def test_read_progress_bar(mock_show_progress, mock_reader, mock_read): # noqa: ARG001
"""Test passing attrs in read."""
pv.read(ex.antfile, progress_bar=True)
mock_show_progress.assert_called_once()
def test_read_force_ext_wrong_extension(tmpdir):
# try to read a .vtu file as .vts
# vtkXMLStructuredGridReader throws a VTK error about the validity of the XML file
# the returned dataset is empty
fname = tmpdir / 'airplane.vtu'
ex.load_airplane().cast_to_unstructured_grid().save(fname)
with warnings.catch_warnings():
warnings.simplefilter('ignore')
data = fileio.read(fname, force_ext='.vts')
assert data.n_points == 0
# try to read a .ply file as .vtm
# vtkXMLMultiBlockDataReader throws a VTK error about the validity of the XML file
# the returned dataset is empty
fname = ex.planefile
with warnings.catch_warnings():
warnings.simplefilter('ignore')
data = fileio.read(fname, force_ext='.vtm')
assert len(data) == 0
fname = ex.planefile
with pytest.raises(IOError): # noqa: PT011
fileio.read(fname, force_ext='.not_supported')
@mock.patch('pyvista.core.utilities.fileio.read_exodus')
def test_pyvista_read_exodus(read_exodus_mock):
# check that reading a file with extension .e calls `read_exodus`
# use the globefile as a dummy because pv.read() checks for the existence of the file
pv.read(ex.globefile, force_ext='.e')
args, kwargs = read_exodus_mock.call_args
filename = args[0]
assert filename == Path(ex.globefile)
def test_get_array_cell(hexbeam):
carr = np.random.default_rng().random(hexbeam.n_cells)
hexbeam.cell_data.set_array(carr, 'test_data')
data = get_array(hexbeam, 'test_data', preference='cell')
assert np.allclose(carr, data)
def test_get_array_point(hexbeam):
parr = np.random.default_rng().random(hexbeam.n_points)
hexbeam.point_data.set_array(parr, 'test_data')
data = get_array(hexbeam, 'test_data', preference='point')
assert np.allclose(parr, data)
oarr = np.random.default_rng().random(hexbeam.n_points)
hexbeam.point_data.set_array(oarr, 'other')
data = get_array(hexbeam, 'other')
assert np.allclose(oarr, data)
def test_get_array_field(hexbeam):
hexbeam.clear_data()
# no preference
farr = np.random.default_rng().random(hexbeam.n_points * hexbeam.n_cells)
hexbeam.field_data.set_array(farr, 'data')
data = get_array(hexbeam, 'data')
assert np.allclose(farr, data)
# preference and multiple data
hexbeam.point_data.set_array(np.random.default_rng().random(hexbeam.n_points), 'data')
data = get_array(hexbeam, 'data', preference='field')
assert np.allclose(farr, data)
def test_get_array_error(hexbeam):
parr = np.random.default_rng().random(hexbeam.n_points)
hexbeam.point_data.set_array(parr, 'test_data')
# invalid inputs
with pytest.raises(TypeError):
get_array(hexbeam, 'test_data', preference={'invalid'})
with pytest.raises(ValueError): # noqa: PT011
get_array(hexbeam, 'test_data', preference='invalid')
with pytest.raises(ValueError, match='`preference` must be'):
get_array(hexbeam, 'test_data', preference='row')
def test_get_array_none(hexbeam):
arr = get_array(hexbeam, 'foo')
assert arr is None
def get_array_vtk(hexbeam):
# test raw VTK input
grid_vtk = vtk.vtkUnstructuredGrid()
grid_vtk.DeepCopy(hexbeam)
get_array(grid_vtk, 'test_data')
get_array(grid_vtk, 'foo')
def test_is_inside_bounds():
data = ex.load_uniform()
bnds = data.bounds
assert is_inside_bounds((0.5, 0.5, 0.5), bnds)
assert not is_inside_bounds((12, 5, 5), bnds)
assert not is_inside_bounds((5, 12, 5), bnds)
assert not is_inside_bounds((5, 5, 12), bnds)
assert not is_inside_bounds((12, 12, 12), bnds)
def test_is_inside_bounds_raises():
with pytest.raises(ValueError, match='Bounds mismatch point dimensionality'):
is_inside_bounds(point=np.array([0]), bounds=(0,))
with pytest.raises(ValueError, match='Bounds mismatch point dimensionality'):
is_inside_bounds(point=np.array([0]), bounds=(0, 1, 3, 4, 5))
with pytest.raises(
TypeError, match=re.escape("Unknown input data type (<class 'NoneType'>).")
):
is_inside_bounds(point=None, bounds=(0,))
def test_voxelize(uniform):
with pytest.warns(pv.PyVistaDeprecationWarning):
vox = pv.voxelize(uniform, density=0.5)
assert vox.n_cells
if pv._version.version_info[:2] > (0, 49):
msg = 'Remove this deprecated function.'
raise RuntimeError(msg)
def test_voxelize_non_uniform_density(uniform):
with pytest.warns(pv.PyVistaDeprecationWarning):
vox = pv.voxelize(uniform, density=[0.5, 0.3, 0.2])
assert vox.n_cells
with pytest.warns(pv.PyVistaDeprecationWarning):
vox = pv.voxelize(uniform, density=np.array([0.5, 0.3, 0.2]))
assert vox.n_cells
def test_voxelize_invalid_density(rectilinear):
# test error when density is not length-3
with pytest.warns(pv.PyVistaDeprecationWarning):
with pytest.raises(ValueError, match='not enough values to unpack'):
pv.voxelize(rectilinear, density=[0.5, 0.3])
# test error when density is not an array-like
with pytest.warns(pv.PyVistaDeprecationWarning):
with pytest.raises(TypeError, match='expected number or array-like'):
pv.voxelize(rectilinear, density={0.5, 0.3})
def test_voxelize_throws_point_cloud(hexbeam):
mesh = pv.PolyData(hexbeam.points)
with pytest.warns(pv.PyVistaDeprecationWarning):
with pytest.raises(ValueError, match='must have faces'):
pv.voxelize(mesh)
def test_voxelize_volume_default_density(uniform):
with pytest.warns(pv.PyVistaDeprecationWarning):
expected = pv.voxelize_volume(uniform, density=uniform.length / 100).n_cells
with pytest.warns(pv.PyVistaDeprecationWarning):
actual = pv.voxelize_volume(uniform).n_cells
assert actual == expected
if pv._version.version_info[:2] > (0, 49):
msg = 'Remove this deprecated function.'
raise RuntimeError(msg)
def test_voxelize_volume_invalid_density(rectilinear):
with pytest.warns(pv.PyVistaDeprecationWarning):
with pytest.raises(TypeError, match='expected number or array-like'):
pv.voxelize_volume(rectilinear, density={0.5, 0.3})
def test_voxelize_volume_no_face_mesh(rectilinear):
with pytest.warns(pv.PyVistaDeprecationWarning):
with pytest.raises(ValueError, match='must have faces'):
pv.voxelize_volume(pv.PolyData())
with pytest.warns(pv.PyVistaDeprecationWarning):
with pytest.raises(TypeError, match='expected number or array-like'):
pv.voxelize_volume(rectilinear, density={0.5, 0.3})
@pytest.mark.parametrize('function', [pv.voxelize_volume, pv.voxelize])
def test_voxelize_enclosed_bounds(function, ant):
with pytest.warns(pv.PyVistaDeprecationWarning):
vox = function(ant, density=0.9, enclosed=True)
assert vox.bounds.x_min <= ant.bounds.x_min
assert vox.bounds.y_min <= ant.bounds.y_min
assert vox.bounds.z_min <= ant.bounds.z_min
assert vox.bounds.x_max >= ant.bounds.x_max
assert vox.bounds.y_max >= ant.bounds.y_max
assert vox.bounds.z_max >= ant.bounds.z_max
@pytest.mark.parametrize('function', [pv.voxelize_volume, pv.voxelize])
def test_voxelize_fit_bounds(function, uniform):
with pytest.warns(pv.PyVistaDeprecationWarning):
vox = function(uniform, density=0.9, fit_bounds=True)
assert np.isclose(vox.bounds.x_min, uniform.bounds.x_min)
assert np.isclose(vox.bounds.y_min, uniform.bounds.y_min)
assert np.isclose(vox.bounds.z_min, uniform.bounds.z_min)
assert np.isclose(vox.bounds.x_max, uniform.bounds.x_max)
assert np.isclose(vox.bounds.y_max, uniform.bounds.y_max)
assert np.isclose(vox.bounds.z_max, uniform.bounds.z_max)
def test_report():
report = pv.Report(gpu=True)
assert report is not None
assert 'GPU Details : None' not in report.__repr__()
report = pv.Report(gpu=False)
assert report is not None
assert 'GPU Details : None' in report.__repr__()
assert re.search(r'Render Window : vtk\w+RenderWindow', report.__repr__())
def test_line_segments_from_points():
points = np.array([[0, 0, 0], [1, 0, 0], [1, 0, 0], [1, 1, 0]])
poly = pv.line_segments_from_points(points)
assert poly.n_cells == 2
assert poly.n_points == 4
cells = poly.lines
assert np.allclose(cells[:3], [2, 0, 1])
assert np.allclose(cells[3:], [2, 2, 3])
def test_lines_from_points():
points = np.array([[0, 0, 0], [1, 0, 0], [1, 1, 0]])
poly = pv.lines_from_points(points)
assert poly.n_cells == 2
assert poly.n_points == 3
cells = poly.lines
assert np.allclose(cells[:3], [2, 0, 1])
assert np.allclose(cells[3:], [2, 1, 2])
def test_grid_from_sph_coords():
x = np.arange(0.0, 360.0, 40.0) # longitude
y = np.arange(0.0, 181.0, 60.0) # colatitude
z = [1] # elevation (radius)
g = pv.grid_from_sph_coords(x, y, z)
assert g.n_cells == 24
assert g.n_points == 36
assert np.allclose(
g.bounds,
[
-0.8137976813493738,
0.8660254037844387,
-0.8528685319524434,
0.8528685319524433,
-1.0,
1.0,
],
)
assert np.allclose(g.points[1], [0.8660254037844386, 0.0, 0.5])
z = np.linspace(10, 30, 3)
g = pv.grid_from_sph_coords(x, y, z)
assert g.n_cells == 48
assert g.n_points == 108
assert np.allclose(g.points[0], [0.0, 0.0, 10.0])
def test_transform_vectors_sph_to_cart():
lon = np.arange(0.0, 360.0, 40.0) # longitude
lat = np.arange(0.0, 181.0, 60.0) # colatitude
lev = [1] # elevation (radius)
u, v = np.meshgrid(lon, lat, indexing='ij')
w = u**2 - v**2
uu, vv, ww = pv.transform_vectors_sph_to_cart(theta=lon, phi=lat, r=lev, u=u, v=v, w=w)
assert np.allclose(
[uu[-1, -1], vv[-1, -1], ww[-1, -1]],
[67.80403533828323, 360.8359915416445, -70000.0],
)
def test_vtkmatrix_to_from_array():
rng = np.random.default_rng()
array3x3 = rng.integers(0, 10, size=(3, 3))
matrix = pv.vtkmatrix_from_array(array3x3)
assert isinstance(matrix, vtk.vtkMatrix3x3)
for i in range(3):
for j in range(3):
assert matrix.GetElement(i, j) == array3x3[i, j]
array = pv.array_from_vtkmatrix(matrix)
assert isinstance(array, np.ndarray)
assert array.shape == (3, 3)
for i in range(3):
for j in range(3):
assert array[i, j] == matrix.GetElement(i, j)
array4x4 = rng.integers(0, 10, size=(4, 4))
matrix = pv.vtkmatrix_from_array(array4x4)
assert isinstance(matrix, vtk.vtkMatrix4x4)
for i in range(4):
for j in range(4):
assert matrix.GetElement(i, j) == array4x4[i, j]
array = pv.array_from_vtkmatrix(matrix)
assert isinstance(array, np.ndarray)
assert array.shape == (4, 4)
for i in range(4):
for j in range(4):
assert array[i, j] == matrix.GetElement(i, j)
# invalid cases
with pytest.raises(ValueError): # noqa: PT011
matrix = pv.vtkmatrix_from_array(np.arange(3 * 4).reshape(3, 4))
invalid = vtk.vtkTransform()
with pytest.raises(TypeError):
array = pv.array_from_vtkmatrix(invalid)
def test_assert_empty_kwargs():
kwargs = {}
assert assert_empty_kwargs(**kwargs)
kwargs = {'foo': 6}
with pytest.raises(TypeError):
assert_empty_kwargs(**kwargs)
kwargs = {'foo': 6, 'goo': 'bad'}
with pytest.raises(TypeError):
assert_empty_kwargs(**kwargs)
def test_convert_id_list():
ids = np.array([4, 5, 8])
id_list = vtk.vtkIdList()
id_list.SetNumberOfIds(len(ids))
for i, v in enumerate(ids):
id_list.SetId(i, v)
converted = vtk_id_list_to_array(id_list)
assert np.allclose(converted, ids)
def test_progress_monitor():
mesh = pv.Sphere()
ugrid = mesh.delaunay_3d(progress_bar=True)
assert isinstance(ugrid, pv.UnstructuredGrid)
def test_observer():
msg = 'KIND: In PATH, line 0\nfoo (ADDRESS): ALERT'
obs = Observer()
ret = obs.parse_message('foo')
assert ret[3] == 'foo'
ret = obs.parse_message(msg)
assert ret[3] == 'ALERT'
for kind in ['WARNING', 'ERROR']:
obs.log_message(kind, 'foo')
# Pass positionally as that's what VTK will do
obs(None, None, msg)
assert obs.has_event_occurred()
assert obs.get_message() == 'ALERT'
assert obs.get_message(etc=True) == msg
alg = vtk.vtkSphereSource()
alg.GetExecutive()
obs.observe(alg)
with pytest.raises(RuntimeError, match='algorithm'):
obs.observe(alg)
@pytest.mark.parametrize('point', [1, object(), None])
def test_valid_vector_raises(point):
with pytest.raises(TypeError, match='foo must be a length three iterable of floats.'):
check_valid_vector(point=point, name='foo')
def test_check_valid_vector():
with pytest.raises(ValueError, match='length three'):
check_valid_vector([0, 1])
check_valid_vector([0, 1, 2])
@pytest.mark.parametrize('value', [object(), None, [], ()])
def test_annotated_int_enum_from_any_raises(value):
class Foo(AnnotatedIntEnum):
BAR = (0, 'foo')
with pytest.raises(
TypeError,
match=re.escape(f'Invalid type {type(value)} for class {Foo.__name__}'),
):
Foo.from_any(value)
@given(points=st.lists(st.integers()).filter(lambda x: bool(len(x) % 2)))
def test_lines_segments_from_points(points):
with pytest.raises(
ValueError,
match='An even number of points must be given to define each segment.',
):
line_segments_from_points(points=points)
def test_cells_dict_utils():
# No pyvista object
with pytest.raises(TypeError):
cells.get_mixed_cells(None)
with pytest.raises(TypeError):
cells.get_mixed_cells(np.zeros(shape=[3, 3]))
def test_apply_transformation_to_points():
mesh = ex.load_airplane()
points = mesh.points
points_orig = points.copy()
# identity 3 x 3
tf = np.eye(3)
points_new = transformations.apply_transformation_to_points(tf, points, inplace=False)
assert points_new == pytest.approx(points)
# identity 4 x 4
tf = np.eye(4)
points_new = transformations.apply_transformation_to_points(tf, points, inplace=False)
assert points_new == pytest.approx(points)
# scale in-place
tf = np.eye(4) * 2
tf[3, 3] = 1
r = transformations.apply_transformation_to_points(tf, points, inplace=True)
assert r is None
assert mesh.points == pytest.approx(2 * points_orig)
def _generate_vtk_err():
"""Simple operation which generates a VTK error."""
x, y, z = np.meshgrid(
np.arange(-10, 10, 0.5), np.arange(-10, 10, 0.5), np.arange(-10, 10, 0.5)
)
mesh = pv.StructuredGrid(x, y, z)
x2, y2, z2 = np.meshgrid(np.arange(-1, 1, 0.5), np.arange(-1, 1, 0.5), np.arange(-1, 1, 0.5))
mesh2 = pv.StructuredGrid(x2, y2, z2)
alg = vtk.vtkStreamTracer()
obs = pv.Observer()
obs.observe(alg)
alg.SetInputDataObject(mesh)
alg.SetSourceData(mesh2)
alg.Update()
@pytest.mark.xfail(importlib.util.find_spec("paraview"),
reason="paraview provides inconsistent vtk")
def test_vtk_error_catcher():
# raise_errors: False
error_catcher = pv.core.utilities.observers.VtkErrorCatcher()
with error_catcher:
_generate_vtk_err()
_generate_vtk_err()
assert len(error_catcher.events) == 2
# raise_errors: False, no error
error_catcher = pv.core.utilities.observers.VtkErrorCatcher()
with error_catcher:
pass
# raise_errors: True
error_catcher = pv.core.utilities.observers.VtkErrorCatcher(raise_errors=True)
with pytest.raises(RuntimeError):
with error_catcher:
_generate_vtk_err()
assert len(error_catcher.events) == 1
# raise_errors: True, no error
error_catcher = pv.core.utilities.observers.VtkErrorCatcher(raise_errors=True)
with error_catcher:
pass
def test_axis_angle_rotation():
# rotate points around body diagonal
points = np.eye(3)
axis = [1, 1, 1]
# no-op case
angle = 360
trans = transformations.axis_angle_rotation(axis, angle)
actual = transformations.apply_transformation_to_points(trans, points)
assert np.array_equal(actual, points)
# default origin
angle = np.radians(120)
expected = points[[1, 2, 0], :]
trans = transformations.axis_angle_rotation(axis, angle, deg=False)
actual = transformations.apply_transformation_to_points(trans, points)
assert np.allclose(actual, expected)
# non-default origin
p0 = [-2, -3, 4]
points += p0
expected += p0
trans = transformations.axis_angle_rotation(axis, angle, point=p0, deg=False)
actual = transformations.apply_transformation_to_points(trans, points)
assert np.allclose(actual, expected)
# invalid cases
with pytest.raises(ValueError): # noqa: PT011
transformations.axis_angle_rotation([1, 0, 0, 0], angle)
with pytest.raises(ValueError): # noqa: PT011
transformations.axis_angle_rotation(axis, angle, point=[1, 0, 0, 0])
with pytest.raises(ValueError): # noqa: PT011
transformations.axis_angle_rotation([0, 0, 0], angle)
@pytest.mark.parametrize(
('axis', 'angle', 'times'),
[
([1, 0, 0], 90, 4),
([1, 0, 0], 180, 2),
([1, 0, 0], 270, 4),
([0, 1, 0], 90, 4),
([0, 1, 0], 180, 2),
([0, 1, 0], 270, 4),
([0, 0, 1], 90, 4),
([0, 0, 1], 180, 2),
([0, 0, 1], 270, 4),
],
)
def test_axis_angle_rotation_many_times(axis, angle, times):
# yields the exact same input
expect = np.eye(3)
actual = expect.copy()
trans = transformations.axis_angle_rotation(axis, angle)
for _ in range(times):
actual = transformations.apply_transformation_to_points(trans, actual)
assert np.array_equal(actual, expect)
def test_reflection():
# reflect points of a square across a diagonal
points = np.array(
[
[1, 1, 0],
[-1, 1, 0],
[-1, -1, 0],
[1, -1, 0],
],
)
normal = [1, 1, 0]
# default origin
expected = points[[2, 1, 0, 3], :]
trans = transformations.reflection(normal)
actual = transformations.apply_transformation_to_points(trans, points)
assert np.allclose(actual, expected)
# non-default origin
p0 = [1, 1, 0]
expected += 2 * np.array(p0)
trans = transformations.reflection(normal, point=p0)
actual = transformations.apply_transformation_to_points(trans, points)
assert np.allclose(actual, expected)
# invalid cases
with pytest.raises(ValueError): # noqa: PT011
transformations.reflection([1, 0, 0, 0])
with pytest.raises(ValueError): # noqa: PT011
transformations.reflection(normal, point=[1, 0, 0, 0])
with pytest.raises(ValueError): # noqa: PT011
transformations.reflection([0, 0, 0])
def test_merge(sphere, cube, datasets):
with pytest.raises(TypeError, match='Expected a sequence'):
pv.merge(None)
with pytest.raises(ValueError, match='Expected at least one'):
pv.merge([])
with pytest.raises(TypeError, match='Expected pyvista.DataSet'):
pv.merge([None, sphere])
# check polydata
merged_poly = pv.merge([sphere, cube])
assert isinstance(merged_poly, pv.PolyData)
assert merged_poly.n_points == sphere.n_points + cube.n_points
merged = pv.merge([sphere, sphere], merge_points=True)
assert merged.n_points == sphere.n_points
merged = pv.merge([sphere, sphere], merge_points=False)
assert merged.n_points == sphere.n_points * 2
# check unstructured
merged_ugrid = pv.merge(datasets, merge_points=False)
assert isinstance(merged_ugrid, pv.UnstructuredGrid)
assert merged_ugrid.n_points == sum(ds.n_points for ds in datasets)
# check main has priority
sphere_main = sphere.copy()
sphere_other = sphere.copy()
main_data = np.zeros(sphere_main.n_points)
other_data = np.ones(sphere_main.n_points)
sphere_main['data'] = main_data
sphere_other['data'] = other_data
merged = pv.merge(
[sphere_main, sphere_other],
merge_points=True,
)
assert np.allclose(merged['data'], main_data)
def test_convert_array():
arr = np.arange(4).astype('O')
arr2 = pv.core.utilities.arrays.convert_array(arr, array_type=np.dtype('O'))
assert arr2.GetNumberOfValues() == 4
# https://github.com/pyvista/pyvista/issues/2370
arr3 = pv.core.utilities.arrays.convert_array(
pickle.loads(pickle.dumps(np.arange(4).astype('O'))),
array_type=np.dtype('O'),
)
assert arr3.GetNumberOfValues() == 4
# check lists work
my_list = [1, 2, 3]
arr4 = pv.core.utilities.arrays.convert_array(my_list)
assert arr4.GetNumberOfValues() == len(my_list)
# test string scalar is converted to string array with length on
my_str = 'abc'
arr5 = pv.core.utilities.arrays.convert_array(my_str)
assert arr5.GetNumberOfValues() == 1
arr6 = pv.core.utilities.arrays.convert_array(np.array(my_str))
assert arr6.GetNumberOfValues() == 1
def test_has_duplicates():
assert not has_duplicates(np.arange(100))
assert has_duplicates(np.array([0, 1, 2, 2]))
assert has_duplicates(np.array([[0, 1, 2], [0, 1, 2]]))
with pytest.raises(ValueError): # noqa: PT011
raise_has_duplicates(np.array([0, 1, 2, 2]))
def test_copy_vtk_array():
with pytest.raises(TypeError, match='Invalid type'):
copy_vtk_array([1, 2, 3])
value_0 = 10
value_1 = 10
arr = vtk.vtkFloatArray()
arr.SetNumberOfValues(2)
arr.SetValue(0, value_0)
arr.SetValue(1, value_1)
arr_copy = copy_vtk_array(arr, deep=True)
assert arr_copy.GetNumberOfValues()
assert value_0 == arr_copy.GetValue(0)
arr_copy_shallow = copy_vtk_array(arr, deep=False)
new_value = 5
arr.SetValue(1, new_value)
assert value_1 == arr_copy.GetValue(1)
assert new_value == arr_copy_shallow.GetValue(1)
def test_copy_implicit_vtk_array(plane):
# Use the connectivity filter to generate an implicit vtkDataArray
conn = plane.connectivity()
vtk_object = conn['RegionId'].VTKObject
if pv.vtk_version_info >= (9, 4):
# The VTK array appears to be abstract but is not
assert type(vtk_object) is vtk.vtkDataArray
else:
assert type(vtk_object) is vtk.vtkIdTypeArray
# `copy_vtk_array` is called with this assignment
plane['test'] = conn['RegionId']
new_vtk_object = plane['test'].VTKObject
if pv.vtk_version_info >= (9, 4):
# The VTK array type has changed and is now a concrete subclass
assert type(new_vtk_object) is vtk.vtkUnsignedIntArray
else:
assert type(new_vtk_object) is vtk.vtkIdTypeArray
def test_cartesian_to_spherical():
def polar2cart(r, phi, theta):
return np.vstack(
(
r * np.sin(phi) * np.cos(theta),
r * np.sin(phi) * np.sin(theta),
r * np.cos(phi),
),
).T
points = np.random.default_rng().random((1000, 3))
x, y, z = points.T
r, phi, theta = pv.cartesian_to_spherical(x, y, z)
assert np.allclose(polar2cart(r, phi, theta), points)
def test_spherical_to_cartesian():
points = np.random.default_rng().random((1000, 3))
r, phi, theta = points.T
x, y, z = pv.spherical_to_cartesian(r, phi, theta)
assert np.allclose(pv.cartesian_to_spherical(x, y, z), points.T)
def test_linkcode_resolve():
assert linkcode_resolve('not-py', {}) is None
link = linkcode_resolve('py', {'module': 'pyvista', 'fullname': 'pyvista.core.DataObject'})
assert 'dataobject.py' in link
assert '#L' in link
# badmodule name
assert linkcode_resolve('py', {'module': 'doesnotexist', 'fullname': 'foo.bar'}) is None
assert (
linkcode_resolve('py', {'module': 'pyvista', 'fullname': 'pyvista.not.an.object'}) is None
)
# test property
link = linkcode_resolve('py', {'module': 'pyvista', 'fullname': 'pyvista.core.DataSet.points'})
assert 'dataset.py' in link
# test wrapped function
link = linkcode_resolve(
'py',
{'module': 'pyvista', 'fullname': 'pyvista.plotting.plotter.Plotter.add_ruler'},
)
assert 'renderer.py' in link
link = linkcode_resolve('py', {'module': 'pyvista', 'fullname': 'pyvista.core'})
assert link.endswith('__init__.py')
def test_coerce_point_like_arg():
# Test with Sequence
point = [1.0, 2.0, 3.0]
coerced_arg, singular = _coerce_pointslike_arg(point)
assert isinstance(coerced_arg, np.ndarray)
assert coerced_arg.shape == (1, 3)
assert np.array_equal(coerced_arg, np.array([[1.0, 2.0, 3.0]]))
assert singular
# Test with 1D np.ndarray
point = np.array([1.0, 2.0, 3.0])
coerced_arg, singular = _coerce_pointslike_arg(point)
assert isinstance(coerced_arg, np.ndarray)
assert coerced_arg.shape == (1, 3)
assert np.array_equal(coerced_arg, np.array([[1.0, 2.0, 3.0]]))
assert singular
# Test with (1, 3) np.ndarray
point = np.array([[1.0, 2.0, 3.0]])
coerced_arg, singular = _coerce_pointslike_arg(point)
assert isinstance(coerced_arg, np.ndarray)
assert coerced_arg.shape == (1, 3)
assert np.array_equal(coerced_arg, np.array([[1.0, 2.0, 3.0]]))
assert not singular
# Test with 2D ndarray
point = np.array([[1.0, 2.0, 3.0], [4.0, 5.0, 6.0]])
coerced_arg, singular = _coerce_pointslike_arg(point)
assert isinstance(coerced_arg, np.ndarray)
assert coerced_arg.shape == (2, 3)
assert np.array_equal(coerced_arg, np.array([[1.0, 2.0, 3.0], [4.0, 5.0, 6.0]]))
assert not singular
def test_coerce_point_like_arg_copy():
# Sequence is always copied
point = [1.0, 2.0, 3.0]
coerced_arg, _ = _coerce_pointslike_arg(point, copy=True)
point[0] = 10.0
assert np.array_equal(coerced_arg, np.array([[1.0, 2.0, 3.0]]))
point = [1.0, 2.0, 3.0]
coerced_arg, _ = _coerce_pointslike_arg(point, copy=False)
point[0] = 10.0
assert np.array_equal(coerced_arg, np.array([[1.0, 2.0, 3.0]]))
# 1D np.ndarray can be copied or not
point = np.array([1.0, 2.0, 3.0])
coerced_arg, _ = _coerce_pointslike_arg(point, copy=True)
point[0] = 10.0
assert np.array_equal(coerced_arg, np.array([[1.0, 2.0, 3.0]]))
point = np.array([1.0, 2.0, 3.0])
coerced_arg, _ = _coerce_pointslike_arg(point, copy=False)
point[0] = 10.0
assert np.array_equal(coerced_arg, np.array([[10.0, 2.0, 3.0]]))
# 2D np.ndarray can be copied or not
point = np.array([[1.0, 2.0, 3.0], [4.0, 5.0, 6.0]])
coerced_arg, _ = _coerce_pointslike_arg(point, copy=True)
point[0, 0] = 10.0
assert np.array_equal(coerced_arg, np.array([[1.0, 2.0, 3.0], [4.0, 5.0, 6.0]]))
point = np.array([[1.0, 2.0, 3.0], [4.0, 5.0, 6.0]])
coerced_arg, _ = _coerce_pointslike_arg(point, copy=False)
point[0, 0] = 10.0
assert np.array_equal(coerced_arg, np.array([[10.0, 2.0, 3.0], [4.0, 5.0, 6.0]]))
def test_coerce_point_like_arg_errors():
# wrong length sequence
with pytest.raises(ValueError): # noqa: PT011
_coerce_pointslike_arg([1, 2])
# wrong type
with pytest.raises(TypeError):
# allow Sequence but not Iterable
_coerce_pointslike_arg({1, 2, 3})
# wrong length ndarray
with pytest.raises(ValueError): # noqa: PT011
_coerce_pointslike_arg(np.empty(4))
with pytest.raises(ValueError): # noqa: PT011
_coerce_pointslike_arg(np.empty([2, 4]))
# wrong ndim ndarray
with pytest.raises(ValueError): # noqa: PT011
_coerce_pointslike_arg(np.empty([1, 3, 3]))
def test_coerce_points_like_args_does_not_copy():
source = np.random.default_rng().random((100, 3))
output, _ = _coerce_pointslike_arg(source) # test that copy=False is default
output /= 2
assert np.array_equal(output, source)
assert np.may_share_memory(output, source)
def test_has_module():
assert has_module('pytest')
assert not has_module('not_a_module')
def test_fit_plane_to_points_resolution(airplane):
DEFAULT_RESOLUTION = 10
plane = fit_plane_to_points(airplane.points)
assert plane.n_points == (DEFAULT_RESOLUTION + 1) ** 2
resolution = (1.0, 2.0) # Test with integer-valued floats
plane = fit_plane_to_points(airplane.points, resolution=resolution)
assert plane.n_points == (resolution[0] + 1) * (resolution[1] + 1)
def test_fit_plane_to_points():
# Fit a plane to a plane's points
center = (1, 2, 3)
direction = np.array((4.0, 5.0, 6.0))
direction /= np.linalg.norm(direction)
expected_plane = pv.Plane(center=center, direction=direction, i_size=2, j_size=3)
fitted_plane, fitted_center, fitted_normal = fit_plane_to_points(
expected_plane.points, return_meta=True
)
# Test bounds
assert np.allclose(fitted_plane.bounds, expected_plane.bounds, atol=1e-6)
# Test center
assert np.allclose(fitted_plane.center, center)
assert np.allclose(fitted_center, center)
assert np.allclose(fitted_plane.points.mean(axis=0), center)
# Test normal
assert np.allclose(fitted_normal, direction)
assert np.allclose(fitted_plane.point_normals.mean(axis=0), direction)
flipped_normal = direction * -1
_, _, new_normal = fit_plane_to_points(
expected_plane.points, return_meta=True, init_normal=flipped_normal
)
assert np.allclose(new_normal, flipped_normal)
def test_fit_line_to_points():
# Fit a line to a line's points
point_a = (1, 2, 3)
point_b = (4, 5, 6)
resolution = 42
expected_line = pv.Line(point_a, point_b, resolution=resolution)
fitted_line, length, direction = fit_line_to_points(
expected_line.points, resolution=resolution, return_meta=True
)
assert np.allclose(fitted_line.bounds, expected_line.bounds)
assert np.allclose(fitted_line.points[0], point_a)
assert np.allclose(fitted_line.points[-1], point_b)
assert np.allclose(direction, np.abs(pv.principal_axes(fitted_line.points)[0]))
assert np.allclose(length, fitted_line.length)
fitted_line = fit_line_to_points(
expected_line.points, resolution=resolution, return_meta=False
)
assert np.allclose(fitted_line.bounds, expected_line.bounds)
# Default output from `np.linalg.eigh`
DEFAULT_PRINCIPAL_AXES = [[0.0, 0.0, 1.0], [0.0, 1.0, 0.0], [-1.0, 0.0, 0.0]]
CASE_0 = ( # coincidental points
[[0, 0, 0], [0, 0, 0]],
[DEFAULT_PRINCIPAL_AXES],
)
CASE_1 = ( # non-coincidental points
[[0, 0, 0], [1, 0, 0]],
[[1.0, 0.0, 0.0], [0.0, 0.0, 1.0], [0.0, -1.0, 0.0]],
)
CASE_2 = ( # non-collinear points
[[1, 0, 0], [0, 1, 0], [0, 0, 1]],
[
[0.0, -0.70710678, 0.70710678],
[-0.81649658, 0.40824829, 0.40824829],
[-0.57735027, -0.57735027, -0.57735027],
],
)
CASE_3 = ( # non-coplanar points
[[1, 0, 0], [0, 1, 0], [0, 0, 1], [-1, -1, -1]],
[
[-0.57735027, -0.57735027, -0.57735027],
[0.0, -0.70710678, 0.70710678],
[-0.81649658, 0.40824829, 0.40824829],
],
)
is_arm_mac = platform.system() == 'Darwin' and platform.machine() == 'arm64'
@pytest.mark.skipif(
NUMPY_VERSION_INFO < (1, 26) or is_arm_mac,
reason='Different results for some tests.',
)
@pytest.mark.parametrize(
('points', 'expected_axes'),
[CASE_0, CASE_1, CASE_2, CASE_3],
ids=['case0', 'case1', 'case2', 'case3'],
)
def test_principal_axes(points, expected_axes):
axes = principal_axes(points)
assert np.allclose(axes, expected_axes, atol=1e-7)
assert np.allclose(np.cross(axes[0], axes[1]), axes[2])
assert np.allclose(np.linalg.norm(axes, axis=1), 1)
assert isinstance(axes, np.ndarray)
_, std = principal_axes(points, return_std=True)
assert std[0] >= std[1]
if not np.isnan(std[2]):
assert std[1] >= std[2]
assert isinstance(std, np.ndarray)
def test_principal_axes_return_std():
# Create axis-aligned normally distributed points
rng = np.random.default_rng(seed=42)
n = 100_000
std_in = np.array([3, 2, 1])
normal_points = rng.normal(size=(n, 3)) * std_in
_, std_out = principal_axes(normal_points, return_std=True)
# Test output matches numpy std
std_numpy = np.std(normal_points, axis=0)
assert np.allclose(std_out, std_numpy, atol=1e-4)
# Test output matches input std
assert np.allclose(std_out, std_in, atol=0.02)
# Test ratios of input sizes match ratios of output std
ratios_in = std_in / sum(std_in)
ratios_out = std_out / sum(std_out)
assert np.allclose(ratios_in, ratios_out, atol=0.02)
@pytest.mark.filterwarnings('ignore:Mean of empty slice:RuntimeWarning')
@pytest.mark.filterwarnings('ignore:invalid value encountered in divide:RuntimeWarning')
def test_principal_axes_empty():
axes = principal_axes(np.empty((0, 3)))
assert np.allclose(axes, DEFAULT_PRINCIPAL_AXES)
def test_principal_axes_single_point():
axes = principal_axes([1, 2, 3])
assert np.allclose(axes, DEFAULT_PRINCIPAL_AXES)
@pytest.fixture
def one_million_points():
return np.random.default_rng().random((1_000_000, 3))
def test_principal_axes_success_with_many_points(one_million_points):
# Use many points to verify no memory errors are raised
axes = pv.principal_axes(one_million_points)
assert isinstance(axes, np.ndarray)
def test_fit_plane_to_points_success_with_many_points(one_million_points):
# Use many points to verify no memory errors are raised
plane = pv.fit_plane_to_points(one_million_points)
assert isinstance(plane, pv.PolyData)
@pytest.fixture
def no_new_attributes_mixin_subclass():
class A(_NoNewAttrMixin):
def __init__(self):
super().__init__()
self.bar = 42
class B(A):
def __init__(self):
super().__init__()
self.baz = 42
return A(), B()
def test_no_new_attr_mixin(no_new_attributes_mixin_subclass):
a, b = no_new_attributes_mixin_subclass
ham = 'ham'
eggs = 'eggs'
match = (
"Attribute 'ham' does not exist and cannot be added to class 'A'\n"
'Use `pv.set_new_attribute` to set new attributes or consider setting a private variable '
'(with `_` prefix) instead.'
)
with pytest.raises(pv.PyVistaAttributeError, match=re.escape(match)):
setattr(a, ham, eggs)
match = "Attribute 'ham' does not exist and cannot be added to class 'B'"
with pytest.raises(pv.PyVistaAttributeError, match=match):
setattr(b, ham, eggs)
def test_set_new_attribute(no_new_attributes_mixin_subclass):
a, _ = no_new_attributes_mixin_subclass
ham = 'ham'
eggs = 'eggs'
assert not hasattr(a, ham)
pv.set_new_attribute(a, ham, eggs)
assert hasattr(a, ham)
assert getattr(a, ham) == eggs
match = (
"Attribute 'ham' already exists. "
'`set_new_attribute` can only be used for setting NEW attributes.'
)
with pytest.raises(pv.PyVistaAttributeError, match=re.escape(match)):
pv.set_new_attribute(a, ham, eggs)
@pytest.fixture
def serial_dict_empty():
return _SerializedDictArray()
@pytest.fixture
def serial_dict_with_foobar():
serial_dict = _SerializedDictArray()
serial_dict.data = dict(foo='bar')
return serial_dict
def test_serial_dict_init():
# empty init
serial_dict = _SerializedDictArray()
assert serial_dict == {}
assert repr(serial_dict) == '{}'
# init from dict
new_dict = dict(ham='eggs')
serial_dict = _SerializedDictArray(new_dict)
assert serial_dict['ham'] == 'eggs'
assert repr(serial_dict) == '{"ham": "eggs"}'
# init from UserDict
serial_dict = _SerializedDictArray(serial_dict)
assert serial_dict['ham'] == 'eggs'
assert repr(serial_dict) == '{"ham": "eggs"}'
# init from JSON string
json_dict = json.dumps(new_dict)
serial_dict = _SerializedDictArray(json_dict)
assert serial_dict['ham'] == 'eggs'
assert repr(serial_dict) == '{"ham": "eggs"}'
def test_serial_dict_as_dict(serial_dict_with_foobar):
assert not isinstance(serial_dict_with_foobar, dict)
actual_dict = dict(serial_dict_with_foobar)
assert isinstance(actual_dict, dict)
assert actual_dict == serial_dict_with_foobar.data
def test_serial_dict_overrides__setitem__(serial_dict_empty):
serial_dict_empty['foo'] = 'bar'
assert repr(serial_dict_empty) == '{"foo": "bar"}'
def test_serial_dict_overrides__delitem__(serial_dict_with_foobar):
del serial_dict_with_foobar['foo']
assert repr(serial_dict_with_foobar) == '{}'
def test_serial_dict_overrides__setattr__(serial_dict_empty):
serial_dict_empty.data = dict(foo='bar')
assert repr(serial_dict_empty) == '{"foo": "bar"}'
def test_serial_dict_overrides_popitem(serial_dict_with_foobar):
serial_dict_with_foobar['ham'] = 'eggs'
item = serial_dict_with_foobar.popitem()
assert item == ('foo', 'bar')
assert repr(serial_dict_with_foobar) == '{"ham": "eggs"}'
def test_serial_dict_overrides_pop(serial_dict_with_foobar):
item = serial_dict_with_foobar.pop('foo')
assert item == 'bar'
assert repr(serial_dict_with_foobar) == '{}'
def test_serial_dict_overrides_update(serial_dict_empty):
serial_dict_empty.update(dict(foo='bar'))
assert repr(serial_dict_empty) == '{"foo": "bar"}'
def test_serial_dict_overrides_clear(serial_dict_with_foobar):
serial_dict_with_foobar.clear()
assert repr(serial_dict_with_foobar) == '{}'
def test_serial_dict_overrides_setdefault(serial_dict_empty, serial_dict_with_foobar):
serial_dict_empty.setdefault('foo', 42)
assert repr(serial_dict_empty) == '{"foo": 42}'
serial_dict_with_foobar.setdefault('foo', 42)
assert repr(serial_dict_with_foobar) == '{"foo": "bar"}'
SCALE = 2
ROTATION = [[0, -1, 0], [1, 0, 0], [0, 0, 1]] # rotate 90 deg about z axis
VECTOR = (1, 2, 3)
ANGLE = 30
@pytest.mark.parametrize('scale_args', [(SCALE,), (SCALE, SCALE, SCALE), [(SCALE, SCALE, SCALE)]])
def test_transform_scale(transform, scale_args):
transform.scale(*scale_args)
actual = transform.matrix
expected = np.diag((SCALE, SCALE, SCALE, 1))
assert np.array_equal(actual, expected)
assert transform.n_transformations == 1
identity = transform.matrix @ transform.inverse_matrix
assert np.array_equal(identity, np.eye(4))
@pytest.mark.parametrize('translate_args', [np.array(VECTOR), np.array([VECTOR])])
def test_transform_translate(transform, translate_args):
transform.translate(*translate_args)
actual = transform.matrix
expected = np.eye(4)
expected[:3, 3] = VECTOR
assert np.array_equal(actual, expected)
identity = transform.matrix @ transform.inverse_matrix
assert np.array_equal(identity, np.eye(4))
@pytest.mark.parametrize('reflect_args', [VECTOR, [VECTOR]])
def test_transform_reflect(transform, reflect_args):
transform.reflect(*reflect_args)
actual = transform.matrix
expected = transformations.reflection(VECTOR)
assert np.array_equal(actual, expected)
identity = transform.matrix @ transform.inverse_matrix
assert np.allclose(identity, np.eye(4))
@pytest.mark.parametrize(
('method', 'vector'),
[('flip_x', (1, 0, 0)), ('flip_y', (0, 1, 0)), ('flip_z', (0, 0, 1))],
)
def test_transform_flip_xyz(transform, method, vector):
getattr(transform, method)()
actual = transform.matrix
expected = transformations.reflection(vector)
assert np.array_equal(actual, expected)
identity = transform.matrix @ transform.inverse_matrix
assert np.allclose(identity, np.eye(4))
def test_transform_rotate(transform):
transform.rotate(ROTATION)
actual = transform.matrix
expected = np.eye(4)
expected[:3, :3] = ROTATION
assert np.array_equal(actual, expected)
identity = transform.matrix @ transform.inverse_matrix
assert np.array_equal(identity, np.eye(4))
@pytest.mark.parametrize('multiply_mode', ['post', 'pre'])
@pytest.mark.parametrize(
('method', 'args'),
[
('scale', (SCALE,)),
('reflect', (VECTOR,)),
('flip_x', ()),
('flip_y', ()),
('flip_z', ()),
('rotate', (ROTATION,)),
('rotate_x', (ANGLE,)),
('rotate_y', (ANGLE,)),
('rotate_z', (ANGLE,)),
('rotate_vector', (VECTOR, ANGLE)),
],
)
def test_transform_with_point(transform, multiply_mode, method, args):
func = getattr(Transform, method)
vector = np.array(VECTOR)
transform.multiply_mode = multiply_mode
transform.point = vector
func(transform, *args)
expected_transform = Transform().translate(-vector)
func(expected_transform, *args)
expected_transform.translate(vector)
assert np.array_equal(transform.matrix, expected_transform.matrix)
assert transform.n_transformations == 3
# Test override point with kwarg
vector2 = vector * 2 # new point
transform.identity() # reset
func(transform, *args, point=vector2) # override point
expected_transform = Transform().translate(-vector2)
func(expected_transform, *args)
expected_transform.translate(vector2)
assert np.array_equal(transform.matrix, expected_transform.matrix)
assert transform.n_transformations == 3
def test_transform_rotate_x(transform):
transform.rotate_x(ANGLE)
actual = transform.matrix
expected = transformations.axis_angle_rotation((1, 0, 0), ANGLE)
assert np.array_equal(actual, expected)
identity = transform.matrix @ transform.inverse_matrix
assert np.allclose(identity, np.eye(4))
def test_transform_rotate_y(transform):
transform.rotate_y(ANGLE)
actual = transform.matrix
expected = transformations.axis_angle_rotation((0, 1, 0), ANGLE)
assert np.array_equal(actual, expected)
identity = transform.matrix @ transform.inverse_matrix
assert np.allclose(identity, np.eye(4))
def test_transform_rotate_z(transform):
transform.rotate_z(ANGLE)
actual = transform.matrix
expected = transformations.axis_angle_rotation((0, 0, 1), ANGLE)
assert np.array_equal(actual, expected)
identity = transform.matrix @ transform.inverse_matrix
assert np.allclose(identity, np.eye(4))
def test_transform_rotate_vector(transform):
transform.rotate_vector(VECTOR, ANGLE)
actual = transform.matrix
expected = transformations.axis_angle_rotation(VECTOR, ANGLE)
assert np.array_equal(actual, expected)
identity = transform.matrix @ transform.inverse_matrix
assert np.allclose(identity, np.eye(4))
def test_transform_compose_vtkmatrix(transform):
scale_array = np.diag((1, 2, 3, 1))
vtkmatrix = pv.vtkmatrix_from_array(scale_array)
transform.compose(vtkmatrix)
actual = transform.matrix
expected = scale_array
assert np.array_equal(actual, expected)
identity = transform.matrix @ transform.inverse_matrix
assert np.array_equal(identity, np.eye(4))
def test_transform_invert(transform):
assert transform.is_inverted is False
# Add a transformation and check its output
transform.scale(SCALE)
inverse = transform.inverse_matrix
transform.invert()
assert transform.is_inverted is True
assert np.array_equal(inverse, transform.matrix)
transform.invert()
assert transform.is_inverted is False
class CasesTransformApply:
def case_list_int(self):
return list(VECTOR), False, np.ndarray, float
def case_tuple_int(self):
return VECTOR, False, np.ndarray, float
def case_array1d_int(self):
return np.array(VECTOR), False, np.ndarray, float
def case_array2d_int(self):
return np.array([VECTOR]), False, np.ndarray, float
def case_array1d_float(self):
return np.array(VECTOR, dtype=float), True, np.ndarray, float
def case_array2d_float(self):
return np.array([VECTOR], dtype=float), True, np.ndarray, float
@pytest.mark.filterwarnings('ignore:Points is not a float type.*:UserWarning')
def case_polydata_float32(self):
return pv.PolyData(np.atleast_2d(VECTOR)), True, pv.PolyData, np.float32
@pytest.mark.filterwarnings('ignore:Points is not a float type.*:UserWarning')
def case_polydata_int(self):
return (
pv.PolyData(np.atleast_2d(VECTOR).astype(int)),
True,
pv.PolyData,
np.float32,
)
def case_polydata_float(self):
return (
pv.PolyData(np.atleast_2d(VECTOR).astype(float)),
True,
pv.PolyData,
float,
)
def case_multiblock_float(self):
return (
pv.MultiBlock([pv.PolyData(np.atleast_2d(VECTOR).astype(float))]),
True,
pv.MultiBlock,
float,
)
@pytest.fixture
def scale_transform():
return Transform() * SCALE
@pytest.fixture
def translate_transform():
return Transform() + VECTOR
@pytest.mark.parametrize('method', [pv.Transform.apply, pv.Transform.apply_to_points])
@pytest.mark.parametrize('transformation', ['scale', 'translate'])
def test_transform_apply_to_points(scale_transform, translate_transform, method, transformation):
array = np.array((0.0, 0.0, 1.0))
if transformation == 'scale':
trans = scale_transform
expected = array * SCALE
else:
trans = translate_transform
expected = array + VECTOR
if method == pv.Transform.apply:
transformed = method(trans, array, 'points')
else:
transformed = method(trans, array)
assert np.allclose(transformed, expected)
@pytest.mark.parametrize('method', [pv.Transform.apply, pv.Transform.apply_to_vectors])
@pytest.mark.parametrize('transformation', ['scale', 'translate'])
def test_transform_apply_to_vectors(scale_transform, translate_transform, method, transformation):
array = np.array((0.0, 0.0, 1.0))
if transformation == 'scale':
trans = scale_transform
expected = array * SCALE
else:
trans = translate_transform
expected = array
if method == pv.Transform.apply:
transformed = method(trans, array, 'vectors')
else:
transformed = method(trans, array)
assert np.allclose(transformed, expected)
@pytest.mark.parametrize('mode', ['active_vectors', 'all_vectors'])
@pytest.mark.parametrize('method', [pv.Transform.apply, pv.Transform.apply_to_dataset])
def test_transform_apply_to_dataset(scale_transform, mode, method):
vector = np.array(VECTOR, dtype=float)
mesh = pv.PolyData(vector)
mesh['vector'] = [vector]
expected = mesh['vector']
if mode == 'all_vectors':
expected = expected * SCALE
transformed = method(scale_transform, mesh, mode)
assert np.allclose(transformed['vector'], expected)
@pytest.mark.parametrize('mode', ['replace', 'pre-multiply', 'post-multiply'])
@pytest.mark.parametrize('method', [pv.Transform.apply, pv.Transform.apply_to_actor])
def test_transform_apply_to_actor(scale_transform, translate_transform, mode, method):
expected_matrix = scale_transform.matrix
actor = pv.Actor()
transformed = method(scale_transform, actor, mode)
assert np.allclose(transformed.user_matrix, expected_matrix)
# Transform again
transformed = method(translate_transform, transformed, mode)
if mode == 'replace':
expected_matrix = translate_transform.matrix
else:
expected_matrix = scale_transform.compose(
translate_transform, multiply_mode=mode.split('-')[0]
).matrix
assert np.allclose(transformed.user_matrix, expected_matrix)
def test_transform_apply_invalid_mode():
mesh = pv.PolyData()
array = np.ndarray(())
actor = pv.Actor()
trans = pv.Transform()
match = (
"Transformation mode 'points' is not supported for datasets. Mode must be one of\n"
"['active_vectors', 'all_vectors', None]"
)
with pytest.raises(ValueError, match=re.escape(match)):
trans.apply(mesh, 'points')
match = (
"Transformation mode 'all_vectors' is not supported for arrays. Mode must be one of\n"
"['points', 'vectors', None]"
)
with pytest.raises(ValueError, match=re.escape(match)):
trans.apply(array, 'all_vectors')
match = (
"Transformation mode 'vectors' is not supported for actors. Mode must be one of\n"
"['replace', 'pre-multiply', 'post-multiply', None]"
)
with pytest.raises(ValueError, match=re.escape(match)):
trans.apply(actor, 'vectors')
@pytest.mark.parametrize('attr', ['matrix_list', 'inverse_matrix_list'])
def test_transform_matrix_list(transform, attr):
matrix_list = getattr(transform, attr)
assert isinstance(matrix_list, list)
assert len(matrix_list) == 0
assert transform.n_transformations == 0
transform.scale(SCALE)
matrix_list = getattr(transform, attr)
assert len(matrix_list) == 1
assert transform.n_transformations == 1
assert isinstance(matrix_list[0], np.ndarray)
assert matrix_list[0].shape == (4, 4)
transform.rotate([[0, -1, 0], [1, 0, 0], [0, 0, 1]])
matrix_list = getattr(transform, attr)
assert len(matrix_list) == 2
identity = transform.matrix_list[0] @ transform.inverse_matrix_list[0]
assert np.array_equal(identity, np.eye(4))
@pytest.fixture
def transformed_actor():
actor = pv.Actor()
actor.position = (-0.5, -0.5, 1)
actor.orientation = (10, 20, 30)
actor.scale = (1.5, 2, 2.5)
actor.origin = (2, 1.5, 1)
actor.user_matrix = pv.array_from_vtkmatrix(actor.GetMatrix())
return actor
@pytest.mark.parametrize('override_mode', ['pre', 'post'])
@pytest.mark.parametrize('object_mode', ['pre', 'post'])
def test_transform_multiply_mode_override(
transform, transformed_actor, object_mode, override_mode
):
# This test validates multiply mode by performing the same transformations
# applied by `Prop3D` objects and comparing the results
transform.multiply_mode = object_mode
# Center data at the origin
transform.translate(np.array(transformed_actor.origin) * -1, multiply_mode=override_mode)
# Scale and rotate
transform.scale(transformed_actor.scale, multiply_mode=override_mode)
rotation = _orientation_as_rotation_matrix(transformed_actor.orientation)
transform.rotate(rotation, multiply_mode=override_mode)
# Move to position
transform.translate(np.array(transformed_actor.origin), multiply_mode=override_mode)
transform.translate(transformed_actor.position, multiply_mode=override_mode)
# Apply user matrix
transform.compose(transformed_actor.user_matrix, multiply_mode=override_mode)
# Check result
transform_matrix = transform.matrix
actor_matrix = pv.array_from_vtkmatrix(transformed_actor.GetMatrix())
if override_mode == 'post':
assert np.allclose(transform_matrix, actor_matrix)
else:
# Pre-multiplication produces a totally different result
assert not np.allclose(transform_matrix, actor_matrix)
def test_transform_multiply_mode(transform):
assert transform.multiply_mode == 'post'
transform.multiply_mode = 'pre'
assert transform.multiply_mode == 'pre'
transform.post_multiply()
assert transform.multiply_mode == 'post'
transform.pre_multiply()
assert transform.multiply_mode == 'pre'
def test_transform_identity(transform):
transform.scale(2)
assert not np.array_equal(transform.matrix, np.eye(4))
transform.identity()
assert np.array_equal(transform.matrix, np.eye(4))
def test_transform_init():
matrix = np.diag((SCALE, SCALE, SCALE, 1))
transform = Transform(matrix)
assert np.allclose(transform.matrix, matrix)
transform = Transform(matrix.tolist())
assert np.allclose(transform.matrix, matrix)
transform = Transform(matrix.tolist())
assert np.array_equal(transform.matrix, matrix)
def test_transform_chain_methods():
eye3 = np.eye(3)
eye4 = np.eye(4)
ones = (1, 1, 1)
zeros = (0, 0, 0)
matrix = (
Transform()
.reflect(ones)
.flip_x()
.flip_y()
.flip_z()
.rotate_x(0)
.rotate_y(0)
.rotate_z(0)
.rotate_vector(ones, 0)
.identity()
.scale(ones)
.translate(zeros)
.rotate(eye3)
.compose(eye4)
.invert()
.post_multiply()
.pre_multiply()
.matrix
)
assert np.array_equal(matrix, eye4)
def test_transform_mul():
scale = Transform().scale(SCALE)
translate = Transform().translate(VECTOR)
transform = pv.Transform().post_multiply().translate(VECTOR).scale(SCALE)
transform_add = translate * scale
assert np.array_equal(transform_add.matrix, transform.matrix)
# Validate with numpy matmul
matrix_numpy = scale.matrix @ translate.matrix
assert np.array_equal(transform_add.matrix, matrix_numpy)
def test_transform_add():
transform_base = pv.Transform().post_multiply().scale(SCALE)
# Translate with `translate` and `+`
transform_translate = transform_base.copy().translate(VECTOR)
transform_add = transform_base + VECTOR
assert np.array_equal(transform_add.matrix, transform_translate.matrix)
# Test multiply mode override to ensure post-multiply is always used
transform_add = transform_base.pre_multiply() + VECTOR
assert np.array_equal(transform_add.matrix, transform_translate.matrix)
def test_transform_radd():
transform_base = pv.Transform().pre_multiply().scale(SCALE)
# Translate with `translate` and `+`
transform_translate = transform_base.copy().translate(VECTOR)
transform_add = VECTOR + transform_base
assert np.array_equal(transform_add.matrix, transform_translate.matrix)
# Test multiply mode override to ensure post-multiply is always used
transform_add = VECTOR + transform_base.post_multiply()
assert np.array_equal(transform_add.matrix, transform_translate.matrix)
@pytest.mark.parametrize(
'other',
[
SCALE,
(SCALE, SCALE, SCALE),
Transform().scale(SCALE),
Transform().scale(SCALE).matrix,
],
)
def test_transform_mul_other(other):
transform_base = pv.Transform().post_multiply().translate(VECTOR)
# Scale with `scale` and `*`
transform_scale = transform_base.copy().scale(SCALE)
transform_mul = transform_base * other
assert np.array_equal(transform_mul.matrix, transform_scale.matrix)
# Test multiply mode override to ensure post-multiply is always used
transform_mul = transform_base.pre_multiply() * other
assert np.array_equal(transform_mul.matrix, transform_scale.matrix)
@pytest.mark.parametrize('scale_factor', [SCALE, (SCALE, SCALE, SCALE)])
def test_transform_rmul(scale_factor):
transform_base = pv.Transform().pre_multiply().translate(VECTOR)
# Scale with `scale` and `*`
transform_scale = transform_base.copy().scale(scale_factor)
transform_mul = scale_factor * transform_base
assert np.array_equal(transform_mul.matrix, transform_scale.matrix)
# Test multiply mode override to ensure pre-multiply is always used
transform_scale = transform_base.copy().scale(scale_factor)
transform_mul = scale_factor * transform_base.post_multiply()
assert np.array_equal(transform_mul.matrix, transform_scale.matrix)
def test_transform_add_raises():
match = (
"Unsupported operand value(s) for +: 'Transform' and 'int'\n"
'The right-side argument must be a length-3 vector.'
)
with pytest.raises(ValueError, match=re.escape(match)):
pv.Transform() + 1
match = (
"Unsupported operand type(s) for +: 'Transform' and 'dict'\n"
'The right-side argument must be a length-3 vector.'
)
with pytest.raises(TypeError, match=re.escape(match)):
pv.Transform() + {}
def test_transform_radd_raises():
match = (
"Unsupported operand value(s) for +: 'int' and 'Transform'\n"
'The left-side argument must be a length-3 vector.'
)
with pytest.raises(ValueError, match=re.escape(match)):
1 + pv.Transform()
match = (
"Unsupported operand type(s) for +: 'dict' and 'Transform'\n"
'The left-side argument must be a length-3 vector.'
)
with pytest.raises(TypeError, match=re.escape(match)):
{} + pv.Transform()
def test_transform_rmul_raises():
match = (
"Unsupported operand value(s) for *: 'tuple' and 'Transform'\n"
'The left-side argument must be a single number or a length-3 vector.'
)
with pytest.raises(ValueError, match=re.escape(match)):
(1, 2, 3, 4) * pv.Transform()
match = (
"Unsupported operand type(s) for *: 'dict' and 'Transform'\n"
'The left-side argument must be a single number or a length-3 vector.'
)
with pytest.raises(TypeError, match=re.escape(match)):
{} * pv.Transform()
def test_transform_mul_raises():
match = (
"Unsupported operand value(s) for *: 'Transform' and 'tuple'\n"
'The right-side argument must be a single number or a length-3 vector '
'or have 3x3 or 4x4 shape.'
)
with pytest.raises(ValueError, match=re.escape(match)):
pv.Transform() * (1, 2, 3, 4)
match = (
"Unsupported operand type(s) for *: 'Transform' and 'dict'\n"
'The right-side argument must be transform-like.'
)
with pytest.raises(TypeError, match=re.escape(match)):
pv.Transform() * {}
@pytest.mark.parametrize('multiply_mode', ['pre', 'post'])
def test_transform_copy(multiply_mode):
t1 = Transform().scale(SCALE)
t1.multiply_mode = multiply_mode
t2 = t1.copy()
assert np.array_equal(t1.matrix, t2.matrix)
assert t1 is not t2
assert t2.multiply_mode == t1.multiply_mode
def test_transform_repr(transform):
def _repr_no_first_line(trans):
return '\n'.join(repr(trans).split('\n')[1:])
# Test compact format with no unnecessary spacing
repr_ = _repr_no_first_line(transform)
assert repr_ == (
' Num Transformations: 0\n'
' Matrix: [[1., 0., 0., 0.],\n'
' [0., 1., 0., 0.],\n'
' [0., 0., 1., 0.],\n'
' [0., 0., 0., 1.]]'
)
# Test with floats which have many decimals
transform.compose(pv.transformations.axis_angle_rotation((0, 0, 1), 45))
repr_ = _repr_no_first_line(transform)
assert repr_ == (
' Num Transformations: 1\n'
' Matrix: [[ 0.70710678, -0.70710678, 0. , 0. ],\n'
' [ 0.70710678, 0.70710678, 0. , 0. ],\n'
' [ 0. , 0. , 1. , 0. ],\n'
' [ 0. , 0. , 0. , 1. ]]'
)
values = (0.1, 0.2, 0.3)
SHEAR = np.eye(3)
SHEAR[0, 1] = values[0]
SHEAR[1, 0] = values[0]
SHEAR[0, 2] = values[1]
SHEAR[2, 0] = values[1]
SHEAR[1, 2] = values[2]
SHEAR[2, 1] = values[2]
@pytest.mark.parametrize('do_shear', [True, False])
@pytest.mark.parametrize('do_scale', [True, False])
@pytest.mark.parametrize('do_reflection', [True, False])
@pytest.mark.parametrize('do_rotate', [True, False])
@pytest.mark.parametrize('do_translate', [True, False])
def test_transform_decompose(
transform, do_shear, do_scale, do_reflection, do_rotate, do_translate
):
if do_shear:
transform.compose(SHEAR)
if do_scale:
transform.scale(VECTOR)
if do_reflection:
transform.scale(-1)
if do_rotate:
transform.rotate(ROTATION)
if do_translate:
transform.translate(VECTOR)
T, R, N, S, K = transform.decompose()
assert isinstance(T, np.ndarray)
assert isinstance(R, np.ndarray)
assert isinstance(N, np.ndarray)
assert isinstance(S, np.ndarray)
assert isinstance(K, np.ndarray)
expected_translation = VECTOR if do_translate else np.zeros((3,))
expected_rotation = ROTATION if do_rotate else np.eye(3)
expected_reflection = -1 if do_reflection else 1
expected_scale = VECTOR if do_scale else np.ones((3,))
expected_shear = SHEAR if do_shear else np.eye(3)
# Test decomposed translation and reflection always matches input exactly
assert np.allclose(T, expected_translation)
assert np.allclose(N, expected_reflection)
# Test rotation, scale, and shear always matches input exactly unless
# scale and shear and both specified
is_exact_decomposition = not (do_scale and do_shear)
assert np.allclose(R, expected_rotation) == is_exact_decomposition
assert np.allclose(S, expected_scale) == is_exact_decomposition
assert np.allclose(K, expected_shear) == is_exact_decomposition
# Test composition from decomposed elements matches input
T, R, N, S, K = transform.decompose(homogeneous=True)
recomposed = pv.Transform([T, R, N, S, K], multiply_mode='pre')
assert np.allclose(recomposed.matrix, transform.matrix)
@pytest.mark.parametrize('homogeneous', [True, False])
@pytest.mark.parametrize('dtype', [np.float32, np.float64])
def test_transform_decompose_dtype(dtype, homogeneous):
matrix = np.eye(4).astype(dtype)
T, R, N, S, K = transformations.decomposition(matrix, homogeneous=homogeneous)
assert np.issubdtype(T.dtype, dtype)
assert np.issubdtype(R.dtype, dtype)
assert np.issubdtype(N.dtype, dtype)
assert np.issubdtype(S.dtype, dtype)
assert np.issubdtype(K.dtype, dtype)
@pytest.mark.parametrize(
('representation', 'args', 'expected_type', 'expected_shape'),
[
(None, (), Rotation, None),
('quat', (), np.ndarray, (4,)),
('matrix', (), np.ndarray, (3, 3)),
('rotvec', (), np.ndarray, (3,)),
('mrp', (), np.ndarray, (3,)),
('euler', ('xyz',), np.ndarray, (3,)),
('davenport', (np.eye(3), 'extrinsic'), np.ndarray, (3,)),
],
)
def test_transform_as_rotation(representation, args, expected_type, expected_shape):
out = pv.Transform().as_rotation(representation, *args)
assert isinstance(out, expected_type)
if expected_shape:
assert out.shape == expected_shape
@pytest.mark.parametrize(
('event', 'expected'),
[
('end', vtk.vtkCommand.EndInteractionEvent),
('start', vtk.vtkCommand.StartInteractionEvent),
('always', vtk.vtkCommand.InteractionEvent),
(vtk.vtkCommand.InteractionEvent,) * 2,
(vtk.vtkCommand.EndInteractionEvent,) * 2,
(vtk.vtkCommand.StartInteractionEvent,) * 2,
],
)
def test_parse_interaction_event(
event: str | vtk.vtkCommand.EventIds,
expected: vtk.vtkCommand.EventIds,
):
assert _parse_interaction_event(event) == expected
def test_parse_interaction_event_raises_str():
with pytest.raises(
ValueError,
match='Expected.*start.*end.*always.*foo was given',
):
_parse_interaction_event('foo')
def test_parse_interaction_event_raises_wrong_type():
with pytest.raises(
TypeError,
match='.*either a str or.*vtk.vtkCommand.EventIds.*int.* was given',
):
_parse_interaction_event(1)
def test_classproperty():
magic_number = 42
class Foo:
@_classproperty
def prop(cls): # noqa: N805
return magic_number
assert Foo.prop == magic_number
assert Foo().prop == magic_number
with pytest.raises(TypeError, match='object is not callable'):
Foo.prop()
with pytest.raises(TypeError, match='object is not callable'):
Foo().prop()
@pytest.fixture
def modifies_verbosity():
initial_verbosity = vtk.vtkLogger.GetCurrentVerbosityCutoff()
yield
vtk.vtkLogger.SetStderrVerbosity(initial_verbosity)
@pytest.mark.usefixtures('modifies_verbosity')
@pytest.mark.parametrize(
'verbosity',
[
'off',
'error',
'warning',
'info',
'max',
],
)
def test_vtk_verbosity_context(verbosity):
initial_verbosity = vtk.vtkLogger.VERBOSITY_OFF
_vtk.vtkLogger.SetStderrVerbosity(initial_verbosity)
with pv.vtk_verbosity(verbosity):
...
assert _vtk.vtkLogger.GetCurrentVerbosityCutoff() == initial_verbosity
@pytest.mark.usefixtures('modifies_verbosity')
def test_vtk_verbosity_nested_context():
LEVEL1 = 'off'
LEVEL2 = 'error'
LEVEL3 = 'warning'
with pv.vtk_verbosity(LEVEL1):
with pv.vtk_verbosity(LEVEL2):
with pv.vtk_verbosity(LEVEL3):
assert pv.vtk_verbosity() == LEVEL3
assert pv.vtk_verbosity() == LEVEL2
assert pv.vtk_verbosity() == LEVEL1
@pytest.mark.usefixtures('modifies_verbosity')
def test_vtk_verbosity_no_context():
match = re.escape('State must be set before using it as a context manager.')
with pytest.raises(ValueError, match=match):
with pv.vtk_verbosity:
...
# Use context normally
with pv.vtk_verbosity('off'):
...
# Test again to check reset after use
with pytest.raises(ValueError, match=match):
with pv.vtk_verbosity:
...
@pytest.mark.usefixtures('modifies_verbosity')
def test_vtk_verbosity_set_get():
assert _vtk.vtkLogger.GetCurrentVerbosityCutoff() != _vtk.vtkLogger.VERBOSITY_OFF
pv.vtk_verbosity('off')
assert pv.vtk_verbosity() == 'off'
assert _vtk.vtkLogger.GetCurrentVerbosityCutoff() == _vtk.vtkLogger.VERBOSITY_OFF
# Set this to an invalid state with vtk methods
_vtk.vtkLogger.SetStderrVerbosity(_vtk.vtkLogger.VERBOSITY_1)
with pytest.raises(ValueError, match="state '1' is not valid"):
pv.vtk_verbosity()
@pytest.mark.parametrize('value', ['str', 'invalid'])
def test_vtk_verbosity_invalid_input(value):
match = re.escape("state must be one of: \n\t('off', 'error', 'warning', 'info', 'max')")
with pytest.raises(ValueError, match=match):
with pv.vtk_verbosity(value):
...
@pytest.mark.needs_vtk_version(9, 4)
def test_vtk_snake_case():
assert pv.vtk_snake_case() == 'error'
match = "The attribute 'information' is defined by VTK and is not part of the PyVista API"
with pytest.raises(pv.PyVistaAttributeError, match=match):
_ = pv.PolyData().information
pv.vtk_snake_case('allow')
assert pv.vtk_snake_case() == 'allow'
_ = pv.PolyData().information
with pv.vtk_snake_case('warning'):
with pytest.warns(RuntimeWarning, match=match):
_ = pv.PolyData().information
def test_allow_new_attributes():
match = (
"Attribute 'foo' does not exist and cannot be added to class 'PolyData'\n"
'Use `pv.set_new_attribute` to set new attributes or consider setting a private '
'variable (with `_` prefix) instead.'
)
_ = pv.PolyData()._foo = 42
with pytest.raises(pv.PyVistaAttributeError, match=re.escape(match)):
_ = pv.PolyData().foo = 42
T = TypeVar('T')
def _create_state_manager_subclass(arg1, arg2=None, sub_subclass=False):
if arg2 is not None:
class MyState(_StateManager[arg1, arg2]):
@property
def _state(self): ...
@_state.setter
def _state(self, state): ...
else:
class MyState(_StateManager[arg1]):
@property
def _state(self): ...
@_state.setter
def _state(self, state): ...
if sub_subclass:
class MyState2(MyState): ...
return MyState2
return MyState
@pytest.mark.parametrize('arg', [T, int, Literal, TypeVar, [int, float], [[int], [float]]])
def test_state_manager_invalid_type_arg(arg):
if isinstance(arg, Iterable):
cls = _create_state_manager_subclass(*arg)
else:
cls = _create_state_manager_subclass(arg)
match = (
'Type argument for subclasses must be a single non-empty Literal with all '
'state options provided.'
)
with pytest.raises(TypeError, match=match):
cls()
def test_state_manager_sub_subclass():
options = Literal['on', 'off']
cls = _create_state_manager_subclass(options, sub_subclass=True)
manager = cls()
manager('on')
assert manager._valid_states == get_args(options)
@pytest.mark.parametrize(
'cell_type',
[pv.CellType.TRIANGLE, int(pv.CellType.TRIANGLE), 'triangle', 'TRIANGLE'],
)
def test_cell_quality_info(cell_type):
measure = 'area'
info = pv.cell_quality_info(cell_type, measure)
assert isinstance(info, CellQualityInfo)
assert info.cell_type == pv.CellType.TRIANGLE
assert info.quality_measure == measure
CELL_QUALITY_IDS = [f'{info.cell_type.name}-{info.quality_measure}' for info in _CELL_QUALITY_INFO]
def _compute_unit_cell_quality(
info: CellQualityInfo,
null_value=-42.42,
coincident: Literal['all', 'single', False] = False,
):
example_name = _CELL_TYPE_INFO[info.cell_type.name].example
cell_mesh = getattr(ex.cells, example_name)()
if coincident == 'all':
cell_mesh.points[:] = 0.0
elif coincident == 'single':
cell_mesh.points[1] = cell_mesh.points[0]
qual = cell_mesh.cell_quality(info.quality_measure, null_value=null_value)
return qual.active_scalars[0]
def xfail_wedge_negative_volume(info):
if info.cell_type == pv.CellType.WEDGE and info.quality_measure == 'volume':
pytest.xfail(
'vtkWedge returns negative volume, see https://gitlab.kitware.com/vtk/vtk/-/issues/19643'
)
def xfail_distortion_returns_one(info):
if (
info.cell_type in [pv.CellType.TRIANGLE, pv.CellType.TETRA]
and info.quality_measure == 'distortion'
):
pytest.xfail(
'Distortion always returns one, see https://gitlab.kitware.com/vtk/vtk/-/issues/19646.'
)
def _replace_range_infinity(rng):
rng = list(rng)
lower, upper = rng
if lower == -float('inf'):
rng[0] = np.finfo(lower).min
if upper == float('inf'):
rng[1] = np.finfo(upper).max
return rng
@pytest.mark.needs_vtk_version(9, 2)
def test_cell_quality_info_raises():
match = re.escape(
"Cell quality info is not available for cell type 'QUADRATIC_EDGE'. Valid options are:\n"
"['TRIANGLE', 'QUAD', 'TETRA', 'HEXAHEDRON', 'PYRAMID', 'WEDGE']"
)
with pytest.raises(ValueError, match=match):
pv.cell_quality_info(pv.CellType.QUADRATIC_EDGE, 'area')
with pytest.raises(ValueError, match=match):
pv.cell_quality_info(pv.CellType.QUADRATIC_EDGE.name, 'area')
match = re.escape(
"Cell quality info is not available for 'TRIANGLE' measure 'volume'. Valid options are:\n"
"['area', 'aspect_ratio', 'aspect_frobenius', 'condition', 'distortion', "
"'max_angle', 'min_angle', 'scaled_jacobian', 'radius_ratio', 'shape', 'shape_and_size']"
)
with pytest.raises(ValueError, match=match):
pv.cell_quality_info(pv.CellType.TRIANGLE, 'volume')
@pytest.mark.needs_vtk_version(9, 4)
def test_is_vtk_attribute():
assert _vtk.is_vtk_attribute(pv.ImageData(), 'GetCells')
assert _vtk.is_vtk_attribute(pv.UnstructuredGrid(), 'GetCells')
assert _vtk.is_vtk_attribute(pv.ImageData(), 'cells')
assert not _vtk.is_vtk_attribute(pv.UnstructuredGrid(), 'cells')
assert not _vtk.is_vtk_attribute(pv.ImageData, 'foo')
@pytest.mark.parametrize('obj', [pv.ImageData(), pv.ImageData])
@pytest.mark.needs_vtk_version(9, 4)
def test_is_vtk_attribute_input_type(obj):
assert _vtk.is_vtk_attribute(obj, 'GetDimensions')
warnings.simplefilter('always')
def test_deprecate_positional_args_error_messages():
# Test single arg
@_deprecate_positional_args
def foo(bar): ...
match = (
"Argument 'bar' must be passed as a keyword argument to function "
"'test_deprecate_positional_args_error_messages.<locals>.foo'.\n"
'From version 0.50, passing this as a positional argument will result in a TypeError.'
)
with pytest.warns(pv.PyVistaDeprecationWarning, match=match):
foo(True)
# Test many args
@_deprecate_positional_args(version=(1, 2))
def foo(bar, baz): ...
match = (
"Arguments 'bar', 'baz' must be passed as keyword arguments to function "
"'test_deprecate_positional_args_error_messages.<locals>.foo'.\n"
'From version 1.2, passing these as positional arguments will result in a TypeError.'
)
with pytest.warns(pv.PyVistaDeprecationWarning, match=match):
foo(True, True)
def test_deprecate_positional_args_post_deprecation():
match = (
r'Positional arguments are no longer allowed in '
r"'test_deprecate_positional_args_post_deprecation.<locals>.foo'\.\n"
r'Update the function signature at:\n'
r'.*test_utilities\.py:\d+ to enforce keyword-only args:\n'
r' test_deprecate_positional_args_post_deprecation.<locals>.foo\(bar, \*, baz\)\n'
r"and remove the '_deprecate_positional_args' decorator\."
)
with pytest.raises(RuntimeError, match=match):
@_deprecate_positional_args(allowed=['bar'], version=(0, 46))
def foo(bar, baz): ...
match = 'foo(*, bar, baz, ham, ...)'
with pytest.raises(RuntimeError, match=re.escape(match)):
@_deprecate_positional_args(version=(0, 46))
def foo(bar, baz, ham, eggs): ...
match = 'foo(self, *, bar, baz, ham, ...)'
with pytest.raises(RuntimeError, match=re.escape(match)):
class Foo:
@_deprecate_positional_args(version=(0, 46))
def foo(self, bar, baz, ham, eggs): ...
def test_deprecate_positional_args_allowed():
# Test single allowed
@_deprecate_positional_args(allowed=['bar'])
def foo(bar, baz): ...
foo(True, baz=True)
# Too many allowed args
match = (
"In decorator '_deprecate_positional_args' for function "
"'test_deprecate_positional_args_allowed.<locals>.foo':\n"
f'A maximum of {_MAX_POSITIONAL_ARGS} positional arguments are allowed.\n'
"Got 6: ['bar', 'baz', 'qux', 'ham', 'eggs', 'cats']"
)
with pytest.raises(ValueError, match=re.escape(match)):
@_deprecate_positional_args(allowed=['bar', 'baz', 'qux', 'ham', 'eggs', 'cats'])
def foo(bar, baz, qux, ham, eggs, cats): ...
# Test invalid allowed
match = (
"Allowed positional argument 'invalid' in decorator '_deprecate_positional_args'\n"
'is not a parameter of '
"function 'test_deprecate_positional_args_allowed.<locals>.foo'."
)
with pytest.raises(ValueError, match=re.escape(match)):
@_deprecate_positional_args(allowed=['invalid'])
def foo(bar): ...
match = (
"In decorator '_deprecate_positional_args' for function "
"'test_deprecate_positional_args_allowed.<locals>.foo':\n"
"Allowed arguments must be a list, got <class 'str'>."
)
with pytest.raises(TypeError, match=re.escape(match)):
@_deprecate_positional_args(allowed='invalid')
def foo(bar): ...
# Test invalid order
match = (
"The `allowed` list ['b', 'a'] in decorator '_deprecate_positional_args' "
'is not in the\nsame order as the parameters in '
"'test_deprecate_positional_args_allowed.<locals>.foo'.\n"
"Expected order: ['a', 'b']."
)
with pytest.raises(ValueError, match=re.escape(match)):
@_deprecate_positional_args(allowed=['b', 'a'])
def foo(a, b, c): ...
# Test not already kwonly
match = (
"Parameter 'b' in decorator '_deprecate_positional_args' is already keyword-only\n"
'and should be removed from the allowed list.'
)
with pytest.raises(ValueError, match=match):
@_deprecate_positional_args(allowed=['a', 'b'])
def foo(a, *, b): ...
def test_deprecate_positional_args_n_allowed():
n_allowed = 4
assert n_allowed > _MAX_POSITIONAL_ARGS
@_deprecate_positional_args(allowed=['a', 'b', 'c', 'd'], n_allowed=4)
def foo(a, b, c, d, e=True): ...
match = (
"In decorator '_deprecate_positional_args' for function "
"'test_deprecate_positional_args_n_allowed.<locals>.foo':\n"
'`n_allowed` must be greater than 3 for it to be useful.'
)
with pytest.raises(ValueError, match=re.escape(match)):
@_deprecate_positional_args(allowed=['a', 'b', 'c'], n_allowed=_MAX_POSITIONAL_ARGS)
def foo(a, b, c): ...
def test_deprecate_positional_args_class_methods():
# Test that 'cls' and 'self' args do not cause problems
class Foo:
@classmethod
@_deprecate_positional_args
def foo_classmethod(cls, bar=None): ...
@_deprecate_positional_args
def foo_method(self, bar=None): ...
obj = Foo()
obj.foo_method()
obj.foo_classmethod()
def test_deprecate_positional_args_decorator_not_needed():
match = (
"Function 'test_deprecate_positional_args_decorator_not_needed.<locals>.Foo.foo' has 0 "
'positional arguments, which is less than or equal to the\nmaximum number of allowed '
f'positional arguments ({_MAX_POSITIONAL_ARGS}).\n'
f'This decorator is not necessary and can be removed.'
)
with pytest.raises(RuntimeError, match=re.escape(match)):
class Foo:
@classmethod
@_deprecate_positional_args
def foo(cls, *, bar=None): ...
with pytest.raises(RuntimeError, match=re.escape(match)):
class Foo:
@_deprecate_positional_args
def foo(self, *, bar=None): ...
match = (
f"Function 'test_deprecate_positional_args_decorator_not_needed.<locals>.foo' has 3 "
f'positional arguments, which is less than or equal to the\nmaximum number of allowed '
f'positional arguments ({_MAX_POSITIONAL_ARGS}).\n'
f'This decorator is not necessary and can be removed.'
)
with pytest.raises(RuntimeError, match=re.escape(match)):
@_deprecate_positional_args(allowed=['a', 'b', 'c'])
def foo(a, b, c): ...
@pytest.mark.skipif(
sys.version_info < (3, 11) or sys.platform == 'darwin',
reason='Requires Python 3.11+, path issues on macOS',
)
def test_max_positional_args_matches_pyproject():
pyproject_path = Path(pv.__file__).parents[1] / 'pyproject.toml'
with pyproject_path.open('rb') as f:
pyproject_data = tomllib.load(f)
expected_value = pyproject_data['tool']['ruff']['lint']['pylint']['max-positional-args']
assert expected_value == _MAX_POSITIONAL_ARGS
|