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
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
# SPDX-License-Identifier: LGPL-2.1-or-later
"""
libdrgn bindings
Don't use this module directly. Instead, use the drgn package.
"""
import collections.abc
import enum
import os
import sys
from typing import (
Any,
Callable,
ClassVar,
Dict,
Final,
Iterable,
Iterator,
List,
Mapping,
MutableMapping,
NamedTuple,
Optional,
Protocol,
Sequence,
Set,
SupportsIndex,
Tuple,
TypeVar,
Union,
overload,
)
if sys.version_info < (3, 10):
from typing_extensions import TypeAlias
else:
from typing import TypeAlias
if sys.version_info < (3, 11):
from typing_extensions import Self
else:
from typing import Self
if sys.version_info < (3, 12):
from typing_extensions import Buffer
else:
from collections.abc import Buffer
T = TypeVar("T")
IntegerLike: TypeAlias = SupportsIndex
"""
An :class:`int` or integer-like object.
Parameters annotated with this type expect an integer which may be given as a
Python :class:`int` or an :class:`Object` with integer type.
This is equivalent to :class:`typing.SupportsIndex`.
"""
Path: TypeAlias = Union[str, bytes, os.PathLike[str], os.PathLike[bytes]]
"""
Filesystem path.
Parameters annotated with this type accept a filesystem path as :class:`str`,
:class:`bytes`, or :class:`os.PathLike`.
"""
class Program:
"""
A ``Program`` represents a crashed or running program. It can be used to
lookup type definitions, access variables, and read arbitrary memory.
The main functionality of a ``Program`` is looking up objects (i.e.,
variables, constants, or functions). This is usually done with the
:meth:`[] <.__getitem__>` operator.
"""
def __init__(
self,
platform: Optional[Platform] = None,
*,
vmcoreinfo: Union[bytes, str, None] = None,
) -> None:
"""
Create a ``Program`` with no target program. It is usually more
convenient to use one of the :ref:`api-program-constructors`.
:param platform: The platform of the program, or ``None`` if it should
be determined automatically when a core dump or symbol file is
added.
:param vmcoreinfo: Optionally provide the ``VMCOREINFO`` note data for
Linux kernel core dumps, which will override any detected data. When
not provided or ``None``, automatically detect the info.
"""
...
flags: ProgramFlags
"""Flags which apply to this program."""
platform: Optional[Platform]
"""
Platform that this program runs on, or ``None`` if it has not been
determined yet.
"""
core_dump_path: Optional[str]
"""
Path of the core dump that this program was created from, or ``None`` if it
was not created from a core dump.
"""
language: Language
"""
Default programming language of the program.
This is used for interpreting the type name given to :meth:`type()` and
when creating an :class:`Object` without an explicit type.
For the Linux kernel, this defaults to :attr:`Language.C`. For userspace
programs, this defaults to the language of ``main`` in the program, falling
back to :attr:`Language.C`. This heuristic may change in the future.
This can be explicitly set to a different language (e.g., if the heuristic
was incorrect).
"""
def __getitem__(self, name: str) -> Object:
"""
Implement ``self[name]``. Get the object (variable, constant, or
function) with the given name.
This is equivalent to ``prog.object(name)``.
If there are multiple objects with the same name, one is returned
arbitrarily. In this case, the :meth:`variable()`, :meth:`constant()`,
:meth:`function()`, or :meth:`object()` methods can be used instead.
>>> prog['jiffies']
Object(prog, 'volatile unsigned long', address=0xffffffff94c05000)
:param name: Object name.
"""
...
def __contains__(self, name: str) -> bool:
"""
Implement ``name in self``. Return whether an object (variable,
constant, or function) with the given name exists in the program.
:param name: Object name.
"""
...
def variable(self, name: str, filename: Optional[str] = None) -> Object:
"""
Get the variable with the given name.
>>> prog.variable('jiffies')
Object(prog, 'volatile unsigned long', address=0xffffffff94c05000)
This is equivalent to ``prog.object(name, FindObjectFlags.VARIABLE,
filename)``.
:param name: The variable name.
:param filename: The source code file that contains the definition. See
:ref:`api-filenames`.
:raises ObjectNotFoundError: if no variables with the given name are
found in the given file
"""
...
def constant(self, name: str, filename: Optional[str] = None) -> Object:
"""
Get the constant (e.g., enumeration constant) with the given name.
Note that support for macro constants is not yet implemented for DWARF
files, and most compilers don't generate macro debugging information by
default anyways.
>>> prog.constant('PIDTYPE_MAX')
Object(prog, 'enum pid_type', value=4)
This is equivalent to ``prog.object(name, FindObjectFlags.CONSTANT,
filename)``.
:param name: The constant name.
:param filename: The source code file that contains the definition. See
:ref:`api-filenames`.
:raises ObjectNotFoundError: if no constants with the given name are
found in the given file
"""
...
def function(self, name: str, filename: Optional[str] = None) -> Object:
"""
Get the function with the given name.
>>> prog.function('schedule')
Object(prog, 'void (void)', address=0xffffffff94392370)
This is equivalent to ``prog.object(name, FindObjectFlags.FUNCTION,
filename)``.
:param name: The function name.
:param filename: The source code file that contains the definition. See
:ref:`api-filenames`.
:raises ObjectNotFoundError: if no functions with the given name are
found in the given file
"""
...
def object(
self,
name: str,
flags: FindObjectFlags = FindObjectFlags.ANY,
filename: Optional[str] = None,
) -> Object:
"""
Get the object (variable, constant, or function) with the given name.
When debugging the Linux kernel, this can look up certain special
objects documented in :ref:`kernel-special-objects`, sometimes without
any debugging information loaded.
:param name: The object name.
:param flags: Flags indicating what kind of object to look for.
:param filename: The source code file that contains the definition. See
:ref:`api-filenames`.
:raises ObjectNotFoundError: if no objects with the given name are
found in the given file
"""
...
def symbol(self, __address_or_name: Union[IntegerLike, str]) -> Symbol:
"""
Get a symbol containing the given address, or a symbol with the given
name.
If there are multiple symbols containing a given address, then this
will attempt to find the closest match.
If searching by name or if there is a tie, global symbols are preferred
over weak symbols, and weak symbols are preferred over other symbols.
In other words: if a matching :attr:`SymbolBinding.GLOBAL` or
:attr:`SymbolBinding.UNIQUE` symbol is found, it is returned.
Otherwise, if a matching :attr:`SymbolBinding.WEAK` symbol is found, it
is returned. Otherwise, any matching symbol (e.g.,
:attr:`SymbolBinding.LOCAL`) is returned. If there is still a tie, one
is returned arbitrarily. To retrieve all matching symbols, use
:meth:`symbols()`.
:param address_or_name: Address or name to search for.
:raises LookupError: if no symbol contains the given address or matches
the given name
"""
...
def symbols(
self,
__address_or_name: Union[None, IntegerLike, str] = None,
) -> List[Symbol]:
"""
Get a list of global and local symbols, optionally matching a name or
address.
If a string argument is given, this returns all symbols matching that
name. If an integer-like argument given, this returns a list of all
symbols containing that address. If no argument is given, all symbols
in the program are returned. In all cases, the symbols are returned in
an unspecified order.
:param address_or_name: Address or name to search for.
"""
...
def stack_trace(
self,
# Object is already IntegerLike, but this explicitly documents that it
# can take non-integer Objects.
thread: Union[Object, IntegerLike],
) -> StackTrace:
"""
Get the stack trace for the given thread in the program.
``thread`` may be a thread ID (as defined by :manpage:`gettid(2)`), in
which case this will unwind the stack for the thread with that ID. The
ID may be a Python ``int`` or an integer :class:`Object`
``thread`` may also be a ``struct pt_regs`` or ``struct pt_regs *``
object, in which case the initial register values will be fetched from
that object.
Finally, if debugging the Linux kernel, ``thread`` may be a ``struct
task_struct *`` object, in which case this will unwind the stack for
that task. See :func:`drgn.helpers.linux.pid.find_task()`.
This is implemented for the Linux kernel (both live and core dumps) as
well as userspace core dumps; it is not yet implemented for live
userspace processes.
:param thread: Thread ID, ``struct pt_regs`` object, or
``struct task_struct *`` object.
"""
...
def stack_trace_from_pcs(self, pcs: Sequence[IntegerLike]) -> StackTrace:
"""
Get a stack trace with the supplied list of program counters.
:param pcs: List of program counters.
"""
...
def source_location(
self, address: Union[IntegerLike, str], /
) -> SourceLocationList:
"""
Find the source code location containing a code address.
The address may be given as an integer or a string. A string argument
must be a symbol name or hexadecimal address, optionally followed by a
``+`` character and a decimal or hexadecimal offset. Hexadecimal
numbers must be prefixed with "0x" or "0X". Whitespace between tokens
is ignored.
>>> prog.source_location("__schedule")
__schedule at kernel/sched/core.c:6646:1
>>> prog.source_location("__schedule+0x2b6")
#0 context_switch at kernel/sched/core.c:5381:9
#1 __schedule at kernel/sched/core.c:6765:8
>>> prog.source_location(0xffffffffb64d70a6)
#0 context_switch at kernel/sched/core.c:5381:9
#1 __schedule at kernel/sched/core.c:6765:8
Because of function inlining, a code address may actually correspond to
multiple source code locations. So, this returns a sequence of
locations, where the first item corresponds to the innermost inlined
function, the second item is its caller, etc.
.. note::
This is similar to :manpage:`addr2line(1)`.
:param address: Code address.
:raises LookupError: if the source code location is not found
"""
...
@overload
def type(self, name: str, filename: Optional[str] = None) -> Type:
"""
Get the type with the given name.
>>> prog.type('long')
prog.int_type(name='long', size=8, is_signed=True)
:param name: The type name.
:param filename: The source code file that contains the definition. See
:ref:`api-filenames`.
:raises LookupError: if no types with the given name are found in
the given file
"""
...
@overload
def type(self, __type: Type) -> Type:
"""
Return the given type.
This is mainly useful so that helpers can use ``prog.type()`` to get a
:class:`Type` regardless of whether they were given a :class:`str` or a
:class:`Type`. For example:
.. code-block:: python3
def my_helper(obj: Object, type: Union[str, Type]) -> bool:
# type may be str or Type.
type = obj.prog_.type(type)
# type is now always Type.
return sizeof(obj) > sizeof(type)
:param type: Type.
:return: The exact same type.
"""
...
def threads(self) -> Iterator[Thread]:
"""Get an iterator over all of the threads in the program."""
...
def thread(self, tid: IntegerLike) -> Thread:
"""
Get the thread with the given thread ID.
:param tid: Thread ID (as defined by :manpage:`gettid(2)`).
:raises LookupError: if no thread has the given thread ID
"""
...
def main_thread(self) -> Thread:
"""
Get the main thread of the program.
This is only defined for userspace programs.
:raises ValueError: if the program is the Linux kernel
"""
...
def crashed_thread(self) -> Thread:
"""
Get the thread that caused the program to crash.
For userspace programs, this is the thread that received the fatal
signal (e.g., ``SIGSEGV`` or ``SIGQUIT``).
For the kernel, this is the thread that panicked (either directly or as
a result of an oops, ``BUG_ON()``, etc.).
:raises ValueError: if the program is live (i.e., not a core dump)
"""
...
def read(
self, address: IntegerLike, size: IntegerLike, physical: bool = False
) -> bytes:
r"""
Read *size* bytes of memory starting at *address* in the program.
The address may be virtual (the default) or physical if the program
supports it.
>>> prog.read(0xffffffffbe012b40, 16)
b'swapper/0\x00\x00\x00\x00\x00\x00\x00'
:param address: Starting address.
:param size: Number of bytes to read.
:param physical: Whether *address* is a physical memory address. If
``False``, then it is a virtual memory address. Physical memory can
usually only be read when the program is an operating system
kernel.
:raises FaultError: if the address range is invalid or the type of
address (physical or virtual) is not supported by the program
:raises ValueError: if *size* is negative
"""
...
def read_c_string(
self,
address: IntegerLike,
physical: bool = False,
*,
max_size: IntegerLike = ...,
) -> bytes:
"""
Read a null-terminated string starting at *address* in the program.
>>> prog.read_c_string(0xffffffffbe012b40)
b'swapper/0'
>>> prog.read_c_string(0xffffffffbe012b40, max_size=4)
b'swap'
>>> prog.read_c_string(0xffffffffbe012b40, max_size=10)
b'swapper/0'
:param address: Starting address.
:param physical: Whether *address* is a physical memory address; see
:meth:`read()`.
:param max_size: Stop after this many bytes are read, not including the
null byte. The default is no limit.
:raises FaultError: if an invalid address is accessed before finding a
null terminator, or if the type of address (physical or virtual) is
not supported by the program
:raises ValueError: if *max_size* is negative
"""
...
def read_u8(self, address: IntegerLike, physical: bool = False) -> int:
""""""
...
def read_u16(self, address: IntegerLike, physical: bool = False) -> int:
""""""
...
def read_u32(self, address: IntegerLike, physical: bool = False) -> int:
""""""
...
def read_u64(self, address: IntegerLike, physical: bool = False) -> int:
""""""
...
def read_word(self, address: IntegerLike, physical: bool = False) -> int:
"""
Read an unsigned integer from the program's memory in the program's
byte order.
:meth:`read_u8()`, :meth:`read_u16()`, :meth:`read_u32()`, and
:meth:`read_u64()` read an 8-, 16-, 32-, or 64-bit unsigned integer,
respectively. :meth:`read_word()` reads a program word-sized unsigned
integer.
For signed integers, alternate byte order, or other formats, you can
use :meth:`read()` and :meth:`int.from_bytes()` or the :mod:`struct`
module.
:param address: Address of the integer.
:param physical: Whether *address* is a physical memory address; see
:meth:`read()`.
:raises FaultError: if the address is invalid; see :meth:`read()`
"""
...
@overload
def search_memory(
self, value: Union[bytes, str], *, alignment: int = 1
) -> MemorySearchIterator[int]:
""""""
...
@overload
def search_memory(
self, value: Union[IntegerLike, Object]
) -> MemorySearchIterator[int]:
""""""
...
def search_memory_u16(
self,
*values: Union[IntegerLike, Tuple[IntegerLike, IntegerLike]],
ignore_mask: IntegerLike = 0,
) -> MemorySearchIterator[Tuple[int, int]]:
""""""
...
def search_memory_u32(
self,
*values: Union[IntegerLike, Tuple[IntegerLike, IntegerLike]],
ignore_mask: IntegerLike = 0,
) -> MemorySearchIterator[Tuple[int, int]]:
""""""
...
def search_memory_u64(
self,
*values: Union[IntegerLike, Tuple[IntegerLike, IntegerLike]],
ignore_mask: IntegerLike = 0,
) -> MemorySearchIterator[Tuple[int, int]]:
""""""
...
def search_memory_word(
self,
*values: Union[IntegerLike, Tuple[IntegerLike, IntegerLike]],
ignore_mask: IntegerLike = 0,
) -> MemorySearchIterator[Tuple[int, int]]:
""""""
...
@overload
def search_memory_regex(
self, pattern: bytes
) -> MemorySearchIterator[Tuple[int, bytes]]:
""""""
...
@overload
def search_memory_regex(
self, pattern: str
) -> MemorySearchIterator[Tuple[int, str]]:
"""See :ref:`api-searching-memory`."""
...
def add_memory_segment(
self,
address: IntegerLike,
size: IntegerLike,
read_fn: Callable[[int, int, int, bool], bytes],
physical: bool = False,
) -> None:
"""
Define a region of memory in the program.
If it overlaps a previously registered segment, the new segment takes
precedence.
:param address: Address of the segment.
:param size: Size of the segment in bytes.
:param physical: Whether to add a physical memory segment. If
``False``, then this adds a virtual memory segment.
:param read_fn: Callable to call to read memory from the segment. It is
passed the address being read from, the number of bytes to read,
the offset in bytes from the beginning of the segment, and whether
the address is physical: ``(address, count, offset, physical)``. It
should return the requested number of bytes as :class:`bytes` or
another :ref:`buffer <python:binaryseq>` type.
"""
...
def register_type_finder(
self,
name: str,
fn: Callable[[Program, TypeKindSet, str, Optional[str]], Optional[Type]],
*,
enable_index: Optional[int] = None,
) -> None:
"""
Register a callback for finding types in the program.
This does not enable the finder unless *enable_index* is given.
:param name: Finder name.
:param fn: Callable taking the program, a :class:`TypeKindSet`, name,
and filename: ``(prog, kinds, name, filename)``. The filename
should be matched with :func:`filename_matches()`. This should
return a :class:`Type` or ``None`` if not found.
:param enable_index: Insert the finder into the list of enabled type
finders at the given index. If -1 or greater than the number of
enabled finders, insert it at the end. If ``None`` or not given,
don't enable the finder.
:raises ValueError: if there is already a finder with the given name
"""
...
def registered_type_finders(self) -> Set[str]:
"""Return the names of all registered type finders."""
...
def set_enabled_type_finders(self, names: Sequence[str]) -> None:
"""
Set the list of enabled type finders.
Finders are called in the same order as the list until a type is found.
Finders that are not in the list are not called.
:param names: Names of finders to enable, in order.
:raises ValueError: if no finder has a given name or the same name is
given more than once
"""
...
def enabled_type_finders(self) -> List[str]:
"""Return the names of enabled type finders, in order."""
...
def register_object_finder(
self,
name: str,
fn: Callable[[Program, str, FindObjectFlags, Optional[str]], Optional[Object]],
*,
enable_index: Optional[int] = None,
) -> None:
"""
Register a callback for finding objects in the program.
This does not enable the finder unless *enable_index* is given.
:param name: Finder name.
:param fn: Callable taking the program, name, :class:`FindObjectFlags`,
and filename: ``(prog, name, flags, filename)``. The filename
should be matched with :func:`filename_matches()`. This should
return an :class:`Object` or ``None`` if not found.
:param enable_index: Insert the finder into the list of enabled object
finders at the given index. If -1 or greater than the number of
enabled finders, insert it at the end. If ``None`` or not given,
don't enable the finder.
:raises ValueError: if there is already a finder with the given name
"""
...
def registered_object_finders(self) -> Set[str]:
"""Return the names of all registered object finders."""
...
def set_enabled_object_finders(self, names: Sequence[str]) -> None:
"""
Set the list of enabled object finders.
Finders are called in the same order as the list until an object is found.
Finders that are not in the list are not called.
:param names: Names of finders to enable, in order.
:raises ValueError: if no finder has a given name or the same name is
given more than once
"""
...
def enabled_object_finders(self) -> List[str]:
"""Return the names of enabled object finders, in order."""
...
def register_symbol_finder(
self,
name: str,
fn: Callable[[Program, Optional[str], Optional[int], bool], Sequence[Symbol]],
*,
enable_index: Optional[int] = None,
) -> None:
"""
Register a callback for finding symbols in the program.
This does not enable the finder unless *enable_index* is given.
The callback should take four arguments: the program, a *name*, an
*address*, and a boolean flag *one*. It should return a list of symbols
or an empty list if no matches are found.
If *name* is not ``None``, then only symbols with that name should be
returned. If *address* is not ``None``, then only symbols containing
that address should be returned. If neither is ``None``, then the
returned symbols must match both. If both are ``None``, then all
symbols should be considered matching.
When the *one* flag is ``False``, the callback should return a list of
all matching symbols. When it is ``True``, it should return a list with
at most one symbol which is the best match.
:param name: Finder name.
:param fn: Callable taking ``(prog, name, address, one)`` and returning
a sequence of :class:`Symbol`\\ s.
:param enable_index: Insert the finder into the list of enabled finders
at the given index. If -1 or greater than the number of enabled
finders, insert it at the end. If ``None`` or not given, don't
enable the finder.
:raises ValueError: if there is already a finder with the given name
"""
...
def registered_symbol_finders(self) -> Set[str]:
"""Return the names of all registered symbol finders."""
...
def set_enabled_symbol_finders(self, names: Sequence[str]) -> None:
"""
Set the list of enabled symbol finders.
Finders are called in the same order as the list. When the *one* flag
is set, the search will short-circuit after the first finder which
returns a result, and subsequent finders will not be called. Otherwise,
all callbacks will be called, and all results will be returned.
Finders that are not in the list are not called.
:param names: Names of finders to enable, in order.
:raises ValueError: if no finder has a given name or the same name is
given more than once
"""
...
def enabled_symbol_finders(self) -> List[str]:
"""Return the names of enabled symbol finders, in order."""
...
def add_type_finder(
self, fn: Callable[[TypeKind, str, Optional[str]], Optional[Type]]
) -> None:
"""
Deprecated method to register and enable a callback for finding types
in the program.
.. deprecated:: 0.0.27
Use :meth:`register_type_finder()` instead.
The differences from :meth:`register_type_finder()` are:
1. *fn* is not passed *prog*.
2. *fn* is passed a :class:`TypeKind` instead of a
:class:`TypeKindSet`. If multiple kinds are being searched for, *fn*
will be called multiple times.
3. A name for the finder is generated from *fn*.
4. The finder is always enabled before any existing finders.
"""
...
def add_object_finder(
self,
fn: Callable[[Program, str, FindObjectFlags, Optional[str]], Optional[Object]],
) -> None:
"""
Deprecated method to register and enable a callback for finding objects
in the program.
.. deprecated:: 0.0.27
Use :meth:`register_object_finder()` instead.
The differences from :meth:`register_object_finder()` are:
1. A name for the finder is generated from *fn*.
2. The finder is always enabled before any existing finders.
"""
...
def set_core_dump(self, path: Union[Path, int]) -> None:
"""
Set the program to a core dump.
This loads the memory segments from the core dump and determines the
mapped executable and libraries. It does not load any debugging
symbols; see :meth:`load_default_debug_info()`.
:param path: Core dump file path or open file descriptor.
"""
...
def set_kernel(self) -> None:
"""
Set the program to the running operating system kernel.
This loads the memory of the running kernel and thus requires root
privileges. It does not load any debugging symbols; see
:meth:`load_default_debug_info()`.
"""
...
def set_linux_kernel_custom(
self, vmcoreinfo: Union[str, bytes], is_live: bool
) -> None:
"""
Set the program to a custom Linux kernel target.
This enables debugging a Linux kernel via a custom memory transport
(e.g., RDMA, TCP/IP, or VMM introspection). It sets up page table
walking for virtual address translation. It does not load any
debugging symbols; see :meth:`load_default_debug_info()`.
Physical memory segments must be registered via
:meth:`add_memory_segment()` with ``physical=True`` before reading
memory. Platform must be provided when creating the :class:`Program`.
:param vmcoreinfo: Raw vmcoreinfo data. If vmcoreinfo was already set
when creating the :class:`Program`, this is ignored.
:param is_live: Whether the kernel is currently running.
"""
...
def set_pid(self, pid: int) -> None:
"""
Set the program to a running process.
This loads the memory of the process and determines the mapped
executable and libraries. It does not load any debugging symbols; see
:meth:`load_default_debug_info()`.
:param pid: Process ID.
"""
...
def modules(self) -> Iterator[Module]:
"""Get an iterator over all of the created modules in the program."""
def loaded_modules(self) -> Iterator[Tuple[Module, bool]]:
"""
Get an iterator over executables, libraries, etc. that are loaded in
the program, creating modules to represent them.
Modules are created lazily as items are consumed.
This may automatically load some debugging information necessary to
enumerate the modules. Other than that, it does not load debugging
information.
See :meth:`load_debug_info()` for a higher-level interface that does
load debugging information.
:return: Iterator of module and ``True`` if it was newly created
or ``False`` if it was previously found.
"""
...
def create_loaded_modules(self) -> None:
"""
Determine what executables, libraries, etc. are loaded in the program
and create modules to represent them.
This is a shortcut for exhausting a :meth:`loaded_modules()` iterator.
It is equivalent to:
.. code-block:: python3
for _ in prog.loaded_modules():
pass
"""
@overload
def main_module(self) -> MainModule:
"""
Find the main module.
:raises LookupError: if the main module has not been created
"""
...
@overload
def main_module(self, name: Path, *, create: bool = False) -> MainModule:
"""
Find the main module.
:param name: :attr:`Module.name`
:param create: Create the module if it doesn't exist.
:raises LookupError: if the main module has not been created and
*create* is ``False``, or if the main module has already been
created with a different name
"""
...
def shared_library_module(
self,
name: Path,
dynamic_address: IntegerLike,
*,
create: bool = False,
) -> SharedLibraryModule:
"""
Find a shared library module.
:param name: :attr:`Module.name`
:param dynamic_address: :attr:`SharedLibraryModule.dynamic_address`
:param create: Create the module if it doesn't exist.
:return: Shared library module with the given name and dynamic address.
:raises LookupError: if no matching module has been created and
*create* is ``False``
"""
...
def vdso_module(
self,
name: Path,
dynamic_address: IntegerLike,
*,
create: bool = False,
) -> VdsoModule:
"""
Find a vDSO module.
:param name: :attr:`Module.name`
:param dynamic_address: :attr:`VdsoModule.dynamic_address`
:param create: Create the module if it doesn't exist.
:return: vDSO module with the given name and dynamic address.
:raises LookupError: if no matching module has been created and
*create* is ``False``
"""
...
def relocatable_module(
self, name: Path, address: IntegerLike, *, create: bool = False
) -> RelocatableModule:
"""
Find a relocatable module.
:param name: :attr:`Module.name`
:param address: :attr:`RelocatableModule.address`
:param create: Create the module if it doesn't exist.
:return: Relocatable module with the given name and address.
:raises LookupError: if no matching module has been created and
*create* is ``False``
"""
...
def linux_kernel_loadable_module(
self, module_obj: Object, *, create: bool = False
) -> RelocatableModule:
"""
Find a Linux kernel loadable module from a ``struct module *`` object.
Note that kernel modules are represented as relocatable modules.
:param module_obj: ``struct module *`` object for the kernel module.
:param create: Create the module if it doesn't exist.
:return: Relocatable module with a name and address matching
*module_obj*.
:raises LookupError: if no matching module has been created and
*create* is ``False``
"""
...
def extra_module(
self, name: Path, id: IntegerLike = 0, *, create: bool = False
) -> ExtraModule:
"""
Find an extra module.
:param name: :attr:`Module.name`
:param id: :attr:`ExtraModule.id`
:param create: Create the module if it doesn't exist.
:return: Extra module with the given name and ID number.
:raises LookupError: if no matching module has been created and
*create* is ``False``
"""
...
def module(self, __address_or_name: Union[IntegerLike, str]) -> Module:
"""
Find the module containing the given address, or the module with the
given name.
Addresses are matched based on :attr:`Module.address_ranges`.
If there are multiple modules with the given name, one is returned
arbitrarily.
:param address_or_name: Address or name to search for.
:raises LookupError: if no module contains the given address or has the
given name
"""
...
def register_debug_info_finder(
self,
name: str,
fn: Callable[[Sequence[Module]], None],
*,
enable_index: Optional[int] = None,
) -> None:
"""
Register a callback for finding debugging information.
This does not enable the finder unless *enable_index* is given.
:param name: Finder name.
:param fn: Callable taking a list of :class:`Module`\\ s that want
debugging information.
This should check :meth:`Module.wants_loaded_file()` and
:meth:`Module.wants_debug_file()` and do one of the following for
each module:
* Obtain and/or locate a file wanted by the module and call
:meth:`Module.try_file()`.
* Install files for a later finder to use.
* Set :attr:`Module.loaded_file_status` or
:attr:`Module.debug_file_status` to
:attr:`ModuleFileStatus.DONT_NEED` if the finder believes that
the file is not needed.
* Ignore it, for example if the finder doesn't know how to find the
wanted files for the module.
:param enable_index: Insert the finder into the list of enabled object
finders at the given index. If -1 or greater than the number of
enabled finders, insert it at the end. If ``None`` or not given,
don't enable the finder.
:raises ValueError: if there is already a finder with the given name
"""
...
def registered_debug_info_finders(self) -> Set[str]:
"""Return the names of all registered debugging information finders."""
...
def set_enabled_debug_info_finders(self, names: Sequence[str]) -> None:
"""
Set the list of enabled debugging information finders.
Finders are called in the same order as the list until all wanted files
have been found.
Finders that are not in the list are not called.
:param names: Names of finders to enable, in order.
:raises ValueError: if no finder has a given name or the same name is
given more than once
"""
...
def enabled_debug_info_finders(self) -> List[str]:
"""
Return the names of enabled debugging information finders, in order.
"""
...
debug_info_options: DebugInfoOptions
"""Default options for debugging information searches."""
def load_debug_info(
self,
paths: Optional[Iterable[Path]] = (),
default: bool = False,
main: bool = False,
) -> None:
"""
Load debugging information for the given set of files and/or modules.
This determines what executables, libraries, etc. are loaded in the
program (see :meth:`loaded_modules()`) and tries to load their
debugging information from the given *paths*.
.. note::
It is much more efficient to load multiple files at once rather
than one by one when possible.
:param paths: Paths of binary files to try.
Files that don't correspond to any loaded modules are ignored. See
:class:`ExtraModule` for a way to provide arbitrary debugging
information.
:param default: Try to load all debugging information for all loaded
modules.
The files in *paths* are tried first before falling back to the
enabled debugging information finders.
This implies ``main=True``.
:param main: Try to load all debugging information for the main module.
The files in *paths* are tried first before falling back to the
enabled debugging information finders.
:raises MissingDebugInfoError: if debugging information was not
available for some files; other files with debugging information
are still loaded
"""
...
def load_default_debug_info(self) -> None:
"""
Load all debugging information that can automatically be determined
from the program.
This is equivalent to ``load_debug_info(default=True)``.
"""
...
def load_module_debug_info(self, *modules: Module) -> None:
"""
Load debugging information for the given modules using the enabled
debugging information finders.
The files to search for are controlled by
:attr:`Module.loaded_file_status` and :attr:`Module.debug_file_status`.
"""
...
def find_standard_debug_info(
self, modules: Iterable[Module], options: Optional[DebugInfoOptions] = None
) -> None:
"""
Load debugging information for the given modules from the standard
locations.
This is equivalent to the ``standard`` debugging information finder
that is registered by default. It is intended for use by other
debugging information finders that need a variation of the standard
finder (e.g., after installing something or setting specific options).
:param modules: Modules to load debugging information for.
:param options: Options to use when searching for debugging
information. If ``None`` or not given, this uses
:attr:`self.debug_info_options <debug_info_options>`.
"""
def address_size(self) -> int:
"""
Get the size of an address in this program, in bytes.
:raises ValueError: if the size of an address is not known because
:attr:`platform` has not been determined yet
"""
cache: Dict[Any, Any]
"""
Dictionary for caching program metadata.
This isn't used by the :class:`Program` itself. It is intended to be used
by helpers to cache metadata about the program. For example, if a helper
for a program depends on the program version or an optional feature, the
helper can detect it and cache it for subsequent invocations:
.. code-block:: python3
def my_helper(prog):
try:
have_foo = prog.cache["have_foo"]
except KeyError:
have_foo = detect_foo_feature(prog)
prog.cache["have_foo"] = have_foo
if have_foo:
return prog["foo"]
else:
return prog["bar"]
"""
config: Dict[str, Any]
"""
Dictionary for configuration options.
This isn't used by the :class:`Program` itself. It can be used to store
configuration options for commands and helpers.
"""
def void_type(
self,
*,
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new void type. It has kind :attr:`TypeKind.VOID`.
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
def int_type(
self,
name: str,
size: IntegerLike,
is_signed: bool,
byteorder: Optional[str] = None,
*,
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new integer type. It has kind :attr:`TypeKind.INT`.
:param name: :attr:`Type.name`
:param size: :attr:`Type.size`
:param is_signed: :attr:`Type.is_signed`
:param byteorder: :attr:`Type.byteorder`, or ``None`` to use the
program's default byte order.
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
def bool_type(
self,
name: str,
size: IntegerLike,
byteorder: Optional[str] = None,
*,
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new boolean type. It has kind :attr:`TypeKind.BOOL`.
:param name: :attr:`Type.name`
:param size: :attr:`Type.size`
:param byteorder: :attr:`Type.byteorder`, or ``None`` to use the
program's default byte order.
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
def float_type(
self,
name: str,
size: IntegerLike,
byteorder: Optional[str] = None,
*,
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new floating-point type. It has kind :attr:`TypeKind.FLOAT`.
:param name: :attr:`Type.name`
:param size: :attr:`Type.size`
:param byteorder: :attr:`Type.byteorder`, or ``None`` to use the
program's default byte order.
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
@overload
def struct_type(
self,
tag: Optional[str],
size: IntegerLike,
members: Sequence[TypeMember],
*,
template_parameters: Sequence[TypeTemplateParameter] = (),
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new structure type. It has kind :attr:`TypeKind.STRUCT`.
:param tag: :attr:`Type.tag`
:param size: :attr:`Type.size`
:param members: :attr:`Type.members`
:param template_parameters: :attr:`Type.template_parameters`
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
@overload
def struct_type(
self,
tag: Optional[str],
size: None = None,
members: None = None,
*,
template_parameters: Sequence[TypeTemplateParameter] = (),
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""Create a new incomplete structure type."""
...
@overload
def union_type(
self,
tag: Optional[str],
size: IntegerLike,
members: Sequence[TypeMember],
*,
template_parameters: Sequence[TypeTemplateParameter] = (),
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new union type. It has kind :attr:`TypeKind.UNION`. Otherwise,
this is the same as as :meth:`struct_type()`.
"""
...
@overload
def union_type(
self,
tag: Optional[str],
size: None = None,
members: None = None,
*,
template_parameters: Sequence[TypeTemplateParameter] = (),
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""Create a new incomplete union type."""
...
@overload
def class_type(
self,
tag: Optional[str],
size: IntegerLike,
members: Sequence[TypeMember],
*,
template_parameters: Sequence[TypeTemplateParameter] = (),
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new class type. It has kind :attr:`TypeKind.CLASS`. Otherwise,
this is the same as as :meth:`struct_type()`.
"""
...
@overload
def class_type(
self,
tag: Optional[str],
size: None = None,
members: None = None,
*,
template_parameters: Sequence[TypeTemplateParameter] = (),
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""Create a new incomplete class type."""
...
@overload
def enum_type(
self,
tag: Optional[str],
type: Type,
enumerators: Sequence[TypeEnumerator],
*,
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new enumerated type. It has kind :attr:`TypeKind.ENUM`.
:param tag: :attr:`Type.tag`
:param type: The compatible integer type (:attr:`Type.type`)
:param enumerators: :attr:`Type.enumerators`
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
@overload
def enum_type(
self,
tag: Optional[str],
type: None = None,
enumerators: None = None,
*,
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""Create a new incomplete enumerated type."""
...
def typedef_type(
self,
name: str,
type: Type,
*,
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new typedef type. It has kind :attr:`TypeKind.TYPEDEF`.
:param name: :attr:`Type.name`
:param type: The aliased type (:attr:`Type.type`)
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
def pointer_type(
self,
type: Type,
size: Optional[int] = None,
byteorder: Optional[str] = None,
*,
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new pointer type. It has kind :attr:`TypeKind.POINTER`,
:param type: The referenced type (:attr:`Type.type`)
:param size: :attr:`Type.size`, or ``None`` to use the program's
default pointer size.
:param byteorder: :attr:`Type.byteorder`, or ``None`` to use the
program's default byte order.
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
def array_type(
self,
type: Type,
length: Optional[int] = None,
*,
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new array type. It has kind :attr:`TypeKind.ARRAY`.
:param type: The element type (:attr:`Type.type`)
:param length: :attr:`Type.length`
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
def function_type(
self,
type: Type,
parameters: Sequence[TypeParameter],
is_variadic: bool = False,
*,
template_parameters: Sequence[TypeTemplateParameter] = (),
qualifiers: Qualifiers = Qualifiers.NONE,
language: Optional[Language] = None,
) -> Type:
"""
Create a new function type. It has kind :attr:`TypeKind.FUNCTION`.
:param type: The return type (:attr:`Type.type`)
:param parameters: :attr:`Type.parameters`
:param is_variadic: :attr:`Type.is_variadic`
:param template_parameters: :attr:`Type.template_parameters`
:param qualifiers: :attr:`Type.qualifiers`
:param lang: :attr:`Type.language`
"""
...
class ProgramFlags(enum.Flag):
"""
``ProgramFlags`` are flags that can apply to a :class:`Program` (e.g.,
about what kind of program it is).
"""
IS_LINUX_KERNEL = ...
"""The program is the Linux kernel."""
IS_LIVE = ...
"""
The program is currently running (e.g., it is the running operating system
kernel or a running process).
"""
IS_LOCAL = ...
"""
The program is running on the local machine.
"""
class FindObjectFlags(enum.Flag):
"""
``FindObjectFlags`` are flags for :meth:`Program.object()`. These can be
combined to search for multiple kinds of objects at once.
"""
CONSTANT = ...
""
FUNCTION = ...
""
VARIABLE = ...
""
ANY = ...
""
class ObjectNotFoundError(KeyError):
def __init__(self, *args: object, name: str) -> None:
"""Error raised when an object is not found in a program."""
...
name: str
"""Object name that was not found."""
class MemorySearchIterator(Iterator[T]):
"""Iterator returned by :ref:`memory searches <api-searching-memory>`."""
def __next__(self) -> T: ...
def set_address_range(
self,
min_address: Optional[IntegerLike] = None,
max_address: Optional[IntegerLike] = None,
physical: bool = False,
) -> Self:
"""
Set the address range to limit a memory search to.
This returns the iterator itself, so it can be used conveniently when
the iterator is created:
.. code-block:: python3
for address in search_memory(b"VMCOREINFO").set_address_range(physical=True):
print(hex(address))
It can also be called during or after iteration, allowing an iterator
to be reused for searching multiple ranges:
.. code-block:: python3
it = search_memory_regex(some_complex_pattern)
for min_address, max_address in address_ranges:
it.set_address_range(min_address, max_address)
for address, match in it:
print(hex(address), match)
:param min_address: Minimum address to search (inclusive). Defaults to
the program's minimum address.
:param max_address: Maximum address to search (inclusive). Defaults to
the program's maximum address.
:param physical: Whether to search physical memory. Defaults to
``False`` (virtual memory).
"""
...
class DebugInfoOptions:
"""
Options for debugging information searches.
All of these options can be reassigned.
"""
def __init__(
self,
__options: Optional[DebugInfoOptions] = None,
*,
directories: Iterable[Path] = ...,
try_module_name: bool = ...,
try_build_id: bool = ...,
try_debug_link: bool = ...,
try_procfs: bool = ...,
try_embedded_vdso: bool = ...,
try_reuse: bool = ...,
try_supplementary: bool = ...,
kernel_directories: Iterable[Path] = ...,
try_kmod: KmodSearchMethod = ...,
) -> None:
"""
Create a ``DebugInfoOptions``.
:param options: If given, create a copy of the given options.
Otherwise, use the default options.
Any remaining arguments override the copied/default options.
"""
...
directories: Tuple[str, ...]
"""
Directories to search for debugging information files.
Defaults to ``("/usr/lib/debug",)``, which should work out of the box on
most Linux distributions. Empty strings are not allowed.
By default, this is used for searches by build ID (see
:attr:`try_build_id`), debug link (see :attr:`debug_link_directories`), for
supplementary files (see :attr:`try_supplementary`), and for kernel files
(see :attr:`kernel_directories`).
"""
try_module_name: bool
"""
If the name of a module resembles a filesystem path, try the file at that
path.
Defaults to ``True``.
"""
try_build_id: bool
"""
Try finding files using build IDs.
Defaults to ``True``.
A *build ID* is a unique byte string present in a module's :ref:`loaded
file <module-loaded-file>` and :ref:`debug file <module-debug-file>`. If
configured correctly, it is also present in core dumps and provides a
reliable way to identify the correct files for a module.
Searches by build ID check under each path in :attr:`directories` for a
file named ``.build-id/xx/yyyy`` (for loaded files) or
``.build-id/xx/yyyy.debug`` (for debug files), where ``xxyyyy`` is the
lowercase hexadecimal representation of the build ID.
"""
debug_link_directories: Tuple[str, ...]
"""
Directories to search for debug links.
Defaults to ``("$ORIGIN", "$ORIGIN/.debug", "")``, which should work out of
the box on most Linux distributions.
``$ORIGIN`` (or ``${ORIGIN}``) is replaced with the absolute path of the
directory containing the loaded file. An empty string means to check under
each path in :attr:`directories` (i.e., ``path$ORIGIN`` for each path in
:attr:`directories`).
See :attr:`try_debug_link`.
"""
try_debug_link: bool
"""
Try finding files using debug links.
Defaults to ``True``.
A *debug link* is a pointer in a module's :ref:`loaded file
<module-loaded-file>` to its :ref:`debug file <module-debug-file>`. It
consists of a name and a checksum.
Searches by debug link check every path in :attr:`debug_link_directories`
for a file with a matching name and checksum.
"""
try_procfs: bool
"""
For local processes, try getting files via the ``proc`` filesystem (e.g.,
:manpage:`proc_pid_exe(5)`, :manpage:`proc_pid_map_files(5)`).
Defaults to ``True``.
"""
try_embedded_vdso: bool
"""
Try reading the vDSO embedded in a process's memory/core dump.
Defaults to ``True``.
The entire (stripped) vDSO is included in core dumps, so this is a reliable
way to get it.
"""
try_reuse: bool
"""
Try reusing a module's loaded file as its debug file and vice versa.
Defaults to ``True``.
"""
try_supplementary: bool
"""
Try finding :ref:`supplementary files <module-supplementary-debug-file>`.
Defaults to ``True``.
"""
kernel_directories: Tuple[str, ...]
"""
Directories to search for the kernel image and loadable kernel modules.
Defaults to ``("",)``.
An empty string means to check standard paths (e.g.,
:file:`/boot/vmlinux-{release}`, :file:`/lib/modules/{release}`) absolutely
and under each path in :attr:`directories`.
"""
try_kmod: KmodSearchMethod
"""
How to search for loadable kernel modules.
Defaults to :attr:`KmodSearchMethod.DEPMOD_OR_WALK`.
"""
class KmodSearchMethod(enum.Enum):
"""
Methods of searching for loadable kernel module debugging information.
In addition to searching by build ID, there are currently two methods of
searching for debugging information specific to loadable kernel modules:
1. Using :manpage:`depmod(8)` metadata. This looks for :command:`depmod`
metadata (specifically, :file:`modules.dep.bin`) at the top level of
each directory in :attr:`DebugInfoOptions.kernel_directories` (an empty
path means :file:`/lib/modules/{release}`). The metadata is used to
quickly find the path of each module, which is then checked relative to
each directory specified by :attr:`DebugInfoOptions.kernel_directories`.
This method is faster but typically only applicable to installed
kernels.
2. Walking kernel directories. This traverses each directory specified by
:attr:`DebugInfoOptions.kernel_directories` looking for ``.ko`` files.
Module names are matched to filenames before the ``.ko`` extension and
with dashes (``-``) replaced with underscores (``_``).
This method is slower but not limited to installed kernels.
Debugging information searches can be configured to use one, both, or
neither method.
"""
NONE = ...
"""Don't search using kernel module-specific methods."""
DEPMOD = ...
"""Search using :command:`depmod` metadata."""
WALK = ...
"""Search by walking kernel directories."""
DEPMOD_OR_WALK = ...
"""
Search using :command:`depmod` metadata, falling back to walking kernel
directories only if no :command:`depmod` metadata is found.
Since :command:`depmod` metadata is expected to be reliable if present,
this is the default.
"""
DEPMOD_AND_WALK = ...
"""
Search using :command:`depmod` metadata and by walking kernel directories.
Unlike :attr:`DEPMOD_OR_WALK`, if :command:`depmod` metadata is found but
doesn't result in the desired debugging information, this will still walk
kernel directories.
"""
def get_default_prog() -> Program:
"""
Get the default program for the current thread.
:raises NoDefaultProgramError: if the default program is not set
"""
...
def set_default_prog(__prog: Optional[Program]) -> None:
"""
Set the default program for the current thread.
:param prog: Program to set as the default, or ``None`` to unset it.
"""
...
class NoDefaultProgramError(Exception):
"""
Error raised when trying to use the default program when it is not set.
"""
...
class Module:
"""
A ``Module`` represents an executable, library, or other binary file used
by a program. It has several subclasses representing specific types of
modules.
Modules are uniquely identified by their type, name, and a type-specific
value.
Modules have several attributes that are determined automatically whenever
possible but may be overridden manually if needed.
Modules can be assigned files that provide debugging and runtime
information:
* .. _module-loaded-file:
The "loaded file" is the file containing the executable code, data, etc.
used by the program at runtime.
* .. _module-debug-file:
The "debug file" is the file containing debugging information (e.g.,
`DWARF <https://dwarfstd.org/>`_).
The loaded file and debug file may be the same file, for example, an
unstripped binary. They may be different files if the binary was stripped
and its debugging information was split into a separate file.
* .. _module-supplementary-debug-file:
The debug file may depend on a "supplementary debug file" such as one
generated by `dwz(1) <https://manpages.debian.org/dwz.1.html>`_. If so,
then the supplementary debug file must be found before the debug file can
be used.
"""
prog: Final[Program]
"""Program that this module is from."""
name: Final[str]
"""
Name of this module.
Its exact meaning varies by module type.
"""
address_ranges: Optional[Sequence[Tuple[int, int]]]
"""
Address ranges where this module is loaded.
This is a sequence of tuples of the start (inclusive) and end (exclusive)
addresses. For each range, the start address is strictly less than the end
address. If the module is not loaded in memory, then the sequence is empty.
Address ranges may not overlap.
If not known yet, then this is ``None``.
:meth:`Program.loaded_modules()` sets this automatically from the program
state/core dump when possible. Otherwise, for :class:`MainModule`,
:class:`SharedLibraryModule`, and :class:`VdsoModule`, it may be set
automatically when a file is assigned to the module. It is never set
automatically for :class:`ExtraModule`. It can also be set manually.
Other than Linux kernel loadable modules, most modules have only one
address range. See :attr:`address_range`.
"""
address_range: Optional[Tuple[int, int]]
"""
Address range where this module is loaded.
This is an alias of :attr:`address_ranges[0] <address_ranges>` with a
couple of small differences:
* If the module has more than one address range, then reading this raises a
:class:`ValueError`.
* If the module is not loaded in memory, then this is ``(0, 0)``.
"""
build_id: Optional[bytes]
"""
Unique byte string (e.g., GNU build ID) identifying files used by this
module.
If not known, then this is ``None``.
:meth:`Program.loaded_modules()` sets this automatically from the program
state/core dump when possible. Otherwise, when a file is assigned to the
module, it is set to the file's build ID if it is not already set. It can
also be set manually.
"""
object: Object
"""
The object associated with this module.
For Linux kernel loadable modules, this is the ``struct module *``
associated with the kernel module. For other kinds, this is currently an
absent object. The object may be set manually.
"""
loaded_file_status: ModuleFileStatus
"""Status of the module's :ref:`loaded file <module-loaded-file>`."""
loaded_file_path: Optional[str]
"""
Absolute path of the module's :ref:`loaded file <module-loaded-file>`, or
``None`` if not known.
"""
loaded_file_bias: Optional[int]
"""
Difference between the load address in the program and addresses in the
:ref:`loaded file <module-loaded-file>` itself.
This is often non-zero due to address space layout randomization (ASLR).
It is set automatically based on the module type when the loaded file is
added:
* For :class:`MainModule`, it is set based on metadata from the process or
core dump (the `auxiliary vector
<https://man7.org/linux/man-pages/man3/getauxval.3.html>`_ for userspace
programs, the ``VMCOREINFO`` note for the Linux kernel).
* For :class:`SharedLibraryModule` and :class:`VdsoModule`, it is set to
:attr:`~SharedLibraryModule.dynamic_address` minus the address of the
dynamic section in the file.
* For :class:`RelocatableModule`, it is set to zero. Addresses are adjusted
according to :attr:`~RelocatableModule.section_addresses` instead.
* For :class:`ExtraModule`, if :attr:`~Module.address_ranges` is set to a
single range before the file is added, then the bias is set to
:attr:`address_ranges[0][0] <Module.address_ranges>` (i.e., the module's
start address) minus the file's start address. If
:attr:`~Module.address_ranges` is not set when the file is added, is
empty, or comprises more than one range, then the bias is set to zero.
This cannot be set manually.
"""
debug_file_status: ModuleFileStatus
"""Status of the module's :ref:`debug file <module-debug-file>`."""
debug_file_path: Optional[str]
"""
Absolute path of the module's :ref:`debug file <module-debug-file>`, or
``None`` if not known.
"""
debug_file_bias: Optional[int]
"""
Difference between the load address in the program and addresses in the
:ref:`debug file <module-debug-file>`.
See :attr:`loaded_file_bias`.
"""
supplementary_debug_file_kind: Optional[SupplementaryFileKind]
"""
Kind of the module's :ref:`supplementary debug file
<module-supplementary-debug-file>`, or ``None`` if not known or not needed.
"""
supplementary_debug_file_path: Optional[str]
"""
Absolute path of the module's :ref:`supplementary debug file
<module-supplementary-debug-file>`, or ``None`` if not known or not needed.
"""
def wants_loaded_file(self) -> bool:
"""
Return whether this module wants a :ref:`loaded file
<module-loaded-file>`.
This should be preferred over checking :attr:`loaded_file_status`
directly since this is future-proof against new status types being
added. It is currently equivalent to ``module.loaded_file_status ==
ModuleFileStatus.WANT``.
"""
...
def wants_debug_file(self) -> bool:
"""
Return whether this module wants a :ref:`debug file
<module-debug-file>`.
This should be preferred over checking :attr:`debug_file_status`
directly since this is future-proof against new status types being
added. It is currently equivalent to ``module.debug_file_status ==
ModuleFileStatus.WANT or module.debug_file_status ==
ModuleFileStatus.WANT_SUPPLEMENTARY``.
"""
...
def wanted_supplementary_debug_file(self) -> WantedSupplementaryFile:
"""
Return information about the :ref:`supplementary debug file
<module-supplementary-debug-file>` that this module currently wants.
:raises ValueError: if the module doesn't currently want a
supplementary debug file (i.e., ``module.debug_file_status !=
ModuleFileStatus.WANT_SUPPLEMENTARY``)
"""
...
def try_file(
self,
path: Path,
*,
fd: int = -1,
force: bool = False,
) -> None:
"""
Try to use the given file for this module.
If the file does not appear to belong to this module, then it is
ignored. This currently checks that the file and the module have the
same build ID.
If :attr:`loaded_file_status` is :attr:`~ModuleFileStatus.WANT` and the
file is loadable, then it is used as the :ref:`loaded file
<module-loaded-file>` and :attr:`loaded_file_status` is set to
:attr:`~ModuleFileStatus.HAVE`.
If :attr:`debug_file_status` is :attr:`~ModuleFileStatus.WANT` or
:attr:`~ModuleFileStatus.WANT_SUPPLEMENTARY` and the file provides
debugging information, then it is used as the :ref:`debug file
<module-debug-file>` and :attr:`debug_file_status` is set to
:attr:`~ModuleFileStatus.HAVE`. However, if the file requires a
supplementary debug file, then it is not used as the debug file yet and
:attr:`debug_file_status` is set to
:attr:`~ModuleFileStatus.WANT_SUPPLEMENTARY` instead.
If :attr:`debug_file_status` is
:attr:`~ModuleFileStatus.WANT_SUPPLEMENTARY` and the file matches
:meth:`wanted_supplementary_debug_file()`, then the previously found
file is used as the debug file, the given file is used as the
:ref:`supplementary debug file <module-supplementary-debug-file>`, and
:attr:`debug_file_status` is set to :attr:`~ModuleFileStatus.HAVE`.
The file may be used as both the loaded file and debug file if
applicable.
:param path: Path to file.
:param fd: If nonnegative, an open file descriptor referring to the
file. This always takes ownership of the file descriptor even if
the file is not used or on error, so the caller must not close it.
:param force: If ``True``, then don't check whether the file matches
the module.
"""
...
class MainModule(Module):
"""
Main module.
There is only one main module in a program. For userspace programs, it is
the executable, and its name is usually the absolute path of the
executable. For the Linux kernel, it is the kernel image, a.k.a.
``vmlinux``, and its name is "kernel".
"""
class SharedLibraryModule(Module):
"""
Shared library (a.k.a. dynamic library, dynamic shared object, or ``.so``)
module.
Shared libraries are uniquely identified by their name (usually the
absolute path of the shared object file) and dynamic address.
"""
dynamic_address: Final[int]
"""Address of the shared object's dynamic section."""
class VdsoModule(Module):
"""
Virtual dynamic shared object (vDSO) module.
The vDSO is a special shared library automatically loaded into a process by
the kernel; see :manpage:`vdso(7)`. It is uniquely identified by its name
(the ``SONAME`` field of the shared object file) and dynamic address.
"""
dynamic_address: Final[int]
"""Address of the shared object's dynamic section."""
class RelocatableModule(Module):
"""
Relocatable object module.
A relocatable object is an object file requiring a linking step to assign
section addresses and adjust the file to reference those addresses.
Linux kernel loadable modules (``.ko`` files) are a special kind of
relocatable object.
For userspace programs, relocatable objects are usually intermediate
products of the compilation process (``.o`` files). They are not typically
loaded at runtime. However, drgn allows manually defining a relocatable
module and assigning its section addresses if needed.
Relocatable modules are uniquely identified by a name and address.
"""
address: Final[int]
"""
Address identifying the module.
For Linux kernel loadable modules, this is the module base address.
"""
section_addresses: MutableMapping[str, int]
"""
Mapping from section names to assigned addresses.
Once a file has been assigned to the module, this can no longer be
modified.
:meth:`Program.linux_kernel_loadable_module()` and
:meth:`Program.loaded_modules()` prepopulate this for Linux kernel loadable
modules.
"""
class ExtraModule(Module):
"""
Module with extra debugging information.
For advanced use cases, it may be necessary to manually add debugging
information that does not fit into any of the categories above.
``ExtraModule`` is intended for these use cases. For example, it can be
used to add debugging information from a standalone file that is not in use
by a particular program.
Extra modules are uniquely identified by a name and ID number. Both the
name and ID number are arbitrary.
"""
id: Final[int]
"""Arbitrary identification number."""
class ModuleFileStatus(enum.Enum):
"""
Status of a file in a :class:`Module`.
This is usually used to communicate with debugging information finders; see
:meth:`Program.register_debug_info_finder()`.
"""
WANT = ...
"""File has not been found and should be searched for."""
HAVE = ...
"""File has already been found and assigned."""
DONT_WANT = ...
"""
File has not been found, but it should not be searched for.
:meth:`Module.try_file()` and debugging information finders are required to
honor this and will never change it. However, other operations may reset
this to :attr:`WANT` when they load debugging information automatically.
"""
DONT_NEED = ...
"""
File has not been found and is not needed (e.g., because its debugging
information is not applicable or is provided through another mechanism).
In contrast to :attr:`DONT_WANT`, drgn itself will never change this to
:attr:`WANT`.
"""
WANT_SUPPLEMENTARY = ...
"""
File has been found, but it requires a supplementary file before it can be
used. See :meth:`Module.wanted_supplementary_debug_file()`.
"""
class WantedSupplementaryFile(NamedTuple):
"""Information about a wanted supplementary file."""
kind: SupplementaryFileKind
"""Kind of supplementary file."""
path: str
"""Path of main file that wants the supplementary file."""
supplementary_path: str
"""
Path to the supplementary file.
This may be absolute or relative to :attr:`path`.
"""
checksum: bytes
"""
Unique identifier of the supplementary file.
The interpretation depends on :attr:`kind`.
"""
class SupplementaryFileKind(enum.Enum):
"""
Kind of supplementary file.
.. note::
DWARF 5 supplementary files are not currently supported but may be in
the future.
DWARF package files are not considered supplementary files. They are
considered part of the debug file and must have the same path as the
debug file plus a ".dwp" extension.
"""
GNU_DEBUGALTLINK = ...
"""
GNU-style supplementary debug file referred to by a ``.gnu_debugaltlink``
section.
Its :attr:`~WantedSupplementaryFile.checksum` is the file's GNU build ID.
"""
class Thread:
"""A thread in a program."""
tid: Final[int]
"""Thread ID (as defined by :manpage:`gettid(2)`)."""
name: Optional[str]
"""
Thread name, or ``None`` if unknown.
See `PR_SET_NAME
<https://man7.org/linux/man-pages/man2/PR_SET_NAME.2const.html>`_ and
`/proc/pid/comm
<https://man7.org/linux/man-pages/man5/proc_pid_comm.5.html>`_.
.. note::
Linux userspace core dumps only save the name of the main thread, so
:attr:`name` will be ``None`` for other threads.
"""
object: Final[Object]
"""
If the program is the Linux kernel, the ``struct task_struct *`` object for
this thread. Otherwise, not defined.
"""
def stack_trace(self) -> StackTrace:
"""
Get the stack trace for this thread.
This is equivalent to ``prog.stack_trace(thread.tid)``. See
:meth:`Program.stack_trace()`.
"""
...
def filename_matches(haystack: Optional[str], needle: Optional[str]) -> bool:
"""
Return whether a filename containing a definition (*haystack*) matches a
filename being searched for (*needle*).
The filename is matched from right to left, so ``'stdio.h'``,
``'include/stdio.h'``, ``'usr/include/stdio.h'``, and
``'/usr/include/stdio.h'`` would all match a definition in
``/usr/include/stdio.h``. If *needle* is ``None`` or empty, it matches any
definition. If *haystack* is ``None`` or empty, it only matches if *needle*
is also ``None`` or empty.
:param haystack: Path of file containing definition.
:param needle: Filename to match.
"""
...
def program_from_core_dump(path: Union[Path, int]) -> Program:
"""
Create a :class:`Program` from a core dump file. The type of program (e.g.,
userspace or kernel) is determined automatically.
:param path: Core dump file path or open file descriptor.
"""
...
def program_from_kernel() -> Program:
"""
Create a :class:`Program` from the running operating system kernel. This
requires root privileges.
"""
...
def program_from_pid(pid: int) -> Program:
"""
Create a :class:`Program` from a running program with the given PID. This
requires appropriate permissions (on Linux, :manpage:`ptrace(2)` attach
permissions).
:param pid: Process ID of the program to debug.
"""
...
class Platform:
"""
A ``Platform`` represents the environment (i.e., architecture and ABI) that
a program runs on.
"""
def __init__(
self, arch: Architecture, flags: Optional[PlatformFlags] = None
) -> None:
"""
Create a ``Platform``.
:param arch: :attr:`Platform.arch`
:param flags: :attr:`Platform.flags`; if ``None``, default flags for
the architecture are used.
"""
...
arch: Final[Architecture]
"""Instruction set architecture of this platform."""
flags: Final[PlatformFlags]
"""Flags which apply to this platform."""
registers: Final[Sequence[Register]]
"""Processor registers on this platform."""
class Architecture(enum.Enum):
"""An ``Architecture`` represents an instruction set architecture."""
X86_64 = ...
"""The x86-64 architecture, a.k.a. AMD64 or Intel 64."""
I386 = ...
"""The 32-bit x86 architecture, a.k.a. i386 or IA-32."""
AARCH64 = ...
"""The AArch64 architecture, a.k.a. ARM64."""
ARM = ...
"""The 32-bit Arm architecture."""
PPC64 = ...
"""The 64-bit PowerPC architecture."""
RISCV64 = ...
"""The 64-bit RISC-V architecture."""
RISCV32 = ...
"""The 32-bit RISC-V architecture."""
S390X = ...
"""The s390x architecture, a.k.a. IBM Z or z/Architecture."""
S390 = ...
"""The 32-bit s390 architecture, a.k.a. System/390."""
UNKNOWN = ...
"""
An architecture which is not known to drgn. Certain features are not
available when the architecture is unknown, but most of drgn will still
work.
"""
class PlatformFlags(enum.Flag):
"""``PlatformFlags`` are flags describing a :class:`Platform`."""
IS_64_BIT = ...
"""Platform is 64-bit."""
IS_LITTLE_ENDIAN = ...
"""Platform is little-endian."""
class Register:
"""A ``Register`` represents information about a processor register."""
names: Final[Sequence[str]]
"""Names of this register."""
host_platform: Platform
"""The platform of the host which is running drgn."""
class Language:
"""
A ``Language`` represents a programming language supported by drgn.
This class cannot be constructed; there are singletons for the supported
languages.
"""
name: Final[str]
"""Name of the programming language."""
C: ClassVar[Language]
"""The C programming language."""
CPP: ClassVar[Language]
"""The C++ programming language."""
class Object:
"""
An ``Object`` represents a symbol or value in a program. An object may
exist in the memory of the program (a *reference*), it may be a constant or
temporary computed value (a *value*), or it may be absent entirely (an
*absent* object).
All instances of this class have two attributes: :attr:`prog_`, the program
that the object is from; and :attr:`type_`, the type of the object.
Reference objects also have an :attr:`address_` and a :attr:`bit_offset_`.
Objects may also have a :attr:`bit_field_size_`.
:func:`repr()` of an object returns a Python representation of the object:
>>> print(repr(prog['jiffies']))
Object(prog, 'volatile unsigned long', address=0xffffffffbf005000)
:class:`str() <str>` returns a "pretty" representation of the object in
programming language syntax:
>>> print(prog['jiffies'])
(volatile unsigned long)4326237045
The output format of ``str()`` can be modified by using the
:meth:`format_()` method instead:
>>> sysname = prog['init_uts_ns'].name.sysname
>>> print(sysname)
(char [65])"Linux"
>>> print(sysname.format_(type_name=False))
"Linux"
>>> print(sysname.format_(string=False))
(char [65]){ 76, 105, 110, 117, 120 }
.. note::
The drgn CLI is set up so that objects are displayed in the "pretty"
format instead of with ``repr()`` (the latter is the default behavior
of Python's interactive mode). Therefore, it's usually not necessary to
call ``print()`` in the drgn CLI.
Objects support the following operators:
* Arithmetic operators: ``+``, ``-``, ``*``, ``/``, ``%``
* Bitwise operators: ``<<``, ``>>``, ``&``, ``|``, ``^``, ``~``
* Relational operators: ``==``, ``!=``, ``<``, ``>``, ``<=``, ``>=``
* Subscripting: :meth:`[] <__getitem__>` (Python does not have a unary
``*`` operator, so pointers are dereferenced with ``ptr[0]``)
* Member access: :meth:`. <__getattr__>` (Python does not have a ``->``
operator, so ``.`` is also used to access members of pointers to
structures)
* The address-of operator: :meth:`drgn.Object.address_of_()` (this is a
method because Python does not have a ``&`` operator)
* Array length: :meth:`len() <__len__>`
These operators all have the semantics of the program's programming
language. For example, adding two objects from a program written in C
results in an object with a type and value according to the rules of C:
>>> Object(prog, 'unsigned long', 2**64 - 1) + Object(prog, 'int', 1)
Object(prog, 'unsigned long', value=0)
If only one operand to a binary operator is an object, the other operand
will be converted to an object according to the language's rules for
literals:
>>> Object(prog, 'char', 0) - 1
Object(prog, 'int', value=-1)
The standard :class:`int() <int>`, :class:`float() <float>`, and
:class:`bool() <bool>` functions convert an object to that Python type.
Conversion to ``bool`` uses the programming language's notion of
"truthiness". Additionally, certain Python functions will automatically
coerce an object to the appropriate Python type (e.g., :func:`hex()`,
:func:`round()`, and :meth:`list subscripting <object.__getitem__>`).
Object attributes and methods are named with a trailing underscore to avoid
conflicting with structure, union, or class members. The attributes and
methods always take precedence; use :meth:`member_()` if there is a
conflict.
Objects are usually obtained directly from a :class:`Program`, but they can
be constructed manually, as well (for example, if you got a variable
address from a log file).
"""
@overload
def __init__(
self,
prog: Program,
type: Union[str, Type],
# This should use numbers.Number, but mypy doesn't support it yet; see
# python/mypy#3186. Additionally, once mypy supports recursive types,
# we can make the Mapping and Sequence item types stricter; see
# python/mypy#731.
value: Union[IntegerLike, float, bool, Mapping[str, Any], Sequence[Any]],
*,
bit_field_size: Optional[IntegerLike] = None,
) -> None:
"""
Create a value object given its type and value.
:param prog: Program to create the object in.
:param type: Type of the object.
:param value: Value of the object. See :meth:`value_()`.
:param bit_field_size: Size in bits of the object if it is a bit field.
The default is ``None``, which means the object is not a bit field.
"""
...
@overload
def __init__(self, prog: Program, *, value: Union[int, float, bool]) -> None:
"""
Create a value object from a "literal".
This is used to emulate a literal number in the source code of the
program. The type is deduced from *value* according to the language's
rules for literals.
:param value: Value of the literal.
"""
...
@overload
def __init__(
self,
prog: Program,
type: Union[str, Type],
*,
address: IntegerLike,
bit_offset: IntegerLike = 0,
bit_field_size: Optional[IntegerLike] = None,
) -> None:
"""
Create a reference object.
:param address: Address of the object in the program.
:param bit_offset: Offset in bits from *address* to the beginning of
the object.
"""
...
@overload
def __init__(
self,
prog: Program,
type: Union[str, Type],
*,
absence_reason: AbsenceReason = AbsenceReason.OTHER,
bit_field_size: Optional[IntegerLike] = None,
) -> None:
"""Create an absent object."""
...
prog_: Final[Program]
"""Program that this object is from."""
type_: Final[Type]
"""Type of this object."""
address_: Final[Optional[int]]
"""
Address of this object if it is a reference, ``None`` if it is a value or
absent.
"""
absent_: Final[bool]
"""
Whether this object is absent.
This is ``False`` for all values and references (even if the reference has
an invalid address).
"""
absence_reason_: Final[Optional[AbsenceReason]]
"""
Reason that this object is absent.
This is ``None`` for all values and references.
"""
bit_offset_: Final[Optional[int]]
"""
Offset in bits from this object's address to the beginning of the object if
it is a reference, ``None`` otherwise. This can only be non-zero for
scalars.
"""
bit_field_size_: Final[Optional[int]]
"""
Size in bits of this object if it is a bit field, ``None`` if it is not.
"""
def __getattr__(self, name: str) -> Object:
"""
Implement ``self.name``.
This corresponds to both the member access (``.``) and member access
through pointer (``->``) operators in C.
Note that if *name* is an attribute or method of the :class:`Object`
class, then that takes precedence. Otherwise, this is equivalent to
:meth:`member_()`.
>>> print(prog['init_task'].pid)
(pid_t)0
:param name: Attribute name.
"""
...
@overload
def __getitem__(self, /, i: IntegerLike) -> Object:
"""
Implement ``self[i]``. Get the array element at the given index.
This is only valid for pointers and arrays.
>>> print(prog["init_task"].comm[1])
(char)119
``[0]`` is also the equivalent of the pointer dereference (``*``)
operator in C:
>>> ptr_to_ptr
*(void **)0xffff9b86801e2968 = 0xffff9b86801e2460
>>> print(ptr_to_ptr[0])
(void *)0xffff9b86801e2460
.. note::
Negative indices are relative to the start of the pointer/array
(like in C), not relative to the end (like for Python lists).
>>> ptr[-2].address_of_() == ptr - 2
True
:param i: Index.
:raises TypeError: if this object is not a pointer or array
"""
...
@overload
def __getitem__(self, /, s: slice) -> Object:
"""
Implement ``self[start:stop]``. Get an array :term:`slice`.
This is only valid for pointers and arrays. It creates a new array for
the range of elements from the (inclusive) start index to the
(exclusive) stop index. The length of the resulting array is therefore
the stop index minus the start index, or zero if the stop index is less
than the start index.
If the start index is omitted, it defaults to 0. If the stop index is
omitted, it defaults to the length of the array (in which case the
object must be a complete array).
For example, this can be used to get a subset of an array:
>>> prog["init_task"].comm[1:3]
(char [2])"wa"
Or to get a complete array from a pointer/incomplete array with a
separate length:
>>> poll_list
*(struct poll_list *)0xffffa3d3c126fa70 = {
.next = (struct poll_list *)0x0,
.len = (unsigned int)2,
.entries = (struct pollfd []){},
}
>>> poll_list.entries[:poll_list.len]
(struct pollfd [2]){
{
.fd = (int)6,
.events = (short)1,
.revents = (short)0,
},
{
.fd = (int)14,
.events = (short)1,
.revents = (short)0,
},
}
.. note::
Negative indices are relative to the start of the pointer/array
(like in C), not relative to the end (like for Python lists).
>>> prog['init_task'].comm[-2:]
(char [18])""
>>> prog['init_task'].comm[:-2]
(char [0]){}
:param s: Slice.
:raises TypeError: if this object is not a pointer or array
:raises TypeError: if the stop index is omitted and this object is not
an array with complete type
"""
def __len__(self) -> int:
"""
Implement ``len(self)``. Get the number of elements in this object.
>>> len(prog["init_task"].comm)
16
This is only valid for arrays.
:raises TypeError: if this object is not an array with complete type
"""
...
def value_(self) -> Any:
"""
Get the value of this object as a Python object.
For basic types (integer, floating-point, boolean), this returns an
object of the directly corresponding Python type (``int``, ``float``,
``bool``). For pointers, this returns the address value of the pointer.
For enums, this returns an ``int``. For structures and unions, this
returns a ``dict`` of members. For arrays, this returns a ``list`` of
values.
.. note::
Helpers that wish to accept an argument that may be an
:class:`Object` or an :class:`int` should use
:func:`operator.index()` and :class:`IntegerLike` instead:
.. code-block:: python3
import operator
from drgn import IntegerLike
def my_helper(i: IntegerLike) -> ...:
value = operator.index(i) # Returns an int
...
:raises FaultError: if reading the object causes a bad memory access
:raises TypeError: if this object has an unreadable type (e.g.,
``void``)
"""
...
def string_(self) -> bytes:
"""
Read a null-terminated string pointed to by this object.
This is only valid for pointers and arrays. The element type is
ignored; this operates byte-by-byte.
For pointers and flexible arrays, this stops at the first null byte.
For complete arrays, this stops at the first null byte or at the end of
the array.
:raises FaultError: if reading the string causes a bad memory access
:raises TypeError: if this object is not a pointer or array
"""
...
def member_(self, name: str) -> Object:
"""
Get a member of this object.
This is valid for structures, unions, classes, and pointers to any of
those. If the object is a pointer, it is automatically dereferenced
first.
Normally the dot operator (:meth:`. <__getattr__>`) can be used to
accomplish the same thing, but this method can be used if there is a
name conflict with an ``Object`` attribute or method.
:param name: Name of the member.
:raises TypeError: if this object is not a structure, union, class, or
a pointer to one of those
:raises LookupError: if this object does not have a member with the
given name
"""
...
def subobject_(self, designator: str) -> Object:
"""
Get a subobject (member or element) of this object.
Usually, a combination of the :meth:`. <__getattr__>` and :meth:`[]
<.__getitem__>` operators can be used instead, but this can be used as:
1. A variant of :meth:`member_()` that doesn't automatically
dereference pointers.
2. A generalization of :func:`offsetof()`.
>>> prog["init_task"].subobject_("comm[0]") == prog["init_task"].comm[0]
True
:param designator: One or more member references or array subscripts.
"""
...
def address_of_(self) -> Object:
"""
Get a pointer to this object.
This corresponds to the address-of (``&``) operator in C. It is only
possible for reference objects, as value objects don't have an address
in the program.
As opposed to :attr:`address_`, this returns an ``Object``, not an
``int``.
:raises ValueError: if this object is a value
"""
...
def read_(self) -> Object:
"""
Read this object (which may be a reference or a value) and return it as
a value object.
This is useful if the object can change in the running program (but of
course nothing stops the program from modifying the object while it is
being read).
As opposed to :meth:`value_()`, this returns an ``Object``, not a
standard Python type.
:raises FaultError: if reading this object causes a bad memory access
:raises TypeError: if this object has an unreadable type (e.g.,
``void``)
"""
...
def to_bytes_(self) -> bytes:
"""Return the binary representation of this object's value."""
...
@classmethod
def from_bytes_(
cls,
prog: Program,
type: Union[str, Type],
bytes: Buffer,
*,
bit_offset: IntegerLike = 0,
bit_field_size: Optional[IntegerLike] = None,
) -> Object:
r"""
Return a value object from its binary representation.
>>> print(Object.from_bytes_(prog, "int", b"\x10\x00\x00\x00"))
(int)16
:param prog: Program to create the object in.
:param type: Type of the object.
:param bytes: Buffer containing value of the object.
:param bit_offset: Offset in bits from the beginning of *bytes* to the
beginning of the object.
:param bit_field_size: Size in bits of the object if it is a bit field.
The default is ``None``, which means the object is not a bit field.
"""
...
def format_(
self,
*,
columns: Optional[IntegerLike] = None,
integer_base: Optional[IntegerLike] = None,
dereference: Optional[bool] = None,
symbolize: Optional[bool] = None,
string: Optional[bool] = None,
char: Optional[bool] = None,
type_name: Optional[bool] = None,
member_type_names: Optional[bool] = None,
element_type_names: Optional[bool] = None,
members_same_line: Optional[bool] = None,
elements_same_line: Optional[bool] = None,
member_names: Optional[bool] = None,
element_indices: Optional[bool] = None,
implicit_members: Optional[bool] = None,
implicit_elements: Optional[bool] = None,
) -> str:
"""
Format this object in programming language syntax.
Various format options can be passed (as keyword arguments) to control
the output. Options that aren't passed or are passed as ``None`` fall
back to a default. Specifically, ``obj.format_()`` (i.e., with no
passed options) is equivalent to ``str(obj)``.
>>> workqueues = prog['workqueues']
>>> print(workqueues)
(struct list_head){
.next = (struct list_head *)0xffff932ecfc0ae10,
.prev = (struct list_head *)0xffff932e3818fc10,
}
>>> print(workqueues.format_(type_name=False,
... member_type_names=False,
... member_names=False,
... members_same_line=True))
{ 0xffff932ecfc0ae10, 0xffff932e3818fc10 }
:param columns: Number of columns to limit output to when the
expression can be reasonably wrapped. Defaults to no limit.
:param integer_base: Base to format integers in (8, 10, or 16).
Defaults to 10.
:param dereference: If this object is a pointer, include the
dereferenced value. This does not apply to structure, union, or
class members, or array elements, as dereferencing those could lead
to an infinite loop. Defaults to ``True``.
:param symbolize: Include a symbol name and offset for pointer objects.
Defaults to ``True``.
:param string: Format the values of objects with string type as strings.
For C, this applies to pointers to and arrays of ``char``, ``signed
char``, and ``unsigned char``. Defaults to ``True``.
:param char: Format objects with character type as character literals.
For C, this applies to ``char``, ``signed char``, and ``unsigned
char``. Defaults to ``False``.
:param type_name: Include the type name of this object. Defaults to
``True``.
:param member_type_names: Include the type names of structure, union,
and class members. Defaults to ``True``.
:param element_type_names: Include the type names of array elements.
Defaults to ``False``.
:param members_same_line: Place multiple structure, union, and class
members on the same line if they fit within the specified
number of ``columns``. Defaults to ``False``.
:param elements_same_line: Place multiple array elements on the same
line if they fit within the specified number of ``columns``.
Defaults to ``True``.
:param member_names: Include the names of structure, union, and class
members. Defaults to ``True``.
:param element_indices: Include the indices of array elements. Defaults
to ``False``.
:param implicit_members: Include structure, union, and class members
which have an implicit value (i.e., for C, zero-initialized).
Defaults to ``True``.
:param implicit_elements: Include array elements which have an implicit
value (i.e., for C, zero-initialized). Defaults to ``False``.
"""
...
def __iter__(self) -> Iterator[Object]: ...
def __bool__(self) -> bool: ...
def __lt__(self, other: Any) -> bool: ...
def __le__(self, other: Any) -> bool: ...
def __eq__(self, other: Any) -> bool: ...
def __ne__(self, other: Any) -> bool: ...
def __gt__(self, other: Any) -> bool: ...
def __ge__(self, other: Any) -> bool: ...
def __add__(self, other: Any) -> Object: ...
def __sub__(self, other: Any) -> Object: ...
def __mul__(self, other: Any) -> Object: ...
def __truediv__(self, other: Any) -> Object: ...
def __mod__(self, other: Any) -> Object: ...
def __lshift__(self, other: Any) -> Object: ...
def __rshift__(self, other: Any) -> Object: ...
def __and__(self, other: Any) -> Object: ...
def __xor__(self, other: Any) -> Object: ...
def __or__(self, other: Any) -> Object: ...
def __radd__(self, other: Any) -> Object: ...
def __rsub__(self, other: Any) -> Object: ...
def __rmul__(self, other: Any) -> Object: ...
def __rtruediv__(self, other: Any) -> Object: ...
def __rmod__(self, other: Any) -> Object: ...
def __rlshift__(self, other: Any) -> Object: ...
def __rrshift__(self, other: Any) -> Object: ...
def __rand__(self, other: Any) -> Object: ...
def __rxor__(self, other: Any) -> Object: ...
def __ror__(self, other: Any) -> Object: ...
def __neg__(self) -> Object: ...
def __pos__(self) -> Object: ...
def __invert__(self) -> Object: ...
def __int__(self) -> int: ...
def __float__(self) -> float: ...
def __index__(self) -> int: ...
@overload
def __round__(self, ndigits: None = None) -> int: ...
@overload
def __round__(self, ndigits: int) -> Any: ...
def __trunc__(self) -> int: ...
def __floor__(self) -> int: ...
def __ceil__(self) -> int: ...
def _repr_pretty_(self, p: Any, cycle: bool) -> None: ...
class AbsenceReason(enum.Enum):
"""Reason an object is :ref:absent <absent-objects>`."""
OTHER = ...
"""Another reason not listed below."""
OPTIMIZED_OUT = ...
"""Object was optimized out by the compiler."""
NOT_IMPLEMENTED = ...
"""Encountered unknown debugging information."""
def NULL(prog: Program, type: Union[str, Type]) -> Object:
"""
Get an object representing ``NULL`` casted to the given type.
This is equivalent to ``Object(prog, type, 0)``.
:param prog: The program.
:param type: The type.
"""
...
def cast(type: Union[str, Type], obj: Object) -> Object:
"""
Get the value of an object explicitly casted to another type.
This uses the programming language's rules for explicit conversions, like
the cast operator.
>>> cast("unsigned int", Object(prog, "float", 2.0))
(unsigned int)2
>>> cast("void *", Object(prog, "int", 0))
(void *)0x0
See also :func:`implicit_convert()` for implicit conversions (which usually
do stricter type checking) and :func:`reinterpret()` for reinterpreting the
raw memory of an object.
:param type: Type to cast to.
:param obj: Object to cast.
:return: Casted object. This is always a value object.
:raises TypeError: if casting *obj* to *type* is not allowed
"""
...
def implicit_convert(
type: Union[str, Type], obj: Object, *, bit_field_size: Optional[IntegerLike] = None
) -> Object:
"""
Get the value of an object implicitly converted to another type.
This uses the programming language's rules for implicit conversions, like
when assigning to a variable or passing arguments to a function call.
>>> implicit_convert("unsigned int", Object(prog, "float", 2.0))
(unsigned int)2
>>> implicit_convert("void *", Object(prog, "int", 0))
Traceback (most recent call last):
...
TypeError: cannot convert 'int' to incompatible type 'void *'
See also :func:`cast()` for explicit conversions and :func:`reinterpret()`
for reinterpreting the raw memory of an object.
:param type: Type to convert to.
:param obj: Object to convert.
:param bit_field_size: Size in bits if converting to a bit field.
The default is ``None``, which means the result is not a bit field.
:return: Converted object. This is always a value object.
:raises TypeError: if converting *obj* to *type* is not allowed
"""
...
def reinterpret(type: Union[str, Type], obj: Object) -> Object:
"""
Get the representation of an object reinterpreted as another type.
This reinterprets the raw memory of the object, so an object can be
reinterpreted as any other type.
>>> reinterpret("unsigned int", Object(prog, "float", 2.0))
(unsigned int)1073741824
.. note::
You usually want :func:`cast()` or :func:`implicit_convert()` instead,
which convert the *value* of an object instead of its in-memory
representation.
:param type: Type to reinterpret as.
:param obj: Object to reinterpret.
:return: Reinterpreted object. If *obj* is a reference object, then this is
a reference object. If *obj* is a value object, then this is a value
object.
:raises OutOfBoundsError: if *obj* is a value object and *type* is larger
than *obj*
"""
...
def container_of(ptr: Object, type: Union[str, Type], member: str) -> Object:
"""
Get the containing object of a pointer object.
This corresponds to the ``container_of()`` macro in C.
:param ptr: Pointer to member in containing object.
:param type: Type of containing object.
:param member: Name of member in containing object. May include one or more
member references and zero or more array subscripts.
:return: Pointer to containing object.
:raises TypeError: if *ptr* is not a pointer or *type* is not a structure,
union, or class type
:raises ValueError: if the member is not byte-aligned (e.g., because it is
a bit field)
:raises LookupError: if *type* does not have a member with the given name
"""
...
class Symbol:
"""
A ``Symbol`` represents an entry in the symbol table of a program, i.e., an
identifier along with its corresponding address range in the program.
"""
def __init__(
self,
name: str,
address: int,
size: int,
binding: SymbolBinding,
kind: SymbolKind,
) -> None:
"""
Create a ``Symbol``.
:param name: :attr:`Symbol.name`
:param address: :attr:`Symbol.address`
:param size: :attr:`Symbol.size`
:param binding: :attr:`Symbol.binding`
:param kind: :attr:`Symbol.kind`
"""
...
name: Final[str]
"""Name of this symbol."""
address: Final[int]
"""Start address of this symbol."""
size: Final[int]
"""Size of this symbol in bytes."""
binding: Final[SymbolBinding]
"""Linkage behavior and visibility of this symbol."""
kind: Final[SymbolKind]
"""Kind of entity represented by this symbol."""
class SymbolIndex:
"""
A ``SymbolIndex`` contains a static set of symbols and allows efficient
lookup by name and address.
With :meth:`Program.register_symbol_finder()`, you can add a callback to
provide custom symbol finding logic. However, in many cases, all that is
necessary is to provide drgn with a list of symbols that you know to be part
of the program. This object allows you to do that. It efficiently implements
the Symbol Finder API given a static set of symbols. For example::
>>> prog = drgn.Program()
>>> symbol = drgn.Symbol("foo", 0x123, 1, drgn.SymbolBinding.GLOBAL, drgn.SymbolKind.OBJECT)
>>> finder = drgn.SymbolIndex([symbol])
>>> prog.register_symbol_finder("SymbolIndex", finder, enable_index=0)
>>> prog.symbols()
[Symbol(name='foo', address=0x123, size=0x1, binding=<SymbolBinding.GLOBAL: 2>, kind=<SymbolKind.OBJECT: 1>)]
>>> prog.symbol("bar")
Traceback (most recent call last):
File "<console>", line 1, in <module>
LookupError: not found
>>> prog.symbol("foo")
Symbol(name='foo', address=0x123, size=0x1, binding=<SymbolBinding.GLOBAL: 2>, kind=<SymbolKind.OBJECT: 1>)
>>> prog.symbol(0x100)
Traceback (most recent call last):
File "<console>", line 1, in <module>
LookupError: not found
>>> prog.symbol(0x123)
Symbol(name='foo', address=0x123, size=0x1, binding=<SymbolBinding.GLOBAL: 2>, kind=<SymbolKind.OBJECT: 1>)
"""
def __init__(self, symbols: Iterable[Symbol]) -> None:
"""
Create a ``SymbolIndex`` from a sequence of symbols
The returned symbol index satisfies the Symbol Finder API. It supports
overlapping symbol address ranges and duplicate symbol names. However,
in the case of these sorts of conflicts, it doesn't provide any
guarantee on the order of the results, or which result is returned when
a single symbol is requested.
:param symbols: An iterable of symbols
:returns: A callable object suitable to provide to
:meth:`Program.register_symbol_finder()`.
"""
def __call__(
self,
prog: Program,
name: Optional[str],
address: Optional[int],
one: bool,
) -> List[Symbol]:
"""
Lookup symbol by name, address, or both.
:param prog: (unused) the program looking up this symbol
:param name: if given, only return symbols with this name
:param address: if given, only return symbols spanning this address
:param one: if given, limit the result to a single symbol
:returns: a list of matching symbols (empty if none are found)
"""
class SymbolBinding(enum.Enum):
"""
A ``SymbolBinding`` describes the linkage behavior and visibility of a
symbol.
"""
UNKNOWN = ...
"""Unknown."""
LOCAL = ...
"""Not visible outside of the object file containing its definition."""
GLOBAL = ...
"""Globally visible."""
WEAK = ...
"""Globally visible but may be overridden by a non-weak global symbol."""
UNIQUE = ...
"""
Globally visible even if dynamic shared object is loaded locally. See GCC's
``-fno-gnu-unique`` `option
<https://gcc.gnu.org/onlinedocs/gcc/Code-Gen-Options.html>`_.
"""
class SymbolKind(enum.Enum):
"""
A ``SymbolKind`` describes the kind of entity that a symbol represents.
"""
UNKNOWN = ...
"""Unknown or not defined."""
OBJECT = ...
"""Data object (e.g., variable or array)."""
FUNC = ...
"""Function or other executable code."""
SECTION = ...
"""Object file section."""
FILE = ...
"""Source file."""
COMMON = ...
"""Data object in common block."""
TLS = ...
"""Thread-local storage entity."""
IFUNC = ...
"""`Indirect function <https://sourceware.org/glibc/wiki/GNU_IFUNC>`_."""
class StackTrace:
"""
A ``StackTrace`` is a :ref:`sequence <python:typesseq-common>` of
:class:`StackFrame`.
``len(trace)`` is the number of stack frames in the trace. ``trace[0]`` is
the innermost stack frame, ``trace[1]`` is its caller, and
``trace[len(trace) - 1]`` is the outermost frame. Negative indexing also
works: ``trace[-1]`` is the outermost frame and ``trace[-len(trace)]`` is
the innermost frame. It is also iterable:
.. code-block:: python3
for frame in trace:
if frame.name == 'io_schedule':
print('Thread is doing I/O')
:class:`str() <str>` returns a pretty-printed stack trace:
>>> prog.stack_trace(1)
#0 context_switch (kernel/sched/core.c:4339:2)
#1 __schedule (kernel/sched/core.c:5147:8)
#2 schedule (kernel/sched/core.c:5226:3)
#3 do_wait (kernel/exit.c:1534:4)
#4 kernel_wait4 (kernel/exit.c:1678:8)
#5 __do_sys_wait4 (kernel/exit.c:1706:13)
#6 do_syscall_64 (arch/x86/entry/common.c:47:14)
#7 entry_SYSCALL_64+0x7c/0x15b (arch/x86/entry/entry_64.S:112)
#8 0x4d49dd
The format is subject to change. The drgn CLI is set up so that stack
traces are displayed with ``str()`` by default.
"""
prog: Final[Program]
"""Program that this stack trace is from."""
def __getitem__(self, idx: IntegerLike) -> StackFrame: ...
def __len__(self) -> int: ...
def __iter__(self) -> Iterator[StackFrame]: ...
def _repr_pretty_(self, p: Any, cycle: bool) -> None: ...
class StackFrame:
"""
A ``StackFrame`` represents a single *frame* in a thread's call stack.
:class:`str() <str>` returns a pretty-printed stack frame:
>>> prog.stack_trace(1)[0]
#0 at 0xffffffffb64ac287 (__schedule+0x227/0x606) in context_switch at kernel/sched/core.c:4339:2 (inlined)
This includes more information than when printing the full stack trace. The
format is subject to change. The drgn CLI is set up so that stack frames
are displayed with ``str()`` by default.
The :meth:`[] <.__getitem__>` operator can look up function parameters,
local variables, and global variables in the scope of the stack frame:
>>> prog.stack_trace(1)[0]['prev'].pid
(pid_t)1
>>> prog.stack_trace(1)[0]['scheduler_running']
(int)1
"""
name: Final[str]
"""
Name of the function or symbol at this frame.
This tries to get the best available name for this frame in the following
order:
1. The name of the function in the source code based on debugging
information (:attr:`frame.function_name <function_name>`).
2. The name of the symbol in the binary (:meth:`frame.symbol().name
<symbol>`).
3. The program counter in hexadecimal (:attr:`hex(frame.pc) <pc>`).
4. The string "???".
"""
function_name: Final[Optional[str]]
"""
Name of the function at this frame, or ``None`` if it could not be
determined.
The name cannot be determined if debugging information is not available for
the function, e.g., because it is implemented in assembly.
"""
is_inline: Final[bool]
"""
Whether this frame is for an inlined call.
An inline frame shares the same stack frame in memory as its caller.
Therefore, it has the same registers (including program counter and thus
symbol).
"""
interrupted: Final[bool]
"""
Whether this stack frame was interrupted (for example, by a hardware
interrupt, signal, trap, etc.).
If this is ``True``, then the register values in this frame are the values
at the time that the frame was interrupted.
This is ``False`` if the frame is for a function call, in which case the
register values are the values when control returns to this frame. In
particular, the program counter is the return address, which is typically
the instruction after the call instruction.
"""
pc: Final[int]
"""Program counter at this stack frame."""
sp: Final[int]
"""Stack pointer at this stack frame."""
def __getitem__(self, name: str) -> Object:
"""
Implement ``self[name]``. Get the object (variable, function parameter,
constant, or function) with the given name in the scope of this frame.
If the object exists but has been optimized out, this returns an
:ref:`absent object <absent-objects>`.
:param name: Object name.
"""
...
def __contains__(self, name: str) -> bool:
"""
Implement ``name in self``. Return whether an object with the given
name exists in the scope of this frame.
:param name: Object name.
"""
...
def locals(self) -> List[str]:
"""
Get a list of the names of all local objects (local variables, function
parameters, local constants, and nested functions) in the scope of this
frame.
Not all names may have present values, but they can be used with the
:meth:`[] <.__getitem__>` operator to check.
"""
...
def source(self) -> SourceLocation:
"""
Get the source code location of this frame.
:raises LookupError: if the source code location is not available
"""
...
def symbol(self) -> Symbol:
"""
Get the function symbol at this stack frame.
This is equivalent to:
.. code-block:: python3
prog.symbol(frame.pc - (0 if frame.interrupted else 1))
"""
...
def register(self, reg: str) -> int:
"""
Get the value of the given register at this stack frame.
:param reg: Register name.
:raises ValueError: if the register name is not recognized
:raises LookupError: if the register value is not known
"""
...
def registers(self) -> Dict[str, int]:
"""
Get the values of all available registers at this stack frame as a
dictionary with the register names as keys.
"""
...
def _repr_pretty_(self, p: Any, cycle: bool) -> None: ...
class SourceLocation(NamedTuple):
"""
File, line, and column location in source code.
The attributes can be accessed by name:
>>> filename = loc.filename
>>> line = loc.line
>>> column = loc.column
or unpacked:
>>> filename, line, column = loc
:class:`str() <str>` returns a pretty-printed location:
>>> loc
context_switch at kernel/sched/core.c:5381:9
"""
filename: str
"""Source file name, or empty string if unknown."""
line: int
"""Source line number, or 0 if unknown."""
column: int
"""Source column, or 0 if unknown."""
def name(self) -> Optional[str]:
"""
Get the name of the function or symbol at this source location, or
``None`` if it could not be determined.
"""
...
def _repr_pretty_(self, p: Any, cycle: bool) -> None: ...
class SourceLocationList:
"""
A :ref:`sequence <python:typesseq-common>` of :class:`SourceLocation`.
This is a read-only list of source code locations:
>>> locs = prog.source_location(0xffffffffb64d70a6)
>>> print(repr(locs))
<_drgn.SourceLocationList object at 0x7fb5d1f8e0e0>
>>> print(repr(locs[0]))
<_drgn.SourceLocation object at 0x7fb5d1feb8d0>
>>> print(repr(locs[1]))
<_drgn.SourceLocation object at 0x7fb5d1feb880>
For code address lookups where the address is in an inlined function, the
first item corresponds to the innermost inlined function, the second item
is its caller, etc.
:class:`str() <str>` returns a pretty-printed list of locations:
>>> locs
#0 context_switch at kernel/sched/core.c:5381:9
#1 __schedule at kernel/sched/core.c:6765:8
"""
prog: Final[Program]
"""Program that this source location list is from."""
def __getitem__(self, idx: IntegerLike) -> SourceLocation: ...
def __len__(self) -> int: ...
def __iter__(self) -> Iterator[SourceLocation]: ...
def _repr_pretty_(self, p: Any, cycle: bool) -> None: ...
class Type:
"""
A ``Type`` object describes a type in a program. Each kind of type (e.g.,
integer, structure) has different attributes (e.g., name, size). Types can
also have qualifiers (e.g., constant, atomic). Accessing an attribute which
does not apply to a type raises an :exc:`AttributeError`.
:func:`repr()` of a ``Type`` returns a Python representation of the type:
>>> print(repr(prog.type('sector_t')))
prog.typedef_type(name='sector_t', type=prog.int_type(name='unsigned long', size=8, is_signed=False))
:class:`str() <str>` returns a representation of the type in programming
language syntax:
>>> print(prog.type('sector_t'))
typedef unsigned long sector_t
The drgn CLI is set up so that types are displayed with ``str()`` instead
of ``repr()`` by default.
This class cannot be constructed directly. Instead, use one of the
:ref:`api-type-constructors`.
"""
prog: Final[Program]
"""Program that this type is from."""
kind: Final[TypeKind]
"""Kind of this type."""
primitive: Final[Optional[PrimitiveType]]
"""
If this is a primitive type (e.g., ``int`` or ``double``), the kind of
primitive type. Otherwise, ``None``.
"""
qualifiers: Final[Qualifiers]
"""Bitmask of this type's qualifier."""
language: Final[Language]
"""Programming language of this type."""
name: Final[str]
"""
Name of this type. This is present for integer, boolean, floating-point,
and typedef types.
"""
tag: Final[Optional[str]]
"""
Tag of this type, or ``None`` if this is an anonymous type. This is present
for structure, union, class, and enumerated types.
"""
size: Final[Optional[int]]
"""
Size of this type in bytes, or ``None`` if this is an incomplete type. This
is present for integer, boolean, floating-point, structure, union, class,
and pointer types.
"""
length: Final[Optional[int]]
"""
Number of elements in this type, or ``None`` if this is an incomplete type.
This is only present for array types.
"""
is_signed: Final[bool]
"""Whether this type is signed. This is only present for integer types."""
byteorder: Final[str]
"""
Byte order of this type: ``'little'`` if it is little-endian, or ``'big'``
if it is big-endian. This is present for integer, boolean, floating-point,
and pointer types.
"""
type: Final[Type]
"""
Type underlying this type, defined as follows:
* For typedef types, the aliased type.
* For enumerated types, the compatible integer type, which is ``None`` if
this is an incomplete type.
* For pointer types, the referenced type.
* For array types, the element type.
* For function types, the return type.
For other types, this attribute is not present.
"""
members: Final[Optional[Sequence[TypeMember]]]
"""
List of members of this type, or ``None`` if this is an incomplete type.
This is present for structure, union, and class types.
"""
enumerators: Final[Optional[Sequence[TypeEnumerator]]]
"""
List of enumeration constants of this type, or ``None`` if this is an
incomplete type. This is only present for enumerated types.
"""
parameters: Final[Sequence[TypeParameter]]
"""
List of parameters of this type. This is only present for function types.
"""
is_variadic: Final[bool]
"""
Whether this type takes a variable number of arguments. This is only
present for function types.
"""
template_parameters: Final[Sequence[TypeTemplateParameter]]
"""
List of template parameters of this type. This is present for structure,
union, class, and function types.
"""
def type_name(self) -> str:
"""Get a descriptive full name of this type."""
...
def variable_declaration(self, name: str) -> str:
"""
Format a variable declaration with this type.
>>> prog.type("int [4]").variable_declaration("my_array")
'int my_array[4]'
:param name: Name of the variable.
:return: Variable declaration in programming language syntax.
"""
def is_complete(self) -> bool:
"""
Get whether this type is complete (i.e., the type definition is known).
This is always ``False`` for void types. It may be ``False`` for
structure, union, class, enumerated, and array types, as well as
typedef types where the underlying type is one of those. Otherwise, it
is always ``True``.
"""
...
def qualified(self, qualifiers: Qualifiers) -> Type:
"""
Get a copy of this type with different qualifiers.
Note that the original qualifiers are replaced, not added to.
:param qualifiers: New type qualifiers.
"""
...
def unqualified(self) -> Type:
"""Get a copy of this type with no qualifiers."""
...
def unaliased(self) -> Type:
"""
Get a copy of this type with all top-level typedefs removed.
For example, given the following typedefs:
.. code-block:: c
typedef long long __kernel_loff_t;
typedef __kernel_loff_t loff_t;
Then:
>>> print(prog.type("loff_t").unaliased())
long long
But in this example:
.. code-block:: c
typedef loff_t *loffp_t;
Only ``loffp_t`` is at the top level, not ``loff_t``:
>>> print(prog.type("loffp_t").unaliased())
loff_t *
"""
...
def unaliased_kind(self) -> TypeKind:
"""
Get the kind of this type with all typedefs removed.
This is a shortcut for :meth:`Type.unaliased().kind <unaliased>`.
"""
...
def member(self, name: str) -> TypeMember:
"""
Look up a member in this type by name.
If this type has any unnamed members, this also matches members of
those unnamed members, recursively. If the member is found in an
unnamed member, :attr:`TypeMember.bit_offset` and
:attr:`TypeMember.offset` are adjusted accordingly.
:param name: Name of the member.
:raises TypeError: if this type is not a structure, union, or class
type
:raises LookupError: if this type does not have a member with the given
name
"""
...
def has_member(self, name: str) -> bool:
"""
Return whether this type has a member with the given name.
If this type has any unnamed members, this also matches members of
those unnamed members, recursively.
:param name: Name of the member.
:raises TypeError: if this type is not a structure, union, or class
type
"""
def _repr_pretty_(self, p: Any, cycle: bool) -> None: ...
class TypeMember:
"""
A ``TypeMember`` represents a member of a structure, union, or class type.
"""
def __init__(
self,
object_or_type: Union[Object, Type, Callable[[], Union[Object, Type]]],
name: Optional[str] = None,
bit_offset: int = 0,
) -> None:
"""
Create a ``TypeMember``.
:param object_or_type: One of:
1. :attr:`TypeMember.object` as an :class:`Object`.
2. :attr:`TypeMember.type` as a :class:`Type`. In this case,
``object`` is set to an absent object with that type.
3. A callable that takes no arguments and returns one of the above.
It is called when ``object`` or ``type`` is first accessed, and
the result is cached.
:param name: :attr:`TypeMember.name`
:param bit_offset: :attr:`TypeMember.bit_offset`
"""
...
object: Final[Object]
"""
Member as an :class:`Object`.
This is the default initializer for the member, or an absent object if the
member has no default initializer. (However, the DWARF specification as of
version 5 does not actually support default member initializers, so this is
usually absent.)
"""
type: Final[Type]
"""
Member type.
This is a shortcut for ``TypeMember.object.type``.
"""
name: Final[Optional[str]]
"""Member name, or ``None`` if the member is unnamed."""
bit_offset: Final[int]
"""Offset of the member from the beginning of the type in bits."""
offset: Final[int]
"""
Offset of the member from the beginning of the type in bytes. If the offset
is not byte-aligned, accessing this attribute raises :exc:`ValueError`.
"""
bit_field_size: Final[Optional[int]]
"""
Size in bits of this member if it is a bit field, ``None`` if it is not.
This is a shortcut for ``TypeMember.object.bit_field_size_``.
"""
class TypeEnumerator:
"""
A ``TypeEnumerator`` represents a constant in an enumerated type.
Its name and value may be accessed as attributes or unpacked:
>>> prog.type('enum pid_type').enumerators[0].name
'PIDTYPE_PID'
>>> name, value = prog.type('enum pid_type').enumerators[0]
>>> value
0
"""
def __init__(self, name: str, value: int) -> None:
"""
Create a ``TypeEnumerator``.
:param name: :attr:`TypeEnumerator.name`
:param value: :attr:`TypeEnumerator.value`
"""
...
name: Final[str]
"Enumerator name."
value: Final[int]
"Enumerator value."
def __len__(self) -> int: ...
def __getitem__(self, idx: int) -> Any: ...
def __iter__(self) -> Iterator[Any]: ...
class TypeParameter:
"""
A ``TypeParameter`` represents a parameter of a function type.
"""
def __init__(
self,
default_argument_or_type: Union[
Object, Type, Callable[[], Union[Object, Type]]
],
name: Optional[str] = None,
) -> None:
"""
Create a ``TypeParameter``.
:param default_argument_or_type: One of:
1. :attr:`TypeParameter.default_argument` as an :class:`Object`.
2. :attr:`TypeParameter.type` as a :class:`Type`. In this case,
``default_argument`` is set to an absent object with that type.
3. A callable that takes no arguments and returns one of the above.
It is called when ``default_argument`` or ``type`` is first
accessed, and the result is cached.
:param name: :attr:`TypeParameter.name`
"""
...
default_argument: Final[Object]
"""
Default argument for parameter.
If the parameter does not have a default argument, then this is an absent
object.
.. note::
Neither GCC nor Clang emits debugging information for default arguments
(as of GCC 10 and Clang 11), and drgn does not yet parse it, so this is
usually absent.
"""
type: Final[Type]
"""
Parameter type.
This is the same as ``TypeParameter.default_argument.type_``.
"""
name: Final[Optional[str]]
"""Parameter name, or ``None`` if the parameter is unnamed."""
class TypeTemplateParameter:
"""
A ``TypeTemplateParameter`` represents a template parameter of a structure,
union, class, or function type.
"""
def __init__(
self,
argument: Union[Type, Object, Callable[[], Union[Type, Object]]],
name: Optional[str] = None,
is_default: bool = False,
) -> None:
"""
Create a ``TypeTemplateParameter``.
:param argument: One of:
1. :attr:`TypeTemplateParameter.argument` as a :class:`Type` if the
parameter is a type template parameter.
2. :attr:`TypeTemplateParameter.argument` as a non-absent
:class:`Object` if the parameter is a non-type template
parameter.
3. A callable that takes no arguments and returns one of the above.
It is called when ``argument`` is first accessed, and the result
is cached.
:param name: :attr:`TypeTemplateParameter.name`
:param is_default: :attr:`TypeTemplateParameter.is_default`
"""
...
argument: Final[Union[Type, Object]]
"""
Template argument.
If this is a type template parameter, then this is a :class:`Type`. If this
is a non-type template parameter, then this is an :class:`Object`.
"""
name: Final[Optional[str]]
"""Template parameter name, or ``None`` if the parameter is unnamed."""
is_default: Final[bool]
"""
Whether :attr:`argument` is the default for the template parameter.
.. note::
There are two ways to interpret this:
1. The argument was omitted entirely and thus defaulted to the
default argument.
2. The (specified or defaulted) argument is the same as the default
argument.
Compilers are inconsistent about which interpretation they use.
GCC added this information in version 4.9. Clang added it in version 11
(and only when emitting DWARF version 5). If the program was compiled
by an older version, this is always false.
"""
class TypeKind(enum.Enum):
"""A ``TypeKind`` represents a kind of type."""
VOID = ...
"""Void type."""
INT = ...
"""Integer type."""
BOOL = ...
"""Boolean type."""
FLOAT = ...
"""Floating-point type."""
STRUCT = ...
"""Structure type."""
UNION = ...
"""Union type."""
CLASS = ...
"""Class type."""
ENUM = ...
"""Enumerated type."""
TYPEDEF = ...
"""Type definition (a.k.a. alias) type."""
POINTER = ...
"""Pointer type."""
ARRAY = ...
"""Array type."""
FUNCTION = ...
"""Function type."""
class TypeKindSet(collections.abc.Set[TypeKind]):
"""
Immutable set of :class:`TypeKind`\\ s.
>>> kinds = TypeKindSet({TypeKind.STRUCT, TypeKind.CLASS})
>>> TypeKind.STRUCT in kinds
True
>>> TypeKind.INT in kinds
False
>>> for kind in kinds:
... print(kind)
...
TypeKind.STRUCT
TypeKind.CLASS
"""
def __contains__(self, __x: object) -> bool: ...
def __iter__(self) -> Iterator[TypeKind]: ...
def __len__(self) -> int: ...
class PrimitiveType(enum.Enum):
"""A ``PrimitiveType`` represents a primitive type known to drgn."""
C_VOID = ...
""
C_CHAR = ...
""
C_SIGNED_CHAR = ...
""
C_UNSIGNED_CHAR = ...
""
C_SHORT = ...
""
C_UNSIGNED_SHORT = ...
""
C_INT = ...
""
C_UNSIGNED_INT = ...
""
C_LONG = ...
""
C_UNSIGNED_LONG = ...
""
C_LONG_LONG = ...
""
C_UNSIGNED_LONG_LONG = ...
""
C_BOOL = ...
""
C_FLOAT = ...
""
C_DOUBLE = ...
""
C_LONG_DOUBLE = ...
""
C_SIZE_T = ...
""
C_PTRDIFF_T = ...
""
class Qualifiers(enum.Flag):
"""``Qualifiers`` are modifiers on types."""
NONE = ...
"""No qualifiers."""
CONST = ...
"""Constant type."""
VOLATILE = ...
"""Volatile type."""
RESTRICT = ...
"""`Restrict <https://en.cppreference.com/w/c/language/restrict>`_ type."""
ATOMIC = ...
"""Atomic type."""
def sizeof(type_or_obj: Union[Type, Object, str], /) -> int:
"""
Get the size of a :class:`Type` or :class:`Object` in bytes.
:param type_or_obj: Entity to get the size of. If given as a string, it is
looked up (first as a type, then as an object) in the
:ref:`default program <default-program>`.
:raises TypeError: if the type does not have a size (e.g., because it is
incomplete or void)
"""
...
def alignof(type: Union[Type, str], /) -> int:
"""
Get the alignment requirement (in bytes) of a :class:`Type`.
This corresponds to |alignof()|_ in C.
.. |alignof()| replace:: ``_Alignof()``
.. _alignof(): https://en.cppreference.com/w/c/language/_Alignof
:param type: Type. If given as a string, it is looked up in the
:ref:`default program <default-program>`.
:raises TypeError: if *type* is a function type or an incomplete type
"""
...
def offsetof(type: Union[Type, str], member: str) -> int:
"""
Get the offset (in bytes) of a member in a :class:`Type`.
This corresponds to |offsetof()|_ in C.
.. |offsetof()| replace:: ``offsetof()``
.. _offsetof(): https://en.cppreference.com/w/c/types/offsetof
:param type: Structure, union, or class type. If given as a string, it is
looked up in the :ref:`default program <default-program>`.
:param member: Name of member. May include one or more member references
and zero or more array subscripts.
:raises TypeError: if *type* is not a structure, union, or class type
:raises ValueError: if the member is not byte-aligned (e.g., because it is
a bit field)
:raises LookupError: if *type* does not have a member with the given name
"""
...
class FaultError(Exception):
"""
This error is raised when a bad memory access is attempted (i.e., when
accessing a memory address which is not valid in a program).
"""
def __init__(self, message: str, address: int) -> None:
"""
:param message: :attr:`FaultError.message`
:param address: :attr:`FaultError.address`
"""
...
message: str
"""Error message."""
address: int
"""Address that couldn't be accessed."""
class MissingDebugInfoError(Exception):
"""
This error is raised when one or more files in a program do not have debug
information.
"""
...
class ObjectAbsentError(Exception):
"""This error is raised when attempting to use an absent object."""
...
class OutOfBoundsError(Exception):
"""
This error is raised when attempting to access beyond the bounds of a value
object.
"""
...
_elfutils_version: str
_have_debuginfod: bool
_enable_dlopen_debuginfod: bool
_with_libkdumpfile: bool
_with_lzma: bool
_with_pcre2: bool
_with_pcre2_utf: bool
def _linux_helper_direct_mapping_offset(__prog: Program) -> int: ...
def _linux_helper_read_vm(
prog: Program, pgtable: Object, address: IntegerLike, size: IntegerLike
) -> bytes: ...
def _linux_helper_follow_phys(
prog: Program, pgtable: Object, address: IntegerLike
) -> int: ...
def _linux_helper_xa_load(xa: Object, index: IntegerLike) -> Object: ...
def _linux_helper_per_cpu_ptr(ptr: Object, cpu: IntegerLike) -> Object:
"""
Return the per-CPU pointer for a given CPU.
>>> prog["init_net"].loopback_dev.pcpu_refcnt
(int *)0x2c980
>>> per_cpu_ptr(prog["init_net"].loopback_dev.pcpu_refcnt, 7)
*(int *)0xffff925e3ddec980 = 4
:param ptr: Per-CPU pointer, i.e., ``type __percpu *``. For global
variables, it's usually easier to use :func:`per_cpu()`.
:param cpu: CPU number.
:return: ``type *`` object.
"""
...
def _linux_helper_cpu_curr(__prog: Program, __cpu: IntegerLike) -> Object: ...
def _linux_helper_idle_task(__prog: Program, __cpu: IntegerLike) -> Object: ...
def _linux_helper_task_thread_info(task: Object) -> Object:
"""
Return the thread information structure for a task.
:param task: ``struct task_struct *``
:return: ``struct thread_info *``
"""
...
def _linux_helper_task_cpu(task: Object) -> int:
"""
Return the CPU number that the given task last ran on.
:param task: ``struct task_struct *``
"""
...
def _linux_helper_task_on_cpu(task: Object) -> bool:
"""
Return whether the given task is currently running on a CPU.
:param task: ``struct task_struct *``
"""
...
def _linux_helper_idr_find(idr: Object, id: IntegerLike) -> Object: ...
def _linux_helper_find_pid(__ns: Object, __pid: IntegerLike) -> Object: ...
def _linux_helper_pid_task(pid: Object, pid_type: IntegerLike) -> Object:
"""
Return the ``struct task_struct *`` containing the given ``struct pid *``
of the given type.
:param pid: ``struct pid *``
:param pid_type: ``enum pid_type``
:return: ``struct task_struct *``
"""
...
def _linux_helper_find_task(__ns: Object, __pid: IntegerLike) -> Object: ...
def _linux_helper_kaslr_offset(__prog: Program) -> int: ...
def _linux_helper_pgtable_l5_enabled(__prog: Program) -> bool: ...
def _linux_helper_load_proc_kallsyms(
filename: Optional[str] = None,
modules: bool = False,
) -> SymbolIndex: ...
def _linux_helper_load_builtin_kallsyms(prog: Program) -> SymbolIndex: ...
|