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 2672 2673 2674 2675 2676 2677 2678 2679 2680 2681 2682 2683 2684 2685 2686 2687 2688 2689 2690 2691 2692 2693 2694 2695 2696 2697 2698 2699 2700 2701 2702 2703 2704 2705 2706 2707 2708 2709 2710 2711 2712 2713 2714 2715 2716 2717 2718 2719 2720 2721 2722 2723 2724 2725 2726 2727 2728 2729 2730 2731 2732 2733 2734 2735 2736 2737 2738 2739 2740 2741 2742 2743 2744 2745 2746 2747 2748 2749 2750 2751 2752 2753 2754 2755 2756 2757 2758 2759 2760 2761 2762 2763 2764 2765 2766 2767 2768 2769 2770 2771 2772 2773 2774 2775 2776 2777 2778 2779 2780 2781 2782 2783 2784 2785 2786 2787 2788 2789 2790 2791 2792 2793 2794 2795 2796 2797 2798 2799 2800 2801 2802 2803 2804 2805 2806 2807 2808 2809 2810 2811 2812 2813 2814 2815 2816 2817 2818 2819 2820 2821 2822 2823 2824 2825 2826 2827 2828 2829 2830 2831 2832 2833 2834 2835 2836 2837 2838 2839 2840 2841 2842 2843 2844 2845 2846 2847 2848 2849 2850 2851 2852 2853 2854 2855 2856 2857 2858 2859 2860 2861 2862 2863 2864 2865 2866 2867 2868 2869 2870 2871 2872 2873 2874 2875 2876 2877 2878 2879 2880 2881 2882 2883 2884 2885 2886 2887 2888 2889 2890 2891 2892 2893 2894 2895 2896 2897 2898 2899 2900 2901 2902 2903 2904 2905 2906 2907 2908 2909 2910 2911 2912 2913 2914 2915 2916 2917 2918 2919 2920 2921 2922 2923 2924 2925 2926 2927 2928 2929 2930 2931 2932 2933 2934 2935 2936 2937 2938 2939 2940 2941 2942 2943 2944 2945 2946 2947 2948 2949 2950 2951 2952 2953 2954 2955 2956 2957 2958 2959 2960 2961 2962 2963 2964 2965 2966 2967 2968 2969 2970 2971 2972 2973 2974 2975 2976 2977 2978 2979 2980 2981 2982 2983 2984 2985 2986 2987 2988 2989 2990 2991 2992 2993 2994 2995 2996 2997 2998 2999 3000 3001 3002 3003 3004 3005 3006 3007 3008 3009 3010 3011 3012 3013 3014 3015 3016 3017 3018 3019 3020 3021 3022 3023 3024 3025 3026 3027 3028 3029 3030 3031 3032 3033 3034 3035 3036 3037 3038 3039 3040 3041 3042 3043 3044 3045 3046 3047 3048 3049 3050 3051 3052 3053 3054 3055 3056 3057 3058 3059 3060 3061 3062 3063 3064 3065 3066 3067 3068 3069 3070 3071 3072 3073 3074 3075 3076 3077 3078 3079 3080 3081 3082 3083 3084 3085 3086 3087 3088 3089 3090 3091 3092 3093 3094 3095 3096 3097 3098 3099 3100 3101 3102 3103 3104 3105 3106 3107 3108 3109 3110 3111 3112 3113 3114 3115 3116 3117 3118 3119 3120 3121 3122 3123 3124 3125 3126 3127 3128 3129 3130 3131 3132 3133 3134 3135 3136 3137 3138 3139 3140 3141 3142 3143 3144 3145 3146 3147 3148 3149 3150 3151 3152 3153 3154 3155 3156 3157 3158 3159 3160 3161 3162 3163 3164 3165 3166 3167 3168 3169 3170 3171 3172 3173 3174 3175 3176 3177 3178 3179 3180 3181 3182 3183 3184 3185 3186 3187 3188 3189 3190 3191 3192 3193 3194 3195 3196 3197 3198 3199 3200 3201 3202 3203 3204 3205 3206 3207 3208 3209 3210 3211 3212 3213 3214 3215 3216 3217 3218 3219 3220 3221 3222 3223 3224 3225 3226 3227 3228 3229 3230 3231 3232 3233 3234 3235 3236 3237 3238 3239 3240 3241 3242 3243 3244 3245 3246 3247 3248 3249 3250 3251 3252 3253 3254 3255 3256 3257 3258 3259 3260 3261 3262 3263 3264 3265 3266 3267 3268 3269 3270 3271 3272 3273 3274 3275 3276 3277 3278 3279 3280 3281 3282 3283 3284 3285 3286 3287 3288 3289 3290 3291 3292 3293 3294 3295 3296 3297 3298 3299 3300 3301 3302 3303 3304 3305 3306 3307 3308 3309 3310 3311 3312 3313 3314 3315 3316 3317 3318 3319 3320 3321 3322 3323 3324 3325 3326 3327 3328 3329 3330 3331 3332 3333 3334 3335 3336 3337 3338 3339 3340 3341 3342 3343 3344 3345 3346 3347 3348 3349 3350 3351 3352 3353 3354 3355 3356 3357 3358 3359 3360 3361 3362 3363 3364 3365 3366 3367 3368 3369 3370 3371 3372 3373 3374 3375 3376 3377 3378 3379 3380 3381 3382 3383 3384 3385 3386 3387 3388 3389 3390 3391 3392 3393 3394 3395 3396 3397 3398 3399 3400 3401 3402 3403 3404 3405 3406 3407 3408 3409 3410 3411 3412 3413 3414 3415 3416 3417 3418 3419 3420 3421 3422 3423 3424 3425 3426 3427 3428 3429 3430 3431 3432 3433 3434 3435 3436 3437 3438 3439 3440 3441 3442 3443 3444 3445 3446 3447 3448 3449 3450 3451 3452 3453 3454 3455 3456 3457 3458 3459 3460 3461 3462 3463 3464 3465 3466 3467 3468 3469 3470 3471 3472 3473 3474 3475 3476 3477 3478 3479 3480 3481 3482 3483 3484 3485 3486 3487 3488 3489 3490 3491 3492 3493 3494 3495 3496 3497 3498 3499 3500 3501 3502 3503 3504 3505 3506 3507 3508 3509 3510 3511 3512 3513 3514 3515 3516 3517 3518 3519 3520 3521 3522 3523 3524 3525 3526 3527 3528 3529 3530 3531 3532 3533 3534 3535 3536 3537 3538 3539 3540 3541 3542 3543 3544 3545 3546 3547 3548 3549 3550 3551 3552 3553 3554 3555 3556 3557 3558 3559 3560 3561 3562 3563 3564 3565 3566 3567 3568 3569 3570 3571 3572 3573 3574 3575 3576 3577 3578 3579 3580 3581 3582 3583 3584 3585 3586 3587 3588 3589 3590 3591 3592 3593 3594 3595 3596 3597 3598 3599 3600 3601 3602 3603 3604 3605 3606 3607 3608 3609 3610 3611 3612 3613 3614 3615 3616 3617 3618 3619 3620 3621 3622 3623 3624 3625 3626 3627 3628 3629 3630 3631 3632 3633 3634 3635 3636 3637 3638 3639 3640 3641 3642 3643 3644 3645 3646 3647 3648 3649 3650 3651 3652 3653 3654 3655 3656 3657 3658 3659 3660 3661 3662 3663 3664 3665 3666 3667 3668 3669 3670 3671 3672 3673 3674 3675 3676 3677 3678 3679 3680 3681 3682 3683 3684 3685 3686 3687 3688 3689 3690 3691 3692 3693 3694 3695 3696 3697 3698 3699 3700 3701 3702 3703 3704 3705 3706 3707 3708 3709 3710 3711 3712 3713 3714 3715 3716 3717 3718 3719 3720 3721 3722 3723 3724 3725 3726 3727 3728 3729 3730 3731 3732 3733 3734 3735 3736 3737 3738 3739 3740 3741 3742 3743 3744 3745 3746 3747 3748 3749 3750 3751 3752 3753 3754 3755 3756 3757 3758 3759 3760 3761 3762 3763 3764 3765 3766 3767 3768 3769 3770 3771 3772 3773 3774 3775 3776 3777 3778 3779 3780 3781 3782 3783 3784 3785 3786 3787 3788 3789 3790 3791 3792 3793 3794 3795 3796 3797 3798 3799 3800 3801 3802 3803 3804 3805 3806 3807 3808 3809 3810 3811 3812 3813 3814 3815 3816 3817 3818 3819 3820 3821 3822 3823 3824 3825 3826 3827 3828 3829 3830 3831 3832 3833 3834 3835 3836 3837 3838 3839 3840 3841 3842 3843 3844 3845 3846 3847 3848 3849 3850 3851 3852 3853 3854 3855 3856 3857 3858 3859 3860 3861 3862 3863 3864 3865 3866 3867 3868 3869 3870 3871 3872 3873 3874 3875 3876 3877 3878 3879 3880 3881 3882 3883 3884 3885 3886 3887 3888 3889 3890 3891 3892 3893 3894 3895 3896 3897 3898 3899 3900 3901 3902 3903 3904 3905 3906 3907 3908 3909 3910 3911 3912 3913 3914 3915 3916 3917 3918 3919 3920 3921 3922 3923 3924 3925 3926 3927 3928 3929 3930 3931 3932 3933 3934 3935 3936 3937 3938 3939 3940 3941 3942 3943 3944 3945 3946 3947 3948 3949 3950 3951 3952 3953 3954 3955 3956 3957 3958 3959 3960 3961 3962 3963 3964 3965 3966 3967 3968 3969 3970 3971 3972 3973 3974 3975 3976 3977 3978 3979 3980 3981 3982 3983 3984 3985 3986 3987 3988 3989 3990 3991 3992 3993 3994 3995 3996 3997 3998 3999 4000 4001 4002 4003 4004 4005 4006 4007 4008 4009 4010 4011 4012 4013 4014 4015 4016 4017 4018 4019 4020 4021 4022 4023 4024 4025 4026 4027 4028 4029 4030 4031 4032 4033 4034 4035 4036 4037 4038 4039 4040 4041 4042 4043 4044 4045 4046 4047 4048 4049 4050 4051 4052 4053 4054 4055 4056 4057 4058 4059 4060 4061 4062 4063 4064 4065 4066 4067 4068 4069 4070 4071 4072 4073 4074 4075 4076 4077 4078 4079 4080 4081 4082 4083 4084 4085 4086 4087 4088 4089 4090 4091 4092 4093 4094 4095 4096 4097 4098 4099 4100 4101 4102 4103 4104 4105 4106 4107 4108 4109 4110 4111 4112 4113 4114 4115 4116 4117 4118 4119 4120 4121 4122 4123 4124 4125 4126 4127 4128 4129 4130 4131 4132 4133 4134 4135 4136 4137 4138 4139 4140 4141 4142 4143 4144 4145 4146 4147 4148 4149 4150 4151 4152 4153 4154 4155 4156 4157 4158 4159 4160 4161 4162 4163 4164 4165 4166 4167 4168 4169 4170 4171 4172 4173 4174 4175 4176 4177 4178 4179 4180 4181 4182 4183 4184 4185 4186 4187 4188 4189 4190 4191 4192 4193 4194 4195 4196 4197 4198 4199 4200 4201 4202 4203 4204 4205 4206 4207 4208 4209 4210 4211 4212 4213 4214 4215 4216 4217 4218 4219 4220 4221 4222 4223 4224 4225 4226 4227 4228 4229 4230 4231 4232 4233 4234 4235 4236 4237 4238 4239 4240 4241 4242 4243 4244 4245 4246 4247 4248 4249 4250 4251 4252 4253 4254 4255 4256 4257 4258 4259 4260 4261 4262 4263 4264 4265 4266 4267 4268 4269 4270 4271 4272 4273 4274 4275 4276 4277 4278 4279 4280 4281 4282 4283 4284 4285 4286 4287 4288 4289 4290 4291 4292 4293 4294 4295 4296 4297 4298 4299 4300 4301 4302 4303 4304 4305 4306 4307 4308 4309 4310 4311 4312 4313 4314 4315 4316 4317 4318 4319 4320 4321 4322 4323 4324 4325 4326 4327 4328 4329 4330 4331 4332 4333 4334 4335 4336 4337 4338 4339 4340 4341 4342 4343 4344 4345 4346 4347 4348 4349 4350 4351 4352 4353 4354 4355 4356 4357 4358 4359 4360 4361 4362 4363 4364 4365 4366 4367 4368 4369 4370 4371 4372 4373 4374 4375 4376 4377 4378 4379 4380 4381 4382 4383 4384 4385 4386 4387 4388 4389 4390 4391 4392 4393 4394 4395 4396 4397 4398 4399 4400 4401 4402 4403 4404 4405 4406 4407 4408 4409 4410 4411 4412 4413 4414 4415 4416 4417 4418 4419 4420 4421 4422 4423 4424 4425 4426 4427 4428 4429 4430 4431 4432 4433 4434 4435 4436 4437 4438 4439 4440 4441 4442 4443 4444 4445 4446 4447 4448 4449 4450 4451 4452 4453 4454 4455 4456 4457 4458 4459 4460 4461 4462 4463 4464 4465 4466 4467 4468 4469 4470 4471 4472 4473 4474 4475 4476 4477 4478 4479 4480 4481 4482 4483 4484 4485 4486 4487 4488 4489 4490 4491 4492 4493 4494 4495 4496 4497 4498 4499 4500 4501 4502 4503 4504 4505 4506 4507 4508 4509 4510 4511 4512 4513 4514 4515 4516 4517 4518 4519 4520 4521 4522 4523 4524 4525 4526 4527 4528 4529 4530 4531 4532 4533 4534 4535 4536 4537 4538 4539 4540 4541 4542 4543 4544 4545 4546 4547 4548 4549 4550 4551 4552 4553 4554 4555 4556 4557 4558 4559 4560 4561 4562 4563 4564 4565 4566 4567 4568 4569 4570 4571 4572 4573 4574 4575 4576 4577 4578 4579 4580 4581 4582 4583 4584 4585 4586 4587 4588 4589 4590 4591 4592 4593 4594 4595 4596 4597 4598 4599 4600 4601 4602 4603 4604 4605 4606 4607 4608 4609 4610 4611 4612 4613 4614 4615 4616 4617 4618 4619 4620 4621 4622 4623 4624 4625 4626 4627 4628 4629 4630 4631 4632 4633 4634 4635 4636 4637 4638 4639 4640 4641 4642 4643 4644 4645 4646 4647 4648 4649 4650 4651 4652 4653 4654 4655 4656 4657 4658 4659 4660 4661 4662 4663 4664 4665 4666 4667 4668 4669 4670 4671 4672 4673 4674 4675 4676 4677 4678 4679 4680 4681 4682 4683 4684 4685 4686 4687 4688 4689 4690 4691 4692 4693 4694 4695 4696 4697 4698 4699 4700 4701 4702 4703 4704 4705 4706 4707 4708 4709 4710 4711 4712 4713 4714 4715 4716
|
#!/usr/bin/env python3
"""ROCm_SMI_LIB CLI Tool
This tool acts as a command line interface for manipulating
and monitoring the amdgpu kernel, and is intended to replace
and deprecate the existing rocm_smi.py CLI tool located at
https://github.com/ROCm/ROC-smi.
This tool uses Ctypes to call the rocm_smi_lib API.
Recommended: At least one AMD GPU with ROCm driver installed
Required: ROCm SMI library installed (librocm_smi64)
"""
from __future__ import print_function
import argparse
import json
import logging
import os
import sys
import subprocess
import _thread
import time
import multiprocessing
import trace
from io import StringIO
from time import ctime
from subprocess import check_output
from enum import IntEnum
from typing import TYPE_CHECKING
# only used for type checking
# pyright trips up and cannot find rsmiBindings without it
if TYPE_CHECKING:
from rsmiBindings import *
try:
from rsmiBindings import *
except ImportError:
current_path = os.path.dirname(os.path.abspath(__file__))
additional_path = f"{current_path}/../libexec/rocm_smi"
sys.path.append(additional_path)
try:
from rsmiBindings import *
except ImportError:
print(f"Still couldn't import 'rsmiBindings'. Make sure it's installed in {additional_path}")
sys.exit(1)
# rocmSmiLib_cli version. Increment this as needed.
# Major version - Increment when backwards-compatibility breaks
# Minor version - Increment when adding a new feature, set to 0 when major is incremented
# Patch version - Increment when adding a fix, set to 0 when minor is incremented
# Hash version - Shortened commit hash. Print here and not with lib for consistency with amd-smi
SMI_MAJ = 3
SMI_MIN = 0
SMI_PAT = 0
# SMI_HASH is provided by rsmiBindings
__version__ = '%s.%s.%s+%s' % (SMI_MAJ, SMI_MIN, SMI_PAT, SMI_HASH)
# Set to 1 if an error occurs
RETCODE = 0
# If we want JSON format output instead
PRINT_JSON = False
JSON_DATA = {}
# Version of the JSON output used to save clocks
CLOCK_JSON_VERSION = 1
# Apply max buffer to all data allocation
MAX_BUFF_SIZE = 256
headerString = ' ROCm System Management Interface '
footerString = ' End of ROCm SMI Log '
# Output formatting
appWidth = 90
deviceList = []
# Enable or disable serialized format
OUTPUT_SERIALIZATION = False
# These are the valid clock types that can be returned/modified:
# TODO: "clk_type_names" from rsmiBindings.py should fetch valid clocks from
# the same location as rocm_smi_device.cc instead of hardcoding the values
validClockNames = clk_type_names[1:-2]
# The purpose of the [1:-2] here ^^^^ is to remove the duplicate elements at the
# beginning and end of the clk_type_names list (specifically sclk and mclk)
# Also the "invalid" clock in the list is removed since it isn't a valid clock type
validClockNames.append('pcie')
validClockNames.sort()
def driverInitialized():
""" Returns true if amdgpu is found in the list of initialized modules
"""
driverInitialized = False
if os.path.exists("/sys/module/amdgpu") :
if os.path.exists("/sys/module/amdgpu/initstate"):
# amdgpu is loadable module
with open("/sys/module/amdgpu/initstate") as initstate:
if 'live' in initstate.read():
driverInitialized = True
else:
# amdgpu is built into the kernel
driverInitialized = True
return driverInitialized
def formatJson(device, log):
""" Print out in JSON format
:param device: DRM device identifier
:param log: String to parse and output into JSON format
"""
global JSON_DATA
for line in log.splitlines():
# Drop any invalid or improperly-formatted data
if ':' not in line:
continue
logTuple = line.split(': ')
if str(device) != 'system':
JSON_DATA['card' + str(device)][logTuple[0]] = logTuple[1].strip()
else:
JSON_DATA['system'][logTuple[0]] = logTuple[1].strip()
def formatCsv(deviceList):
""" Print out the JSON_DATA in CSV format """
global JSON_DATA
jsondata = json.dumps(JSON_DATA)
outstr = jsondata
# Check if the first json data element is 'system' or 'device'
outputType = outstr[outstr.find('\"')+1:]
outputType = outputType[:outputType.find('\"')]
header = []
my_string = ''
if outputType != 'system':
header.append('device')
else:
header.append('system')
if outputType == 'system':
jsonobj = json.loads(jsondata)
keylist = header
for record in jsonobj['system']:
my_string += "\"%s\", \"%s\"\n" % (record, jsonobj['system'][record])
# add header
my_string = "name, value\n" + my_string
return my_string
headerkeys = []
# Separate device-specific information from system-level information
for dev in deviceList:
if str(dev) != 'system':
headerkeys.extend(l for l in JSON_DATA['card' + str(dev)].keys() if l not in headerkeys)
else:
headerkeys.extend(l for l in JSON_DATA['system'].keys() if l not in headerkeys)
header.extend(headerkeys)
outStr = '%s\n' % ','.join(header)
if len(header) <= 1:
return ''
for dev in deviceList:
if str(dev) != 'system':
outStr += 'card%s,' % dev
else:
outStr += 'system,'
for val in headerkeys:
try:
if str(dev) != 'system':
# Remove commas like the ones in PCIe speed
outStr += '%s,' % JSON_DATA['card' + str(dev)][val].replace(',', '')
else:
outStr += '%s,' % JSON_DATA['system'][val].replace(',', '')
except KeyError as e:
# If the key doesn't exist (like dcefclock on Fiji, or unsupported functionality)
outStr += 'N/A,'
# Drop the trailing ',' and replace it with a \n
outStr = '%s\n' % outStr[0:-1]
return outStr
def formatMatrixToJSON(deviceList, matrix, metricName):
""" Format symmetric matrix of GPU permutations to become JSON print-ready.
:param deviceList: List of DRM devices (can be a single-item list)
:param metricName: Title of the item to print to the log
:param matrix: symmetric matrix full of values of every permutation of DRM devices.
Matrix example:
.. math::
\\begin{bmatrix}
& GPU0 & GPU1 \\\\
GPU0 & 0 & 40 \\\\
GPU1 & 40 & 0
\\end{bmatrix}
Where matrix content is: [[0, 40], [40, 0]]
"""
devices_ind = range(len(deviceList))
for row_indx in devices_ind:
# Start at row_indx +1 to avoid printing repeated values ( GPU1 x GPU2 is the same as GPU2 x GPU1 )
for col_ind in range(row_indx + 1, len(deviceList)):
try:
valueStr = matrix[deviceList[row_indx]][deviceList[col_ind]].value
except AttributeError:
valueStr = matrix[deviceList[row_indx]][deviceList[col_ind]]
printSysLog(metricName.format(deviceList[row_indx], deviceList[col_ind]), valueStr)
def getBus(device, silent=False):
""" Return the bus identifier of a given device
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
bdfid = c_uint64(0)
ret = rocmsmi.rsmi_dev_pci_id_get(device, byref(bdfid))
# BDFID = ((DOMAIN & 0xFFFFFFFF) << 32) | ((PARTITION_ID & 0xF) << 28) | ((BUS & 0xFF) << 8) |
# ((DEVICE & 0x1F) <<3 ) | (FUNCTION & 0x7)
# bits [63:32] = domain
# bits [31:28] or bits [2:0] = partition id
# bits [27:16] = reserved
# bits [15:8] = Bus
# bits [7:3] = Device
# bits [2:0] = Function (partition id maybe in bits [2:0]) <-- Fallback for non SPX modes
domain = (bdfid.value >> 32) & 0xffffffff
bus = (bdfid.value >> 8) & 0xff
device = (bdfid.value >> 3) & 0x1f
function = bdfid.value & 0x7
pic_id = '{:04X}:{:02X}:{:02X}.{:0X}'.format(domain, bus, device, function)
if rsmi_ret_ok(ret, device, 'get_pci_id', silent):
return pic_id
def getPartitionId(device, silent=False):
""" Return the partition identifier of a given device
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
partition_id = c_uint32(0)
ret = rocmsmi.rsmi_dev_partition_id_get(device, byref(partition_id))
# BDFID = ((DOMAIN & 0xFFFFFFFF) << 32) | ((PARTITION_ID & 0xF) << 28) | ((BUS & 0xFF) << 8) |
# ((DEVICE & 0x1F) <<3 ) | (FUNCTION & 0x7)
# bits [63:32] = domain
# bits [31:28] or bits [2:0] = partition id
# bits [27:16] = reserved
# bits [15:8] = Bus
# bits [7:3] = Device
# bits [2:0] = Function (partition id maybe in bits [2:0]) <-- Fallback for non SPX modes
partition_id = '{:d}'.format(partition_id.value)
if rsmi_ret_ok(ret, device, 'rsmi_dev_partition_id_get', silent):
return partition_id
def getFanSpeed(device, silent=True):
""" Return a tuple with the fan speed (value,%) for a specified device,
or (None,None) if either current fan speed or max fan speed cannot be
obtained
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is on.
"""
fanLevel = c_int64()
fanMax = c_int64()
sensor_ind = c_uint32(0)
fl = 0
fm = 0
""" If ret = 2; (No such file or directory)
/sys/class/drm/cardX/device/hwmon/hwmonX/pwmX
"""
ret = rocmsmi.rsmi_dev_fan_speed_get(device, sensor_ind, byref(fanLevel))
if rsmi_ret_ok(ret, device, 'get_fan_speed', silent):
fl = fanLevel.value
last_ret = ret
""" If ret = 2; (No such file or directory)
/sys/class/drm/cardX/device/hwmon/hwmonX/pwmX
"""
ret = rocmsmi.rsmi_dev_fan_speed_max_get(device, sensor_ind, byref(fanMax))
if rsmi_ret_ok(ret, device, 'get_fan_max_speed', silent):
fm = fanMax.value
""" In case we had an error before, we don't overwrite it with a
possible success now. Otherwise, we get the next error.
"""
if (last_ret == rsmi_status_t.RSMI_STATUS_SUCCESS):
last_ret = ret
if fl == 0 or fm == 0:
return (last_ret, fl, 0) # to prevent division by zero crash
return (last_ret, fl, round((float(fl) / float(fm)) * 100, 2))
def getGpuUse(device, silent=False):
""" Return the current GPU usage as a percentage
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
percent = c_uint32()
ret = rocmsmi.rsmi_dev_busy_percent_get(device, byref(percent))
if rsmi_ret_ok(ret, device, 'GPU Utilization ', silent):
return percent.value
return -1
def getDRMDeviceId(device, silent=False):
""" Return the hexadecimal value of a device's ID
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
dv_id = c_short()
ret = rocmsmi.rsmi_dev_id_get(device, byref(dv_id))
device_id_ret = "N/A"
if rsmi_ret_ok(ret, device, 'get_device_id', silent=True):
device_id_ret = hex(dv_id.value)
return device_id_ret
def getRev(device, silent=False):
""" Return the hexadecimal value of a device's Revision
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
dv_rev = c_short()
ret = rocmsmi.rsmi_dev_revision_get(device, byref(dv_rev))
revision_ret = "N/A"
if rsmi_ret_ok(ret, device, 'get_device_rev', silent=True):
revision_ret = padHexValue(hex(dv_rev.value), 2)
return revision_ret
def getSubsystemId(device, silent=False):
""" Return the a device's subsystem id
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
model = c_short()
ret = rocmsmi.rsmi_dev_subsystem_id_get(device, byref(model))
device_model = "N/A"
if rsmi_ret_ok(ret, device, 'get_subsystem_name', silent=True):
device_model = model.value
# padHexValue is used for applications that expect 4-digit card models
device_model = padHexValue(hex(device_model), 4)
return device_model
def getVendor(device, silent=False):
""" Return the a device's vendor id
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
vendor = create_string_buffer(MAX_BUFF_SIZE)
device_vendor = "N/A"
# Retrieve card vendor
ret = rocmsmi.rsmi_dev_vendor_name_get(device, vendor, MAX_BUFF_SIZE)
# Only continue if GPU vendor is AMD
if rsmi_ret_ok(ret, device, 'get_vendor_name', silent) and isAmdDevice(device):
device_vendor = vendor.value.decode()
return device_vendor
def getGUID(device, silent=False):
""" Return the uint64 value of device's GUID,
also referred as GPU ID - reported by KFD.
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
guid = c_uint64()
ret = rocmsmi.rsmi_dev_guid_get(device, byref(guid))
guid_ret = "N/A"
if rsmi_ret_ok(ret, device, 'get_gpu_id_kfd', silent=silent):
guid_ret = guid.value
return guid_ret
def getTargetGfxVersion(device, silent=False):
""" Return the uint64 value of device's target
graphics version as reported by KFD
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
target_graphics_version = c_uint64()
gfx_ver_ret = "N/A"
ret = rocmsmi.rsmi_dev_target_graphics_version_get(device, byref(target_graphics_version))
target_graphics_version = hex(target_graphics_version.value)[2:]
if rsmi_ret_ok(ret, device, 'get_target_gfx_version', silent=silent):
gfx_ver_ret = "gfx" + str(target_graphics_version)
return gfx_ver_ret
def getNodeId(device, silent=False):
""" Return the uint32 value of device's node id
reported by KFD.
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
node_id = c_uint32()
ret = rocmsmi.rsmi_dev_node_id_get(device, byref(node_id))
node_id_ret = "N/A"
if rsmi_ret_ok(ret, device, 'get_node_id_kfd', silent=silent):
node_id_ret = node_id.value
return node_id_ret
def getDeviceName(device, silent=False):
""" Return the uint64 value of device's name
reported by KFD
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
# Retrieve the device series
series = create_string_buffer(MAX_BUFF_SIZE)
device_name_ret = "N/A"
ret = rocmsmi.rsmi_dev_market_name_get(device, series, MAX_BUFF_SIZE)
if rsmi_ret_ok(ret, device, 'get_name', silent=silent):
device_name_ret = series.value.decode()
return device_name_ret
def getMaxPower(device, silent=False):
""" Return the maximum power cap of a given device
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
power_cap = c_uint64()
ret = rocmsmi.rsmi_dev_power_cap_get(device, 0, byref(power_cap))
if rsmi_ret_ok(ret, device, 'get_power_cap', silent):
# take floor of result (round down to nearest integer)
return float(power_cap.value / 1000000) // 1
return -1
def getAllocatedMemoryPercent(device):
""" Return dictionary of allocated memory (VRAM) of a given device
Response of allocated_memory_vram dictionary:
.. code-block:: python
{
'value': float allocated vram memory (floor of %) or 'N/A' (for rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED),
'unit': %,
'combined': string (eg. '30%') or 'N/A' (for rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED)
'ret': rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED or rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED
}
:param device: DRM device identifier
"""
allocated_memory_vram = {
'value': "N/A",
'unit': '%',
'combined': "N/A",
'ret': rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED
}
vram_used, vram_total = getMemInfo(device, 'vram', silent=True)
mem_use_pct = 0
if vram_used is None:
return allocated_memory_vram
if vram_used != None and vram_total != None and float(vram_total) != 0:
# take floor of result (round down to nearest integer)
mem_use_pct = (100 * (float(vram_used) / float(vram_total))) // 1
allocated_memory_vram['value'] = mem_use_pct
mem_use_pct = '{:<.0f}%'.format(mem_use_pct) # left aligned
# values with no precision
allocated_memory_vram['combined'] = mem_use_pct
allocated_memory_vram['ret'] = rsmi_status_t.RSMI_STATUS_SUCCESS
return allocated_memory_vram
def getMemInfo(device, memType, silent=False):
""" Returns a tuple of (memory_used, memory_total) of
the requested memory type usage for the device specified
:param device: DRM device identifier
:param type: [vram|vis_vram|gtt] Memory type to return
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off,
which exposes any issue accessing the different
memory types.
"""
memType = memType.upper()
if memType not in memory_type_l:
printErrLog(device, 'Invalid memory type %s' % (memType))
return (None, None)
memoryUse = c_uint64()
memoryTot = c_uint64()
memUsed = None
memTotal = None
ret = rocmsmi.rsmi_dev_memory_usage_get(device, memory_type_l.index(memType), byref(memoryUse))
if rsmi_ret_ok(ret, device, 'get_memory_usage_' + str(memType), silent):
memUsed = memoryUse.value
ret = rocmsmi.rsmi_dev_memory_total_get(device, memory_type_l.index(memType), byref(memoryTot))
if rsmi_ret_ok(ret, device, 'get_memory_total_' + str(memType), silent):
memTotal = memoryTot.value
return (memUsed, memTotal)
def getProcessName(pid):
""" Get the process name of a specific pid
:param pid: Process ID of a program to be parsed
"""
if int(pid) < 1:
logging.debug('PID must be greater than 0')
return 'UNKNOWN'
try:
pName = str(subprocess.check_output("ps -p %d -o comm=" % (int(pid)), shell=True))
except subprocess.CalledProcessError as e:
pName = 'UNKNOWN'
if pName == None:
pName = 'UNKNOWN'
# Remove the substrings surrounding from process name (b' and \n')
if str(pName).startswith('b\''):
pName = pName[2:]
if str(pName).endswith('\\n\''):
pName = pName[:-3]
return pName
def getPerfLevel(device, silent=False):
""" Return the current performance level of a given device
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
perf = rsmi_dev_perf_level_t()
ret = rocmsmi.rsmi_dev_perf_level_get(device, byref(perf))
if rsmi_ret_ok(ret, device, 'get_perf_level', silent):
return perf_level_string(perf.value)
return 'N/A'
def getPid(name):
""" Get the process id of a specific application
:param name: Process name of a program to be parsed
"""
return check_output(['pidof', name])
def getPidList():
""" Return a list of KFD process IDs """
num_items = c_uint32()
ret = rocmsmi.rsmi_compute_process_info_get(None, byref(num_items))
if rsmi_ret_ok(ret, metric='get_compute_process_info'):
buff_sz = num_items.value + 10
procs = (rsmi_process_info_t * buff_sz)()
procList = []
ret = rocmsmi.rsmi_compute_process_info_get(byref(procs), byref(num_items))
for i in range(num_items.value):
procList.append('%s' % (procs[i].process_id))
return procList
return
def getPower(device):
""" Return dictionary of power responses.
Response power dictionary:
.. code-block:: python
{
'power': string wattage response or 'N/A' (for not RSMI_STATUS_SUCCESS),
'power_type': power type string - 'Current Socket' or 'Average',
'unit': W (Watt)
'ret': response of rsmi_dev_power_get(device, byref(power), byref(power_type))
}
:param device: DRM device identifier
"""
power = c_int64(0)
power_type = rsmi_power_type_t()
power_ret_dict = {
'power': "N/A",
'power_type': "N/A",
'unit': 'W',
'ret': rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED
}
ret = rocmsmi.rsmi_dev_power_get(device, byref(power), byref(power_type))
if ret == rsmi_status_t.RSMI_STATUS_SUCCESS:
power_ret_dict = {
'power': str(power.value / 1000000),
'power_type': rsmi_power_type_dict[power_type.value],
'unit': 'W',
'ret': ret
}
else:
power_ret_dict['ret'] = ret
return power_ret_dict
def getRasEnablement(device, block, silent=True):
""" Return RAS enablement state for a given device
:param device: DRM device identifier
:param block: RAS block identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is on.
"""
state = rsmi_ras_err_state_t()
ret = rocmsmi.rsmi_dev_ecc_status_get(device, rsmi_gpu_block_d[block], byref(state))
if rsmi_ret_ok(ret, device, 'get_ecc_status_' + str(block), silent):
return rsmi_ras_err_stale_machine[state.value].upper()
return 'N/A'
def getTemp(device, sensor, silent=True):
""" Display the current temperature from a given device's sensor
:param device: DRM device identifier
:param sensor: Temperature sensor identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is on.
"""
temp = c_int64(0)
metric = rsmi_temperature_metric_t.RSMI_TEMP_CURRENT
ret = rocmsmi.rsmi_dev_temp_metric_get(c_uint32(device), temp_type_lst.index(sensor), metric, byref(temp))
if rsmi_ret_ok(ret, device, 'get_temp_metric' + str(sensor), silent):
return temp.value / 1000
return 'N/A'
def findFirstAvailableTemp(device):
""" Discovers the first available device temperature to display
Returns a tuple of (temp_type, temp_value) for the device specified
:param device: DRM device identifier
"""
temp = c_int64(0)
metric = rsmi_temperature_metric_t.RSMI_TEMP_CURRENT
ret_temp = "N/A"
ret_temp_type = temp_type_lst[0]
for i, templist_val in enumerate(temp_type_lst):
ret = rocmsmi.rsmi_dev_temp_metric_get(c_uint32(device), i, metric, byref(temp))
if rsmi_ret_ok(ret, device, 'get_temp_metric_' + templist_val, silent=True):
ret_temp = temp.value / 1000
ret_temp_type = '(' + templist_val.capitalize() + ')'
break
else:
continue
return (ret_temp_type, ret_temp)
def getTemperatureLabel(deviceList):
""" Discovers the the first identified power label
Returns a string label value
:param device: DRM device identifier
"""
# Default label is Edge
tempLabel = temp_type_lst[0].lower()
if len(deviceList) < 1:
return tempLabel
(temp_type, _) = findFirstAvailableTemp(deviceList[0])
tempLabel = temp_type.lower().replace('(', '').replace(')', '')
return tempLabel
def getPowerLabel(deviceList):
""" Discovers the the first identified power label
Returns a string label value
:param device: DRM device identifier
"""
power = c_int64(0)
# Default label is AvgPower
powerLabel = rsmi_power_label.AVG_POWER
if len(deviceList) < 1:
return powerLabel
device=deviceList[0]
power_dict = getPower(device)
if (power_dict['ret'] == rsmi_status_t.RSMI_STATUS_SUCCESS and
power_dict['power_type'] == 'CURRENT SOCKET'):
powerLabel = rsmi_power_label.CURRENT_SOCKET_POWER
return powerLabel
def getVbiosVersion(device, silent=False):
""" Returns the VBIOS version for a given device
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
vbios = create_string_buffer(256)
ret = rocmsmi.rsmi_dev_vbios_version_get(device, vbios, 256)
vbios_ret = "N/A"
if rsmi_ret_ok(ret, device, silent=silent):
vbios_ret = vbios.value.decode()
if vbios_ret == "":
vbios_ret = "N/A"
return vbios_ret
def getVersion(deviceList, component, silent=False):
""" Return the software version for the specified component
:param deviceList: List of DRM devices (can be a single-item list)
:param component: Component (currently only driver)
:param silent: Turn on to silence error output
(you plan to handle manually). Default is off.
"""
ver_str = create_string_buffer(256)
ret = rocmsmi.rsmi_version_str_get(component, ver_str, 256)
if rsmi_ret_ok(ret, None, 'get_version_str_' + str(component), silent):
return ver_str.value.decode()
return None
def getComputePartition(device, silent=True):
""" Return the current compute partition of a given device
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is on.
"""
currentComputePartition = create_string_buffer(MAX_BUFF_SIZE)
ret = rocmsmi.rsmi_dev_compute_partition_get(device, currentComputePartition, MAX_BUFF_SIZE)
if rsmi_ret_ok(ret, device, 'get_compute_partition', silent) and currentComputePartition.value.decode():
return str(currentComputePartition.value.decode())
return "N/A"
def getMemoryPartition(device, silent=True):
""" Return the current memory partition of a given device
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is on.
"""
currentMemoryPartition = create_string_buffer(MAX_BUFF_SIZE)
ret = rocmsmi.rsmi_dev_memory_partition_get(device, currentMemoryPartition, MAX_BUFF_SIZE)
if rsmi_ret_ok(ret, device, 'get_memory_partition', silent) and currentMemoryPartition.value.decode():
return str(currentMemoryPartition.value.decode())
return "N/A"
def getMemoryPartitionCapabilities(device, silent=True):
""" Return the current memory partition capablities of a given device
:param device: DRM device identifier
:param silent: Turn on to silence error output
(you plan to handle manually). Default is on.
"""
memoryPartitionCapabilities = create_string_buffer(MAX_BUFF_SIZE)
ret = rocmsmi.rsmi_dev_memory_partition_capabilities_get(device, memoryPartitionCapabilities, MAX_BUFF_SIZE)
if rsmi_ret_ok(ret, device, 'get_compute_partition', silent) and memoryPartitionCapabilities.value.decode():
return str(memoryPartitionCapabilities.value.decode())
return "N/A"
def print2DArray(dataArray):
""" Print 2D Array with uniform spacing """
global PRINT_JSON
dataArrayLength = []
isPid = False
if str(dataArray[0][0]) == 'PID':
isPid = True
for position in range(len(dataArray[0])):
dataArrayLength.append(len(dataArray[0][position]))
for position in range(len(dataArray)):
for cell in range(len(dataArray[0])):
if len(dataArray[position][cell]) > dataArrayLength[cell]:
dataArrayLength[cell] = len(dataArray[position][cell])
for position in range(len(dataArray)):
printString = ''
for cell in range(len(dataArray[0])):
printString += str(dataArray[position][cell]).ljust(dataArrayLength[cell], ' ') + '\t'
if PRINT_JSON:
printString = ' '.join(printString.split()).lower()
firstElement = printString.split(' ', 1)[0]
printString = printString.split(' ', 1)[1]
printString = printString.replace(' ', ', ')
if (position > 0):
if isPid:
printSysLog('PID%s' % (firstElement), printString)
else:
printSysLog(firstElement, printString)
else:
printLog(None, printString, None)
def printEmptyLine():
""" Print out a single empty line """
global PRINT_JSON
if not PRINT_JSON:
print()
def printErrLog(device, err, is_warning=False):
""" Print out an error to the SMI log
:param device: DRM device identifier
:param err: Error string to print
"""
global PRINT_JSON
devName = device
for line in err.split('\n'):
errstr = 'GPU[%s]\t: %s' % (devName, line)
if not PRINT_JSON:
if not is_warning:
logging.error(errstr)
else:
logging.warning(errstr)
else:
logging.debug(errstr)
def printInfoLog(device, metricName, value):
""" Print out an info line to the SMI log
:param device: DRM device identifier
:param metricName: Title of the item to print to the log
:param value: The item's value to print to the log
"""
global PRINT_JSON
if not PRINT_JSON:
if value is not None:
logstr = 'GPU[%s]\t: %s: %s' % (device, metricName, value)
else:
logstr = 'GPU[%s]\t: %s' % (device, metricName)
if device is None:
logstr = logstr[13:]
logging.info(logstr)
def printEventList(device, delay, eventList):
""" Print out notification events for a specified device
:param device: DRM device identifier
:param delay: Notification delay in ms
:param eventList: List of event type names (can be a single-item list)
"""
mask = 0
ret = rocmsmi.rsmi_event_notification_init(device)
if not rsmi_ret_ok(ret, device, 'event_notification_init'):
printErrLog(device, 'Unable to initialize event notifications.')
return
for eventType in eventList:
mask |= 2 ** notification_type_names.index(eventType.upper())
ret = rocmsmi.rsmi_event_notification_mask_set(device, mask)
if not rsmi_ret_ok(ret, device, 'set_event_notification_mask'):
printErrLog(device, 'Unable to set event notification mask.')
return
while 1: # Exit condition from user keyboard input of 'q' or 'ctrl + c'
num_elements = c_uint32(1)
data = rsmi_evt_notification_data_t(1)
rocmsmi.rsmi_event_notification_get(delay, byref(num_elements), byref(data))
if len(data.message) > 0:
print2DArray([['\rGPU[%d]:\t' % (data.dv_ind), ctime().split()[3], notification_type_names[data.event.value - 1],
data.message.decode('utf8') + '\r']])
def printLog(device, metricName, value=None, extraSpace=False, useItalics=False, xcp=None):
""" Print out to the SMI log
:param device: DRM device identifier
:param metricName: Title of the item to print to the log
:param value: The item's value to print to the log
"""
red = '\033[91m'
green = '\033[92m'
blue = '\033[94m'
bold = '\033[1m'
italics = '\033[3m'
underline = '\033[4m'
end = '\033[0m'
global PRINT_JSON
if PRINT_JSON:
if value is not None and device is not None:
formatJson(device, str(metricName) + ': ' + str(value))
elif device is not None:
formatJson(device, str(metricName))
return
if value is not None:
if xcp == None:
logstr = 'GPU[%s]\t\t: %s: %s' % (device, metricName, value)
else:
logstr = 'GPU[%s] XCP[%s]\t: %s: %s' % (device, xcp, metricName, value)
else:
logstr = 'GPU[%s]\t\t: %s' % (device, metricName)
if device is None:
logstr = logstr.split(':', 1)[1][1:]
# Force thread safe printing
lock = multiprocessing.Lock()
lock.acquire()
if useItalics:
logstr = italics + logstr + end
try:
if extraSpace:
print('\n', end='')
# Handle non UTF-8 locale
try:
print(logstr + '\n', end='')
except UnicodeEncodeError:
print(logstr.encode('ascii', 'ignore').decode('ascii'))
sys.stdout.flush()
# when piped into programs like 'head' - print throws an error.
# silently ignore instead
except(BrokenPipeError, IOError):
# https://docs.python.org/3/library/signal.html#note-on-sigpipe
# Python flushes standard streams on exit; redirect remaining output
# to devnull to avoid another BrokenPipeError at shutdown
devnull = os.open(os.devnull, os.O_WRONLY)
os.dup2(devnull, sys.stdout.fileno())
sys.exit(1) # Python exits with error code 1 on EPIPE
lock.release()
def printListLog(metricName, valuesList):
""" Print out to the SMI log for the lists
:param metricName: Title of the item to print to the log
:param valuesList: The item's list of values to print to the log
"""
global PRINT_JSON
listStr = ''
line = metricName + ':\n'
if not valuesList:
line = 'None'
else:
for value in valuesList:
value = str(value) + ' '
if (len(line) + len(value)) < appWidth:
line += value
else:
listStr = listStr + line + '\n'
line = value
if not PRINT_JSON:
print(listStr + line)
def printLogSpacer(displayString=None, fill='=', contentSizeToFit=0):
""" Prints [name of the option]/[name of the program] in the spacer to explain data below
If no parameters are given, a default fill of the '=' string is used in the spacer
:param displayString: name of item to be displayed inside of the log spacer
:param fill: padding string which surrounds the given display string
:param contentSizeToFit: providing an integer > 0 allows
ability to dynamically change output padding/fill based on this value
instead of appWidth. Handy for concise info output.
"""
global appWidth, PRINT_JSON
resizeValue = appWidth
if contentSizeToFit != 0:
resizeValue = contentSizeToFit
if resizeValue % 2: # if odd -> make even
resizeValue += 1
# leaving below to check if resizing works properly
# print("resizeVal=" +str(resizeValue) + "; appWidth=" + str(appWidth) +
# "; contentSizeToFit=" + str(contentSizeToFit) + "; fill=" + fill)
if not PRINT_JSON:
if displayString:
if len(displayString) % 2:
displayString += fill
logSpacer = fill * int((resizeValue - (len(displayString))) / 2) + displayString + fill * int(
(resizeValue - (len(displayString))) / 2)
else:
logSpacer = fill * resizeValue
print(logSpacer)
def printSysLog(SysComponentName, value):
""" Print out to the SMI log for repeated features
:param SysComponentName: Title of the item to print to the log
:param value: The item's value to print to the log
"""
global PRINT_JSON, JSON_DATA
if PRINT_JSON:
if 'system' not in JSON_DATA:
JSON_DATA['system'] = {}
formatJson('system', str(SysComponentName) + ': ' + str(value))
return
logstr = '{}: {}'.format(SysComponentName, value)
logging.debug(logstr)
print(logstr)
def printTableLog(column_headers, data_matrix, device=None, tableName=None, anchor='>', v_delim=' '):
""" Print out to the SMI log for the lists
:param column_headers: Header names for each column
:param data_matrix: Matrix of values
:param device: DRM device identifier
:param tableName: Title of the table to print to the log
:param anchor: Alignment direction of the print output
:param v_delim: Boundary String delimiter for the print output
"""
# Usage: the length of col_Names would be determining column width.
# If additional space is needed, please pad corresponding column name with spaces
# If table should print tabulated, pad name of column one with leading zeroes
# Use anchor '<' to to align columns to the right
global OUTPUT_SERIALIZATION, PRINT_JSON
if OUTPUT_SERIALIZATION or PRINT_JSON:
return
if (device is not None) or tableName:
if device is not None:
print('\nGPU[%s]: ' % (device), end='\t')
if tableName:
print(tableName, end='')
printEmptyLine()
for header in column_headers:
print('{:>}'.format(header), end=v_delim)
printEmptyLine()
for row in data_matrix:
for index, cell in enumerate(row):
if cell is None:
cell = 'None'
print('{:{anc}{width}}'.format(cell, anc=anchor, width=len(column_headers[index])), end=v_delim)
printEmptyLine()
def printTableRow(space, displayString, v_delim=" "):
""" Print out a line of a matrix table
:param space: The item's spacing to print
:param displayString: The item's value to print
:param v_delim: Boundary String delimiter for the print output
"""
if space:
print(space % (displayString), end=v_delim)
else:
print(displayString, end=v_delim)
def checkIfSecondaryDie(device):
""" Checks if GCD(die) is the secondary die in a MCM.
MI200 device specific feature check.
The secondary dies lacks power management features.
:param device: The device to check
"""
energy_count = c_uint64()
counter_resoution = c_float()
timestamp = c_uint64()
# secondary die can be determined by checking if energy counter == 0
ret = rocmsmi.rsmi_dev_energy_count_get(device, byref(energy_count), byref(counter_resoution), byref(timestamp))
if (rsmi_ret_ok(ret, None, 'energy_count_secondary_die_check', silent=False)) and (energy_count.value == 0):
return True
return False
def resetClocks(deviceList):
""" Reset clocks to default
Reset clocks to default values by setting performance level to auto, as well
as setting OverDrive back to 0
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Reset Clocks ')
for device in deviceList:
ret = rocmsmi.rsmi_dev_overdrive_level_set(device, rsmi_dev_perf_level_t(0))
if rsmi_ret_ok(ret, device, 'set_overdrive_level'):
printLog(device, 'OverDrive set to 0', None)
else:
printLog(device, 'Unable to reset OverDrive', None)
ret = rocmsmi.rsmi_dev_perf_level_set(device, rsmi_dev_perf_level_t(0))
if rsmi_ret_ok(ret, device, 'set_perf_level'):
printLog(device, 'Successfully reset clocks', None)
else:
printLog(device, 'Unable to reset clocks', None)
ret = rocmsmi.rsmi_dev_perf_level_set(device, rsmi_dev_perf_level_t(0))
if rsmi_ret_ok(ret, device, 'set_perf_level'):
printLog(device, 'Performance level reset to auto', None)
else:
printLog(device, 'Unable to reset performance level to auto', None)
def resetFans(deviceList):
""" Reset fans to driver control for a list of devices.
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Reset GPU Fan Speed ')
for device in deviceList:
sensor_ind = c_uint32(0)
ret = rocmsmi.rsmi_dev_fan_reset(device, sensor_ind)
if rsmi_ret_ok(ret, device, silent=True):
printLog(device, 'Successfully reset fan speed to driver control', None)
else:
printLog(device, 'Not supported on the given system', None)
printLogSpacer()
def resetPowerOverDrive(deviceList, autoRespond):
""" Reset Power OverDrive to the default value
:param deviceList: List of DRM devices (can be a single-item list)
"""
setPowerOverDrive(deviceList, 0, autoRespond)
def resetProfile(deviceList):
""" Reset profile for a list of a devices.
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Reset Profile ')
for device in deviceList:
ret = rocmsmi.rsmi_dev_power_profile_set(device, 0, profileString('BOOTUP DEFAULT'))
if rsmi_ret_ok(ret, device, 'set_power_profile'):
printLog(device, 'Successfully reset Power Profile', None)
else:
printErrLog(device, 'Unable to reset Power Profile')
ret = rocmsmi.rsmi_dev_perf_level_set(device, rsmi_dev_perf_level_t(0))
if rsmi_ret_ok(ret, device, 'set_perf_level'):
printLog(device, 'Successfully reset Performance Level', None)
else:
printErrLog(device, 'Unable to reset Performance Level')
printLogSpacer()
def resetXgmiErr(deviceList):
""" Reset the XGMI Error value
:param deviceList: Reset XGMI error count for these devices
"""
printLogSpacer('Reset XGMI Error Status ')
for device in deviceList:
ret = rocmsmi.rsmi_dev_xgmi_error_reset(device)
if rsmi_ret_ok(ret, device, 'reset xgmi'):
printLog(device, 'Successfully reset XGMI Error count', None)
else:
logging.error('GPU[%s]\t\t: Unable to reset XGMI error count', device)
printLogSpacer()
def resetPerfDeterminism(deviceList):
""" Reset Performance Determinism
:param deviceList: Disable Performance Determinism for these devices
"""
printLogSpacer('Disable Performance Determinism')
for device in deviceList:
ret = rocmsmi.rsmi_dev_perf_level_set(device, rsmi_dev_perf_level_t(0))
if rsmi_ret_ok(ret, device, 'disable performance determinism'):
printLog(device, 'Successfully disabled performance determinism', None)
else:
logging.error('GPU[%s]\t\t: Unable to disable performance determinism', device)
printLogSpacer()
def resetComputePartition(deviceList):
""" Reset Compute Partition to its boot state
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(" Reset compute partition to its boot state ")
for device in deviceList:
originalPartition = getComputePartition(device)
ret = rocmsmi.rsmi_dev_compute_partition_reset(device)
if rsmi_ret_ok(ret, device, 'reset_compute_partition', silent=True):
resetBootState = getComputePartition(device)
printLog(device, "Successfully reset compute partition (" +
originalPartition + ") to boot state (" + resetBootState +
")", None)
elif ret == rsmi_status_t.RSMI_STATUS_PERMISSION:
printLog(device, 'Permission denied', None)
elif ret == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED:
printLog(device, 'Not supported on the given system', None)
elif ret == rsmi_status_t.RSMI_STATUS_BUSY:
printLog(device, 'Device is currently busy, try again later',
None)
else:
rsmi_ret_ok(ret, device, 'reset_compute_partition')
printErrLog(device, 'Failed to reset the compute partition to boot state')
printLogSpacer()
def resetMemoryPartition(deviceList):
""" Reset current memory partition to its boot state
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(" Reset memory partition to its boot state ")
for device in deviceList:
originalPartition = getMemoryPartition(device)
t1 = multiprocessing.Process(target=showProgressbar,
args=("Resetting memory partition",13,))
t1.start()
addExtraLine=True
start=time.time()
ret = rocmsmi.rsmi_dev_memory_partition_reset(device)
stop=time.time()
duration=stop-start
if t1.is_alive():
t1.terminate()
t1.join()
if duration < float(0.1): # For longer runs, add extra line before output
addExtraLine=False # This is to prevent overriding progress bar
if rsmi_ret_ok(ret, device, 'reset_memory_partition', silent=True):
resetBootState = getMemoryPartition(device)
printLog(device, "Successfully reset memory partition (" +
originalPartition + ") to boot state (" +
resetBootState + ")", None, addExtraLine)
elif ret == rsmi_status_t.RSMI_STATUS_PERMISSION:
printLog(device, 'Permission denied', None, addExtraLine)
elif ret == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED:
printLog(device, 'Not supported on the given system', None, addExtraLine)
elif ret == rsmi_status_t.RSMI_STATUS_BUSY:
printLog(device, 'Device is currently busy, try again later',
None)
else:
rsmi_ret_ok(ret, device, 'reset_memory_partition')
printErrLog(device, 'Failed to reset memory partition to boot state')
printLogSpacer()
def setClockRange(deviceList, clkType, minvalue, maxvalue, autoRespond):
""" Set the range for the specified clktype in the PowerPlay table for a list of devices.
:param deviceList: List of DRM devices (can be a single-item list)
:param clktype: [sclk|mclk] Which clock type to apply the range to
:param minvalue: Minimum value to apply to the clock range
:param maxvalue: Maximum value to apply to the clock range
:param autoRespond: Response to automatically provide for all prompts
"""
global RETCODE
if clkType not in {'sclk', 'mclk'}:
printLog(None, 'Invalid range identifier %s' % (clkType), None)
logging.error('Unsupported range type %s', clkType)
RETCODE = 1
return
try:
int(minvalue) & int(maxvalue)
except ValueError:
printErrLog(None, 'Unable to set %s range' % (clkType))
logging.error('%s or %s is not an integer', minvalue, maxvalue)
RETCODE = 1
return
confirmOutOfSpecWarning(autoRespond)
printLogSpacer(' Set Valid %s Range ' % (clkType))
for device in deviceList:
ret = rocmsmi.rsmi_dev_clk_range_set(device, int(minvalue), int(maxvalue), rsmi_clk_names_dict[clkType])
if rsmi_ret_ok(ret, device, silent=True):
printLog(device, 'Successfully set %s from %s(MHz) to %s(MHz)' % (clkType, minvalue, maxvalue), None)
else:
printErrLog(device, 'Unable to set %s from %s(MHz) to %s(MHz)' % (clkType, minvalue, maxvalue))
RETCODE = 1
if ret == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED:
printLog(device, 'Setting %s range is not supported for this device.' % (clkType), None)
def setClockExtremum(deviceList, level, clkType, clkValue, autoRespond):
""" Set the range for the specified clktype in the PowerPlay table for a list of devices.
:param deviceList: List of DRM devices (can be a single-item list)
:param level: [min|max] Minimum value or Maximum value
:param clktype: [sclk|mclk] Which clock type to apply the range to
:param clkValue: clock value to apply to the level
:param autoRespond: Response to automatically provide for all prompts
"""
global RETCODE
if level not in {'min', 'max'}:
printLog(None, 'Invalid extremum identifier %s, use min or max' % (level), None)
logging.error('Unsupported clock extremum %s', level)
RETCODE = 1
return
if clkType not in {'sclk', 'mclk'}:
printLog(None, 'Invalid clock type identifier %s, use sclk or mclk ' % (clkType), None)
logging.error('Unsupported clock type %s', clkType)
RETCODE = 1
return
point = 0
if level == "max":
point = 1
try:
int(clkValue)
except ValueError:
printErrLog(None, 'Unable to set %s' % (clkValue))
logging.error('%s is not an integer', clkValue)
RETCODE = 1
return
confirmOutOfSpecWarning(autoRespond)
printLogSpacer(' Set Valid %s Extremum ' % (clkType))
for device in deviceList:
ret = rocmsmi.rsmi_dev_clk_extremum_set(device, rsmi_freq_ind_t(int(point)), int(clkValue), rsmi_clk_names_dict[clkType])
if rsmi_ret_ok(ret, device, silent=True):
printLog(device, 'Successfully set %s %s to %s(MHz)' % (level, clkType, clkValue), None)
else:
printErrLog(device, 'Unable to set %s %s to %s(MHz)' % (level, clkType, clkValue))
RETCODE = 1
if ret == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED:
printLog(device, 'Setting %s %s clock is not supported for this device.' % (level, clkType), None)
def setVoltageCurve(deviceList, point, clk, volt, autoRespond):
""" Set voltage curve for a point in the PowerPlay table for a list of devices.
:param deviceList: List of DRM devices (can be a single-item list)
:param point: Point on the voltage curve to modify
:param clk: Clock speed specified for this curve point
:param volt: Voltage specified for this curve point
:param autoRespond: Response to automatically provide for all prompts
"""
global RETCODE
value = '%s %s %s' % (point, clk, volt)
try:
any(int(item) for item in value.split())
except ValueError:
printErrLog(None, 'Unable to set Voltage curve')
printErrLog(None, 'Non-integer characters are present in %s' %value)
RETCODE = 1
return
confirmOutOfSpecWarning(autoRespond)
for device in deviceList:
ret = rocmsmi.rsmi_dev_od_volt_info_set(device, int(point), int(clk), int(volt))
if rsmi_ret_ok(ret, device, 'set_voltage_curve'):
printLog(device, 'Successfully set voltage point %s to %s(MHz) %s(mV)' % (point, clk, volt), None)
else:
printErrLog(device, 'Unable to set voltage point %s to %s(MHz) %s(mV)' % (point, clk, volt))
RETCODE = 1
def setPowerPlayTableLevel(deviceList, clkType, point, clk, volt, autoRespond):
""" Set clock frequency and voltage for a level in the PowerPlay table for a list of devices.
:param deviceList: List of DRM devices (can be a single-item list)
:param clktype: [sclk|mclk] Which clock type to apply the range to
:param point: Point on the voltage curve to modify
:param clk: Clock speed specified for this curve point
:param volt: Voltage specified for this curve point
:param autoRespond: Response to automatically provide for all prompts
"""
global RETCODE
value = '%s %s %s' % (point, clk, volt)
listOfValues = value.split(' ')
try:
any(int(item) for item in value.split())
except ValueError:
printErrLog(None, 'Unable to set PowerPlay table level')
printErrLog(None, 'Non-integer characters are present in %s' %value)
RETCODE = 1
return
confirmOutOfSpecWarning(autoRespond)
for device in deviceList:
if clkType == 'sclk':
ret = rocmsmi.rsmi_dev_od_clk_info_set(device, rsmi_freq_ind_t(int(point)), int(clk),
rsmi_clk_names_dict[clkType])
if rsmi_ret_ok(ret, device, 'set_power_play_table_level_' + str(clkType)):
printLog(device, 'Successfully set voltage point %s to %s(MHz) %s(mV)' % (point, clk, volt), None)
else:
printErrLog(device, 'Unable to set voltage point %s to %s(MHz) %s(mV)' % (point, clk, volt))
RETCODE = 1
elif clkType == 'mclk':
ret = rocmsmi.rsmi_dev_od_clk_info_set(device, rsmi_freq_ind_t(int(point)), int(clk),
rsmi_clk_names_dict[clkType])
if rsmi_ret_ok(ret, device, 'set_power_play_table_level_' + str(clkType)):
printLog(device, 'Successfully set voltage point %s to %s(MHz) %s(mV)' % (point, clk, volt), None)
else:
printErrLog(device, 'Unable to set voltage point %s to %s(MHz) %s(mV)' % (point, clk, volt))
RETCODE = 1
else:
printErrLog(device, 'Unable to set %s range' % (clkType))
logging.error('Unsupported range type %s', clkType)
RETCODE = 1
def setClockOverDrive(deviceList, clktype, value, autoRespond):
""" Set clock speed to OverDrive for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
:param type: [sclk|mclk] Clock type to set
:param value: [0-20] OverDrive percentage
:param autoRespond: Response to automatically provide for all prompts
"""
printLogSpacer(' Set Clock OverDrive (Range: 0% to 20%) ')
global RETCODE
try:
int(value)
except ValueError:
printLog(None, 'Unable to set OverDrive level', None)
logging.error('%s it is not an integer', value)
RETCODE = 1
return
confirmOutOfSpecWarning(autoRespond)
for device in deviceList:
if int(value) < 0:
printErrLog(device, 'Unable to set OverDrive')
logging.debug('Overdrive cannot be less than 0%')
RETCODE = 1
return
if int(value) > 20:
printLog(device, 'Setting OverDrive to 20%', None)
logging.debug('OverDrive cannot be set to a value greater than 20%')
value = '20'
if getPerfLevel(device) != 'MANUAL':
ret = rocmsmi.rsmi_dev_perf_level_set(device, rsmi_dev_perf_level_t(3))
if rsmi_ret_ok(ret, device, 'set_perf_level_manual_' + str(clktype)):
printLog(device, 'Performance level set to manual', None)
else:
printErrLog(device, 'Unable to set performance level to manual')
if clktype == 'mclk':
fsFile = os.path.join('/sys/class/drm', 'card%d' % (device), 'device', 'pp_mclk_od')
if not os.path.isfile(fsFile):
printLog(None, 'Unable to write to sysfs file (' + fsFile +
'), file does not exist', None)
logging.debug('%s does not exist', fsFile)
continue
try:
logging.debug('Writing value \'%s\' to file \'%s\'', value, fsFile)
with open(fsFile, 'w') as fs:
fs.write(value + '\n')
except (IOError, OSError):
printLog(None, 'Unable to write to sysfs file %s' %fsFile, None)
logging.warning('IO or OS error')
RETCODE = 1
continue
printLog(device, 'Successfully set %s OverDrive to %s%%' % (clktype, value), None)
elif clktype == 'sclk':
ret = rocmsmi.rsmi_dev_overdrive_level_set(device, rsmi_dev_perf_level_t(int(value)))
if rsmi_ret_ok(ret, device, 'set_overdrive_level_' + str(clktype)):
printLog(device, 'Successfully set %s OverDrive to %s%%' % (clktype, value), None)
else:
printLog(device, 'Unable to set %s OverDrive to %s%%' % (clktype, value), None)
else:
printErrLog(device, 'Unable to set OverDrive')
logging.error('Unsupported clock type %s', clktype)
RETCODE = 1
def setClocks(deviceList, clktype, clk):
""" Set clock frequency levels for a list of devices.
:param deviceList: List of DRM devices (can be a single-item list)
:param clktype: [validClockNames] Clock type to set
:param clk: Clock frequency level to set
"""
global RETCODE
if not clk:
printLog(None, 'Invalid clock frequency', None)
RETCODE = 1
return
if clktype not in validClockNames:
printErrLog(None, 'Unable to set clock level')
logging.error('Invalid clock type %s', clktype)
RETCODE = 1
return
check_value = ''.join(map(str, clk))
try:
int(check_value)
except ValueError:
printLog(None, 'Unable to set clock level', None)
logging.error('Non-integer characters are present in value %s', check_value)
RETCODE = 1
return
# Generate a frequency bitmask from user input value
freq_bitmask = 0
for bit in clk:
if bit > 63:
printErrLog(None, 'Invalid clock frequency')
logging.error('Invalid frequency: %s', bit)
RETCODE = 1
return
freq_bitmask |= (1 << bit)
printLogSpacer(' Set %s Frequency ' % (str(clktype)))
for device in deviceList:
# Check if the performance level is manual, if not then set it to manual
if getPerfLevel(device).lower() != 'manual':
ret = rocmsmi.rsmi_dev_perf_level_set(device, rsmi_dev_perf_level_t(3))
if rsmi_ret_ok(ret, device, 'set_perf_level_manual'):
printLog(device, 'Performance level was set to manual', None)
else:
printErrLog(device, 'Unable to set performance level to manual')
RETCODE = 1
return
if clktype != 'pcie':
# Validate frequency bitmask
freq = rsmi_frequencies_t()
ret = rocmsmi.rsmi_dev_gpu_clk_freq_get(device, rsmi_clk_names_dict[clktype], byref(freq))
if rsmi_ret_ok(ret, device, 'get_gpu_clk_freq_' + str(clktype)) == False:
RETCODE = 1
return
# The freq_bitmask should be less than 2^(freqs.num_supported)
# For example, num_supported == 3, the max bitmask is 0111
if freq_bitmask >= (1 << freq.num_supported):
printErrLog(device, 'Invalid clock frequency %s' % hex(freq_bitmask))
RETCODE = 1
return
ret = rocmsmi.rsmi_dev_gpu_clk_freq_set(device, rsmi_clk_names_dict[clktype], freq_bitmask)
if rsmi_ret_ok(ret, device, 'set_gpu_clk_freq_' + str(clktype)):
printLog(device, 'Successfully set %s bitmask to' % (clktype), hex(freq_bitmask))
else:
printErrLog(device, 'Unable to set %s bitmask to: %s' % (clktype, hex(freq_bitmask)))
RETCODE = 1
else:
# Validate the bandwidth bitmask
bw = rsmi_pcie_bandwidth_t()
ret = rocmsmi.rsmi_dev_pci_bandwidth_get(device, byref(bw))
if rsmi_ret_ok(ret, device, 'get_PCIe_bandwidth') == False:
RETCODE = 1
return
# The freq_bitmask should be less than 2^(bw.transfer_rate.num_supported)
# For example, num_supported == 3, the max bitmask is 0111
if freq_bitmask >= (1 << bw.transfer_rate.num_supported):
printErrLog(device, 'Invalid PCIe frequency %s' % hex(freq_bitmask))
RETCODE = 1
return
ret = rocmsmi.rsmi_dev_pci_bandwidth_set(device, freq_bitmask)
if rsmi_ret_ok(ret, device, 'set_PCIe_bandwidth'):
printLog(device, 'Successfully set %s to level bitmask' % (clktype), hex(freq_bitmask))
else:
printErrLog(device, 'Unable to set %s bitmask to: %s' % (clktype, hex(freq_bitmask)))
RETCODE = 1
printLogSpacer()
def setPerfDeterminism(deviceList, clkvalue):
""" Set clock frequency level for a list of devices to enable performance
determinism.
:param deviceList: List of DRM devices (can be a single-item list)
:param value: Clock frequency level to set
"""
global RETCODE
try:
int(clkvalue)
except ValueError:
printErrLog(None, 'Unable to set Performance Determinism')
logging.error('%s is not an integer', clkvalue)
RETCODE = 1
return
for device in deviceList:
ret = rocmsmi.rsmi_perf_determinism_mode_set(device, int(clkvalue))
if rsmi_ret_ok(ret, device, 'set_perf_determinism'):
printLog(device, 'Successfully enabled performance determinism and set GFX clock frequency', str(clkvalue))
else:
printErrLog(device, 'Unable to set performance determinism and clock frequency to %s' % (str(clkvalue)))
RETCODE = 1
def resetGpu(device):
""" Perform a GPU reset on the specified device
:param device: DRM device identifier
"""
printLogSpacer(' Reset GPU ')
global RETCODE
if len(device) > 1:
logging.error('GPU Reset can only be performed on one GPU per call')
RETCODE = 1
return
resetDev = int(device[0])
if not isAmdDevice(resetDev):
logging.error('GPU Reset can only be performed on an AMD GPU')
RETCODE = 1
return
ret = rocmsmi.rsmi_dev_gpu_reset(resetDev)
if rsmi_ret_ok(ret, resetDev, 'reset_gpu'):
printLog(resetDev, 'Successfully reset GPU %d' % (resetDev), None)
else:
printErrLog(resetDev, 'Unable to reset GPU %d' % (resetDev))
logging.debug('GPU reset failed with return value of %d' % ret)
printLogSpacer()
def isRasControlAvailable(device):
""" Check if RAS control is available for a specified device.
:param device: DRM device identifier
"""
path = os.path.join('/sys/kernel/debug/dri', 'card%d' % device, 'device', 'ras_ctrl')
if not doesDeviceExist(device) or not path or not os.path.isfile(path):
logging.warning('GPU[%s]\t: RAS control is not available')
return False
return True
def setRas(deviceList, rasAction, rasBlock, rasType):
""" Perform a RAS action on the devices
:param deviceList: List of DRM devices (can be a single-item list)
:param rasAction: [enable|disable|inject] RAS Action to perform
:param rasBlock: [$validRasBlocks] RAS block
:param rasType: [ce|ue] Error type to enable/disable
"""
global RETCODE
printLog(None, "This is experimental feature, use 'amdgpuras' tool for ras error manipulations for newer vbios")
if rasAction not in validRasActions:
printLog(None, 'Unable to perform RAS command %s on block %s for type %s' % (rasAction, rasBlock, rasType))
logging.debug('Action %s is not a valid RAS command' % rasAction)
return
if rasBlock not in validRasBlocks:
printLog(None, 'Unable to perform RAS command %s on block %s for type %s' % (rasAction, rasBlock, rasType))
printLog(None, 'Block %s is not a valid RAS block' % rasBlock)
return
if rasType not in validRasTypes:
printLog(None, 'Unable to perform RAS command %s on block %s for type %s' % (rasAction, rasBlock, rasType))
printLog(None, 'Memory error type %s is not a valid RAS memory type' % rasAction)
return
printLogSpacer()
# NOTE PSP FW doesn't support enabling disabled counters yet
for device in deviceList:
if isRasControlAvailable(device):
rasFilePath = path = os.path.join('/sys/kernel/debug/dri', 'card%d' % device, 'device', 'ras_ctrl')
rasCmd = '%s %s %s' % (rasAction, rasBlock, rasType)
# writeToSysfs analog to old cli
if not os.path.isfile(rasFilePath):
printLog(None, 'Unable to write to sysfs file', None)
logging.debug('%s does not exist', rasFilePath)
return False
try:
logging.debug('Writing value \'%s\' to file \'%s\'', rasCmd, rasFilePath)
with open(rasFilePath, 'w') as fs:
fs.write(rasFilePath + '\n') # Certain sysfs files require \n at the end
except (IOError, OSError):
printLog(None, 'Unable to write to sysfs file %s' % rasFilePath, None)
logging.warning('IO or OS error')
RETCODE = 1
printLogSpacer()
return
def setFanSpeed(deviceList, fan):
""" Set fan speed for a list of devices.
:param deviceList: List of DRM devices (can be a single-item list)
:param level: [0-255] Fan speed level
"""
printLogSpacer(' Set GPU Fan Speed ')
for device in deviceList:
if str(fan):
fanLevel = c_int64()
last_char = str(fan)[-1]
if last_char == '%':
fanLevel = int(str(fan)[:-1]) / 100 * 255
else:
fanLevel = int(str(fan))
ret = rocmsmi.rsmi_dev_fan_speed_set(device, 0, int(fanLevel))
if rsmi_ret_ok(ret, device, silent=True):
printLog(device, 'Successfully set fan speed to level %s' % (str(int(fanLevel))), None)
else:
printLog(device, 'Not supported on the given system', None)
printLogSpacer()
def setPerformanceLevel(deviceList, level):
""" Set the Performance Level for a specified device.
:param deviceList: List of DRM devices (can be a single-item list)
:param level: Performance Level to set
"""
printLogSpacer(' Set Performance Level ')
validLevels = ['auto', 'low', 'high', 'manual']
for device in deviceList:
if level not in validLevels:
printErrLog(device, 'Unable to set Performance Level')
logging.error('Invalid Performance level: %s', level)
else:
ret = rocmsmi.rsmi_dev_perf_level_set(device, rsmi_dev_perf_level_t(validLevels.index(level)))
if rsmi_ret_ok(ret, device, 'set_perf_level'):
printLog(device, 'Performance level set to %s' % (str(level)), None)
printLogSpacer()
def setPowerOverDrive(deviceList, value, autoRespond):
""" Use Power OverDrive to change the the maximum power available power
available to the GPU in Watts. May be limited by the maximum power the
VBIOS is configured to allow this card to use in OverDrive mode.
:param deviceList: List of DRM devices (can be a single-item list)
:param value: New maximum power to assign to the target device, in Watts
:param autoRespond: Response to automatically provide for all prompts
"""
global RETCODE, PRINT_JSON
try:
int(value)
except ValueError:
printLog(None, 'Unable to set Power OverDrive', None)
logging.error('%s is not an integer', value)
RETCODE = 1
return
# Wattage input value converted to microWatt for ROCm SMI Lib
if int(value) == 0:
printLogSpacer(' Reset GPU Power OverDrive ')
else:
printLogSpacer(' Set GPU Power OverDrive ')
# Value in Watts - stored early this way to avoid strenuous value type conversions
strValue = value
specWarningConfirmed = False
for device in deviceList:
# Continue to next device in deviceList loop if the device is a secondary die
if checkIfSecondaryDie(device):
logging.debug("Unavailable for secondary die.")
continue
power_cap_min = c_uint64()
power_cap_max = c_uint64()
current_power_cap = c_uint64()
default_power_cap = c_uint64()
new_power_cap = c_uint64()
ret = rocmsmi.rsmi_dev_power_cap_get(device, 0, byref(current_power_cap))
if ret != 0:
logging.debug("Unable to retireive current power cap.")
ret = rocmsmi.rsmi_dev_power_cap_default_get(device, byref(default_power_cap))
# If rsmi_dev_power_cap_default_get fails, use manual workaround to fetch default power cap
if ret != 0:
logging.debug("Unable to retrieve default power cap; retrieving via reset.")
ret = rocmsmi.rsmi_dev_power_cap_set(device, 0, 0)
ret = rocmsmi.rsmi_dev_power_cap_get(device, 0, byref(default_power_cap))
if int(value) == 0:
new_power_cap = default_power_cap
else:
new_power_cap.value = int(value) * 1000000
ret = rocmsmi.rsmi_dev_power_cap_range_get(device, 0, byref(power_cap_max), byref(power_cap_min))
if rsmi_ret_ok(ret, device, 'get_power_cap_range') == False:
printErrLog(device, 'Unable to parse Power OverDrive range')
RETCODE = 1
continue
if int(strValue) > (power_cap_max.value / 1000000):
printErrLog(device, 'Unable to set Power OverDrive')
logging.error('GPU[%s]\t\t: Value cannot be greater than: %dW ', device, power_cap_max.value / 1000000)
RETCODE = 1
continue
if int(strValue) < (power_cap_min.value / 1000000):
printErrLog(device, 'Unable to set Power OverDrive')
logging.error('GPU[%s]\t\t: Value cannot be less than: %dW ', device, power_cap_min.value / 1000000)
RETCODE = 1
continue
if new_power_cap.value == current_power_cap.value:
printLog(device,'Max power was already at: {}W'.format(new_power_cap.value / 1000000))
if current_power_cap.value < default_power_cap.value:
current_power_cap.value = default_power_cap.value
if not specWarningConfirmed and new_power_cap.value > current_power_cap.value:
confirmOutOfSpecWarning(autoRespond)
specWarningConfirmed = True
ret = rocmsmi.rsmi_dev_power_cap_set(device, 0, new_power_cap)
if rsmi_ret_ok(ret, device, 'set_power_cap'):
if int(value) == 0:
power_cap = c_uint64()
ret = rocmsmi.rsmi_dev_power_cap_get(device, 0, byref(power_cap))
if rsmi_ret_ok(ret, device, 'get_power_cap'):
if not PRINT_JSON:
printLog(device,
'Successfully reset Power OverDrive to: %sW' % (int(power_cap.value / 1000000)), None)
else:
if not PRINT_JSON:
ret = rocmsmi.rsmi_dev_power_cap_get(device, 0, byref(current_power_cap))
if current_power_cap.value == new_power_cap.value:
printLog(device, 'Successfully set power to: %sW' % (strValue), None)
else:
printErrLog(device, 'Unable set power to: %sW, current value is %sW' % \
(strValue, int(current_power_cap.value / 1000000)))
else:
if int(value) == 0:
printErrLog(device, 'Unable to reset Power OverDrive to default')
else:
printErrLog(device, 'Unable to set Power OverDrive to ' + strValue + 'W')
printLogSpacer()
def setProfile(deviceList, profile):
""" Set Power Profile, or set CUSTOM Power Profile values for a list of devices.
:param deviceList: List of DRM devices (can be a single-item list)
:param profile: Profile to set
"""
printLogSpacer(' Set Power Profile ')
status = rsmi_power_profile_status_t()
for device in deviceList:
# Get previous profile
ret = rocmsmi.rsmi_dev_power_profile_presets_get(device, 0, byref(status))
if rsmi_ret_ok(ret, device, 'get_power_profile'):
previousProfile = profileString(status.current)
# Get desired profile
desiredProfile = 'UNKNOWN'
if str(profile).isnumeric() and int(profile) > 0 and int(profile) < 8:
desiredProfile = profileString(2 ** (int(profile) - 1))
elif str(profileString(str(profile).replace('_', ' ').upper())).isnumeric():
desiredProfile = str(profile).replace('_', ' ').upper()
else:
printErrLog(device, 'Unable to set profile to: %s (UNKNOWN profile)' % (str(profile)))
return
# Set profile to desired profile
if previousProfile == desiredProfile:
printLog(device, 'Profile was already set to', previousProfile)
return
else:
ret = rocmsmi.rsmi_dev_power_profile_set(device, 0, profileString(desiredProfile))
if rsmi_ret_ok(ret, device, 'set_power_profile'):
# Get current profile
ret = rocmsmi.rsmi_dev_power_profile_presets_get(device, 0, byref(status))
if rsmi_ret_ok(ret, device, 'get_power_profile_presets'):
currentProfile = profileString(status.current)
if currentProfile == desiredProfile:
printLog(device, 'Successfully set profile to', desiredProfile)
else:
printErrLog(device, 'Failed to set profile to: %s' % (desiredProfile))
printLogSpacer()
def setComputePartition(deviceList, computePartitionType):
""" Sets compute partitioning for a list of device
:param deviceList: List of DRM devices (can be a single-item list)
:param computePartition: Compute Partition type to set as
"""
printLogSpacer(' Set compute partition to %s ' % (str(computePartitionType).upper()))
for device in deviceList:
computePartitionType = computePartitionType.upper()
if computePartitionType not in compute_partition_type_l:
printErrLog(device, 'Invalid compute partition type %s'
'\nValid compute partition types are %s'
% ( computePartitionType.upper(),
(', '.join(map(str, compute_partition_type_l))) ))
return (None, None)
ret = rocmsmi.rsmi_dev_compute_partition_set(device,
rsmi_compute_partition_type_dict[computePartitionType])
if rsmi_ret_ok(ret, device, 'set_compute_partition', silent=True):
printLog(device,
'Successfully set compute partition to %s' % (computePartitionType),
None)
elif ret == rsmi_status_t.RSMI_STATUS_PERMISSION:
printLog(device, 'Permission denied', None)
elif ret == rsmi_status_t.RSMI_STATUS_SETTING_UNAVAILABLE:
printLog(device, 'Requested setting (%s) is unavailable for current device'
%computePartitionType, None)
elif ret == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED:
printLog(device, 'Not supported on the given system', None)
elif ret == rsmi_status_t.RSMI_STATUS_BUSY:
printLog(device, 'Device is currently busy, try again later',
None)
else:
rsmi_ret_ok(ret, device, 'set_compute_partition')
printErrLog(device, 'Failed to retrieve compute partition, even though device supports it.')
printLogSpacer()
def progressbar(it, prefix="", size=60, out=sys.stdout):
count = len(it)
def show(j):
x = int(size*j/count)
lock = multiprocessing.Lock()
lock.acquire()
print("{}[{}{}] {}/{} secs remain".format(prefix, u"â–ˆ"*x, "."*(size-x), j, count),
end='\r', file=out, flush=True)
lock.release()
show(0)
for i, item in enumerate(it):
yield item
show(i+1)
lock = multiprocessing.Lock()
lock.acquire()
print("\n", flush=True, file=out)
lock.release()
def showProgressbar(title="", timeInSeconds=13):
if title != "":
title += ": "
for i in progressbar(range(timeInSeconds), title, 40):
time.sleep(1)
def setMemoryPartition(deviceList, memoryPartition, autoRespond):
""" Sets memory partition (memory partition) for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
:param memoryPartition: Memory Partition type to set as
"""
addExtraLine=False
printLogSpacer(' Set memory partition to %s ' % (str(memoryPartition).upper()))
confirmChangingMemoryPartitionAndReloadingAMDGPU(autoRespond)
for device in deviceList:
current_memory_partition = getMemoryPartition(device, silent=True)
if current_memory_partition == 'N/A':
printLog(device, 'Not supported on the given system', None, addExtraLine)
continue
memoryPartition = memoryPartition.upper()
if memoryPartition not in memory_partition_type_l:
printErrLog(device, 'Invalid memory partition type %s'
'\nValid memory partition types are %s'
% ( memoryPartition.upper(),
(', '.join(map(str, memory_partition_type_l))) ))
return (None, None)
kTimeWait = 140
t1 = multiprocessing.Process(target=showProgressbar,
args=("Updating memory partition",kTimeWait,))
t1.start()
addExtraLine=True
start=time.time()
ret = rocmsmi.rsmi_dev_memory_partition_set(device,
rsmi_memory_partition_type_dict[memoryPartition])
stop=time.time()
duration=stop-start
if t1.is_alive():
t1.terminate()
t1.join()
if duration < float(0.1): # For longer runs, add extra line before output
addExtraLine=False # This is to prevent overriding progress bar
if rsmi_ret_ok(ret, device, 'set_memory_partition', silent=True):
printLog(device,
'Successfully set memory partition to %s' % (memoryPartition),
None, addExtraLine)
elif ret == rsmi_status_t.RSMI_STATUS_PERMISSION:
printLog(device, 'Permission denied', None, addExtraLine)
elif ret == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED:
printLog(device, 'Not supported on the given system', None, addExtraLine)
elif ret == rsmi_status_t.RSMI_STATUS_INVALID_ARGS:
printLog(device, 'Device does not support setting to ' + str(memoryPartition).upper(), None, addExtraLine)
memory_partition_caps = getMemoryPartitionCapabilities(device, silent=True)
printLog(device, 'Available memory partition modes: ' + str(memory_partition_caps).upper(), None, addExtraLine)
elif ret == rsmi_status_t.RSMI_STATUS_BUSY:
printLog(device, 'Device is currently busy, try again later',
None, addExtraLine)
elif ret == rsmi_status_t.RSMI_STATUS_AMDGPU_RESTART_ERR:
printLog(device, 'Issue reloading driver, please check dmsg for errors',
None, addExtraLine)
else:
rsmi_ret_ok(ret, device, 'set_memory_partition')
printErrLog(device, 'Failed to set memory partition, even though device supports it.')
printLogSpacer()
def showVersion(isCSV=False):
values = { 'ROCM-SMI version': __version__ }
version = rsmi_version_t()
status = rocmsmi.rsmi_version_get(byref(version))
if status == 0:
version_string = "%u.%u.%u" % (version.major, version.minor, version.patch)
values['ROCM-SMI-LIB version'] = version_string
if isCSV:
print('name, value')
for k in values.keys():
print('%s, %s' % (k, values[k]))
return
if PRINT_JSON:
temp_str = '{\n'
for k in values.keys():
temp_str += ' "%s": "%s",\n' % (k, values[k])
if len(values.keys()) > 1:
# replace ',\n' with '\n}'
temp_str = temp_str[:-2]
temp_str += '\n}'
print(temp_str)
return
for k in values.keys():
print('%s: %s' % (k, values[k]))
def showAllConcise(deviceList):
""" Display critical info for all devices in a concise format
:param deviceList: List of DRM devices (can be a single-item list)
"""
global PRINT_JSON, appWidth
if PRINT_JSON:
print('NOT_SUPPORTED: Cannot print JSON/CSV output for concise output')
sys.exit(1)
silent = True
deviceList.sort()
available_temp_type = getTemperatureLabel(deviceList)
temp_type = "(" + available_temp_type.capitalize() + ")"
header=['Device', 'Node','IDs','', 'Temp', 'Power', 'Partitions',
'SCLK', 'MCLK', 'Fan', 'Perf', 'PwrCap', 'VRAM%', 'GPU%']
subheader = ['', '','(DID,', 'GUID)', temp_type, getPowerLabel(deviceList),
'(Mem, Compute, ID)',
'', '', '', '', '', '', '']
# add additional spaces to match header
for idx, item in enumerate(subheader):
header_size = len(header[idx])
subheader_size = len(subheader[idx])
if header_size != subheader_size:
numSpacesToFill_subheader = header_size - subheader_size
numSpacesToFill_header = subheader_size - header_size
#take pos spaces to mean, we need to match size of the other
if numSpacesToFill_subheader > 0:
subheader[idx] = subheader[idx] + (' ' * numSpacesToFill_subheader)
if numSpacesToFill_header > 0:
header[idx] = header[idx] + (' ' * numSpacesToFill_header)
head_widths = [len(head) + 2 for head in header]
values = {}
degree_sign = u'\N{DEGREE SIGN}'
for device in deviceList:
temp_val = str(getTemp(device, available_temp_type, silent))
if temp_val != 'N/A':
temp_val += degree_sign + 'C'
power_dict = getPower(device)
powerVal = 'N/A'
if (power_dict['ret'] == rsmi_status_t.RSMI_STATUS_SUCCESS and
power_dict['power_type'] != 'INVALID_POWER_TYPE'):
if power_dict['power'] != 0:
powerVal = power_dict['power'] + power_dict['unit']
combined_partition_data = (getMemoryPartition(device, silent) + ", "
+ getComputePartition(device, silent)
+ ", " + getPartitionId(device, silent))
sclk = showCurrentClocks([device], 'sclk', concise=silent)
if not sclk:
sclk = 'N/A'
mclk = showCurrentClocks([device], 'mclk', concise=silent)
if not mclk:
mclk = 'N/A'
(retCode, fanLevel, fanSpeed) = getFanSpeed(device, silent)
fan = str(fanSpeed) + '%'
if getPerfLevel(device, silent) != -1:
perf = str(getPerfLevel(device, silent)).lower()
else:
perf = 'N/A'
if getMaxPower(device, silent) != -1:
pwrCap = str(getMaxPower(device, silent)) + 'W'
else:
pwrCap = 'N/A'
if getGpuUse(device, silent) != -1:
gpu_busy = str(getGpuUse(device, silent)) + '%'
else:
gpu_busy = 'N/A'
allocated_mem_percent = getAllocatedMemoryPercent(device)
if allocated_mem_percent['ret'] != rsmi_status_t.RSMI_STATUS_SUCCESS:
allocated_mem_percent['combined'] = 'N/A'
# Top Row - per device data
values['card%s' % (str(device))] = [device, getNodeId(device),
str(getDRMDeviceId(device)) + ", ",
str(getGUID(device)),
temp_val, powerVal,
combined_partition_data,
sclk, mclk, fan, perf,
str(pwrCap),
allocated_mem_percent['combined'],
str(gpu_busy)]
val_widths = {}
for device in deviceList:
val_widths[device] = [len(str(val)) + 2 for val in values['card%s' % (str(device))]]
max_widths = head_widths
for device in deviceList:
for col in range(len(val_widths[device])):
max_widths[col] = max(max_widths[col], val_widths[device][col])
########################
# Display concise info #
########################
header_output = "".join(word.ljust(max_widths[col]) for col, word in zip(range(len(max_widths)), header))
subheader_output = "".join(word.ljust(max_widths[col]) for col, word in zip(range(len(max_widths)), subheader))
printLogSpacer(headerString, contentSizeToFit=len(header_output))
printLogSpacer(' Concise Info ', contentSizeToFit=len(header_output))
printLog(None, header_output, None)
printLog(None, subheader_output, None, useItalics=True)
printLogSpacer(fill='=', contentSizeToFit=len(header_output))
for device in deviceList:
printLog(None, "".join(str(word).ljust(max_widths[col]) for col, word in
zip(range(len(max_widths)), values['card%s' % (str(device))])), None)
printLogSpacer(contentSizeToFit=len(header_output))
printLogSpacer(footerString, contentSizeToFit=len(header_output))
def showAllConciseHw(deviceList):
""" Display critical Hardware info
:param deviceList: List of DRM devices (can be a single-item list)
"""
global PRINT_JSON
if PRINT_JSON:
print('NOT_SUPPORTED: Cannot print JSON/CSV output for concise hardware output')
sys.exit(1)
header = ['GPU', 'NODE', 'DID', 'GUID', 'GFX VER', 'GFX RAS', 'SDMA RAS', 'UMC RAS', 'VBIOS', 'BUS'
, 'PARTITION ID']
head_widths = [len(head) + 2 for head in header]
values = {}
silent = True
for device in deviceList:
did = getDRMDeviceId(device, silent)
nodeid = getNodeId(device, silent)
guid = getGUID(device, silent)
partition_id = getPartitionId(device, silent)
gfxVer = getTargetGfxVersion(device, silent)
gfxRas = getRasEnablement(device, 'GFX', silent)
sdmaRas = getRasEnablement(device, 'SDMA', silent)
umcRas = getRasEnablement(device, 'UMC', silent)
vbios = getVbiosVersion(device, silent)
bus = getBus(device, silent)
values['card%s' % (str(device))] = [device, nodeid, did, guid, gfxVer, gfxRas, sdmaRas,
umcRas, vbios, bus, partition_id]
val_widths = {}
for device in deviceList:
val_widths[device] = [len(str(val)) + 2 for val in values['card%s' % (str(device))]]
max_widths = head_widths
for device in deviceList:
for col in range(len(val_widths[device])):
max_widths[col] = max(max_widths[col], val_widths[device][col])
device_output=""
for device in deviceList:
if (device + 1 != len(deviceList)):
device_output += "".join(str(word).ljust(max_widths[col]) for col, word in
zip(range(len(max_widths)), values['card%s' % (str(device))])) + "\n"
else:
device_output += "".join(str(word).ljust(max_widths[col]) for col, word in
zip(range(len(max_widths)), values['card%s' % (str(device))]))
#################################
# Display concise hardware info #
#################################
header_output = "".join(word.ljust(max_widths[col]) for col, word in zip(range(len(max_widths)), header))
printLogSpacer(headerString, contentSizeToFit=len(header_output))
printLogSpacer(' Concise Hardware Info ', contentSizeToFit=len(header_output))
printLog(None, header_output, None)
printLog(None, device_output, None)
printLogSpacer(fill='=', contentSizeToFit=len(header_output))
printLogSpacer(footerString, contentSizeToFit=len(header_output))
def showBus(deviceList):
""" Display PCI Bus info
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' PCI Bus ID ')
for device in deviceList:
printLog(device, 'PCI Bus', getBus(device))
printLogSpacer()
def showClocks(deviceList):
""" Display all available clocks for a list of devices
Current clocks marked with a '*' symbol
:param deviceList: List of DRM devices (can be a single-item list)
"""
freq = rsmi_frequencies_t()
bw = rsmi_pcie_bandwidth_t()
printLogSpacer(' Supported clock frequencies ')
for device in deviceList:
for clk_type in sorted(rsmi_clk_names_dict):
if rocmsmi.rsmi_dev_gpu_clk_freq_get(device, rsmi_clk_names_dict[clk_type], None) == 1:
ret = rocmsmi.rsmi_dev_gpu_clk_freq_get(device, rsmi_clk_names_dict[clk_type], byref(freq))
if ret == rsmi_status_t.RSMI_STATUS_UNEXPECTED_DATA:
printLog(device, 'Clock [%s] on device [%s] exists but EMPTY! Likely driver error!' % (clk_type, str(device)))
continue
if not rsmi_ret_ok(ret, device, 'get_clk_freq_' + clk_type, True):
continue
printLog(device, 'Supported %s frequencies on GPU%s' % (clk_type, str(device)), None)
for i in range(freq.num_supported):
freq_string = '{:>.0f}Mhz'.format(freq.frequency[i] / 1000000)
if i == freq.current:
freq_string += ' *'
freq_index = i
# Deep Sleep frequency is only supported by some GPUs
# It is indicated by letter 'S' instead of the index number
if freq.has_deep_sleep:
# sleep state
if i == 0:
freq_index = 'S'
# all indices are offset by 1 because Deep Sleep occupies index 0
else:
freq_index = i - 1
printLog(device, str(freq_index), freq_string)
printLog(device, '', None)
else:
logging.debug('{} frequency is unsupported on device[{}]'.format(clk_type, device))
printLog(device, '', None)
if rocmsmi.rsmi_dev_pci_bandwidth_get(device, None) == 1:
ret = rocmsmi.rsmi_dev_pci_bandwidth_get(device, byref(bw))
if rsmi_ret_ok(ret, device, 'get_PCIe_bandwidth', True):
printLog(device, 'Supported %s frequencies on GPU%s' % ('PCIe', str(device)), None)
for i in range(bw.transfer_rate.num_supported):
freq_string = '{:>.1f}GT/s x{}'.format(bw.transfer_rate.frequency[i] / 1000000000, bw.lanes[i])
if i == bw.transfer_rate.current:
freq_string += ' *'
printLog(device, str(i), str(freq_string))
printLog(device, '', None)
else:
logging.debug('PCIe frequency is unsupported on device [{}]'.format(device))
printLog(device, '', None)
printLogSpacer(None, '-') # divider between devices for better visibility
printLogSpacer()
def showCurrentClocks(deviceList, clk_defined=None, concise=False):
""" Display all clocks for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
:param clk-type: Clock type to display
"""
global PRINT_JSON
freq = rsmi_frequencies_t()
bw = rsmi_pcie_bandwidth_t()
if not concise:
printLogSpacer(' Current clock frequencies ')
for device in deviceList:
if clk_defined:
if rocmsmi.rsmi_dev_gpu_clk_freq_get(device, rsmi_clk_names_dict[clk_defined], None) == 1:
ret = rocmsmi.rsmi_dev_gpu_clk_freq_get(device, rsmi_clk_names_dict[clk_defined], byref(freq))
if rsmi_ret_ok(ret, device, 'get_gpu_clk_freq_' + str(clk_defined), silent=True):
levl = freq.current
if levl >= freq.num_supported:
printLog(device, '%s current clock frequency not found' % (clk_defined), None)
continue
fr = freq.frequency[levl] / 1000000
freq_index = levl
if freq.has_deep_sleep:
# sleep state
if levl == 0:
freq_index = 'S'
# all indices are offset by 1 because Deep Sleep occupies index 0
else:
freq_index = levl - 1
if concise: # in case function is used for concise output, no need to print.
return '{:.0f}Mhz'.format(fr)
printLog(device, '{} clock level'.format(clk_defined), '{} ({:.0f}Mhz)'.format(freq_index, fr))
elif not concise:
logging.debug('{} clock is unsupported on device[{}]'.format(clk_defined, device))
else: # if clk is not defined, will display all current clk
for clk_type in sorted(rsmi_clk_names_dict):
if rocmsmi.rsmi_dev_gpu_clk_freq_get(device, rsmi_clk_names_dict[clk_type], None) == 1:
ret = rocmsmi.rsmi_dev_gpu_clk_freq_get(device, rsmi_clk_names_dict[clk_type], byref(freq))
if rsmi_ret_ok(ret, device, 'get_clk_freq_' + str(clk_type), True):
levl = freq.current
if levl >= freq.num_supported:
printLog(device, '%s current clock frequency not found' % (clk_type), None)
continue
freq_index = levl
if freq.has_deep_sleep:
# sleep state
if levl == 0:
freq_index = 'S'
# all indices are offset by 1 because Deep Sleep occupies index 0
else:
freq_index = levl - 1
fr = freq.frequency[levl] / 1000000
if PRINT_JSON:
printLog(device, '%s clock speed:' % (clk_type), '(%sMhz)' % (str(fr)[:-2]))
printLog(device, '%s clock level:' % (clk_type), freq_index)
else:
printLog(device, '%s clock level: %s' % (clk_type, freq_index), '(%sMhz)' % (str(fr)[:-2]))
elif not concise:
logging.debug('{} clock is unsupported on device[{}]'.format(clk_type, device))
# pcie clocks
if rocmsmi.rsmi_dev_pci_bandwidth_get(device, None) == 1:
ret = rocmsmi.rsmi_dev_pci_bandwidth_get(device, byref(bw))
if rsmi_ret_ok(ret, device, 'get_PCIe_bandwidth', True):
current_f = bw.transfer_rate.current
if current_f >= bw.transfer_rate.num_supported:
printLog(device, 'PCIe current clock frequency not found', None )
continue
fr = '{:.1f}GT/s x{}'.format(bw.transfer_rate.frequency[current_f] / 1000000000,
bw.lanes[current_f])
printLog(device, 'pcie clock level', '{} ({})'.format(current_f, fr))
elif not concise:
logging.debug('{} clock is unsupported on device[{}]'.format('PCIe', device))
if not concise:
printLogSpacer()
def showCurrentFans(deviceList):
""" Display the current fan speed for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
global PRINT_JSON
printLogSpacer(' Current Fan Metric ')
rpmSpeed = c_int64()
sensor_ind = c_uint32(0)
for device in deviceList:
(retCode, fanLevel, fanSpeed) = getFanSpeed(device)
if (retCode == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED):
printLog(device, 'Not supported', None)
else:
fanSpeed = round(fanSpeed)
if fanLevel == 0 or fanSpeed == 0:
printLog(device, 'Unable to detect fan speed for GPU %d' % (device), None)
logging.debug('Current fan speed is: %d\n' % (fanSpeed) + \
' Current fan level is: %d\n' % (fanLevel) + \
' (GPU might be cooled with a non-PWM fan)')
continue
if PRINT_JSON:
printLog(device, 'Fan speed (level)', str(fanLevel))
printLog(device, 'Fan speed (%)', str(fanSpeed))
else:
printLog(device, 'Fan Level', str(fanLevel) + ' (%s%%)' % (str(fanSpeed)))
ret = rocmsmi.rsmi_dev_fan_rpms_get(device, sensor_ind, byref(rpmSpeed))
if rsmi_ret_ok(ret, device, 'get_fan_rpms'):
printLog(device, 'Fan RPM', rpmSpeed.value)
printLogSpacer()
def showCurrentTemps(deviceList):
""" Display all available temperatures for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Temperature ')
for device in deviceList:
for sensor in temp_type_lst:
temp = getTemp(device, sensor)
if temp != 'N/A':
printLog(device, 'Temperature (Sensor %s) (C)' % (sensor), temp)
else:
printInfoLog(device, 'Temperature (Sensor %s) (C)' % (sensor), temp)
printLogSpacer()
def showFwInfo(deviceList, fwType):
""" Show the requested FW information for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
:param fwType: [$validFwBlocks] FW block version to display (all if left empty)
"""
if not fwType or 'all' in fwType:
firmware_blocks = fw_block_names_l
else:
for name in fwType: # cleaning list from wrong values
if name.upper() not in fw_block_names_l:
fwType.remove(name)
firmware_blocks = fwType
printLogSpacer(' Firmware Information ')
for device in deviceList:
fw_ver = c_uint64()
for fw_name in firmware_blocks:
fw_name = fw_name.upper()
ret = rocmsmi.rsmi_dev_firmware_version_get(device, fw_block_names_l.index(fw_name), byref(fw_ver))
if rsmi_ret_ok(ret, device, 'get_firmware_version_' + str(fw_name), silent=True):
# The VCN, VCE, UVD, SOS and ASD firmware's value needs to be in hexadecimal
if fw_name in ['VCN', 'VCE', 'UVD', 'SOS', 'ASD', 'MES', 'MES KIQ']:
printLog(device, '%s firmware version' % (fw_name),
'\t0x%s' % (str(hex(fw_ver.value))[2:].zfill(8)))
# The TA XGMI, TA RAS, and SMC firmware's hex value looks like 0x12345678
# However, they are parsed as: int(0x12).int(0x34).int(0x56).int(0x78)
# Which results in the following: 12.34.56.78
elif fw_name in ['TA XGMI', 'TA RAS', 'SMC']:
pos1 = str('%02d' % int((('0x%s' % (str(hex(fw_ver.value))[2:].zfill(8))[0:2])), 16))
pos2 = str('%02d' % int((('0x%s' % (str(hex(fw_ver.value))[2:].zfill(8))[2:4])), 16))
pos3 = str('%02d' % int((('0x%s' % (str(hex(fw_ver.value))[2:].zfill(8))[4:6])), 16))
pos4 = str('%02d' % int((('0x%s' % (str(hex(fw_ver.value))[2:].zfill(8))[6:8])), 16))
printLog(device, '%s firmware version' % (fw_name), '\t%s.%s.%s.%s' % (pos1, pos2, pos3, pos4))
# The ME, MC, and CE firmware names are only 2 characters, so they need an additional tab
elif fw_name in ['ME', 'MC', 'CE']:
printLog(device, '%s firmware version' % (fw_name), '\t\t%s' % (str(fw_ver.value)))
else:
printLog(device, '%s firmware version' % (fw_name), '\t%s' % (str(fw_ver.value)))
printLogSpacer()
def showGpusByPid(pidList):
""" Show GPUs used by a specific Process ID (pid)
Print out the GPU(s) used by a specific KFD process
If pidList is empty, print all used GPUs for all KFD processes
:param pidList: List of PIDs to check
"""
printLogSpacer(' GPUs Indexed by PID ')
# If pidList is empty then we were given 0 arguments, so they want all PIDs
# dv_indices = (c_uint32 * dv_limit)()
num_devices = c_uint32()
dv_indices = c_void_p()
if not pidList:
pidList = getPidList()
if not pidList:
printLog(None, 'No KFD PIDs currently running', None)
printLogSpacer()
return
for pid in pidList:
ret = rocmsmi.rsmi_compute_process_gpus_get(int(pid), None, byref(num_devices))
if rsmi_ret_ok(ret, metric=('PID ' + pid)):
dv_indices = (c_uint32 * num_devices.value)()
ret = rocmsmi.rsmi_compute_process_gpus_get(int(pid), dv_indices, byref(num_devices))
if rsmi_ret_ok(ret, metric='get_gpu_compute_process'):
metricName = 'PID %s is using %s DRM device(s)' % (pid, str(num_devices.value))
if (num_devices.value):
printListLog(metricName, list(dv_indices))
else:
printLog(None, metricName, None)
else:
print(None, 'Unable to get list of KFD PIDs. A kernel update may be needed', None)
printLogSpacer()
def getCoarseGrainUtil(device, typeName=None):
""" Find Coarse Grain Utilization
If typeName is not given, will return array with of all available sensors,
where sensor type and value could be addressed like this:
.. code-block:: python
for ut_counter in utilization_counters:
printLog(device, utilization_counter_name[ut_counter.type], ut_counter.val)
:param device: DRM device identifier
:param typeName: 'GFX Activity', 'Memory Activity'
"""
timestamp = c_uint64(0)
if typeName != None:
try:
i = utilization_counter_name.index(typeName)
length = 1
utilization_counters = (rsmi_utilization_counter_t * length)()
utilization_counters[0].type = c_int(i)
except ValueError:
printLog(None, "No such coarse grain counter type")
return -1
else:
length = rsmi_utilization_counter_type.RSMI_UTILIZATION_COUNTER_LAST + 1
utilization_counters = (rsmi_utilization_counter_t * length)()
# populate array with all existing types to query
for i in range(0, length):
utilization_counters[i].type = c_int(i)
ret = rocmsmi.rsmi_utilization_count_get(device, utilization_counters, length, byref(timestamp))
if rsmi_ret_ok(ret, device, 'get_utilization_count_'+ str(typeName), True):
return utilization_counters
return -1
def showGpuUse(deviceList):
""" Display GPU use for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' % time GPU is busy ')
for device in deviceList:
if getGpuUse(device) != -1:
printLog(device, 'GPU use (%)', getGpuUse(device))
else:
printLog(device, 'GPU use Unsupported', None)
util_counters = getCoarseGrainUtil(device, "GFX Activity")
if util_counters != -1:
for ut_counter in util_counters:
printLog(device, utilization_counter_name[ut_counter.type], ut_counter.val)
else:
printInfoLog(device, 'GFX Activity', 'N/A')
printLogSpacer()
def showEnergy(deviceList):
""" Display amount of energy consumed by device until now
Default counter value is 10000b, indicating energy status unit
is 15.3 micro-Joules increment.
:param deviceList: List of DRM devices (can be a single-item list)
"""
power = c_uint64()
timestamp = c_uint64()
counter_resolution = c_float()
printLogSpacer(" Consumed Energy ")
for device in deviceList:
ret = rocmsmi.rsmi_dev_energy_count_get(device, byref(power), byref(counter_resolution), byref(timestamp))
if rsmi_ret_ok(ret, device, "% Energy Counter"):
printLog(device, "Energy counter", power.value)
printLog(device, "Accumulated Energy (uJ)", round(power.value * counter_resolution.value, 2))
printLogSpacer()
def showId(deviceList):
""" Display the device IDs for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' ID ')
for device in deviceList:
printLog(device, 'Device Name', '\t\t' + str(getDeviceName(device)))
printLog(device, 'Device ID', '\t\t' + str(getDRMDeviceId(device)))
printLog(device, 'Device Rev', '\t\t' + str(getRev(device)))
printLog(device, 'Subsystem ID', '\t' + str(getSubsystemId(device)))
printLog(device, 'GUID', '\t\t' + str(getGUID(device)))
printLogSpacer()
def showMaxPower(deviceList):
""" Display the maximum Graphics Package Power that this GPU will attempt to consume
before it begins throttling performance
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Power Cap ')
for device in deviceList:
if getMaxPower(device) != -1:
printLog(device, 'Max Graphics Package Power (W)', getMaxPower(device))
else:
printLog(device, 'Max Graphics Package Power Unsupported', None)
printLogSpacer()
def showMemInfo(deviceList, memType):
""" Display Memory information for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
:param memType: [$validMemTypes] Type of memory information to display
"""
# Python will pass in a list of values as a single-value list
# If we get 'all' as the string, just set the list to all supported types
# Otherwise, split the single-item list by space, then split each element
# up to process it below
if 'all' in memType:
returnTypes = memory_type_l
else:
returnTypes = memType
printLogSpacer(' Memory Usage (Bytes) ')
for device in deviceList:
for mem in returnTypes:
mem = mem.upper()
memInfo = getMemInfo(device, mem)
printLog(device, '%s Total Memory (B)' % (mem), memInfo[1])
printLog(device, '%s Total Used Memory (B)' % (mem), memInfo[0])
printLogSpacer()
def showMemUse(deviceList):
""" Display GPU memory usage for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
memoryUse = c_uint64()
avgMemBandwidth = c_uint16()
printLogSpacer(' Current Memory Use ')
for device in deviceList:
allocated_mem_percent = getAllocatedMemoryPercent(device)
printLog(device, 'GPU Memory Allocated (VRAM%)',
int(allocated_mem_percent['value']))
ret = rocmsmi.rsmi_dev_memory_busy_percent_get(device, byref(memoryUse))
if rsmi_ret_ok(ret, device, '% memory use', silent=True):
printLog(device, 'GPU Memory Read/Write Activity (%)', memoryUse.value)
util_counters = getCoarseGrainUtil(device, "Memory Activity")
if util_counters != -1:
for ut_counter in util_counters:
printLog(device, utilization_counter_name[ut_counter.type], ut_counter.val)
else:
printLog(device, 'Memory Activity', 'N/A')
ret = rocmsmi.rsmi_dev_activity_avg_mm_get(device, byref(avgMemBandwidth))
if rsmi_ret_ok(ret, device, silent=True):
printLog(device, 'Avg. Memory Bandwidth', avgMemBandwidth.value)
else:
printLog(device, 'Not supported on the given system', None)
printLogSpacer()
def showMemVendor(deviceList):
""" Display GPU memory vendor for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
vendor = create_string_buffer(256)
printLogSpacer(' Memory Vendor ')
for device in deviceList:
ret = rocmsmi.rsmi_dev_vram_vendor_get(device, vendor, 256)
try:
if rsmi_ret_ok(ret, device, 'get_vram_vendor') and vendor.value.decode():
printLog(device, 'GPU memory vendor', vendor.value.decode())
else:
logging.debug('GPU memory vendor missing or not supported')
except UnicodeDecodeError:
printErrLog(device, 'Unable to read GPU memory vendor')
printLogSpacer()
def showOverDrive(deviceList, odtype):
""" Display current OverDrive level for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
:param odtype: [sclk|mclk] OverDrive type
"""
rsmi_od = c_uint32()
printLogSpacer(' OverDrive Level ')
for device in deviceList:
odStr = ''
od = ''
if odtype == 'sclk':
odStr = 'GPU'
ret = rocmsmi.rsmi_dev_overdrive_level_get(device, byref(rsmi_od))
od = rsmi_od.value
if not rsmi_ret_ok(ret, device, 'get_overdrive_level_' + str(odtype)):
continue
elif odtype == 'mclk':
odStr = 'GPU Memory'
ret = rocmsmi.rsmi_dev_mem_overdrive_level_get(device, byref(rsmi_od))
od = rsmi_od.value
if not rsmi_ret_ok(ret, device, 'get_mem_overdrive_level_' + str(odtype)):
continue
else:
printErrLog(device, 'Unable to retrieve OverDrive')
logging.error('Unsupported clock type %s', odtype)
printLog(device, odStr + ' OverDrive value (%)', od)
printLogSpacer()
def showPcieBw(deviceList):
""" Display estimated PCIe bandwidth usage for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
sent = c_uint64()
received = c_uint64()
max_pkt_sz = c_uint64()
printLogSpacer(' Measured PCIe Bandwidth ')
for device in deviceList:
ret = rocmsmi.rsmi_dev_pci_throughput_get(device, byref(sent), byref(received), byref(max_pkt_sz))
if rsmi_ret_ok(ret, device, 'get_PCIe_bandwidth'):
# Use 1024.0 to ensure that the result is a float and not integer division
bw = ((received.value + sent.value) * max_pkt_sz.value) / 1024.0 / 1024.0
# Use the bwstr below to control precision on the string
bwstr = '%.3f' % bw
printLog(device, 'Estimated maximum PCIe bandwidth over the last second (MB/s)', bwstr)
else:
logging.debug('GPU PCIe bandwidth usage not supported')
printLogSpacer()
def showPcieReplayCount(deviceList):
""" Display number of PCIe replays for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
counter = c_uint64()
printLogSpacer(' PCIe Replay Counter ')
for device in deviceList:
ret = rocmsmi.rsmi_dev_pci_replay_counter_get(device, byref(counter))
if rsmi_ret_ok(ret, device, 'PCIe Replay Count'):
printLog(device, 'PCIe Replay Count', counter.value)
printLogSpacer()
def showPerformanceLevel(deviceList):
""" Display current Performance Level for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Show Performance Level ')
for device in deviceList:
if getPerfLevel(device) != -1:
printLog(device, 'Performance Level', str(getPerfLevel(device)).lower())
else:
printLog(device, 'Performance Level Unsupported', None)
printLogSpacer()
def showPids(verbose):
""" Show Information for PIDs created in a KFD (Compute) context """
printLogSpacer(' KFD Processes ')
dataArray = []
if verbose == "details":
dataArray.append(['PID', 'PROCESS NAME', 'GPU', 'VRAM USED', 'SDMA USED', 'CU OCCUPANCY'])
else:
dataArray.append(['PID', 'PROCESS NAME', 'GPU(s)', 'VRAM USED', 'SDMA USED', 'CU OCCUPANCY'])
pidList = getPidList()
if not pidList:
printLog(None, 'No KFD PIDs currently running', None)
printLogSpacer()
return
dv_indices = c_void_p()
num_devices = c_uint32()
proc = rsmi_process_info_t()
for pid in pidList:
gpuNumber = 'UNKNOWN'
vramUsage = 'UNKNOWN'
sdmaUsage = 'UNKNOWN'
cuOccupancy = 'UNKNOWN'
cuOccupancyInvalid = 0xFFFFFFFF
dv_indices = (c_uint32 * num_devices.value)()
ret = rocmsmi.rsmi_compute_process_gpus_get(int(pid), None, byref(num_devices))
if rsmi_ret_ok(ret, metric='get_gpu_compute_process'):
dv_indices = (c_uint32 * num_devices.value)()
ret = rocmsmi.rsmi_compute_process_gpus_get(int(pid), dv_indices, byref(num_devices))
if rsmi_ret_ok(ret, metric='get_gpu_compute_process'):
gpuNumber = str(num_devices.value)
else:
logging.debug('Unable to fetch GPU number by PID')
if verbose == "details":
for dv_ind in dv_indices:
ret = rocmsmi.rsmi_compute_process_info_by_device_get(int(pid), dv_ind, byref(proc))
if rsmi_ret_ok(ret, metric='get_compute_process_info_by_pid'):
vramUsage = proc.vram_usage
sdmaUsage = proc.sdma_usage
if proc.cu_occupancy != cuOccupancyInvalid:
cuOccupancy = proc.cu_occupancy
else:
logging.debug('Unable to fetch process info by PID')
dataArray.append([pid, getProcessName(pid), str(gpuNumber), str(vramUsage), str(sdmaUsage), str(cuOccupancy)])
else:
ret = rocmsmi.rsmi_compute_process_info_by_pid_get(int(pid), byref(proc))
if rsmi_ret_ok(ret, metric='get_compute_process_info_by_pid'):
vramUsage = proc.vram_usage
sdmaUsage = proc.sdma_usage
if proc.cu_occupancy != cuOccupancyInvalid:
cuOccupancy = proc.cu_occupancy
else:
logging.debug('Unable to fetch process info by PID')
dataArray.append([pid, getProcessName(pid), str(gpuNumber), str(vramUsage), str(sdmaUsage), str(cuOccupancy)])
printLog(None, 'KFD process information:', None)
print2DArray(dataArray)
printLogSpacer()
def showPower(deviceList):
""" Display Current (also known as instant) Socket or Average
Graphics Package Power Consumption for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
secondaryPresent=False
printLogSpacer(' Power Consumption ')
for device in deviceList:
power_dict = getPower(device)
power = 'N/A'
if (power_dict['ret'] == rsmi_status_t.RSMI_STATUS_SUCCESS and
power_dict['power_type'] != 'INVALID_POWER_TYPE'):
power = power_dict['power']
printLog(device, power_dict['power_type'].title() + ' Graphics Package Power ('
+ power_dict['unit'] + ')',
power)
elif checkIfSecondaryDie(device):
printLog(device, 'Average Graphics Package Power (W)', "N/A (Secondary die)")
secondaryPresent=True
else:
printErrLog(device, 'Unable to get Average or Current Socket Graphics Package Power Consumption')
if secondaryPresent:
printLog(None, "\n\t\tPrimary die (usually one above or below the secondary) shows total (primary + secondary) socket power information", None)
printLogSpacer()
def showPowerPlayTable(deviceList):
""" Display current GPU Memory clock frequencies and voltages for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
global PRINT_JSON
if PRINT_JSON:
return
printLogSpacer(' GPU Memory clock frequencies and voltages ')
odvf = rsmi_od_volt_freq_data_t()
for device in deviceList:
ret = rocmsmi.rsmi_dev_od_volt_info_get(device, byref(odvf))
if rsmi_ret_ok(ret, device, 'get_od_volt'):
# TODO: Make this more dynamic and less hard-coded if possible
printLog(device, 'OD_SCLK:', None)
printLog(device, '0: %sMhz' % (int(odvf.curr_sclk_range.lower_bound / 1000000)), None)
printLog(device, '1: %sMhz' % (int(odvf.curr_sclk_range.upper_bound / 1000000)), None)
printLog(device, 'OD_MCLK:', None)
printLog(device, '0: %sMhz' % (int(odvf.curr_mclk_range.lower_bound / 1000000)), None)
printLog(device, '1: %sMhz' % (int(odvf.curr_mclk_range.upper_bound / 1000000)), None)
if odvf.sclk_freq_limits.lower_bound > 0 or odvf.sclk_freq_limits.upper_bound > 0 \
or odvf.mclk_freq_limits.lower_bound >0 or odvf.mclk_freq_limits.upper_bound > 0:
printLog(device, 'OD_RANGE:', None)
if odvf.sclk_freq_limits.lower_bound > 0 or odvf.sclk_freq_limits.upper_bound > 0:
printLog(device, 'SCLK: %sMhz %sMhz' % (
int(odvf.sclk_freq_limits.lower_bound / 1000000), int(odvf.sclk_freq_limits.upper_bound / 1000000)), None)
if odvf.mclk_freq_limits.lower_bound >0 or odvf.mclk_freq_limits.upper_bound > 0:
printLog(device, 'MCLK: %sMhz %sMhz' % (
int(odvf.mclk_freq_limits.lower_bound / 1000000), int(odvf.mclk_freq_limits.upper_bound / 1000000)), None)
printLogSpacer()
def showProduct(deviceList):
""" Show the requested product information for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Product Info ')
for device in deviceList:
# Only continue if GPU vendor is AMD
if isAmdDevice(device):
# TODO: Retrieve the SKU using 'rsmi_dev_sku_get' from the LIB
# Device SKU is just the characters in between the two '-' in vbios_version
vbios = getVbiosVersion(device, True)
device_sku = "N/A"
if vbios.count('-') == 2 and len(str(vbios.split('-')[1])) > 1:
device_sku = vbios.split('-')[1]
printLog(device, 'Card Series', '\t\t' + str(getDeviceName(device)))
# Retrieve device ID from DRM and KFD
printLog(device, 'Card Model', str('\t\t' + getDRMDeviceId(device)))
printLog(device, 'Card Vendor', '\t\t' + getVendor(device))
printLog(device, 'Card SKU', '\t\t' + device_sku)
printLog(device, 'Subsystem ID', str('\t' + getSubsystemId(device)))
printLog(device, 'Device Rev', str('\t\t' + getRev(device)))
printLog(device, 'Node ID', str('\t\t' + str(getNodeId(device))))
printLog(device, 'GUID', str('\t\t' + str(getGUID(device))))
printLog(device, 'GFX Version', str('\t\t' + getTargetGfxVersion(device)))
else:
vendor = getVendor(device)
printLog(device, 'Incompatible device.\n' \
'GPU[%s]\t\t: Expected vendor name: Advanced Micro Devices, Inc. [AMD/ATI]\n' \
'GPU[%s]\t\t: Actual vendor name' % (device, device), vendor)
printLogSpacer()
def showProfile(deviceList):
""" Display available Power Profiles for a list of devices.
:param deviceList: List of DRM devices (can be a single-item list)
"""
global PRINT_JSON
if PRINT_JSON:
return
printLogSpacer(' Show Power Profiles ')
status = rsmi_power_profile_status_t()
for device in deviceList:
ret = rocmsmi.rsmi_dev_power_profile_presets_get(device, 0, byref(status))
if rsmi_ret_ok(ret, device, 'get_power_profiles', silent=False):
binaryMaskString = str(format(status.available_profiles, '07b'))[::-1]
bitMaskPosition = 0
profileNumber = 0
while (bitMaskPosition < 7):
if binaryMaskString[bitMaskPosition] == '1':
profileNumber = profileNumber + 1
if 2 ** bitMaskPosition == status.current:
printLog(device, '%d. Available power profile (#%d of 7)' % \
(profileNumber, bitMaskPosition + 1), profileString(2 ** bitMaskPosition) + '*')
else:
printLog(device, '%d. Available power profile (#%d of 7)' % \
(profileNumber, bitMaskPosition + 1), profileString(2 ** bitMaskPosition))
bitMaskPosition = bitMaskPosition + 1
printLogSpacer()
def showRange(deviceList, rangeType):
""" Show the range for either the sclk or voltage for the specified devices
:param deviceList: List of DRM devices (can be a single-item list)
:param rangeType: [sclk|voltage] Type of range to return
"""
global RETCODE
if rangeType not in {'sclk', 'mclk', 'voltage'}:
printLog(None, 'Invalid range identifier %s' % (rangeType), None)
RETCODE = 1
return
printLogSpacer(' Show Valid %s Range ' % (rangeType))
odvf = rsmi_od_volt_freq_data_t()
for device in deviceList:
ret = rocmsmi.rsmi_dev_od_volt_info_get(device, byref(odvf))
if rsmi_ret_ok(ret, device, 'get_od_volt', silent=False):
if rangeType == 'sclk':
printLog(device, 'Valid sclk range: %sMhz - %sMhz' % (
int(odvf.curr_sclk_range.lower_bound / 1000000), int(odvf.curr_sclk_range.upper_bound / 1000000)), None)
if rangeType == 'mclk':
printLog(device, 'Valid mclk range: %sMhz - %sMhz' % (
int(odvf.curr_mclk_range.lower_bound / 1000000), int(odvf.curr_mclk_range.upper_bound / 1000000)), None)
if rangeType == 'voltage':
if odvf.num_regions == 0:
printErrLog(device, 'Voltage curve regions unsupported.', is_warning=True)
continue
num_regions = c_uint32(odvf.num_regions)
regions = (rsmi_freq_volt_region_t * odvf.num_regions)()
ret = rocmsmi.rsmi_dev_od_volt_curve_regions_get(device, byref(num_regions), byref(regions))
if rsmi_ret_ok(ret, device, 'volt'):
for i in range(num_regions.value):
printLog(device,
'Region %d: Valid voltage range: %smV - %smV' % (i, regions[i].volt_range.lower_bound,
regions[i].volt_range.upper_bound),
None)
else:
printLog(device, 'Unable to display %s range' % (rangeType), None)
printLogSpacer()
def showRasInfo(deviceList, rasType):
""" Show the requested RAS information for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
:param rasType: [$validRasBlocks] RAS counter to display (all if left empty)
"""
state = rsmi_ras_err_state_t()
if not rasType or 'all' in rasType:
rasBlocks = rsmi_gpu_block_d.keys()
else:
for name in rasType:
if name.upper() not in rsmi_gpu_block_d:
rasType.remove(name)
printErrLog(None, '%s is not a RAS block' % (name))
rasBlocks = [block.upper() for block in rasType]
printLogSpacer(' RAS Info ')
for device in deviceList:
data = []
for block in rasBlocks:
row = []
ret = rocmsmi.rsmi_dev_ecc_status_get(device, rsmi_gpu_block_d[block], byref(state))
if rsmi_ret_ok(ret, device, 'get_ecc_status_' + str(block), True):
row.append(block)
row.append(rsmi_ras_err_stale_machine[state.value].upper())
# Now add the error count
if rsmi_ras_err_stale_machine[state.value] != 'disabled' or 'none' or 'unknown error':
ec = rsmi_error_count_t()
ret = rocmsmi.rsmi_dev_ecc_count_get(device, rsmi_gpu_block_d[block], byref(ec))
if rsmi_ret_ok(ret, device, 'ecc err count', True):
row.append(ec.correctable_err)
row.append(ec.uncorrectable_err)
data.append(row)
printTableLog([' Block', ' Status ', 'Correctable Error', 'Uncorrectable Error'], data, device,
'RAS INFO')
# TODO: Use dynamic spacing for column widths
printLogSpacer(None, '_')
printLogSpacer()
def showRetiredPages(deviceList, retiredType='all'):
""" Show retired pages of a specified type for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
:param retiredType: Type of retired pages to show (default = all)
"""
printLogSpacer(' Pages Info ')
num_pages = c_uint32()
records = rsmi_retired_page_record_t()
for device in deviceList:
data = []
ret = rocmsmi.rsmi_dev_memory_reserved_pages_get(device, byref(num_pages), None)
if rsmi_ret_ok(ret, device, 'ras'):
records = (rsmi_retired_page_record_t * num_pages.value)()
else:
logging.debug('Unable to retrieve reserved page info')
return
ret = rocmsmi.rsmi_dev_memory_reserved_pages_get(device, byref(num_pages), byref(records))
for rec in records:
if (memory_page_status_l[rec.status] == retiredType or retiredType == 'all'):
data.append((hex(rec.page_address), hex(rec.page_size), memory_page_status_l[rec.status]))
if data:
printTableLog([' Page address', ' Page size', ' Status'], data, device,
retiredType.upper() + ' PAGES INFO')
printLogSpacer()
def showSerialNumber(deviceList):
""" Display the serial number for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Serial Number ')
for device in deviceList:
sn = create_string_buffer(256)
ret = rocmsmi.rsmi_dev_serial_number_get(device, sn, 256)
try:
sn.value.decode()
except UnicodeDecodeError:
printErrLog(device, "FRU Serial Number contains non-alphanumeric characters. FRU is likely corrupted")
continue
if rsmi_ret_ok(ret, device, 'get_serial_number') and sn.value.decode():
printLog(device, 'Serial Number', sn.value.decode())
else:
printLog(device, 'Serial Number', 'N/A')
printLogSpacer()
def showUId(deviceList):
""" Display the unique device ID for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Unique ID ')
for device in deviceList:
dv_uid = c_uint64()
ret = rocmsmi.rsmi_dev_unique_id_get(device, byref(dv_uid))
if rsmi_ret_ok(ret, device, 'get_unique_id', True) and str(hex(dv_uid.value)):
printLog(device, 'Unique ID', hex(dv_uid.value))
else:
printLog(device, 'Unique ID', 'N/A')
printLogSpacer()
def showVbiosVersion(deviceList):
""" Display the VBIOS version for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' VBIOS ')
for device in deviceList:
printLog(device, 'VBIOS version', getVbiosVersion(device, silent=True))
printLogSpacer()
class _Getch:
"""
Get a single character from standard input
"""
def __init__(self):
import sys, tty
def __call__(self):
import sys, termios, tty
fd = sys.stdin.fileno()
old_settings = termios.tcgetattr(fd)
try:
tty.setraw(sys.stdin.fileno())
ch = sys.stdin.read(1)
finally:
termios.tcsetattr(fd, termios.TCSADRAIN, old_settings)
return ch
def showEvents(deviceList, eventTypes):
""" Display a blocking list of events for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
:param eventTypes: List of event type names (can be a single-item list)
"""
printLogSpacer(' Show Events ')
printLog(None, 'press \'q\' or \'ctrl + c\' to quit', None)
eventTypeList = []
for event in eventTypes: # Cleaning list from wrong values
if event.replace(',', '').upper() in notification_type_names:
eventTypeList.append(event.replace(',', '').upper())
else:
printErrLog(None, 'Ignoring unrecognized event type %s' % (event.replace(',', '')))
if len(eventTypeList) == 0:
eventTypeList = notification_type_names
print2DArray([['DEVICE\t', 'TIME\t', 'TYPE\t', 'DESCRIPTION']])
# Create a separate thread for each GPU
for device in deviceList:
try:
_thread.start_new_thread(printEventList, (device, 1000, eventTypeList))
time.sleep(0.25)
except Exception as e:
printErrLog(device, 'Unable to start new thread. %s' % (e))
return
while 1: # Exit condition from user keyboard input of 'q' or 'ctrl + c'
getch = _Getch()
user_input = getch()
# Catch user input for q or Ctrl + c
if user_input == 'q' or user_input == '\x03':
for device in deviceList:
ret = rocmsmi.rsmi_event_notification_stop(device)
if not rsmi_ret_ok(ret, device, 'stop_event_notification'):
printErrLog(device, 'Unable to end event notifications.')
print('\r')
break
def printTempGraph(deviceList, delay, temp_type):
# deviceList must be in ascending order
deviceList.sort()
devices = 0
# Print an empty line for each device
for device in deviceList:
devices = devices + 1
for i in range(devices):
printEmptyLine()
originalTerminalWidth = os.get_terminal_size()[0]
while 1: # Exit condition from user keyboard input of 'q' or 'ctrl + c'
terminalWidth = os.get_terminal_size()[0]
printStrings = list()
for device in deviceList:
temp = getTemp(device, temp_type)
if temp == 'N/A':
percentage = 0
else:
percentage = temp
if percentage >= 100:
percentage = 100
if percentage < 0:
percentage = 0
# Get available space based on terminal width
availableSpace = 0
if terminalWidth >= 20:
availableSpace = terminalWidth - 20
# Get color based on percentage, with a non-linear scaling
color = getGraphColor(3.16*(percentage**1.5)**(1/2))
# Get graph length based on percentage and available space
padding = (percentage / float(100)) * availableSpace
if padding > availableSpace:
padding = availableSpace
paddingSpace = color[-1]
for i in range(int(padding)):
paddingSpace += paddingSpace[-1]
remainder = 0
if availableSpace >= padding:
remainder = availableSpace + 1 - padding
remainderSpace = ' ' * int(remainder)
# TODO: Allow terminal size to be decreased
if terminalWidth < originalTerminalWidth:
print('Terminal size cannot be decreased.\n\r')
return
if type(temp) == str:
tempString = temp
else:
tempString = str(int(temp))
# Two spare Spaces
tempString = (tempString + '°C').ljust(5)
printStrings.append('\033[2;30;47mGPU[%d] Temp %s|%s%s\x1b[0m%s' % (device, tempString, color, paddingSpace[1:], remainderSpace))
originalTerminalWidth = terminalWidth
time.sleep((delay / 1000))
if terminalWidth >= 20:
# go up and prepare to rewrite the lines
for i in printStrings:
print('\033[A', end='\r')
# print all strings
for i in printStrings:
print(i, end='\r\n')
def getGraphColor(percentage):
# Text / Background color mixing (Tested on PuTTY)
colors = ['\033[2;35;45m','\033[2;34;45m','\033[2;35;44m','\033[2;34;44m',
'\033[2;36;44m','\033[2;34;46m','\033[2;36;46m','\033[2;32;46m',
'\033[2;36;42m','\033[2;32;42m','\033[2;33;42m','\033[2;32;43m',
'\033[2;33;43m','\033[2;31;43m','\033[2;33;41m','\033[2;31;41m']
characters = [' ', 'â–‘', 'â–‘', 'â–’', 'â–’', 'â–‘']
# Ensure percentage is in range and rounded
if percentage > 99:
percentage = 99
if percentage < 0:
percentage = 0
percentage = round(percentage, 0)
# There are a total of 16 distinct colors, with 2 special ascii characters per
# color, for a total of 16*2=32 distinct colors for a gradient.
# Therefore every 100/32=3.125 percent the color gradient will change
stepSize = (100/len(colors))/2
characterIndex = int((percentage % (len(characters) * stepSize)) / stepSize)
colorIndex = int(percentage / (stepSize * 2))
returnStr = colors[colorIndex] + characters[characterIndex]
return returnStr
def showTempGraph(deviceList):
deviceList.sort()
temp_type = getTemperatureLabel(deviceList)
printLogSpacer(' Temperature Graph ' + temp_type.capitalize() + ' ')
# Start a thread for constantly printing
try:
# Create a thread (call print function, devices, delay in ms)
_thread.start_new_thread(printTempGraph, (deviceList, 150, temp_type))
except Exception as e:
printErrLog(device, 'Unable to start new thread. %s' % (e))
# Catch user input for program termination
while 1: # Exit condition from user keyboard input of 'q' or 'ctrl + c'
getch = _Getch()
user_input = getch()
# Catch user input for q or Ctrl + c
if user_input == 'q' or user_input == '\x03':
break
# Reset color to default before exit
print('\033[A\x1b[0m\r')
printLogSpacer()
def showDriverVersion(deviceList, component):
""" Display the software version for the specified component
:param deviceList: List of DRM devices (can be a single-item list)
:param component: Component (currently only driver)
"""
printLogSpacer(' Version of System Component ')
printSysLog(component_str(component) + ' version', getVersion(deviceList, component))
printLogSpacer()
def showVoltage(deviceList):
""" Display the current voltage (in millivolts) for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Current voltage ')
for device in deviceList:
vtype = rsmi_voltage_type_t(0)
met = rsmi_voltage_metric_t(0)
voltage = c_uint64()
ret = rocmsmi.rsmi_dev_volt_metric_get(device, vtype, met, byref(voltage))
if rsmi_ret_ok(ret, device, 'get_volt_metric') and str(voltage.value):
printLog(device, 'Voltage (mV)', str(voltage.value))
else:
logging.debug('GPU voltage not supported')
printLogSpacer()
def showVoltageCurve(deviceList):
""" Show the voltage curve points for the specified devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Voltage Curve Points ')
odvf = rsmi_od_volt_freq_data_t()
for device in deviceList:
ret = rocmsmi.rsmi_dev_od_volt_info_get(device, byref(odvf))
if rsmi_ret_ok(ret, device, 'get_od_volt_info', silent=False) and odvf.num_regions > 0:
for position in range(3):
printLog(device, 'Voltage point %d: %sMhz %smV' % (
position, int(list(odvf.curve.vc_points)[position].frequency / 1000000),
int(list(odvf.curve.vc_points)[position].voltage)), None)
else:
printErrLog(device, 'Voltage curve Points unsupported.', is_warning=True)
printLogSpacer()
def showXgmiErr(deviceList):
""" Display the XGMI Error status
This reads the XGMI error file, and interprets the return value from the sysfs file
:param deviceList: Show XGMI error state for these devices
"""
printLogSpacer('XGMI Error status')
xe = rsmi_xgmi_status_t()
for device in deviceList:
ret = rocmsmi.rsmi_dev_xgmi_error_status(device, byref(xe))
if rsmi_ret_ok(ret, device, 'xgmi status'):
desc = ''
if xe.value is None:
continue
else:
err = int(xe.value)
if err == 0:
desc = 'No errors detected since last read'
elif err == 1:
desc = 'Single error detected since last read'
elif err == 2:
desc = 'Multiple errors detected since last read'
else:
printErrLog(device, 'Invalid return value from xgmi_error')
continue
if PRINT_JSON is True:
printLog(device, 'XGMI Error count', err)
else:
printLog(device, 'XGMI Error count', '%s (%s)' % (err, desc))
printLogSpacer()
def showAccessibleTopology(deviceList):
""" Display the HW Topology Information based on link accessibility
This reads the HW Topology file and displays the matrix for the nodes
:param deviceList: List of DRM devices (can be a single-item list)
"""
devices_ind = range(len(deviceList))
accessible = c_bool()
gpu_links_type = [[0 for x in devices_ind] for y in devices_ind]
printLogSpacer(' Link accessibility between two GPUs ')
for srcdevice in deviceList:
for destdevice in deviceList:
ret = rocmsmi.rsmi_is_P2P_accessible(srcdevice, destdevice, byref(accessible))
if rsmi_ret_ok(ret, metric='is_P2P_accessible'):
gpu_links_type[srcdevice][destdevice] = accessible.value
else:
printErrLog(srcdevice, 'Cannot read link accessibility: Unsupported on this machine')
if PRINT_JSON:
formatMatrixToJSON(deviceList, gpu_links_type, "(Topology) Link accessibility between DRM devices {} and {}")
return
printTableRow(None, ' ')
for row in deviceList:
tmp = 'GPU%d' % row
printTableRow('%-12s', tmp)
printEmptyLine()
for gpu1 in deviceList:
tmp = 'GPU%d' % gpu1
printTableRow('%-6s', tmp)
for gpu2 in deviceList:
printTableRow('%-12s', gpu_links_type[gpu1][gpu2])
printEmptyLine()
def showWeightTopology(deviceList):
""" Display the HW Topology Information based on weights
This reads the HW Topology file and displays the matrix for the nodes
:param deviceList: List of DRM devices (can be a single-item list)
"""
global PRINT_JSON
devices_ind = range(len(deviceList))
gpu_links_weight = [[0 for x in devices_ind] for y in devices_ind]
printLogSpacer(' Weight between two GPUs ')
for srcdevice in deviceList:
for destdevice in deviceList:
if (srcdevice == destdevice):
gpu_links_weight[srcdevice][destdevice] = 0
continue
weight = c_uint64()
ret = rocmsmi.rsmi_topo_get_link_weight(srcdevice, destdevice, byref(weight))
if rsmi_ret_ok(ret, metric='get_link_weight_topology'):
gpu_links_weight[srcdevice][destdevice] = weight
else:
printErrLog(srcdevice, 'Cannot read Link Weight: Not supported on this machine')
gpu_links_weight[srcdevice][destdevice] = None
if PRINT_JSON:
formatMatrixToJSON(deviceList, gpu_links_weight, "(Topology) Weight between DRM devices {} and {}")
return
printTableRow(None, ' ')
for row in deviceList:
tmp = 'GPU%d' % row
printTableRow('%-12s', tmp)
printEmptyLine()
for gpu1 in deviceList:
tmp = 'GPU%d' % gpu1
printTableRow('%-6s', tmp)
for gpu2 in deviceList:
if (gpu1 == gpu2):
printTableRow('%-12s', '0')
elif (gpu_links_weight[gpu1][gpu2] == None):
printTableRow('%-12s', 'N/A')
else:
printTableRow('%-12s', gpu_links_weight[gpu1][gpu2].value)
printEmptyLine()
def showHopsTopology(deviceList):
""" Display the HW Topology Information based on number of hops
This reads the HW Topology file and displays the matrix for the nodes
:param deviceList: List of DRM devices (can be a single-item list)
"""
linktype = c_char_p()
devices_ind = range(len(deviceList))
gpu_links_hops = [[0 for x in devices_ind] for y in devices_ind]
printLogSpacer(' Hops between two GPUs ')
for srcdevice in deviceList:
for destdevice in deviceList:
if (srcdevice == destdevice):
gpu_links_hops[srcdevice][destdevice] = '0'
continue
hops = c_uint64()
ret = rocmsmi.rsmi_topo_get_link_type(srcdevice, destdevice, byref(hops), byref(linktype))
if rsmi_ret_ok(ret, metric='get_link_type_topology'):
gpu_links_hops[srcdevice][destdevice] = hops
else:
printErrLog(srcdevice, 'Cannot read Link Hops: Not supported on this machine')
gpu_links_hops[srcdevice][destdevice] = None
if PRINT_JSON:
formatMatrixToJSON(deviceList, gpu_links_hops, "(Topology) Hops between DRM devices {} and {}")
return
printTableRow(None, ' ')
for row in deviceList:
tmp = 'GPU%d' % row
printTableRow('%-12s', tmp)
printEmptyLine()
for gpu1 in deviceList:
tmp = 'GPU%d' % gpu1
printTableRow('%-6s', tmp)
for gpu2 in deviceList:
if (gpu1 == gpu2):
printTableRow('%-12s', '0')
elif (gpu_links_hops[gpu1][gpu2] == None):
printTableRow('%-12s', 'N/A')
else:
printTableRow('%-12s', gpu_links_hops[gpu1][gpu2].value)
printEmptyLine()
def showTypeTopology(deviceList):
""" Display the HW Topology Information based on link type
This reads the HW Topology file and displays the matrix for the nodes
:param deviceList: List of DRM devices (can be a single-item list)
"""
devices_ind = range(len(deviceList))
hops = c_uint64()
linktype = c_uint64()
gpu_links_type = [[0 for x in devices_ind] for y in devices_ind]
printLogSpacer(' Link Type between two GPUs ')
for srcdevice in deviceList:
for destdevice in deviceList:
if (srcdevice == destdevice):
gpu_links_type[srcdevice][destdevice] = '0'
continue
ret = rocmsmi.rsmi_topo_get_link_type(srcdevice, destdevice, byref(hops), byref(linktype))
if rsmi_ret_ok(ret, metric='get_link_topology_type'):
if (linktype.value == 1):
gpu_links_type[srcdevice][destdevice] = "PCIE"
elif (linktype.value == 2):
gpu_links_type[srcdevice][destdevice] = "XGMI"
else:
gpu_links_type[srcdevice][destdevice] = "XXXX"
else:
printErrLog(srcdevice, 'Cannot read Link Type: Not supported on this machine')
gpu_links_type[srcdevice][destdevice] = "XXXX"
if PRINT_JSON:
formatMatrixToJSON(deviceList, gpu_links_type, "(Topology) Link type between DRM devices {} and {}")
return
printTableRow(None, ' ')
for row in deviceList:
tmp = 'GPU%d' % row
printTableRow('%-12s', tmp)
printEmptyLine()
for gpu1 in deviceList:
tmp = 'GPU%d' % gpu1
printTableRow('%-6s', tmp)
for gpu2 in deviceList:
if (gpu1 == gpu2):
printTableRow('%-12s', '0')
else:
printTableRow('%-12s', gpu_links_type[gpu1][gpu2])
printEmptyLine()
def showNumaTopology(deviceList):
""" Display the HW Topology Information for numa nodes
This reads the HW Topology file and display the matrix for the nodes
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' Numa Nodes ')
numa_numbers = c_int32()
for device in deviceList:
ret = rocmsmi.rsmi_topo_get_numa_node_number(device, byref(numa_numbers))
if rsmi_ret_ok(ret, device, 'get_numa_node_number'):
printLog(device, "(Topology) Numa Node", numa_numbers.value)
else:
printErrLog(device, "Cannot read Numa Node")
ret = rocmsmi.rsmi_topo_numa_affinity_get(device, byref(numa_numbers))
if rsmi_ret_ok(ret, metric='get_numa_affinity_topology'):
printLog(device, "(Topology) Numa Affinity", numa_numbers.value)
else:
printErrLog(device, 'Cannot read Numa Affinity')
def showHwTopology(deviceList):
""" Display the HW Topology Information based on weight/hops/type
This reads the HW Topology file and displays the matrix for the nodes
:param deviceList: List of DRM devices (can be a single-item list)
"""
showWeightTopology(deviceList)
printEmptyLine()
showHopsTopology(deviceList)
printEmptyLine()
showTypeTopology(deviceList)
printEmptyLine()
showNumaTopology(deviceList)
def showNodesBw(deviceList):
""" Display max and min bandwidth between nodes.
Currently supports XGMI only.
This reads the HW Topology file and displays the matrix for the nodes
:param deviceList: List of DRM devices (can be a single-item list)
"""
devices_ind = range(len(deviceList))
minBW = c_uint32()
maxBW = c_uint32()
hops = c_uint64()
linktype = c_uint64()
silent = False
nonXgmi = False
gpu_links_type = [[0 for x in devices_ind] for y in devices_ind]
printLogSpacer(' Bandwidth ')
for srcdevice in deviceList:
for destdevice in deviceList:
if srcdevice != destdevice:
ret = rocmsmi.rsmi_minmax_bandwidth_get(srcdevice, destdevice, byref(minBW), byref(maxBW))
#verify that link type is xgmi
ret2 = rocmsmi.rsmi_topo_get_link_type(srcdevice, destdevice, byref(hops), byref(linktype))
if rsmi_ret_ok(ret2," {} to {}".format(srcdevice, destdevice), 'get_link_topology_type', True):
if linktype.value != 2:
nonXgmi = True
silent= True
gpu_links_type[srcdevice][destdevice] = "N/A"
if rsmi_ret_ok(ret, " {} to {}".format(srcdevice, destdevice), 'get_link_topology_type',silent):
gpu_links_type[srcdevice][destdevice] = "{}-{}".format(minBW.value, maxBW.value)
else:
gpu_links_type[srcdevice][destdevice] = "N/A"
if PRINT_JSON:
# TODO
return
printTableRow(None, ' ')
for row in deviceList:
tmp = 'GPU%d' % row
printTableRow('%-12s', tmp)
printEmptyLine()
for gpu1 in deviceList:
tmp = 'GPU%d' % gpu1
printTableRow('%-6s', tmp)
for gpu2 in deviceList:
printTableRow('%-12s', gpu_links_type[gpu1][gpu2])
printEmptyLine()
printLog(None,"Format: min-max; Units: mps", None)
printLog(None,'"0-0" min-max bandwidth indicates devices are not connected directly', None)
if nonXgmi:
printLog(None,"Non-xGMI links detected and is currently not supported", None)
def showComputePartition(deviceList):
""" Returns the current compute partitioning for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
currentComputePartition = create_string_buffer(256)
printLogSpacer(' Current Compute Partition ')
for device in deviceList:
ret = rocmsmi.rsmi_dev_compute_partition_get(device, currentComputePartition, 256)
if rsmi_ret_ok(ret, device, 'get_compute_partition', silent=True) and currentComputePartition.value.decode():
printLog(device, 'Compute Partition', currentComputePartition.value.decode())
elif ret == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED:
printLog(device, 'Not supported on the given system', None)
else:
rsmi_ret_ok(ret, device, 'get_compute_partition')
printErrLog(device, 'Failed to retrieve compute partition, even though device supports it.')
printLogSpacer()
def showMemoryPartition(deviceList):
""" Returns the current memory partition for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
memoryPartition = create_string_buffer(256)
printLogSpacer(' Current Memory Partition ')
for device in deviceList:
ret = rocmsmi.rsmi_dev_memory_partition_get(device, memoryPartition, 256)
if rsmi_ret_ok(ret, device, 'get_memory_partition',silent=True) and memoryPartition.value.decode():
printLog(device, 'Memory Partition', memoryPartition.value.decode())
elif ret == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED:
printLog(device, 'Not supported on the given system', None)
else:
rsmi_ret_ok(ret, device, 'get_memory_partition')
printErrLog(device, 'Failed to retrieve current memory partition, even though device supports it.')
printLogSpacer()
class UIntegerTypes(IntEnum):
UINT8_T = 0xFF
UINT16_T = 0xFFFF
UINT32_T = 0xFFFFFFFF
UINT64_T = 0xFFFFFFFFFFFFFFFF
def validateIfMaxUint(valToCheck, uintType: UIntegerTypes):
return_val = "N/A"
if not isinstance(valToCheck, list):
if valToCheck == uintType:
return return_val
else:
return valToCheck
else:
return_val = valToCheck
for idx, v in enumerate(valToCheck):
if v == uintType:
return_val[idx] = "N/A"
return return_val
def showGPUMetrics(deviceList):
""" Returns the gpu metrics for a list of devices
:param deviceList: List of DRM devices (can be a single-item list)
"""
printLogSpacer(' GPU Metrics ')
gpu_metrics = rsmi_gpu_metrics_t()
temp_unit="C"
power_unit="W"
energy_unit="15.259uJ (2^-16)"
volt_unit="mV"
clock_unit="MHz"
fan_speed="rpm"
percent_unit="%"
vram_max_bw="GB/s"
pcie_acc_unit="GB/s"
pcie_lanes_unit="Lanes"
pcie_speed_unit="0.1 GT/s"
xgmi_speed="Gbps"
xgmi_data_sz="kB"
time_unit="ns"
time_unit_10="10ns resolution"
count="Count"
link_status="Up/Down"
no_unit = None
for device in deviceList:
ret = rocmsmi.rsmi_dev_gpu_metrics_info_get(device, byref(gpu_metrics))
metrics = {
"common_header": "N/A"
}
if rsmi_ret_ok(ret, device, 'rsmi_dev_gpu_metrics_info_get',silent=True):
metrics = {
"common_header": {
"version": float(str(gpu_metrics.common_header.format_revision) + "."
+ str(gpu_metrics.common_header.content_revision)),
"size": gpu_metrics.common_header.structure_size
}, "temperature_edge": {
"value": validateIfMaxUint(gpu_metrics.temperature_edge, UIntegerTypes.UINT16_T),
"unit": temp_unit,
}, "temperature_hotspot": {
"value": validateIfMaxUint(gpu_metrics.temperature_hotspot, UIntegerTypes.UINT16_T),
"unit": temp_unit,
}, "temperature_mem": {
"value": validateIfMaxUint(gpu_metrics.temperature_mem, UIntegerTypes.UINT16_T),
"unit": temp_unit,
}, "temperature_vrgfx": {
"value": validateIfMaxUint(gpu_metrics.temperature_vrgfx, UIntegerTypes.UINT16_T),
"unit": temp_unit,
}, "temperature_vrsoc": {
"value": validateIfMaxUint(gpu_metrics.temperature_vrsoc, UIntegerTypes.UINT16_T),
"unit": temp_unit,
}, "temperature_vrmem": {
"value": validateIfMaxUint(gpu_metrics.temperature_vrmem, UIntegerTypes.UINT16_T),
"unit": temp_unit,
}, "average_gfx_activity": {
"value": validateIfMaxUint(gpu_metrics.average_gfx_activity, UIntegerTypes.UINT16_T),
"unit": percent_unit,
}, "average_umc_activity": {
"value": validateIfMaxUint(gpu_metrics.average_umc_activity, UIntegerTypes.UINT16_T),
"unit": percent_unit,
}, "average_mm_activity": {
"value": validateIfMaxUint(gpu_metrics.average_mm_activity, UIntegerTypes.UINT16_T),
"unit": percent_unit,
}, "average_socket_power": {
"value": validateIfMaxUint(gpu_metrics.average_socket_power, UIntegerTypes.UINT16_T),
"unit": power_unit,
}, "energy_accumulator": {
"value": validateIfMaxUint(gpu_metrics.energy_accumulator, UIntegerTypes.UINT64_T),
"unit": energy_unit,
}, "system_clock_counter": {
"value": validateIfMaxUint(gpu_metrics.system_clock_counter, UIntegerTypes.UINT64_T),
"unit": time_unit,
}, "average_gfxclk_frequency": {
"value": validateIfMaxUint(gpu_metrics.average_gfxclk_frequency, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "average_socclk_frequency": {
"value": validateIfMaxUint(gpu_metrics.average_socclk_frequency, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "average_uclk_frequency": {
"value": validateIfMaxUint(gpu_metrics.average_uclk_frequency, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "average_vclk0_frequency": {
"value": validateIfMaxUint(gpu_metrics.average_vclk0_frequency, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "average_dclk0_frequency": {
"value": validateIfMaxUint(gpu_metrics.average_dclk0_frequency, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "average_vclk1_frequency": {
"value": validateIfMaxUint(gpu_metrics.average_vclk1_frequency, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "average_dclk1_frequency": {
"value": validateIfMaxUint(gpu_metrics.average_dclk1_frequency, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_gfxclk": {
"value": validateIfMaxUint(gpu_metrics.current_gfxclk, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_socclk": {
"value": validateIfMaxUint(gpu_metrics.current_socclk, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_uclk": {
"value": validateIfMaxUint(gpu_metrics.current_uclk, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_vclk0": {
"value": validateIfMaxUint(gpu_metrics.current_vclk0, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_dclk0": {
"value": validateIfMaxUint(gpu_metrics.current_dclk0, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_vclk1": {
"value": validateIfMaxUint(gpu_metrics.current_vclk1, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_dclk1": {
"value": validateIfMaxUint(gpu_metrics.current_dclk1, UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "throttle_status": {
"value": validateIfMaxUint(gpu_metrics.throttle_status, UIntegerTypes.UINT32_T),
"unit": no_unit,
}, "current_fan_speed": {
"value": validateIfMaxUint(gpu_metrics.current_fan_speed, UIntegerTypes.UINT16_T),
"unit": fan_speed,
}, "pcie_link_width": {
"value": validateIfMaxUint(gpu_metrics.pcie_link_width, UIntegerTypes.UINT16_T),
"unit": pcie_lanes_unit,
}, "pcie_link_speed": {
"value": validateIfMaxUint(gpu_metrics.pcie_link_speed, UIntegerTypes.UINT16_T),
"unit": pcie_speed_unit,
}, "gfx_activity_acc": {
"value": validateIfMaxUint(gpu_metrics.gfx_activity_acc, UIntegerTypes.UINT32_T),
"unit": percent_unit,
}, "mem_activity_acc": {
"value": validateIfMaxUint(gpu_metrics.mem_activity_acc, UIntegerTypes.UINT32_T),
"unit": percent_unit,
}, "temperature_hbm": {
"value": validateIfMaxUint(list(gpu_metrics.temperature_hbm), UIntegerTypes.UINT16_T),
"unit": temp_unit,
}, "firmware_timestamp": {
"value": validateIfMaxUint(gpu_metrics.firmware_timestamp, UIntegerTypes.UINT64_T),
"unit": time_unit_10,
}, "voltage_soc": {
"value": validateIfMaxUint(gpu_metrics.voltage_soc, UIntegerTypes.UINT16_T),
"unit": volt_unit,
}, "voltage_gfx": {
"value": validateIfMaxUint(gpu_metrics.voltage_gfx, UIntegerTypes.UINT16_T),
"unit": volt_unit,
}, "voltage_mem": {
"value": validateIfMaxUint(gpu_metrics.voltage_mem, UIntegerTypes.UINT16_T),
"unit": volt_unit,
}, "indep_throttle_status": {
"value": validateIfMaxUint(gpu_metrics.indep_throttle_status, UIntegerTypes.UINT64_T),
"unit": no_unit,
}, "current_socket_power": {
"value": validateIfMaxUint(gpu_metrics.current_socket_power, UIntegerTypes.UINT16_T),
"unit": power_unit,
}, "vcn_activity": {
"value": validateIfMaxUint(list(gpu_metrics.vcn_activity), UIntegerTypes.UINT16_T),
"unit": percent_unit,
}, "gfxclk_lock_status": {
"value": validateIfMaxUint(gpu_metrics.gfxclk_lock_status, UIntegerTypes.UINT32_T),
"unit": no_unit,
}, "xgmi_link_width": {
"value": validateIfMaxUint(gpu_metrics.xgmi_link_width, UIntegerTypes.UINT16_T),
"unit": no_unit,
}, "xgmi_link_speed": {
"value": validateIfMaxUint(gpu_metrics.xgmi_link_speed, UIntegerTypes.UINT16_T),
"unit": xgmi_speed,
}, "pcie_bandwidth_acc": {
"value": validateIfMaxUint(gpu_metrics.pcie_bandwidth_acc, UIntegerTypes.UINT64_T),
"unit": pcie_acc_unit,
}, "pcie_bandwidth_inst": {
"value": validateIfMaxUint(gpu_metrics.pcie_bandwidth_inst, UIntegerTypes.UINT64_T),
"unit": pcie_acc_unit,
}, "pcie_l0_to_recov_count_acc": {
"value": validateIfMaxUint(gpu_metrics.pcie_l0_to_recov_count_acc, UIntegerTypes.UINT64_T),
"unit": count,
}, "pcie_replay_count_acc": {
"value": validateIfMaxUint(gpu_metrics.pcie_replay_count_acc, UIntegerTypes.UINT64_T),
"unit": count,
}, "pcie_replay_rover_count_acc": {
"value": validateIfMaxUint(gpu_metrics.pcie_replay_rover_count_acc, UIntegerTypes.UINT64_T),
"unit": count,
}, "xgmi_read_data_acc": {
"value": validateIfMaxUint(list(gpu_metrics.xgmi_read_data_acc), UIntegerTypes.UINT64_T),
"unit": xgmi_data_sz,
}, "xgmi_write_data_acc": {
"value": validateIfMaxUint(list(gpu_metrics.xgmi_write_data_acc), UIntegerTypes.UINT64_T),
"unit": xgmi_data_sz,
}, "current_gfxclks": {
"value": validateIfMaxUint(list(gpu_metrics.current_gfxclks), UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_socclks": {
"value": validateIfMaxUint(list(gpu_metrics.current_socclks), UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_vclk0s": {
"value": validateIfMaxUint(list(gpu_metrics.current_vclk0s), UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "current_dclk0s": {
"value": validateIfMaxUint(list(gpu_metrics.current_dclk0s), UIntegerTypes.UINT16_T),
"unit": clock_unit,
}, "jpeg_activity": {
"value": validateIfMaxUint(list(gpu_metrics.jpeg_activity), UIntegerTypes.UINT16_T),
"unit": percent_unit,
}, "pcie_nak_sent_count_acc": {
"value": validateIfMaxUint(gpu_metrics.pcie_nak_sent_count_acc, UIntegerTypes.UINT32_T),
"unit": count,
}, "pcie_nak_rcvd_count_acc": {
"value": validateIfMaxUint(gpu_metrics.pcie_nak_rcvd_count_acc, UIntegerTypes.UINT32_T),
"unit": count,
}, "accumulation_counter": {
"value": validateIfMaxUint(gpu_metrics.accumulation_counter, UIntegerTypes.UINT64_T),
"unit": count,
}, "prochot_residency_acc": {
"value": validateIfMaxUint(gpu_metrics.prochot_residency_acc, UIntegerTypes.UINT64_T),
"unit": count,
}, "ppt_residency_acc": {
"value": validateIfMaxUint(gpu_metrics.ppt_residency_acc, UIntegerTypes.UINT64_T),
"unit": count,
}, "socket_thm_residency_acc": {
"value": validateIfMaxUint(gpu_metrics.socket_thm_residency_acc, UIntegerTypes.UINT64_T),
"unit": count,
}, "vr_thm_residency_acc": {
"value": validateIfMaxUint(gpu_metrics.vr_thm_residency_acc, UIntegerTypes.UINT64_T),
"unit": count,
}, "hbm_thm_residency_acc": {
"value": validateIfMaxUint(gpu_metrics.hbm_thm_residency_acc, UIntegerTypes.UINT64_T),
"unit": count,
},
"pcie_lc_perf_other_end_recovery": {
"value": validateIfMaxUint(gpu_metrics.pcie_lc_perf_other_end_recovery, UIntegerTypes.UINT32_T),
"unit": count,
},
"vram_max_bandwidth": {
"value": validateIfMaxUint(gpu_metrics.vram_max_bandwidth, UIntegerTypes.UINT64_T),
"unit": vram_max_bw,
},
"xgmi_link_status": {
"value": validateIfMaxUint(list(gpu_metrics.xgmi_link_status), UIntegerTypes.UINT16_T),
"unit": link_status,
},
"num_partition": {
"value": validateIfMaxUint(gpu_metrics.num_partition, UIntegerTypes.UINT16_T),
"unit": no_unit,
},
"xcp_stats.gfx_busy_inst": {
"value": gpu_metrics.xcp_stats,
"unit": percent_unit,
},
"xcp_stats.jpeg_busy": {
"value": gpu_metrics.xcp_stats,
"unit": percent_unit,
},
"xcp_stats.vcn_busy": {
"value": gpu_metrics.xcp_stats,
"unit": percent_unit,
},
"xcp_stats.gfx_busy_acc": {
"value": gpu_metrics.xcp_stats,
"unit": count,
},
"xcp_stats.gfx_below_host_limit_acc": {
"value": gpu_metrics.xcp_stats,
"unit": percent_unit,
},
}
printLog(device, 'Metric Version and Size (Bytes)',
str(metrics["common_header"]["version"]) + " " + str(metrics["common_header"]["size"]))
for k,v in metrics.items():
if k != "common_header" and 'xcp_stats' not in k:
if v["unit"] != None:
printLog(device, k + " (" + str(v["unit"]) + ")", str(v["value"]))
elif v["unit"] == None:
printLog(device, k, str(v["value"]))
if 'xcp_stats.gfx_busy_inst' in k:
for curr_xcp, item in enumerate(v['value']):
print_xcp_detail = []
for _, val in enumerate(item.gfx_busy_inst):
print_xcp_detail.append(validateIfMaxUint(val, UIntegerTypes.UINT32_T))
printLog(device, k + " (" + str(v["unit"]) + ")", str(print_xcp_detail), xcp=str(curr_xcp))
if 'xcp_stats.jpeg_busy' in k:
for curr_xcp, item in enumerate(v['value']):
print_xcp_detail = []
for _, val in enumerate(item.jpeg_busy):
print_xcp_detail.append(validateIfMaxUint(val, UIntegerTypes.UINT16_T))
printLog(device, k + " (" + str(v["unit"]) + ")", str(print_xcp_detail), xcp=str(curr_xcp))
if 'xcp_stats.vcn_busy' in k:
for curr_xcp, item in enumerate(v['value']):
print_xcp_detail = []
for _, val in enumerate(item.vcn_busy):
print_xcp_detail.append(validateIfMaxUint(val, UIntegerTypes.UINT16_T))
printLog(device, k + " (" + str(v["unit"]) + ")", str(print_xcp_detail), xcp=str(curr_xcp))
if 'xcp_stats.gfx_busy_acc' in k:
for curr_xcp, item in enumerate(v['value']):
print_xcp_detail = []
for _, val in enumerate(item.gfx_busy_acc):
print_xcp_detail.append(validateIfMaxUint(val, UIntegerTypes.UINT64_T))
printLog(device, k + " (" + str(v["unit"]) + ")", str(print_xcp_detail), xcp=str(curr_xcp))
if 'xcp_stats.gfx_below_host_limit_acc' in k:
for curr_xcp, item in enumerate(v['value']):
print_xcp_detail = []
for _, val in enumerate(item.gfx_below_host_limit_acc):
print_xcp_detail.append(validateIfMaxUint(val, UIntegerTypes.UINT64_T))
printLog(device, k + " (" + str(v["unit"]) + ")", str(print_xcp_detail), xcp=str(curr_xcp))
if int(device) < (len(deviceList) - 1):
printLogSpacer()
elif ret == rsmi_status_t.RSMI_STATUS_NOT_SUPPORTED:
printLog(device, 'Not supported on the given system', None)
else:
rsmi_ret_ok(ret, device, 'get_gpu_metrics')
printErrLog(device, 'Failed to retrieve GPU metrics, metric version may not be supported for this device.')
printLogSpacer()
def checkAmdGpus(deviceList):
""" Check if there are any AMD GPUs being queried,
return False if there are none
:param deviceList: List of DRM devices (can be a single-item list)
"""
for device in deviceList:
if isAmdDevice(device):
return True
return False
def component_str(component):
""" Returns the component String value
:param component: Component (currently only driver)
"""
switcher = {
0: 'Driver'
}
return switcher.get(component, 'UNKNOWN')
def confirmOutOfSpecWarning(autoRespond):
""" Print the warning for running outside of specification and prompt user to accept the terms.
:param autoRespond: Response to automatically provide for all prompts
"""
print('''
******WARNING******\n
Operating your AMD GPU outside of official AMD specifications or outside of
factory settings, including but not limited to the conducting of overclocking,
over-volting or under-volting (including use of this interface software,
even if such software has been directly or indirectly provided by AMD or otherwise
affiliated in any way with AMD), may cause damage to your AMD GPU, system components
and/or result in system failure, as well as cause other problems.
DAMAGES CAUSED BY USE OF YOUR AMD GPU OUTSIDE OF OFFICIAL AMD SPECIFICATIONS OR
OUTSIDE OF FACTORY SETTINGS ARE NOT COVERED UNDER ANY AMD PRODUCT WARRANTY AND
MAY NOT BE COVERED BY YOUR BOARD OR SYSTEM MANUFACTURER'S WARRANTY.
Please use this utility with caution.
''')
if not autoRespond:
user_input = input('Do you accept these terms? [y/N] ')
else:
user_input = autoRespond
if user_input in ['Yes', 'yes', 'y', 'Y', 'YES']:
return
else:
sys.exit('Confirmation not given. Exiting without setting value')
def confirmChangingMemoryPartitionAndReloadingAMDGPU(autoRespond):
""" Print the warning for running outside of specification and prompt user to accept the terms.
:param autoRespond: Response to automatically provide for all prompts
"""
print('''
******WARNING******\n
Setting Dynamic Memory (NPS) partition modes require users to quit all GPU workloads.
ROCm SMI will then attempt to change memory (NPS) partition mode.
Upon a successful set, ROCm SMI will then initiate an action to restart AMD GPU driver.
This action will change all GPU's in the hive to the requested memory (NPS) partition mode.
Please use this utility with caution.
''')
if not autoRespond:
user_input = input('Do you accept these terms? [Y/N] ')
else:
user_input = autoRespond
if user_input in ['Yes', 'yes', 'y', 'Y', 'YES']:
print('')
return
else:
print('Confirmation not given. Exiting without setting value')
printLogSpacer()
sys.exit(1)
def doesDeviceExist(device):
""" Check whether the specified device exists
:param device: DRM device identifier
"""
availableDevices = listDevices()
filePath = '/sys/kernel/debug/dri/%d/' % (int(device))
if device in availableDevices or os.path.exists(filePath):
return True
return False
def initializeRsmi():
""" initializes rocmsmi if the amdgpu driver is initialized
"""
global rocmsmi
# Initialize rsmiBindings
rocmsmi = initRsmiBindings(silent=PRINT_JSON)
# Check if amdgpu is initialized before initializing rsmi
if driverInitialized() is True:
ret_init = rocmsmi.rsmi_init(0)
if ret_init != 0:
logging.error('ROCm SMI returned %s (the expected value is 0)', ret_init)
exit(ret_init)
else:
logging.error('Driver not initialized (amdgpu not found in modules)')
exit(0)
def isAmdDevice(device):
""" Return whether the specified device is an AMD device or not
:param device: DRM device identifier
"""
vendorID = c_uint16()
# Retrieve card vendor
ret = rocmsmi.rsmi_dev_vendor_id_get(device, byref(vendorID))
# Only continue if GPU vendor is AMD, which is 1002
if ret == rsmi_status_t.RSMI_STATUS_SUCCESS and str(hex(vendorID.value)) == '0x1002':
return True
return False
def listDevices():
""" Returns a list of GPU devices """
numberOfDevices = c_uint32(0)
ret = rocmsmi.rsmi_num_monitor_devices(byref(numberOfDevices))
if rsmi_ret_ok(ret, metric='get_num_monitor_devices'):
deviceList = list(range(numberOfDevices.value))
return deviceList
else:
exit(ret)
def load(savefilepath, autoRespond):
""" Load clock frequencies and fan speeds from a specified file.
:param savefilepath: Path to the save file
:param autoRespond: Response to automatically provide for all prompts
"""
printLogSpacer(' Load Settings ')
if not os.path.isfile(savefilepath):
printLog(None, 'No settings file found at %s' % (savefilepath), None)
printLogSpacer()
sys.exit()
with open(savefilepath, 'r') as savefile:
jsonData = json.loads(savefile.read())
for (device, values) in jsonData.items():
if values['vJson'] != CLOCK_JSON_VERSION:
printLog(None, 'Unable to load legacy clock file - file v%s != current v%s' %
(str(values['vJson']), str(CLOCK_JSON_VERSION)), None)
break
device = int(device[4:])
if values['fan']:
setFanSpeed([device], values['fan'])
if values['overdrivesclk']:
setClockOverDrive([device], 'sclk', values['overdrivesclk'], autoRespond)
if values['overdrivemclk']:
setClockOverDrive([device], 'mclk', values['overdrivemclk'], autoRespond)
for clk in validClockNames:
if clk in values['clocks']:
setClocks([device], clk, values['clocks'][clk])
if values['profile']:
setProfile([device], values['profile'])
# Set Perf level last, since setting OverDrive sets the Performance level
# to manual, and Profiles only work when the Performance level is auto
if values['perflevel'] != -1:
setPerformanceLevel([device], values['perflevel'])
printLog(device, 'Successfully loaded values from ' + savefilepath, None)
printLogSpacer()
def padHexValue(value, length):
""" Pad a hexadecimal value with a given length of zeros
:param value: A hexadecimal value to be padded with zeros
:param length: Number of zeros to pad the hexadecimal value
"""
# Ensure value entered meets the minimum length and is hexadecimal
if len(value) > 2 and length > 1 and value[:2].lower() == '0x' \
and all(c in '0123456789abcdefABCDEF' for c in value[2:]):
# Pad with zeros after '0x' prefix
return '0x' + value[2:].zfill(length)
return value
def profileString(profile):
dictionary = {1: 'CUSTOM', 2: 'VIDEO', 4: 'POWER SAVING', 8: 'COMPUTE', 16: 'VR', 32: '3D FULL SCREEN',
64: 'BOOTUP DEFAULT'}
# TODO: We should dynamically generate this to avoid hardcoding
if str(profile).isnumeric() and int(profile) in dictionary.keys():
return dictionary.get(int(profile))
elif not str(profile).isnumeric() and str(profile) in dictionary.values():
return list(dictionary.keys())[list(dictionary.values()).index(str(profile))]
return 'UNKNOWN'
def relaunchAsSudo():
""" Relaunch the SMI as sudo
To use rocm_smi_lib functions that write to sysfs, the SMI requires root access
Use execvp to relaunch the script with sudo privileges
"""
if os.geteuid() != 0:
os.execvp('sudo', ['sudo'] + sys.argv)
#keeping below, if we want to run sudo with user's env variables
#os.execvp('sudo', ['sudo', '-E'] + sys.argv)
def rsmi_ret_ok(my_ret, device=None, metric=None, silent=False):
""" Returns true if RSMI call status is 0 (success)
If status is not 0, error logs are written to the debug log and false is returned
:param device: DRM device identifier
:param my_ret: Return of RSMI call (rocm_smi_lib API)
:param metric: Parameter of GPU currently being analyzed
:param silent: Echo verbose error response.
True silences err output, False does not silence err output (default).
"""
global RETCODE
global PRINT_JSON
if my_ret != rsmi_status_t.RSMI_STATUS_SUCCESS:
err_str = c_char_p()
rocmsmi.rsmi_status_string(my_ret, byref(err_str))
# leaving the commented out prints/logs to help identify errors in the future
# print("error string = " + str(err_str))
# print("error string (w/ decode)= " + str(err_str.value.decode()))
returnString = ''
if device is not None:
returnString += '%s GPU[%s]:' % (my_ret, device)
if metric is not None:
returnString += ' %s: ' % (metric)
else:
metric = ''
if err_str.value is not None:
returnString += '%s\t' % (err_str.value.decode())
if not PRINT_JSON:
# logging.debug('%s', returnString)
if not silent:
logging.debug('%s', returnString)
if my_ret in rsmi_status_verbose_err_out:
printLog(device, metric + ", " + rsmi_status_verbose_err_out[my_ret], None)
RETCODE = my_ret
return False
return True
def save(deviceList, savefilepath):
""" Save clock frequencies and fan speeds for a list of devices to a specified file path.
:param deviceList: List of DRM devices (can be a single-item list)
:param savefilepath: Path to use to create the save file
"""
perfLevels = {}
clocks = {}
fanSpeeds = {}
overDriveGpu = {}
overDriveGpuMem = {}
profiles = {}
jsonData = {}
printLogSpacer(' Save Settings ')
if os.path.isfile(savefilepath):
printLog(None, '%s already exists. Settings not saved' % (savefilepath), None)
printLogSpacer()
sys.exit()
for device in deviceList:
if getPerfLevel(device) != -1:
perfLevels[device] = str(getPerfLevel(device)).lower()
else:
perfLevels[device] = 'Unsupported'
freq = rsmi_frequencies_t()
for clk_type in sorted(rsmi_clk_names_dict):
clocks[device] = clocks.get(device, {})
ret = rocmsmi.rsmi_dev_gpu_clk_freq_get(device, rsmi_clk_names_dict[clk_type], byref(freq))
if rsmi_ret_ok(ret, device, 'get_gpu_clk_freq_' + str(clk_type), True):
clocks[device][clk_type] = str(freq.current)
else:
clocks[device][clk_type] = '0'
fanSpeeds[device] = getFanSpeed(device)[1]
od = c_uint32()
ret = rocmsmi.rsmi_dev_overdrive_level_get(device, byref(od))
if rsmi_ret_ok(ret, device, 'get_overdrive_level'):
overDriveGpu[device] = str(od.value)
else:
overDriveGpu[device] = '0'
# GPU memory Overdrive is legacy
overDriveGpuMem[device] = '0'
status = rsmi_power_profile_status_t()
ret = rocmsmi.rsmi_dev_power_profile_presets_get(device, 0, byref(status))
if rsmi_ret_ok(ret, device, 'get_profile_presets'):
profiles[device] = str(str(bin(status.current))[2:][::-1].index('1') + 1)
else:
profiles[device] = str('UNKNOWN')
jsonData['card%d' % (device)] = {'vJson': CLOCK_JSON_VERSION, 'clocks': clocks[device],
'fan': fanSpeeds[device], 'overdrivesclk': overDriveGpu[device],
'overdrivemclk': overDriveGpuMem[device], 'profile': profiles[device],
'perflevel': perfLevels[device]}
printLog(None, 'Current settings successfully saved to', savefilepath)
with open(savefilepath, 'w') as savefile:
json.dump(jsonData, savefile, ensure_ascii=True)
printLogSpacer()
# The code below is for when this script is run as an executable instead of when imported as a module
def isConciseInfoRequested(args):
is_concise_req = len(sys.argv) == 1 or \
len(sys.argv) == 2 and (args.alldevices or (args.json or args.csv)) or \
len(sys.argv) == 3 and (args.alldevices and (args.json or args.csv))
return is_concise_req
if __name__ == '__main__':
parser = argparse.ArgumentParser(
description='AMD ROCm System Management Interface | ROCM-SMI version: %s' % __version__,
formatter_class=lambda prog: argparse.HelpFormatter(prog, max_help_position=90, width=120))
groupVersion = parser.add_argument_group()
groupDev = parser.add_argument_group()
groupDisplayOpt = parser.add_argument_group('Display Options')
groupDisplayTop = parser.add_argument_group('Topology')
groupDisplayPages = parser.add_argument_group('Pages information')
groupDisplayHw = parser.add_argument_group('Hardware-related information')
groupDisplay = parser.add_argument_group('Software-related/controlled information')
groupAction = parser.add_argument_group('Set options')
groupActionReset = parser.add_argument_group('Reset options')
groupActionGpuReset = parser.add_mutually_exclusive_group()
groupFile = parser.add_mutually_exclusive_group()
groupResponse = parser.add_argument_group('Auto-response options')
groupActionOutput = parser.add_argument_group('Output options')
groupVersion.add_argument('-V', '--version', help='Show version information', action='store_true')
groupDev.add_argument('-d', '--device', help='Execute command on specified device', type=int, nargs='+')
groupDisplayOpt.add_argument('--alldevices', action='store_true') # ------------- function deprecated, no help menu
groupDisplayOpt.add_argument('--showhw', help='Show Hardware details', action='store_true')
groupDisplayOpt.add_argument('-a', '--showallinfo', help='Show Temperature, Fan and Clock values',
action='store_true')
groupDisplayTop.add_argument('-i', '--showid', help='Show DEVICE IDs', action='store_true')
groupDisplayTop.add_argument('-v', '--showvbios', help='Show VBIOS version', action='store_true')
groupDisplayTop.add_argument('-e', '--showevents', help='Show event list', metavar='EVENT', type=str, nargs='*')
groupDisplayTop.add_argument('--showdriverversion', help='Show kernel driver version', action='store_true')
groupDisplayTop.add_argument('--showtempgraph', help='Show Temperature Graph', action='store_true')
groupDisplayTop.add_argument('--showfwinfo', help='Show FW information', metavar='BLOCK', type=str, nargs='*')
groupDisplayTop.add_argument('--showmclkrange', help='Show mclk range', action='store_true')
groupDisplayTop.add_argument('--showmemvendor', help='Show GPU memory vendor', action='store_true')
groupDisplayTop.add_argument('--showsclkrange', help='Show sclk range', action='store_true')
groupDisplayTop.add_argument('--showproductname', help='Show product details', action='store_true')
groupDisplayTop.add_argument('--showserial', help='Show GPU\'s Serial Number', action='store_true')
groupDisplayTop.add_argument('--showuniqueid', help='Show GPU\'s Unique ID', action='store_true')
groupDisplayTop.add_argument('--showvoltagerange', help='Show voltage range', action='store_true')
groupDisplayTop.add_argument('--showbus', help='Show PCI bus number', action='store_true')
groupDisplayPages.add_argument('--showpagesinfo', help='Show retired, pending and unreservable pages',
action='store_true')
groupDisplayPages.add_argument('--showpendingpages', help='Show pending retired pages', action='store_true')
groupDisplayPages.add_argument('--showretiredpages', help='Show retired pages', action='store_true')
groupDisplayPages.add_argument('--showunreservablepages', help='Show unreservable pages', action='store_true')
groupDisplayHw.add_argument('-f', '--showfan', help='Show current fan speed', action='store_true')
groupDisplayHw.add_argument('-P', '--showpower', help='Show current average or instant socket graphics package power consumption',
action='store_true')
groupDisplayHw.add_argument('-t', '--showtemp', help='Show current temperature', action='store_true')
groupDisplayHw.add_argument('-u', '--showuse', help='Show current GPU use', action='store_true')
groupDisplayHw.add_argument('--showmemuse', help='Show current GPU memory used', action='store_true')
groupDisplayHw.add_argument('--showvoltage', help='Show current GPU voltage', action='store_true')
groupDisplay.add_argument('-b', '--showbw', help='Show estimated PCIe use', action='store_true')
groupDisplay.add_argument('-c', '--showclocks', help='Show current clock frequencies', action='store_true')
groupDisplay.add_argument('-g', '--showgpuclocks', help='Show current GPU clock frequencies', action='store_true')
groupDisplay.add_argument('-l', '--showprofile', help='Show Compute Profile attributes', action='store_true')
groupDisplay.add_argument('-M', '--showmaxpower', help='Show maximum graphics package power this GPU will consume',
action='store_true')
groupDisplay.add_argument('-m', '--showmemoverdrive', help='Show current GPU Memory Clock OverDrive level',
action='store_true')
groupDisplay.add_argument('-o', '--showoverdrive', help='Show current GPU Clock OverDrive level',
action='store_true')
groupDisplay.add_argument('-p', '--showperflevel', help='Show current DPM Performance Level', action='store_true')
groupDisplay.add_argument('-S', '--showclkvolt', help='Show supported GPU and Memory Clocks and Voltages',
action='store_true')
groupDisplay.add_argument('-s', '--showclkfrq', help='Show supported GPU and Memory Clock', action='store_true')
groupDisplay.add_argument('--showmeminfo', help='Show Memory usage information for given block(s) TYPE',
metavar='TYPE', type=str, nargs='+')
groupDisplay.add_argument('--showpids', help='Show current running KFD PIDs (pass details to VERBOSE for detailed information)',
metavar='VERBOSE', const="summary", type=str, nargs='?')
groupDisplay.add_argument('--showpidgpus', help='Show GPUs used by specified KFD PIDs (all if no arg given)',
nargs='*')
groupDisplay.add_argument('--showreplaycount', help='Show PCIe Replay Count', action='store_true')
groupDisplay.add_argument('--showrasinfo',
help='Show RAS enablement information and error counts for the specified block(s) (all if no arg given)',
nargs='*')
groupDisplay.add_argument('--showvc', help='Show voltage curve', action='store_true')
groupDisplay.add_argument('--showxgmierr', help='Show XGMI error information since last read', action='store_true')
groupDisplay.add_argument('--showtopo', help='Show hardware topology information', action='store_true')
groupDisplay.add_argument('--showtopoaccess', help='Shows the link accessibility between GPUs ', action='store_true')
groupDisplay.add_argument('--showtopoweight', help='Shows the relative weight between GPUs ', action='store_true')
groupDisplay.add_argument('--showtopohops', help='Shows the number of hops between GPUs ', action='store_true')
groupDisplay.add_argument('--showtopotype', help='Shows the link type between GPUs ', action='store_true')
groupDisplay.add_argument('--showtoponuma', help='Shows the numa nodes ', action='store_true')
groupDisplay.add_argument('--showenergycounter', help='Energy accumulator that stores amount of energy consumed',
action='store_true')
groupDisplay.add_argument('--shownodesbw', help='Shows the numa nodes ', action='store_true')
groupDisplay.add_argument('--showcomputepartition', help='Shows current compute partitioning ', action='store_true')
groupDisplay.add_argument('--showmemorypartition', help='Shows current memory partition ', action='store_true')
groupDisplay.add_argument('--showmetrics', help='Show current gpu metric data ', action='store_true')
groupActionReset.add_argument('-r', '--resetclocks', help='Reset clocks and OverDrive to default',
action='store_true')
groupActionReset.add_argument('--resetfans', help='Reset fans to automatic (driver) control', action='store_true')
groupActionReset.add_argument('--resetprofile', help='Reset Power Profile back to default', action='store_true')
groupActionReset.add_argument('--resetpoweroverdrive',
help='Set the maximum GPU power back to the device default state',
action='store_true')
groupActionReset.add_argument('--resetxgmierr', help='Reset XGMI error count', action='store_true')
groupActionReset.add_argument('--resetperfdeterminism', help='Disable performance determinism', action='store_true')
groupActionReset.add_argument('--resetcomputepartition', help='Resets to boot compute partition state', action='store_true')
groupActionReset.add_argument('--resetmemorypartition', help='Resets to boot memory partition state', action='store_true')
groupAction.add_argument('--setclock',
help='Set Clock Frequency Level(s) for specified clock (requires manual Perf level)',
metavar=('TYPE','LEVEL'), nargs=2)
groupAction.add_argument('--setsclk', help='Set GPU Clock Frequency Level(s) (requires manual Perf level)',
type=int, metavar='LEVEL', nargs='+')
groupAction.add_argument('--setmclk', help='Set GPU Memory Clock Frequency Level(s) (requires manual Perf level)',
type=int, metavar='LEVEL', nargs='+')
groupAction.add_argument('--setpcie', help='Set PCIE Clock Frequency Level(s) (requires manual Perf level)',
type=int, metavar='LEVEL', nargs='+')
groupAction.add_argument('--setslevel',
help='Change GPU Clock frequency (MHz) and Voltage (mV) for a specific Level',
metavar=('SCLKLEVEL', 'SCLK', 'SVOLT'), nargs=3)
groupAction.add_argument('--setmlevel',
help='Change GPU Memory clock frequency (MHz) and Voltage for (mV) a specific Level',
metavar=('MCLKLEVEL', 'MCLK', 'MVOLT'), nargs=3)
groupAction.add_argument('--setvc', help='Change SCLK Voltage Curve (MHz mV) for a specific point',
metavar=('POINT', 'SCLK', 'SVOLT'), nargs=3)
groupAction.add_argument('--setsrange', help='Set min and max SCLK speed', metavar=('SCLKMIN', 'SCLKMAX'), nargs=2)
groupAction.add_argument('--setextremum', help='Set min/max of SCLK/MCLK speed', metavar=('min|max', "sclk|mclk", 'CLK'), nargs=3)
groupAction.add_argument('--setmrange', help='Set min and max MCLK speed', metavar=('MCLKMIN', 'MCLKMAX'), nargs=2)
groupAction.add_argument('--setfan', help='Set GPU Fan Speed (Level or %%)', metavar='LEVEL')
groupAction.add_argument('--setperflevel', help='Set Performance Level', metavar='LEVEL')
groupAction.add_argument('--setoverdrive', help='Set GPU OverDrive level (requires manual|high Perf level)',
metavar='%')
groupAction.add_argument('--setmemoverdrive',
help='Set GPU Memory Overclock OverDrive level (requires manual|high Perf level)',
metavar='%')
groupAction.add_argument('--setpoweroverdrive', help='Set the maximum GPU power using Power OverDrive in Watts',
metavar='WATTS')
groupAction.add_argument('--setprofile',
help='Specify Power Profile level (#) or a quoted string of CUSTOM Profile attributes "# '
'# # #..." (requires manual Perf level)')
groupAction.add_argument('--setperfdeterminism',
help='Set clock frequency limit to get minimal performance variation', type=int,
metavar='SCLK', nargs=1)
groupAction.add_argument('--setcomputepartition', help='Set compute partition',
choices=compute_partition_type_l + [x.lower() for x in compute_partition_type_l],
type=str, nargs=1)
groupAction.add_argument('--setmemorypartition', help='Set memory partition',
choices=memory_partition_type_l + [x.lower() for x in memory_partition_type_l],
type=str, nargs=1)
groupAction.add_argument('--rasenable', help='Enable RAS for specified block and error type', type=str, nargs=2,
metavar=('BLOCK', 'ERRTYPE'))
groupAction.add_argument('--rasdisable', help='Disable RAS for specified block and error type', type=str, nargs=2,
metavar=('BLOCK', 'ERRTYPE'))
groupAction.add_argument('--rasinject',
help='Inject RAS poison for specified block (ONLY WORKS ON UNSECURED BOARDS)', type=str,
metavar='BLOCK', nargs=1)
groupActionGpuReset.add_argument('--gpureset', help='Reset specified GPU (One GPU must be specified)',
action='store_true')
groupFile.add_argument('--load', help='Load Clock, Fan, Performance and Profile settings from FILE', metavar='FILE')
groupFile.add_argument('--save', help='Save Clock, Fan, Performance and Profile settings to FILE', metavar='FILE')
groupResponse.add_argument('--autorespond',
help='Response to automatically provide for all prompts (NOT RECOMMENDED)',
metavar='RESPONSE')
groupActionOutput.add_argument('--loglevel',
help='How much output will be printed for what program is doing, one of debug/info/warning/error/critical',
metavar='LEVEL')
groupActionOutput.add_argument('--json', help='Print output in JSON format', action='store_true')
groupActionOutput.add_argument('--csv', help='Print output in CSV format', action='store_true')
args = parser.parse_args()
# Must set PRINT_JSON early so the prints can be silenced
if args.json or args.csv:
PRINT_JSON = True
# Initialize the rocm SMI library
initializeRsmi()
if args.version:
showVersion(isCSV=args.csv)
sys.exit()
logging.basicConfig(format='%(levelname)s: %(message)s', level=logging.WARNING)
if args.loglevel is not None:
numericLogLevel = getattr(logging, args.loglevel.upper(), logging.WARNING)
logging.getLogger().setLevel(numericLogLevel)
if args.setsclk or args.setmclk or args.setpcie or args.resetfans or args.setfan or args.setperflevel or args.load \
or args.resetclocks or args.setprofile or args.resetprofile or args.setoverdrive or args.setmemoverdrive \
or args.setpoweroverdrive or args.resetpoweroverdrive or args.rasenable or args.rasdisable or \
args.rasinject or args.gpureset or args.setperfdeterminism or args.setslevel or args.setmlevel or \
args.setvc or args.setsrange or args.setextremum or args.setmrange or args.setclock or \
args.setcomputepartition or args.setmemorypartition or args.resetcomputepartition or args.resetmemorypartition:
relaunchAsSudo()
# If there is one or more device specified, use that for all commands, otherwise use a
# list of all available devices. Also use "is not None" as device 0 would
# have args.device=0, and "if 0" returns false.
if args.device is not None:
deviceList = []
for device in args.device:
if not doesDeviceExist(device):
logging.warning('No such device card%s', str(device))
sys.exit()
if device is None:
printLog(None, 'ERROR: No DRM devices detected. Exiting', None)
sys.exit()
if (isAmdDevice(device) or args.alldevices) and device not in deviceList:
deviceList.append(device)
else:
deviceList = listDevices()
if deviceList is None:
printLog(None, 'ERROR: No DRM devices available. Exiting', None)
sys.exit(1)
# If we want JSON/CSV output, initialize the keys (devices)
if PRINT_JSON:
for device in deviceList:
JSON_DATA['card' + str(device)] = {}
if not PRINT_JSON:
print('\n')
if not isConciseInfoRequested(args) and args.showhw == False:
printLogSpacer(headerString)
if args.showallinfo:
args.list = True
args.showid = True
args.showvbios = True
args.showdriverversion = True
args.showfwinfo = 'all'
args.showmclkrange = True
args.showmemvendor = True
args.showsclkrange = True
args.showproductname = True
args.showserial = True
args.showuniqueid = True
args.showvoltagerange = True
args.showbus = True
args.showpagesinfo = True
args.showfan = True
args.showpower = True
args.showtemp = True
args.showuse = True
args.showenergycounter = True
args.showmemuse = True
args.showvoltage = True
args.showclocks = True
args.showmaxpower = True
args.showmemoverdrive = True
args.showoverdrive = True
args.showperflevel = True
args.showpids = "summary"
args.showpidgpus = []
args.showreplaycount = True
args.showvc = True
args.showcomputepartition = True
args.showmemorypartition = True
args.showmetrics = True
if not PRINT_JSON:
args.showprofile = True
args.showclkfrq = True
args.showclkvolt = True
# Don't do reset in combination with any other command
if args.gpureset:
if not args.device:
logging.error('No device specified. One device must be specified for GPU reset')
printLogSpacer()
sys.exit(1)
logging.debug('Only executing GPU reset, no other commands will be executed')
resetGpu(args.device)
sys.exit(RETCODE)
if not checkAmdGpus(deviceList):
logging.warning('No AMD GPUs specified')
if isConciseInfoRequested(args):
showAllConcise(deviceList)
if args.showhw:
showAllConciseHw(deviceList)
if args.showdriverversion:
showDriverVersion(deviceList, rsmi_sw_component_t.RSMI_SW_COMP_DRIVER)
if args.showtempgraph:
showTempGraph(deviceList)
if args.showid:
showId(deviceList)
if args.showuniqueid:
showUId(deviceList)
if args.showvbios:
showVbiosVersion(deviceList)
if args.showevents or str(args.showevents) == '[]':
showEvents(deviceList, args.showevents)
if args.resetclocks:
resetClocks(deviceList)
if args.showtemp:
showCurrentTemps(deviceList)
if args.showclocks:
showCurrentClocks(deviceList)
if args.showgpuclocks:
showCurrentClocks(deviceList, 'sclk')
if args.showfan:
showCurrentFans(deviceList)
if args.showperflevel:
showPerformanceLevel(deviceList)
if args.showoverdrive:
showOverDrive(deviceList, 'sclk')
if args.showmemoverdrive:
showOverDrive(deviceList, 'mclk')
if args.showmaxpower:
showMaxPower(deviceList)
if args.showprofile:
showProfile(deviceList)
if args.showpower:
showPower(deviceList)
if args.showclkfrq:
showClocks(deviceList)
if args.showuse:
showGpuUse(deviceList)
if args.showmemuse:
showMemUse(deviceList)
if args.showmemvendor:
showMemVendor(deviceList)
if args.showbw:
showPcieBw(deviceList)
if args.showreplaycount:
showPcieReplayCount(deviceList)
if args.showserial:
showSerialNumber(deviceList)
if args.showpids != None:
showPids(args.showpids)
if args.showpidgpus or str(args.showpidgpus) == '[]':
showGpusByPid(args.showpidgpus)
if args.showclkvolt:
showPowerPlayTable(deviceList)
if args.showvoltage:
showVoltage(deviceList)
if args.showbus:
showBus(deviceList)
if args.showmeminfo:
showMemInfo(deviceList, args.showmeminfo)
if args.showrasinfo or str(args.showrasinfo) == '[]':
showRasInfo(deviceList, args.showrasinfo)
# The second condition in the below 'if' statement checks whether showfwinfo was given arguments.
# It compares itself to the string representation of the empty list and prints all firmwares.
# This allows the user to call --showfwinfo without the 'all' argument and still print all.
if args.showfwinfo or str(args.showfwinfo) == '[]':
showFwInfo(deviceList, args.showfwinfo)
if args.showproductname:
showProduct(deviceList)
if args.showxgmierr:
showXgmiErr(deviceList)
if args.shownodesbw:
showNodesBw(deviceList)
if args.showtopo:
showHwTopology(deviceList)
if args.showtopoaccess:
showAccessibleTopology(deviceList)
if args.showtopoweight:
showWeightTopology(deviceList)
if args.showtopohops:
showHopsTopology(deviceList)
if args.showtopotype:
showTypeTopology(deviceList)
if args.showtoponuma:
showNumaTopology(deviceList)
if args.showpagesinfo:
showRetiredPages(deviceList)
if args.showretiredpages:
showRetiredPages(deviceList, 'reserved')
if args.showpendingpages:
showRetiredPages(deviceList, 'pending')
if args.showunreservablepages:
showRetiredPages(deviceList, 'unreservable')
if args.showsclkrange:
showRange(deviceList, 'sclk')
if args.showmclkrange:
showRange(deviceList, 'mclk')
if args.showvoltagerange:
showRange(deviceList, 'voltage')
if args.showvc:
showVoltageCurve(deviceList)
if args.showenergycounter:
showEnergy(deviceList)
if args.showcomputepartition:
showComputePartition(deviceList)
if args.showmemorypartition:
showMemoryPartition(deviceList)
if args.showmetrics:
showGPUMetrics(deviceList)
if args.setclock:
setClocks(deviceList, args.setclock[0], [int(args.setclock[1])])
if args.setsclk:
setClocks(deviceList, 'sclk', args.setsclk)
if args.setmclk:
setClocks(deviceList, 'mclk', args.setmclk)
if args.setpcie:
setClocks(deviceList, 'pcie', args.setpcie)
if args.setslevel:
setPowerPlayTableLevel(deviceList, 'sclk', args.setslevel[0], args.setslevel[1], args.setslevel[2],
args.autorespond)
if args.setmlevel:
setPowerPlayTableLevel(deviceList, 'mclk', args.setmlevel[0], args.setmlevel[1], args.setmlevel[2],
args.autorespond)
if args.resetfans:
resetFans(deviceList)
if args.setfan:
setFanSpeed(deviceList, args.setfan)
if args.setperflevel:
setPerformanceLevel(deviceList, args.setperflevel)
if args.setoverdrive:
setClockOverDrive(deviceList, 'sclk', args.setoverdrive, args.autorespond)
if args.setmemoverdrive:
setClockOverDrive(deviceList, 'mclk', args.setmemoverdrive, args.autorespond)
if args.setpoweroverdrive:
setPowerOverDrive(deviceList, args.setpoweroverdrive, args.autorespond)
if args.resetpoweroverdrive:
resetPowerOverDrive(deviceList, args.autorespond)
if args.setprofile:
setProfile(deviceList, args.setprofile)
if args.setvc:
setVoltageCurve(deviceList, args.setvc[0], args.setvc[1], args.setvc[2], args.autorespond)
if args.setextremum:
setClockExtremum(deviceList, args.setextremum[0], args.setextremum[1], args.setextremum[2], args.autorespond)
if args.setsrange:
setClockRange(deviceList, 'sclk', args.setsrange[0], args.setsrange[1], args.autorespond)
if args.setmrange:
setClockRange(deviceList, 'mclk', args.setmrange[0], args.setmrange[1], args.autorespond)
if args.setperfdeterminism:
setPerfDeterminism(deviceList, args.setperfdeterminism[0])
if args.setcomputepartition:
setComputePartition(deviceList, args.setcomputepartition[0])
if args.setmemorypartition:
setMemoryPartition(deviceList, args.setmemorypartition[0], args.autorespond)
if args.resetprofile:
resetProfile(deviceList)
if args.resetxgmierr:
resetXgmiErr(deviceList)
if args.resetperfdeterminism:
resetPerfDeterminism(deviceList)
if args.resetcomputepartition:
resetComputePartition(deviceList)
if args.resetmemorypartition:
resetMemoryPartition(deviceList)
if args.rasenable:
setRas(deviceList, 'enable', args.rasenable[0], args.rasenable[1])
if args.rasdisable:
setRas(deviceList, 'disable', args.rasdisable[0], args.rasdisable[1])
if args.rasinject:
setRas(deviceList, 'inject', args.rasinject[0], args.rasinject[1])
if args.load:
load(args.load, args.autorespond)
if args.save:
save(deviceList, args.save)
if RETCODE and not PRINT_JSON:
logging.debug(' \t\t One or more commands failed.')
# Set RETCODE value to 0, unless loglevel is None or 'warning' (default)
if args.loglevel is None or getattr(logging, args.loglevel.upper(), logging.WARNING) == logging.WARNING:
RETCODE = 0
if PRINT_JSON:
# Check that we have some actual data to print, instead of the
# empty list that we initialized above
for device in deviceList:
if not JSON_DATA['card' + str(device)]:
JSON_DATA.pop('card' + str(device))
if not JSON_DATA:
logging.warning("No JSON data to report")
sys.exit(RETCODE)
if not args.csv:
print(json.dumps(JSON_DATA))
else:
devCsv = ''
sysCsv = ''
# JSON won't have any 'system' data without one of these flags
if args.showdriverversion and args.showallinfo == False:
sysCsv = formatCsv(['system'])
print('%s' % (sysCsv))
elif args.showallinfo is True:
sysCsv = formatCsv(['system'])
devCsv = formatCsv(deviceList)
print('%s\n%s' % (sysCsv, devCsv))
else:
devCsv = formatCsv(deviceList)
print(devCsv)
if not isConciseInfoRequested(args) and args.showhw == False:
printLogSpacer(footerString)
rsmi_ret_ok(rocmsmi.rsmi_shut_down())
exit(RETCODE)
|