1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433 2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444 2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474 2475 2476 2477 2478 2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516 2517 2518 2519 2520 2521 2522 2523 2524 2525 2526 2527 2528 2529 2530 2531 2532 2533 2534 2535 2536 2537 2538 2539 2540 2541 2542 2543 2544 2545 2546 2547 2548 2549 2550 2551 2552 2553 2554 2555 2556 2557 2558 2559 2560 2561 2562 2563 2564 2565 2566 2567 2568 2569 2570 2571 2572 2573 2574 2575 2576 2577 2578 2579 2580 2581 2582 2583 2584 2585 2586 2587 2588 2589 2590 2591 2592 2593 2594 2595 2596 2597 2598 2599 2600 2601 2602 2603 2604 2605 2606 2607 2608 2609 2610 2611 2612 2613 2614 2615 2616 2617 2618 2619 2620 2621 2622 2623 2624 2625 2626 2627 2628 2629 2630 2631 2632 2633 2634 2635 2636 2637 2638 2639 2640 2641 2642 2643 2644 2645 2646 2647 2648 2649 2650 2651 2652 2653 2654 2655 2656 2657 2658 2659 2660 2661 2662 2663 2664 2665 2666 2667 2668 2669 2670 2671 2672 2673 2674 2675 2676 2677 2678 2679 2680 2681 2682 2683 2684 2685 2686 2687 2688 2689 2690 2691 2692 2693 2694 2695 2696 2697 2698 2699 2700 2701 2702 2703 2704 2705 2706 2707 2708 2709 2710 2711 2712 2713 2714 2715 2716 2717 2718 2719 2720 2721 2722 2723 2724 2725 2726 2727 2728 2729 2730 2731 2732 2733 2734 2735 2736 2737 2738 2739 2740 2741 2742 2743 2744 2745 2746 2747 2748 2749 2750 2751 2752 2753 2754 2755 2756 2757 2758 2759 2760 2761 2762 2763 2764 2765 2766 2767 2768 2769 2770 2771 2772 2773 2774 2775 2776 2777 2778 2779 2780 2781 2782 2783 2784 2785 2786 2787 2788 2789 2790 2791 2792 2793 2794 2795 2796 2797 2798 2799 2800 2801 2802 2803 2804 2805 2806 2807 2808 2809 2810 2811 2812 2813 2814 2815 2816 2817 2818 2819 2820 2821 2822 2823 2824 2825 2826 2827 2828 2829 2830 2831 2832 2833 2834 2835 2836 2837 2838 2839 2840 2841 2842 2843 2844 2845 2846 2847 2848 2849 2850 2851 2852 2853 2854 2855 2856 2857 2858 2859 2860 2861 2862 2863 2864 2865 2866 2867 2868 2869 2870 2871 2872 2873 2874 2875 2876 2877 2878 2879 2880 2881 2882 2883 2884 2885 2886 2887 2888 2889 2890 2891 2892 2893 2894 2895 2896 2897 2898 2899 2900 2901 2902 2903 2904 2905 2906 2907 2908 2909 2910 2911 2912 2913 2914 2915 2916 2917 2918 2919 2920 2921 2922 2923 2924 2925 2926 2927 2928 2929 2930 2931 2932 2933 2934 2935 2936 2937 2938 2939 2940 2941 2942 2943 2944 2945 2946 2947 2948 2949 2950 2951 2952 2953 2954 2955 2956 2957 2958 2959 2960 2961 2962 2963 2964 2965 2966 2967 2968 2969 2970 2971 2972 2973 2974 2975 2976 2977 2978 2979 2980 2981 2982 2983 2984 2985 2986 2987 2988 2989 2990 2991 2992 2993 2994 2995 2996 2997 2998 2999 3000 3001 3002 3003 3004 3005 3006 3007 3008 3009 3010 3011 3012 3013 3014 3015 3016 3017 3018 3019 3020 3021 3022 3023 3024 3025 3026 3027 3028 3029 3030 3031 3032 3033 3034 3035 3036 3037 3038 3039 3040 3041 3042 3043 3044 3045 3046 3047 3048 3049 3050 3051 3052 3053 3054 3055 3056 3057 3058 3059 3060 3061 3062 3063 3064 3065 3066 3067 3068 3069 3070 3071 3072 3073 3074 3075 3076 3077 3078 3079 3080 3081 3082 3083 3084 3085 3086 3087 3088 3089 3090 3091 3092 3093 3094 3095 3096 3097 3098 3099 3100 3101 3102 3103 3104 3105 3106 3107 3108 3109 3110 3111 3112 3113 3114 3115 3116 3117 3118 3119 3120 3121 3122 3123 3124 3125 3126 3127 3128 3129 3130 3131 3132 3133 3134 3135 3136 3137 3138 3139 3140 3141 3142 3143 3144 3145 3146 3147 3148 3149 3150 3151 3152 3153 3154 3155 3156 3157 3158 3159 3160 3161 3162 3163 3164 3165 3166 3167 3168 3169 3170 3171 3172 3173 3174 3175 3176 3177 3178 3179 3180 3181 3182 3183 3184 3185 3186 3187 3188 3189 3190 3191 3192 3193 3194 3195 3196 3197 3198 3199 3200 3201 3202 3203 3204 3205 3206 3207 3208 3209 3210 3211 3212 3213 3214 3215 3216 3217 3218 3219 3220 3221 3222 3223 3224 3225 3226 3227 3228 3229 3230 3231 3232 3233 3234 3235 3236 3237 3238 3239 3240 3241 3242 3243 3244 3245 3246 3247 3248 3249 3250 3251 3252 3253 3254 3255 3256 3257 3258 3259 3260 3261 3262 3263 3264 3265 3266 3267 3268 3269 3270 3271 3272 3273 3274 3275 3276 3277 3278 3279 3280 3281 3282 3283 3284 3285 3286 3287 3288 3289 3290 3291 3292 3293 3294 3295 3296 3297 3298 3299 3300 3301 3302 3303 3304 3305 3306 3307 3308 3309 3310 3311 3312 3313 3314 3315 3316 3317 3318 3319 3320 3321 3322 3323 3324 3325 3326 3327 3328 3329 3330 3331 3332 3333 3334 3335 3336 3337 3338 3339 3340 3341 3342 3343 3344 3345 3346 3347 3348 3349 3350 3351 3352 3353 3354 3355 3356 3357 3358 3359 3360 3361 3362 3363 3364 3365 3366 3367 3368 3369 3370 3371 3372 3373 3374 3375 3376 3377 3378 3379 3380 3381 3382 3383 3384 3385 3386 3387 3388 3389 3390 3391 3392 3393 3394 3395 3396 3397 3398 3399 3400 3401 3402 3403 3404 3405 3406 3407 3408 3409 3410 3411 3412 3413 3414 3415 3416 3417 3418 3419 3420 3421 3422 3423 3424 3425 3426 3427 3428 3429 3430 3431 3432 3433 3434 3435 3436 3437 3438 3439 3440 3441 3442 3443 3444 3445 3446 3447 3448 3449 3450 3451 3452 3453 3454 3455 3456 3457 3458 3459 3460 3461 3462 3463 3464 3465 3466 3467 3468 3469 3470 3471 3472 3473 3474 3475 3476 3477 3478 3479 3480 3481 3482 3483 3484 3485 3486 3487 3488 3489 3490 3491 3492 3493 3494 3495 3496 3497 3498 3499 3500 3501 3502 3503 3504 3505 3506 3507 3508 3509 3510 3511 3512 3513 3514 3515 3516 3517 3518 3519 3520 3521 3522 3523 3524 3525 3526 3527 3528 3529 3530 3531 3532 3533 3534 3535 3536 3537 3538 3539 3540 3541 3542 3543 3544 3545 3546 3547 3548 3549 3550 3551 3552 3553 3554 3555 3556 3557 3558 3559 3560 3561 3562 3563 3564 3565 3566 3567 3568 3569 3570 3571 3572 3573 3574 3575 3576 3577 3578 3579 3580 3581 3582 3583 3584 3585 3586 3587 3588 3589 3590 3591 3592 3593 3594 3595 3596 3597 3598 3599 3600 3601 3602 3603 3604 3605 3606 3607 3608 3609 3610 3611 3612 3613 3614 3615 3616 3617 3618 3619 3620 3621 3622 3623 3624 3625 3626 3627 3628 3629 3630 3631 3632 3633 3634 3635 3636 3637 3638 3639 3640 3641 3642 3643 3644 3645 3646 3647 3648 3649 3650 3651 3652 3653 3654 3655 3656 3657 3658 3659 3660 3661 3662 3663 3664 3665 3666 3667 3668 3669 3670 3671 3672 3673 3674 3675 3676 3677 3678 3679 3680 3681 3682 3683 3684 3685 3686 3687 3688 3689 3690 3691 3692 3693 3694 3695 3696 3697 3698 3699 3700 3701 3702 3703 3704 3705 3706 3707 3708 3709 3710 3711 3712 3713 3714 3715 3716 3717 3718 3719 3720 3721 3722 3723 3724 3725 3726 3727 3728 3729 3730 3731 3732 3733 3734 3735 3736 3737 3738 3739 3740 3741 3742 3743 3744 3745 3746 3747 3748 3749 3750 3751 3752 3753 3754 3755 3756 3757 3758 3759 3760 3761 3762 3763 3764 3765 3766 3767 3768 3769 3770 3771 3772 3773 3774 3775 3776 3777 3778 3779 3780 3781 3782 3783 3784 3785 3786 3787 3788 3789 3790 3791 3792 3793 3794 3795 3796 3797 3798 3799 3800 3801 3802 3803 3804 3805 3806 3807 3808 3809 3810 3811 3812 3813 3814 3815 3816 3817 3818 3819 3820 3821 3822 3823 3824 3825 3826 3827 3828 3829 3830 3831 3832 3833 3834 3835 3836 3837 3838 3839 3840 3841 3842 3843 3844 3845 3846 3847 3848 3849 3850 3851 3852 3853 3854 3855 3856 3857 3858 3859 3860 3861 3862 3863 3864 3865 3866 3867 3868 3869 3870 3871 3872 3873 3874 3875 3876 3877 3878 3879 3880 3881 3882 3883 3884 3885 3886 3887 3888 3889 3890 3891 3892 3893 3894 3895 3896 3897 3898 3899 3900 3901 3902 3903 3904 3905 3906 3907 3908 3909 3910 3911 3912 3913 3914 3915 3916 3917 3918 3919 3920 3921 3922 3923 3924 3925 3926 3927 3928 3929 3930 3931 3932 3933 3934 3935 3936 3937 3938 3939 3940 3941 3942 3943 3944 3945 3946 3947 3948 3949 3950 3951 3952 3953 3954 3955 3956 3957 3958 3959 3960 3961 3962 3963 3964 3965 3966 3967 3968 3969 3970 3971 3972 3973 3974 3975 3976 3977 3978 3979 3980 3981 3982 3983 3984 3985 3986 3987 3988 3989 3990 3991 3992 3993 3994 3995 3996 3997 3998 3999 4000 4001 4002 4003 4004 4005 4006 4007 4008 4009 4010 4011 4012 4013 4014 4015 4016 4017 4018 4019 4020 4021 4022 4023 4024 4025 4026 4027 4028 4029 4030 4031 4032 4033 4034 4035 4036 4037 4038 4039 4040 4041 4042 4043 4044 4045 4046 4047 4048 4049 4050 4051 4052 4053 4054 4055 4056 4057 4058 4059 4060 4061 4062 4063 4064 4065 4066 4067 4068 4069 4070 4071 4072 4073 4074 4075 4076 4077 4078 4079 4080 4081 4082 4083 4084 4085 4086 4087 4088 4089 4090 4091 4092 4093 4094 4095 4096 4097 4098 4099 4100 4101 4102 4103 4104 4105 4106 4107 4108 4109 4110 4111 4112 4113 4114 4115 4116 4117 4118 4119 4120 4121 4122 4123 4124 4125 4126 4127 4128 4129 4130 4131 4132 4133 4134 4135 4136 4137 4138 4139 4140 4141 4142 4143 4144 4145 4146 4147 4148 4149 4150 4151 4152 4153 4154 4155 4156 4157 4158 4159 4160 4161 4162 4163 4164 4165 4166 4167 4168 4169 4170 4171 4172 4173 4174 4175 4176 4177 4178 4179 4180 4181 4182 4183 4184 4185 4186 4187 4188 4189 4190 4191 4192 4193 4194 4195 4196 4197 4198 4199 4200 4201 4202 4203 4204 4205 4206 4207 4208 4209 4210 4211 4212 4213 4214 4215 4216 4217 4218 4219 4220 4221 4222 4223 4224 4225 4226 4227 4228 4229 4230 4231 4232 4233 4234 4235 4236 4237 4238 4239 4240 4241 4242 4243 4244 4245 4246 4247 4248 4249 4250 4251 4252 4253 4254 4255 4256 4257 4258 4259 4260 4261 4262 4263 4264 4265 4266 4267 4268 4269 4270 4271 4272 4273 4274 4275 4276 4277 4278 4279 4280 4281 4282 4283 4284 4285 4286 4287 4288 4289 4290 4291 4292 4293 4294 4295 4296 4297 4298 4299 4300 4301 4302 4303 4304 4305 4306 4307 4308 4309 4310 4311 4312 4313 4314 4315 4316 4317 4318 4319 4320 4321 4322 4323 4324 4325 4326 4327 4328 4329 4330 4331 4332 4333 4334 4335 4336 4337 4338 4339 4340 4341 4342 4343 4344 4345 4346 4347 4348 4349 4350 4351 4352 4353 4354 4355 4356 4357 4358 4359 4360 4361 4362 4363 4364 4365 4366 4367 4368 4369 4370 4371 4372 4373 4374 4375 4376 4377 4378 4379 4380 4381 4382 4383 4384 4385 4386 4387 4388 4389 4390 4391 4392 4393 4394 4395 4396 4397 4398 4399 4400 4401 4402 4403 4404 4405 4406 4407 4408 4409 4410 4411 4412 4413 4414 4415 4416 4417 4418 4419 4420 4421 4422 4423 4424 4425 4426 4427 4428 4429 4430 4431 4432 4433 4434 4435 4436 4437 4438 4439 4440 4441 4442 4443 4444 4445 4446 4447 4448 4449 4450 4451 4452 4453 4454 4455 4456 4457 4458 4459 4460 4461 4462 4463 4464 4465 4466 4467 4468 4469 4470 4471 4472 4473 4474 4475 4476 4477 4478 4479 4480 4481 4482 4483 4484 4485 4486 4487 4488 4489 4490 4491 4492 4493 4494 4495 4496 4497 4498 4499 4500 4501 4502 4503 4504 4505 4506 4507 4508 4509 4510 4511 4512 4513 4514 4515 4516 4517 4518 4519 4520 4521 4522 4523 4524 4525 4526 4527 4528 4529 4530 4531 4532 4533 4534 4535 4536 4537 4538 4539 4540 4541 4542 4543 4544 4545 4546 4547 4548 4549 4550 4551 4552 4553 4554 4555 4556 4557 4558 4559 4560 4561 4562 4563 4564 4565 4566 4567 4568 4569 4570 4571 4572 4573 4574 4575 4576 4577 4578 4579 4580 4581 4582 4583 4584 4585 4586 4587 4588 4589 4590 4591 4592 4593 4594 4595 4596 4597 4598 4599 4600 4601 4602 4603 4604 4605 4606 4607 4608 4609 4610 4611 4612 4613 4614 4615 4616 4617 4618 4619 4620 4621 4622 4623 4624 4625 4626 4627 4628 4629 4630 4631 4632 4633 4634 4635 4636 4637 4638 4639 4640 4641 4642 4643 4644 4645 4646 4647 4648 4649 4650 4651 4652 4653 4654 4655 4656 4657 4658 4659 4660 4661 4662 4663 4664 4665 4666 4667 4668 4669 4670 4671 4672 4673 4674 4675 4676 4677 4678 4679 4680 4681 4682 4683 4684 4685 4686 4687 4688 4689 4690 4691 4692 4693 4694 4695 4696 4697 4698 4699 4700 4701
|
//===--- DeserializeSIL.cpp - Read SIL ------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
#define DEBUG_TYPE "deserialize"
#include "DeserializeSIL.h"
#include "BCReadingExtras.h"
#include "DeserializationErrors.h"
#include "ModuleFile.h"
#include "SILFormat.h"
#include "SILSerializationFunctionBuilder.h"
#include "swift/AST/DiagnosticsSIL.h"
#include "swift/AST/GenericSignature.h"
#include "swift/AST/PrettyStackTrace.h"
#include "swift/AST/ProtocolConformance.h"
#include "swift/Basic/Defer.h"
#include "swift/Basic/PrettyStackTrace.h"
#include "swift/SIL/SILArgument.h"
#include "swift/SIL/SILBuilder.h"
#include "swift/SIL/SILDebugScope.h"
#include "swift/SIL/SILModule.h"
#include "swift/SIL/SILMoveOnlyDeinit.h"
#include "swift/SIL/SILProperty.h"
#include "swift/SIL/SILUndef.h"
#include "swift/SIL/OwnershipUtils.h"
#include "llvm/ADT/Statistic.h"
#include "llvm/ADT/StringExtras.h"
#include "llvm/Support/DJB.h"
#include "llvm/Support/Debug.h"
#include "llvm/Support/OnDiskHashTable.h"
#include <type_traits>
using namespace swift;
using namespace swift::serialization;
using namespace swift::serialization::sil_block;
using namespace llvm::support;
const char SILEntityError::ID = '\0';
void SILEntityError::anchor() {}
const char SILFunctionTypeMismatch::ID = '\0';
void SILFunctionTypeMismatch::anchor() {}
STATISTIC(NumDeserializedFunc, "Number of deserialized SIL functions");
static std::optional<StringLiteralInst::Encoding>
fromStableStringEncoding(unsigned value) {
switch (value) {
case SIL_BYTES: return StringLiteralInst::Encoding::Bytes;
case SIL_UTF8: return StringLiteralInst::Encoding::UTF8;
case SIL_OBJC_SELECTOR: return StringLiteralInst::Encoding::ObjCSelector;
case SIL_UTF8_OSLOG: return StringLiteralInst::Encoding::UTF8_OSLOG;
default:
return std::nullopt;
}
}
static std::optional<SILLinkage> fromStableSILLinkage(unsigned value) {
switch (value) {
case SIL_LINKAGE_PUBLIC: return SILLinkage::Public;
case SIL_LINKAGE_PUBLIC_NON_ABI: return SILLinkage::PublicNonABI;
case SIL_LINKAGE_PACKAGE: return SILLinkage::Package;
case SIL_LINKAGE_PACKAGE_NON_ABI: return SILLinkage::PackageNonABI;
case SIL_LINKAGE_HIDDEN: return SILLinkage::Hidden;
case SIL_LINKAGE_SHARED: return SILLinkage::Shared;
case SIL_LINKAGE_PRIVATE: return SILLinkage::Private;
case SIL_LINKAGE_PUBLIC_EXTERNAL: return SILLinkage::PublicExternal;
case SIL_LINKAGE_PACKAGE_EXTERNAL: return SILLinkage::PackageExternal;
case SIL_LINKAGE_HIDDEN_EXTERNAL: return SILLinkage::HiddenExternal;
}
llvm_unreachable("Invalid SIL linkage");
}
static std::optional<SILVTable::Entry::Kind>
fromStableVTableEntryKind(unsigned value) {
switch (value) {
case SIL_VTABLE_ENTRY_NORMAL: return SILVTable::Entry::Kind::Normal;
case SIL_VTABLE_ENTRY_INHERITED: return SILVTable::Entry::Kind::Inherited;
case SIL_VTABLE_ENTRY_OVERRIDE: return SILVTable::Entry::Kind::Override;
default:
return std::nullopt;
}
}
static std::optional<swift::DifferentiabilityKind>
fromStableDifferentiabilityKind(uint8_t diffKind) {
switch (diffKind) {
#define CASE(THE_DK) \
case (uint8_t)serialization::DifferentiabilityKind::THE_DK: \
return swift::DifferentiabilityKind::THE_DK;
CASE(NonDifferentiable)
CASE(Forward)
CASE(Reverse)
CASE(Normal)
CASE(Linear)
#undef CASE
default:
return std::nullopt;
}
}
/// Used to deserialize entries in the on-disk func hash table.
class SILDeserializer::FuncTableInfo {
ModuleFile &MF;
public:
using internal_key_type = StringRef;
using external_key_type = StringRef;
using data_type = DeclID;
using hash_value_type = uint32_t;
using offset_type = unsigned;
explicit FuncTableInfo(ModuleFile &MF) : MF(MF) {}
internal_key_type GetInternalKey(external_key_type ID) { return ID; }
external_key_type GetExternalKey(internal_key_type ID) { return ID; }
hash_value_type ComputeHash(internal_key_type key) {
return llvm::djbHash(key, SWIFTMODULE_HASH_SEED);
}
static bool EqualKey(internal_key_type lhs, internal_key_type rhs) {
return lhs == rhs;
}
static std::pair<unsigned, unsigned> ReadKeyDataLength(const uint8_t *&data) {
return { sizeof(uint32_t), sizeof(uint32_t) };
}
internal_key_type ReadKey(const uint8_t *data, unsigned length) {
assert(length == sizeof(uint32_t) && "Expect a single IdentifierID.");
IdentifierID keyID = endian::readNext<uint32_t, little, unaligned>(data);
return MF.getIdentifierText(keyID);
}
static data_type ReadData(internal_key_type key, const uint8_t *data,
unsigned length) {
assert(length == sizeof(uint32_t) && "Expect a single DeclID.");
data_type result = endian::readNext<uint32_t, little, unaligned>(data);
return result;
}
};
SILDeserializer::SILDeserializer(
ModuleFile *MF, SILModule &M,
DeserializationNotificationHandlerSet *callback)
: MF(MF), SILMod(M), Callback(callback) {
SILCursor = MF->getSILCursor();
SILIndexCursor = MF->getSILIndexCursor();
// Early return if either sil block or sil index block does not exist.
if (SILCursor.AtEndOfStream() || SILIndexCursor.AtEndOfStream())
return;
// Load any abbrev records at the start of the block.
MF->fatalIfUnexpected(SILCursor.advance());
llvm::BitstreamCursor cursor = SILIndexCursor;
// We expect SIL_FUNC_NAMES first, then SIL_VTABLE_NAMES, then
// SIL_GLOBALVAR_NAMES, then SIL_WITNESS_TABLE_NAMES, and finally
// SIL_DEFAULT_WITNESS_TABLE_NAMES. But each one can be
// omitted if no entries exist in the module file.
unsigned kind = 0;
while (kind != sil_index_block::SIL_PROPERTY_OFFSETS) {
llvm::BitstreamEntry next = MF->fatalIfUnexpected(cursor.advance());
if (next.Kind == llvm::BitstreamEntry::EndBlock)
return;
SmallVector<uint64_t, 4> scratch;
StringRef blobData;
unsigned prevKind = kind;
kind =
MF->fatalIfUnexpected(cursor.readRecord(next.ID, scratch, &blobData));
assert((next.Kind == llvm::BitstreamEntry::Record && kind > prevKind &&
(kind == sil_index_block::SIL_FUNC_NAMES ||
kind == sil_index_block::SIL_VTABLE_NAMES ||
kind == sil_index_block::SIL_MOVEONLYDEINIT_NAMES ||
kind == sil_index_block::SIL_GLOBALVAR_NAMES ||
kind == sil_index_block::SIL_WITNESS_TABLE_NAMES ||
kind == sil_index_block::SIL_DEFAULT_WITNESS_TABLE_NAMES ||
kind == sil_index_block::SIL_PROPERTY_OFFSETS ||
kind == sil_index_block::SIL_DIFFERENTIABILITY_WITNESS_NAMES)) &&
"Expect SIL_FUNC_NAMES, SIL_VTABLE_NAMES, SIL_GLOBALVAR_NAMES, \
SIL_WITNESS_TABLE_NAMES, SIL_DEFAULT_WITNESS_TABLE_NAMES, \
SIL_PROPERTY_OFFSETS, SIL_MOVEONLYDEINIT_NAMES, or SIL_DIFFERENTIABILITY_WITNESS_NAMES.");
(void)prevKind;
if (kind == sil_index_block::SIL_FUNC_NAMES)
FuncTable = readFuncTable(scratch, blobData);
else if (kind == sil_index_block::SIL_VTABLE_NAMES)
VTableList = readFuncTable(scratch, blobData);
else if (kind == sil_index_block::SIL_MOVEONLYDEINIT_NAMES)
MoveOnlyDeinitList = readFuncTable(scratch, blobData);
else if (kind == sil_index_block::SIL_GLOBALVAR_NAMES)
GlobalVarList = readFuncTable(scratch, blobData);
else if (kind == sil_index_block::SIL_WITNESS_TABLE_NAMES)
WitnessTableList = readFuncTable(scratch, blobData);
else if (kind == sil_index_block::SIL_DEFAULT_WITNESS_TABLE_NAMES)
DefaultWitnessTableList = readFuncTable(scratch, blobData);
else if (kind == sil_index_block::SIL_DIFFERENTIABILITY_WITNESS_NAMES)
DifferentiabilityWitnessList = readFuncTable(scratch, blobData);
else if (kind == sil_index_block::SIL_PROPERTY_OFFSETS) {
// No matching 'names' block for property descriptors needed yet.
MF->allocateBuffer(Properties, scratch);
return;
}
// Read SIL_FUNC|VTABLE|GLOBALVAR_OFFSETS record.
next = MF->fatalIfUnexpected(cursor.advance());
scratch.clear();
unsigned offKind =
MF->fatalIfUnexpected(cursor.readRecord(next.ID, scratch, &blobData));
(void)offKind;
if (kind == sil_index_block::SIL_FUNC_NAMES) {
assert((next.Kind == llvm::BitstreamEntry::Record &&
offKind == sil_index_block::SIL_FUNC_OFFSETS) &&
"Expect a SIL_FUNC_OFFSETS record.");
MF->allocateBuffer(Funcs, scratch);
} else if (kind == sil_index_block::SIL_VTABLE_NAMES) {
assert((next.Kind == llvm::BitstreamEntry::Record &&
offKind == sil_index_block::SIL_VTABLE_OFFSETS) &&
"Expect a SIL_VTABLE_OFFSETS record.");
MF->allocateBuffer(VTables, scratch);
} else if (kind == sil_index_block::SIL_MOVEONLYDEINIT_NAMES) {
assert((next.Kind == llvm::BitstreamEntry::Record &&
offKind == sil_index_block::SIL_MOVEONLYDEINIT_OFFSETS) &&
"Expect a SIL_MOVEONLYDEINIT_OFFSETS record.");
MF->allocateBuffer(MoveOnlyDeinits, scratch);
} else if (kind == sil_index_block::SIL_GLOBALVAR_NAMES) {
assert((next.Kind == llvm::BitstreamEntry::Record &&
offKind == sil_index_block::SIL_GLOBALVAR_OFFSETS) &&
"Expect a SIL_GLOBALVAR_OFFSETS record.");
MF->allocateBuffer(GlobalVars, scratch);
} else if (kind == sil_index_block::SIL_WITNESS_TABLE_NAMES) {
assert((next.Kind == llvm::BitstreamEntry::Record &&
offKind == sil_index_block::SIL_WITNESS_TABLE_OFFSETS) &&
"Expect a SIL_WITNESS_TABLE_OFFSETS record.");
MF->allocateBuffer(WitnessTables, scratch);
} else if (kind == sil_index_block::SIL_DEFAULT_WITNESS_TABLE_NAMES) {
assert((next.Kind == llvm::BitstreamEntry::Record &&
offKind == sil_index_block::SIL_DEFAULT_WITNESS_TABLE_OFFSETS) &&
"Expect a SIL_DEFAULT_WITNESS_TABLE_OFFSETS record.");
MF->allocateBuffer(DefaultWitnessTables, scratch);
} else if (kind == sil_index_block::SIL_DIFFERENTIABILITY_WITNESS_NAMES) {
assert((next.Kind == llvm::BitstreamEntry::Record &&
offKind ==
sil_index_block::SIL_DIFFERENTIABILITY_WITNESS_OFFSETS) &&
"Expect a SIL_DIFFERENTIABILITY_WITNESS_OFFSETS record.");
MF->allocateBuffer(DifferentiabilityWitnesses, scratch);
}
}
}
std::unique_ptr<SILDeserializer::SerializedFuncTable>
SILDeserializer::readFuncTable(ArrayRef<uint64_t> fields, StringRef blobData) {
uint32_t tableOffset;
sil_index_block::ListLayout::readRecord(fields, tableOffset);
auto base = reinterpret_cast<const uint8_t *>(blobData.data());
using OwnedTable = std::unique_ptr<SerializedFuncTable>;
return OwnedTable(SerializedFuncTable::Create(base + tableOffset,
base + sizeof(uint32_t), base,
FuncTableInfo(*MF)));
}
/// A high-level overview of how forward references work in serializer and
/// deserializer:
/// In the serializer, we pre-assign a value ID in order, to each basic block
/// argument and each SILInstruction that has a value.
/// In the deserializer, we create a PlaceholderValue for a forward-referenced
/// value (a value that is used but not yet defined). LocalValues are updated in
/// setLocalValue where the ID passed in assumes the same ordering as in
/// serializer: in-order for each basic block argument and each SILInstruction
/// that has a value.
/// When a forward-referenced value is defined, it replaces the PlaceholderValue
/// in LocalValues.
void SILDeserializer::setLocalValue(ValueBase *Value, ValueID Id) {
ValueBase *&Entry = LocalValues[Id];
if (auto *placeholder = dyn_cast_or_null<PlaceholderValue>(Entry)) {
placeholder->replaceAllUsesWith(Value);
::delete placeholder;
} else {
assert(!Entry && "We should not redefine the same value.");
}
// Store it in our map.
Entry = Value;
}
SILValue SILDeserializer::getLocalValue(SILFunction *inContext, ValueID Id,
SILType Type) {
// The first two IDs are special undefined values.
if (Id == 0) {
assert(inContext &&
"Should never have a SILUndef in a global variable initializer?!");
return SILUndef::get(*inContext, Type);
}
assert(Id != 1 && "This used to be for SILUndef with OwnershipKind::Owned... "
"but we don't support that anymore. Make sure no one "
"changes that without updating this code if needed");
// Check to see if this is already defined.
ValueBase *&Entry = LocalValues[Id];
if (!Entry) {
// Otherwise, this is a forward reference. Create a dummy node to represent
// it until we see a real definition.
Entry = ::new PlaceholderValue(inContext, Type);
}
// If this value was already defined, check it to make sure types match.
assert(Entry->getType() == Type && "Value Type mismatch?");
return Entry;
}
/// Return the SILBasicBlock of a given ID.
SILBasicBlock *SILDeserializer::getBBForDefinition(SILFunction *Fn,
SILBasicBlock *Prev,
unsigned ID) {
SILBasicBlock *&BB = BlocksByID[ID];
// If the block has never been named yet, just create it.
if (BB == nullptr) {
if (Prev) {
BB = Fn->createBasicBlockAfter(Prev);
} else {
BB = Fn->createBasicBlock();
}
return BB;
}
// If it already exists, it was either a forward reference or a redefinition.
// The latter should never happen.
bool wasForwardReferenced = UndefinedBlocks.erase(BB);
assert(wasForwardReferenced);
(void)wasForwardReferenced;
if (Prev)
Fn->moveBlockAfter(BB, Prev);
return BB;
}
/// Return the SILBasicBlock of a given ID.
SILBasicBlock *SILDeserializer::getBBForReference(SILFunction *Fn,
unsigned ID) {
SILBasicBlock *&BB = BlocksByID[ID];
if (BB != nullptr)
return BB;
// Otherwise, create it and remember that this is a forward reference
BB = Fn->createBasicBlock();
UndefinedBlocks[BB] = ID;
return BB;
}
/// Helper function to convert from Type to SILType.
SILType SILDeserializer::getSILType(Type Ty, SILValueCategory Category,
SILFunction *inContext) {
auto TyLoc = TypeLoc::withoutLoc(Ty);
if (!inContext) {
return SILType::getPrimitiveType(TyLoc.getType()->getCanonicalType(),
Category);
}
return inContext->getLoweredType(TyLoc.getType()->getCanonicalType())
.getCategoryType(Category);
}
/// Helper function to find a SILDifferentiabilityWitness, given its mangled
/// key.
SILDifferentiabilityWitness *
SILDeserializer::getSILDifferentiabilityWitnessForReference(
StringRef mangledKey) {
// Check to see if we have a witness under this key already.
auto *witness = SILMod.lookUpDifferentiabilityWitness(mangledKey);
if (witness)
return witness;
// Otherwise, look for a witness under this key in the module.
if (!DifferentiabilityWitnessList)
return nullptr;
auto iter = DifferentiabilityWitnessList->find(mangledKey);
if (iter == DifferentiabilityWitnessList->end())
return nullptr;
return readDifferentiabilityWitness(*iter);
}
/// Helper function to find a SILFunction, given its name and type.
SILFunction *SILDeserializer::getFuncForReference(StringRef name,
SILType type,
TypeExpansionContext context) {
// Check to see if we have a function by this name already.
SILFunction *fn = SILMod.lookUpFunction(name);
if (!fn) {
// Otherwise, look for a function with this name in the module.
auto iter = FuncTable->find(name);
if (iter != FuncTable->end()) {
auto maybeFn = readSILFunctionChecked(*iter, nullptr, name,
/*declarationOnly*/ true);
if (maybeFn) {
fn = maybeFn.get();
} else {
// Ignore the failure; we'll synthesize a bogus function instead.
llvm::consumeError(maybeFn.takeError());
}
}
}
// At this point, if fn is set, we know that we have a good function to use.
if (fn) {
SILType fnType = fn->getLoweredTypeInContext(context);
if (fnType != type &&
// It can happen that opaque return types cause a mismatch when merging
// modules, without causing any further assertion failures.
// TODO: fix the underlying problem
fnType.hasOpaqueArchetype() == type.hasOpaqueArchetype()) {
StringRef fnName = fn->getName();
if (auto *dc = fn->getDeclContext()) {
if (auto *decl = dyn_cast_or_null<AbstractFunctionDecl>(dc->getAsDecl()))
fnName = decl->getNameStr();
}
auto &diags = fn->getModule().getASTContext().Diags;
diags.diagnose(fn->getLocation().getSourceLoc(),
diag::deserialize_function_type_mismatch,
fnName, fnType.getASTType(), type.getASTType());
diags.flushConsumers();
exit(1);
}
return fn;
}
// Otherwise, create a function declaration with the right type and a bogus
// source location. This ensures that we can at least parse the rest of the
// SIL.
SourceLoc sourceLoc;
SILSerializationFunctionBuilder builder(SILMod);
fn = builder.createDeclaration(name, type,
RegularLocation(sourceLoc));
// The function is not really de-serialized, but it's important to call
// `didDeserialize` on every new function. Otherwise some Analysis might miss
// `notifyAddedOrModifiedFunction` notifications.
if (Callback)
Callback->didDeserialize(MF->getAssociatedModule(), fn);
return fn;
}
/// Helper function to find a SILFunction, given its name and type.
SILFunction *SILDeserializer::getFuncForReference(StringRef name) {
// Check to see if we have a function by this name already.
SILFunction *fn = SILMod.lookUpFunction(name);
if (fn)
return fn;
// Otherwise, look for a function with this name in the module.
auto iter = FuncTable->find(name);
if (iter == FuncTable->end())
return nullptr;
auto maybeFn = readSILFunctionChecked(*iter, nullptr, name,
/*declarationOnly*/ true);
if (!maybeFn) {
// Ignore the failure and just pretend the function doesn't exist
llvm::consumeError(maybeFn.takeError());
return nullptr;
}
return maybeFn.get();
}
/// Helper function to find a SILGlobalVariable given its name. It first checks
/// in the module. If we cannot find it in the module, we attempt to
/// deserialize it.
SILGlobalVariable *SILDeserializer::getGlobalForReference(StringRef name) {
// Check to see if we have a global by this name already.
if (SILGlobalVariable *g = SILMod.lookUpGlobalVariable(name))
return g;
// Otherwise, look for a global with this name in the module.
return readGlobalVar(name);
}
/// Deserialize a SILFunction if it is not already deserialized. The input
/// SILFunction can either be an empty declaration or null. If it is an empty
/// declaration, we fill in the contents. If the input SILFunction is
/// null, we create a SILFunction.
SILFunction *SILDeserializer::readSILFunction(DeclID FID,
SILFunction *existingFn,
StringRef name,
bool declarationOnly,
bool errorIfEmptyBody) {
llvm::Expected<SILFunction *> deserialized =
readSILFunctionChecked(FID, existingFn, name, declarationOnly,
errorIfEmptyBody);
if (!deserialized) {
MF->fatal(deserialized.takeError());
}
return deserialized.get();
}
llvm::Expected<SILFunction *>
SILDeserializer::readSILFunctionChecked(DeclID FID, SILFunction *existingFn,
StringRef name, bool declarationOnly,
bool errorIfEmptyBody) {
// We can't deserialize function bodies after IRGen lowering passes have
// happened since other definitions in the module will no longer be in
// canonical SIL form.
switch (SILMod.getStage()) {
case SILStage::Raw:
case SILStage::Canonical:
break;
case SILStage::Lowered:
llvm_unreachable("cannot deserialize into a module that has entered "
"Lowered stage");
}
if (FID == 0)
return nullptr;
assert(FID <= Funcs.size() && "invalid SILFunction ID");
PrettyStackTraceStringAction trace("deserializing SIL function", name);
auto &cacheEntry = Funcs[FID-1];
if (cacheEntry.isFullyDeserialized() ||
(cacheEntry.isDeserialized() && declarationOnly))
return cacheEntry.get();
BCOffsetRAII restoreOffset(SILCursor);
if (llvm::Error Err = SILCursor.JumpToBit(cacheEntry.getOffset()))
return std::move(Err);
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
return maybeEntry.takeError();
llvm::BitstreamEntry entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::Error)
return MF->diagnoseFatal("Cursor advance error in readSILFunction");
SmallVector<uint64_t, 64> scratch;
StringRef blobData;
llvm::Expected<unsigned> maybeKind =
SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
return MF->diagnoseFatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
assert(kind == SIL_FUNCTION && "expect a sil function");
(void)kind;
DeclID clangNodeOwnerID;
ModuleID parentModuleID;
TypeID funcTyID;
IdentifierID replacedFunctionID;
IdentifierID usedAdHocWitnessFunctionID;
GenericSignatureID genericSigID;
unsigned rawLinkage, isTransparent, serializedKind, isThunk,
isWithoutActuallyEscapingThunk, specialPurpose, inlineStrategy,
optimizationMode, perfConstr, subclassScope, hasCReferences, effect,
numAttrs, hasQualifiedOwnership, isWeakImported,
LIST_VER_TUPLE_PIECES(available), isDynamic, isExactSelfClass,
isDistributed, isRuntimeAccessible, forceEnableLexicalLifetimes;
ArrayRef<uint64_t> SemanticsIDs;
SILFunctionLayout::readRecord(
scratch, rawLinkage, isTransparent, serializedKind, isThunk,
isWithoutActuallyEscapingThunk, specialPurpose, inlineStrategy,
optimizationMode, perfConstr, subclassScope, hasCReferences, effect,
numAttrs, hasQualifiedOwnership, isWeakImported,
LIST_VER_TUPLE_PIECES(available), isDynamic, isExactSelfClass,
isDistributed, isRuntimeAccessible, forceEnableLexicalLifetimes, funcTyID,
replacedFunctionID, usedAdHocWitnessFunctionID, genericSigID,
clangNodeOwnerID, parentModuleID, SemanticsIDs);
if (funcTyID == 0)
return MF->diagnoseFatal("SILFunction typeID is 0");
auto astType = MF->getTypeChecked(funcTyID);
if (!astType) {
if (!existingFn || errorIfEmptyBody) {
return llvm::make_error<SILEntityError>(
name, takeErrorInfo(astType.takeError()));
}
consumeError(astType.takeError());
return existingFn;
}
auto ty = getSILType(astType.get(), SILValueCategory::Object, nullptr);
if (!ty.is<SILFunctionType>())
return MF->diagnoseFatal("not a function type for SILFunction");
SILFunction *replacedFunction = nullptr;
Identifier replacedObjectiveCFunc;
if (replacedFunctionID &&
ty.getAs<SILFunctionType>()->getExtInfo().getRepresentation() !=
SILFunctionTypeRepresentation::ObjCMethod) {
replacedFunction =
getFuncForReference(MF->getIdentifier(replacedFunctionID).str());
} else if (replacedFunctionID) {
replacedObjectiveCFunc = MF->getIdentifier(replacedFunctionID);
}
SILFunction *usedAdHocWitnessFunction = nullptr;
if (usedAdHocWitnessFunctionID) {
auto usedAdHocWitnessFunctionStr =
MF->getIdentifier(usedAdHocWitnessFunctionID).str();
usedAdHocWitnessFunction = getFuncForReference(usedAdHocWitnessFunctionStr);
}
auto linkageOpt = fromStableSILLinkage(rawLinkage);
if (!linkageOpt) {
LLVM_DEBUG(llvm::dbgs() << "invalid linkage code " << rawLinkage
<< " for SILFunction\n");
return MF->diagnoseFatal("invalid linkage code");
}
SILLinkage linkage = linkageOpt.value();
ValueDecl *clangNodeOwner = nullptr;
if (clangNodeOwnerID != 0) {
clangNodeOwner = dyn_cast_or_null<ValueDecl>(MF->getDecl(clangNodeOwnerID));
if (!clangNodeOwner)
return MF->diagnoseFatal("invalid clang node owner for SILFunction");
}
// If we weren't handed a function, check for an existing
// declaration in the output module.
if (!existingFn) existingFn = SILMod.lookUpFunction(name);
auto fn = existingFn;
// TODO: use the correct SILLocation from module.
SILLocation loc = RegularLocation::getAutoGeneratedLocation();
// If we've already serialized the module, don't mark the function
// as serialized, since we no longer need to enforce resilience
// boundaries.
if (SILMod.isSerialized())
serializedKind = IsNotSerialized;
SILSerializationFunctionBuilder builder(SILMod);
// If we have an existing function, verify that the types match up.
if (fn) {
if (fn->getLoweredType() != ty) {
auto error = llvm::make_error<SILFunctionTypeMismatch>(
name,
fn->getLoweredType().getDebugDescription(),
ty.getDebugDescription());
return MF->diagnoseFatal(std::move(error));
}
fn->setSerializedKind(SerializedKind_t(serializedKind));
// If the serialized function comes from the same module, we're merging
// modules, and can update the linkage directly. This is needed to
// correctly update the linkage for forward declarations to entities defined
// in another file of the same module – we want to ensure the linkage
// reflects the fact that the entity isn't really external and shouldn't be
// dropped from the resulting merged module.
if (getFile()->getParentModule() == SILMod.getSwiftModule())
fn->setLinkage(linkage);
// Don't override the transparency or linkage of a function with
// an existing declaration, except if we deserialized a
// PublicNonABI function, which has HiddenExternal when
// referenced as a declaration, and Shared when it has
// a deserialized body.
if (isAvailableExternally(fn->getLinkage())) {
switch (linkage) {
case SILLinkage::PublicNonABI:
case SILLinkage::PackageNonABI:
case SILLinkage::Shared:
fn->setLinkage(SILLinkage::Shared);
break;
case SILLinkage::Public:
case SILLinkage::Package:
case SILLinkage::Hidden:
case SILLinkage::Private:
case SILLinkage::PublicExternal:
case SILLinkage::PackageExternal:
case SILLinkage::HiddenExternal:
if (hasPublicVisibility(linkage)) {
// Cross-module-optimization can change the linkage to public. In this
// case we need to update the linkage of the function (which is
// originally just derived from the AST).
fn->setLinkage(SILLinkage::PublicExternal);
}
break;
}
}
if (fn->isDynamicallyReplaceable() != isDynamic)
return MF->diagnoseFatal("SILFunction dynamic replaceable mismatch");
} else {
// Otherwise, create a new function.
fn = builder.createDeclaration(name, ty, loc);
fn->setLinkage(linkage);
fn->setTransparent(IsTransparent_t(isTransparent == 1));
fn->setSerializedKind(SerializedKind_t(serializedKind));
fn->setThunk(IsThunk_t(isThunk));
fn->setWithoutActuallyEscapingThunk(bool(isWithoutActuallyEscapingThunk));
fn->setInlineStrategy(Inline_t(inlineStrategy));
fn->setSpecialPurpose(SILFunction::Purpose(specialPurpose));
fn->setEffectsKind(EffectsKind(effect));
fn->setOptimizationMode(OptimizationMode(optimizationMode));
fn->setPerfConstraints((PerformanceConstraints)perfConstr);
fn->setIsAlwaysWeakImported(isWeakImported);
fn->setClassSubclassScope(SubclassScope(subclassScope));
fn->setHasCReferences(bool(hasCReferences));
llvm::VersionTuple available;
DECODE_VER_TUPLE(available);
fn->setAvailabilityForLinkage(
available.empty()
? AvailabilityContext::alwaysAvailable()
: AvailabilityContext(VersionRange::allGTE(available)));
fn->setIsDynamic(IsDynamicallyReplaceable_t(isDynamic));
fn->setIsExactSelfClass(IsExactSelfClass_t(isExactSelfClass));
fn->setIsDistributed(IsDistributed_t(isDistributed));
fn->setIsRuntimeAccessible(IsRuntimeAccessible_t(isRuntimeAccessible));
fn->setForceEnableLexicalLifetimes(
ForceEnableLexicalLifetimes_t(forceEnableLexicalLifetimes));
if (replacedFunction)
fn->setDynamicallyReplacedFunction(replacedFunction);
if (!replacedObjectiveCFunc.empty())
fn->setObjCReplacement(replacedObjectiveCFunc);
if (usedAdHocWitnessFunction)
fn->setReferencedAdHocRequirementWitnessFunction(usedAdHocWitnessFunction);
if (clangNodeOwner)
fn->setClangNodeOwner(clangNodeOwner);
for (auto ID : SemanticsIDs) {
fn->addSemanticsAttr(MF->getIdentifierText(ID));
}
if (Callback) Callback->didDeserialize(MF->getAssociatedModule(), fn);
}
// First before we do /anything/ validate that our function is truly empty.
assert(fn->empty() && "SILFunction to be deserialized starts being empty.");
// Given that our original function was empty, just match the deserialized
// function. Ownership doesn't really have a meaning without a body.
builder.setHasOwnership(fn, hasQualifiedOwnership);
// Mark this function as deserialized. This avoids rerunning diagnostic
// passes. Certain passes in the mandatory pipeline may not work as expected
// after arbitrary optimization and lowering.
if (!MF->isSIB())
fn->setWasDeserializedCanonical();
fn->setBare(IsBare);
if (!fn->getDebugScope()) {
const SILDebugScope *DS = new (SILMod) SILDebugScope(loc, fn);
fn->setDebugScope(DS);
}
// If we don't already have a DeclContext to use to find a parent module,
// attempt to deserialize a parent module reference directly.
if (!fn->getDeclContext() && parentModuleID)
fn->setParentModule(MF->getModule(parentModuleID));
// Read and instantiate the specialize attributes.
bool shouldAddSpecAttrs = fn->getSpecializeAttrs().empty();
bool shouldAddEffectAttrs = !fn->hasArgumentEffects();
for (unsigned attrIdx = 0; attrIdx < numAttrs; ++attrIdx) {
llvm::Expected<llvm::BitstreamEntry> maybeNext =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeNext)
return maybeNext.takeError();
llvm::BitstreamEntry next = maybeNext.get();
assert(next.Kind == llvm::BitstreamEntry::Record);
scratch.clear();
llvm::Expected<unsigned> maybeKind = SILCursor.readRecord(next.ID, scratch);
if (!maybeKind)
return maybeKind.takeError();
unsigned kind = maybeKind.get();
if (kind == SIL_ARG_EFFECTS_ATTR) {
IdentifierID effectID;
unsigned isDerived;
unsigned isGlobalSideEffects;
unsigned argumentIndex;
SILArgEffectsAttrLayout::readRecord(scratch, effectID, argumentIndex,
isGlobalSideEffects, isDerived);
if (shouldAddEffectAttrs) {
StringRef effectStr = MF->getIdentifierText(effectID);
std::pair<const char *, int> error;
if (isGlobalSideEffects) {
error = fn->parseGlobalEffectsFromSIL(effectStr);
} else {
error = fn->parseArgumentEffectsFromSIL(effectStr, (int)argumentIndex);
}
(void)error;
assert(!error.first && "effects deserialization error");
}
continue;
}
assert(kind == SIL_SPECIALIZE_ATTR && "Missing specialization attribute");
unsigned exported;
unsigned specializationKindVal;
GenericSignatureID specializedSigID;
IdentifierID targetFunctionID;
IdentifierID spiGroupID;
ModuleID spiModuleID;
ArrayRef<uint64_t> typeErasedParamsIDs;
unsigned LIST_VER_TUPLE_PIECES(available);
SILSpecializeAttrLayout::readRecord(
scratch, exported, specializationKindVal, specializedSigID,
targetFunctionID, spiGroupID, spiModuleID,
LIST_VER_TUPLE_PIECES(available), typeErasedParamsIDs);
SILFunction *target = nullptr;
if (targetFunctionID) {
target = getFuncForReference(MF->getIdentifier(targetFunctionID).str());
}
Identifier spiGroup;
const ModuleDecl *spiModule = nullptr;
if (spiGroupID) {
spiGroup = MF->getIdentifier(spiGroupID);
spiModule = MF->getModule(spiModuleID);
}
SILSpecializeAttr::SpecializationKind specializationKind =
specializationKindVal ? SILSpecializeAttr::SpecializationKind::Partial
: SILSpecializeAttr::SpecializationKind::Full;
llvm::VersionTuple available;
DECODE_VER_TUPLE(available);
auto availability = available.empty()
? AvailabilityContext::alwaysAvailable()
: AvailabilityContext(VersionRange::allGTE(available));
llvm::SmallVector<Type, 4> typeErasedParams;
for (auto id : typeErasedParamsIDs) {
typeErasedParams.push_back(MF->getType(id));
}
auto specializedSig = MF->getGenericSignature(specializedSigID);
// Only add the specialize attributes once.
if (shouldAddSpecAttrs) {
// Read the substitution list and construct a SILSpecializeAttr.
fn->addSpecializeAttr(SILSpecializeAttr::create(
SILMod, specializedSig, typeErasedParams,
exported != 0, specializationKind, target,
spiGroup, spiModule, availability));
}
}
GenericEnvironment *genericEnv = nullptr;
if (!declarationOnly)
genericEnv = MF->getGenericSignature(genericSigID).getGenericEnvironment();
// If the next entry is the end of the block, then this function has
// no contents.
maybeEntry = SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
return maybeEntry.takeError();
entry = maybeEntry.get();
bool isEmptyFunction = (entry.Kind == llvm::BitstreamEntry::EndBlock);
assert((!isEmptyFunction || !genericEnv) &&
"generic environment without body?!");
// Remember this in our cache in case it's a recursive function.
// Increase the reference count to keep it alive.
bool isFullyDeserialized = (isEmptyFunction || !declarationOnly);
if (cacheEntry.isDeserialized()) {
assert(fn == cacheEntry.get() && "changing SIL function during deserialization!");
} else {
fn->incrementRefCount();
}
cacheEntry.set(fn, isFullyDeserialized);
// Stop here if we have nothing else to do.
if (isEmptyFunction || declarationOnly) {
return fn;
}
++NumDeserializedFunc;
assert(!(fn->getGenericEnvironment() && !fn->empty())
&& "function already has context generic params?!");
if (genericEnv)
fn->setGenericEnvironment(genericEnv);
scratch.clear();
maybeKind = SILCursor.readRecord(entry.ID, scratch);
if (!maybeKind)
return maybeKind.takeError();
kind = maybeKind.get();
SILBasicBlock *CurrentBB = nullptr;
// Clear up at the beginning of each SILFunction.
BasicBlockID = 0;
BlocksByID.clear();
UndefinedBlocks.clear();
// The first two IDs are reserved for SILUndef.
LastValueID = 1;
LocalValues.clear();
SILBuilder Builder(*fn);
// Another SIL_FUNCTION record means the end of this SILFunction.
// SIL_VTABLE or SIL_GLOBALVAR or SIL_WITNESS_TABLE record also means the end
// of this SILFunction.
while (kind != SIL_FUNCTION && kind != SIL_VTABLE && kind != SIL_GLOBALVAR &&
kind != SIL_MOVEONLY_DEINIT && kind != SIL_WITNESS_TABLE &&
kind != SIL_DIFFERENTIABILITY_WITNESS) {
if (kind == SIL_BASIC_BLOCK)
// Handle a SILBasicBlock record.
CurrentBB = readSILBasicBlock(fn, CurrentBB, scratch);
else {
// If CurrentBB is empty, just return fn. The code in readSILInstruction
// assumes that such a situation means that fn is a declaration. Thus it
// is using return false to mean two different things, error a failure
// occurred and this is a declaration. Work around that for now.
if (!CurrentBB)
return fn;
Builder.setInsertionPoint(CurrentBB);
// Handle a SILInstruction record.
if (readSILInstruction(fn, Builder, kind, scratch))
return MF->diagnoseFatal("readSILInstruction returns error");
}
// Fetch the next record.
scratch.clear();
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
return maybeEntry.takeError();
llvm::BitstreamEntry entry = maybeEntry.get();
// EndBlock means the end of this SILFunction.
if (entry.Kind == llvm::BitstreamEntry::EndBlock)
break;
maybeKind = SILCursor.readRecord(entry.ID, scratch);
if (!maybeKind)
return maybeKind.takeError();
kind = maybeKind.get();
}
// If fn is empty, we failed to deserialize its body. Return nullptr to signal
// error.
if (fn->empty() && errorIfEmptyBody)
return nullptr;
// Check that there are no unresolved forward definitions of local
// archetypes.
if (SILMod.hasUnresolvedLocalArchetypeDefinitions())
llvm_unreachable(
"All forward definitions of local archetypes should be resolved");
if (Callback)
Callback->didDeserializeFunctionBody(MF->getAssociatedModule(), fn);
if (!MF->isSIB() && !SILMod.isSerialized()) {
assert((fn->isAnySerialized() || fn->empty()) &&
"deserialized function must have the IsSerialized or IsSerializedForPackage flag set");
}
return fn;
}
// We put these static asserts here to formalize our assumption that both
// SILValueCategory and ValueOwnershipKind have uint8_t as their underlying
// pointer values.
static_assert(
std::is_same<std::underlying_type<SILValueCategory>::type, uint8_t>::value,
"Expected an underlying uint8_t type");
// We put these static asserts here to formalize our assumption that both
// SILValueCategory and ValueOwnershipKind have uint8_t as their underlying
// pointer values.
static_assert(std::is_same<std::underlying_type<OwnershipKind::innerty>::type,
uint8_t>::value,
"Expected an underlying uint8_t type");
SILBasicBlock *SILDeserializer::readSILBasicBlock(SILFunction *Fn,
SILBasicBlock *Prev,
SmallVectorImpl<uint64_t> &scratch) {
ArrayRef<uint64_t> Args;
SILBasicBlockLayout::readRecord(scratch, Args);
// Args should be a list of triples of the following form:
//
// 1. A TypeID.
// 2. A flag of metadata. This currently includes the SILValueCategory and
// ValueOwnershipKind. We enforce size constraints of these types above.
// 3. A ValueID.
SILBasicBlock *CurrentBB = getBBForDefinition(Fn, Prev, BasicBlockID++);
bool IsEntry = CurrentBB->isEntry();
for (unsigned I = 0, E = Args.size(); I < E; I += 3) {
TypeID TyID = Args[I];
if (!TyID) return nullptr;
ValueID ValId = Args[I+2];
if (!ValId) return nullptr;
auto ArgTy = MF->getType(TyID);
SILArgument *Arg;
auto ValueCategory = SILValueCategory(Args[I + 1] & 0xF);
SILType SILArgTy = getSILType(ArgTy, ValueCategory, Fn);
auto OwnershipKind = ValueOwnershipKind((Args[I + 1] >> 8) & 0x7);
auto reborrow = (Args[I + 1] >> 11) & 0x1;
auto pointerEscape = (Args[I + 1] >> 12) & 0x1;
if (IsEntry) {
auto *fArg = CurrentBB->createFunctionArgument(SILArgTy);
bool isNoImplicitCopy = (Args[I + 1] >> 13) & 0x1;
fArg->setNoImplicitCopy(isNoImplicitCopy);
auto lifetime = (LifetimeAnnotation::Case)((Args[I + 1] >> 14) & 0x3);
fArg->setLifetimeAnnotation(lifetime);
bool isClosureCapture = (Args[I + 1] >> 16) & 0x1;
fArg->setClosureCapture(isClosureCapture);
bool isFormalParameterPack = (Args[I + 1] >> 17) & 0x1;
fArg->setFormalParameterPack(isFormalParameterPack);
Arg = fArg;
} else {
Arg = CurrentBB->createPhiArgument(SILArgTy, OwnershipKind,
/*decl*/ nullptr, reborrow,
pointerEscape);
}
LastValueID = LastValueID + 1;
setLocalValue(Arg, LastValueID);
}
return CurrentBB;
}
static CastConsumptionKind getCastConsumptionKind(unsigned attr) {
switch (attr) {
case SIL_CAST_CONSUMPTION_TAKE_ALWAYS:
return CastConsumptionKind::TakeAlways;
case SIL_CAST_CONSUMPTION_TAKE_ON_SUCCESS:
return CastConsumptionKind::TakeOnSuccess;
case SIL_CAST_CONSUMPTION_COPY_ON_SUCCESS:
return CastConsumptionKind::CopyOnSuccess;
case SIL_CAST_CONSUMPTION_BORROW_ALWAYS:
return CastConsumptionKind::BorrowAlways;
default:
llvm_unreachable("not a valid CastConsumptionKind for SIL");
}
}
/// Construct a SILDeclRef from ListOfValues.
static SILDeclRef getSILDeclRef(ModuleFile *MF,
ArrayRef<uint64_t> ListOfValues,
unsigned &NextIdx) {
assert(ListOfValues.size() >= NextIdx+3 &&
"Expect 3 numbers for SILDeclRef");
SILDeclRef DRef(cast<ValueDecl>(MF->getDecl(ListOfValues[NextIdx])),
(SILDeclRef::Kind)ListOfValues[NextIdx+1],
/*isForeign=*/ListOfValues[NextIdx+2] > 0);
NextIdx += 3;
return DRef;
}
std::optional<KeyPathPatternComponent>
SILDeserializer::readKeyPathComponent(ArrayRef<uint64_t> ListOfValues,
unsigned &nextValue) {
auto kind =
(KeyPathComponentKindEncoding)ListOfValues[nextValue++];
if (kind == KeyPathComponentKindEncoding::Trivial)
return std::nullopt;
auto type = MF->getType(ListOfValues[nextValue++])
->getCanonicalType();
auto handleComputedId =
[&]() -> KeyPathPatternComponent::ComputedPropertyId {
auto kind =
(KeyPathComputedComponentIdKindEncoding)ListOfValues[nextValue++];
switch (kind) {
case KeyPathComputedComponentIdKindEncoding::Property:
return cast<VarDecl>(MF->getDecl(ListOfValues[nextValue++]));
case KeyPathComputedComponentIdKindEncoding::Function: {
auto name = MF->getIdentifierText(ListOfValues[nextValue++]);
return getFuncForReference(name);
}
case KeyPathComputedComponentIdKindEncoding::DeclRef: {
// read SILDeclRef
return getSILDeclRef(MF, ListOfValues, nextValue);
}
}
llvm_unreachable("unhandled kind");
};
ArrayRef<KeyPathPatternComponent::Index> indices;
SILFunction *indicesEquals = nullptr;
SILFunction *indicesHash = nullptr;
AbstractStorageDecl *externalDecl = nullptr;
SubstitutionMap externalSubs;
auto handleComputedExternalReferenceAndIndices = [&] {
auto externalDeclID = ListOfValues[nextValue++];
externalDecl =
cast_or_null<AbstractStorageDecl>(MF->getDecl(externalDeclID));
externalSubs = MF->getSubstitutionMap(ListOfValues[nextValue++]);
SmallVector<KeyPathPatternComponent::Index, 4> indicesBuf;
auto numIndexes = ListOfValues[nextValue++];
indicesBuf.reserve(numIndexes);
while (numIndexes-- > 0) {
unsigned operand = ListOfValues[nextValue++];
auto formalType = MF->getType(ListOfValues[nextValue++]);
auto loweredType = MF->getType(ListOfValues[nextValue++]);
auto loweredCategory = (SILValueCategory)ListOfValues[nextValue++];
auto conformance = MF->getConformance(ListOfValues[nextValue++]);
indicesBuf.push_back({
operand, formalType->getCanonicalType(),
SILType::getPrimitiveType(loweredType->getCanonicalType(),
loweredCategory),
conformance});
}
indices = MF->getContext().AllocateCopy(indicesBuf);
if (!indices.empty()) {
auto indicesEqualsName = MF->getIdentifierText(ListOfValues[nextValue++]);
auto indicesHashName = MF->getIdentifierText(ListOfValues[nextValue++]);
indicesEquals = getFuncForReference(indicesEqualsName);
indicesHash = getFuncForReference(indicesHashName);
}
};
switch (kind) {
case KeyPathComponentKindEncoding::StoredProperty: {
auto decl = cast<VarDecl>(MF->getDecl(ListOfValues[nextValue++]));
return KeyPathPatternComponent::forStoredProperty(decl, type);
}
case KeyPathComponentKindEncoding::GettableProperty: {
auto id = handleComputedId();
auto getterName = MF->getIdentifierText(ListOfValues[nextValue++]);
auto getter = getFuncForReference(getterName);
handleComputedExternalReferenceAndIndices();
return KeyPathPatternComponent::forComputedGettableProperty(
id, getter, indices, indicesEquals, indicesHash,
externalDecl, externalSubs, type);
}
case KeyPathComponentKindEncoding::SettableProperty: {
auto id = handleComputedId();
auto getterName = MF->getIdentifierText(ListOfValues[nextValue++]);
auto getter = getFuncForReference(getterName);
auto setterName = MF->getIdentifierText(ListOfValues[nextValue++]);
auto setter = getFuncForReference(setterName);
handleComputedExternalReferenceAndIndices();
return KeyPathPatternComponent::forComputedSettableProperty(
id, getter, setter, indices, indicesEquals, indicesHash,
externalDecl, externalSubs, type);
break;
}
case KeyPathComponentKindEncoding::OptionalChain:
return KeyPathPatternComponent::forOptional(
KeyPathPatternComponent::Kind::OptionalChain, type);
case KeyPathComponentKindEncoding::OptionalForce:
return KeyPathPatternComponent::forOptional(
KeyPathPatternComponent::Kind::OptionalForce, type);
case KeyPathComponentKindEncoding::OptionalWrap:
return KeyPathPatternComponent::forOptional(
KeyPathPatternComponent::Kind::OptionalWrap, type);
case KeyPathComponentKindEncoding::TupleElement:
return KeyPathPatternComponent::forTupleElement(
ListOfValues[nextValue++], type);
case KeyPathComponentKindEncoding::Trivial:
llvm_unreachable("handled above");
}
llvm_unreachable("invalid key path component kind encoding");
}
bool SILDeserializer::readSILInstruction(SILFunction *Fn,
SILBuilder &Builder,
unsigned RecordKind,
SmallVectorImpl<uint64_t> &scratch) {
if (Fn)
Builder.setCurrentDebugScope(Fn->getDebugScope());
unsigned RawOpCode = 0, TyCategory = 0, TyCategory2 = 0, TyCategory3 = 0,
Attr = 0, Attr2 = 0, Attr3 = 0, Attr4 = 0, NumSubs = 0;
ValueID ValID, ValID2, ValID3;
TypeID TyID, TyID2, TyID3;
TypeID ConcreteTyID;
ProtocolConformanceID ConformanceID;
SourceLoc SLoc;
ApplyOptions ApplyOpts;
ArrayRef<uint64_t> ListOfValues;
SILLocation Loc = RegularLocation(SLoc);
ValueOwnershipKind forwardingOwnership(OwnershipKind::Any);
auto decodeValueOwnership = [](unsigned field){
// Invalid/Any ownership is never encoded.
return ValueOwnershipKind(field+1);
};
unsigned ApplyCallerIsolation = unsigned(ActorIsolation::Unspecified);
unsigned ApplyCalleeIsolation = unsigned(ActorIsolation::Unspecified);
switch (RecordKind) {
default:
llvm_unreachable("Record kind for a SIL instruction is not supported.");
case SIL_ONE_VALUE_ONE_OPERAND:
SILOneValueOneOperandLayout::readRecord(scratch, RawOpCode, Attr,
ValID, TyID, TyCategory,
ValID2);
break;
case SIL_ONE_TYPE:
SILOneTypeLayout::readRecord(scratch, RawOpCode, Attr, TyID, TyCategory);
break;
case SIL_ONE_OPERAND:
SILOneOperandLayout::readRecord(scratch, RawOpCode, Attr,
TyID, TyCategory, ValID);
break;
case SIL_ONE_OPERAND_EXTRA_ATTR:
SILOneOperandExtraAttributeLayout::readRecord(scratch, RawOpCode, Attr,
TyID, TyCategory, ValID);
break;
case SIL_ONE_TYPE_ONE_OPERAND:
SILOneTypeOneOperandLayout::readRecord(scratch, RawOpCode, Attr,
TyID, TyCategory,
TyID2, TyCategory2,
ValID);
break;
case SIL_ONE_TYPE_ONE_OPERAND_EXTRA_ATTR:
SILOneTypeOneOperandExtraAttributeLayout::readRecord(scratch, RawOpCode,
Attr, TyID, TyCategory,
TyID2, TyCategory2,
ValID);
break;
case SIL_INIT_EXISTENTIAL:
SILInitExistentialLayout::readRecord(scratch, RawOpCode,
TyID, TyCategory,
TyID2, TyCategory2,
ValID,
ConcreteTyID,
ListOfValues);
break;
case SIL_ONE_TYPE_VALUES:
SILOneTypeValuesLayout::readRecord(scratch, RawOpCode, TyID, TyCategory,
ListOfValues);
break;
case SIL_ONE_TYPE_OWNERSHIP_VALUES: {
unsigned ownershipField;
SILOneTypeOwnershipValuesLayout::readRecord(scratch, RawOpCode,
ownershipField, TyID,
TyCategory, ListOfValues);
forwardingOwnership = decodeValueOwnership(ownershipField);
break;
}
case SIL_ONE_TYPE_VALUES_CATEGORIES: {
// NOTE: This is the same as Values except we smuggle in the category in the
// top bit.
SILOneTypeValuesCategoriesLayout::readRecord(
scratch, RawOpCode, TyID, TyCategory, Attr, ListOfValues);
break;
}
case SIL_TWO_OPERANDS:
SILTwoOperandsLayout::readRecord(scratch, RawOpCode, Attr,
TyID, TyCategory, ValID,
TyID2, TyCategory2, ValID2);
break;
case SIL_TWO_OPERANDS_EXTRA_ATTR:
SILTwoOperandsExtraAttributeLayout::readRecord(scratch, RawOpCode, Attr,
TyID, TyCategory, ValID,
TyID2, TyCategory2, ValID2);
break;
case SIL_TAIL_ADDR:
SILTailAddrLayout::readRecord(scratch, RawOpCode,
TyID, ValID,
TyID2, ValID2,
TyID3);
break;
case SIL_INST_APPLY: {
unsigned Kind, RawApplyOpts;
SILInstApplyLayout::readRecord(scratch, Kind, RawApplyOpts, NumSubs, TyID,
TyID2, ValID, ApplyCallerIsolation,
ApplyCalleeIsolation, ListOfValues);
switch (Kind) {
case SIL_APPLY:
RawOpCode = (unsigned)SILInstructionKind::ApplyInst;
break;
case SIL_PARTIAL_APPLY:
RawOpCode = (unsigned)SILInstructionKind::PartialApplyInst;
break;
case SIL_BUILTIN:
RawOpCode = (unsigned)SILInstructionKind::BuiltinInst;
break;
case SIL_TRY_APPLY:
RawOpCode = (unsigned)SILInstructionKind::TryApplyInst;
break;
case SIL_BEGIN_APPLY:
RawOpCode = (unsigned)SILInstructionKind::BeginApplyInst;
break;
default:
llvm_unreachable("unexpected apply inst kind");
}
ApplyOpts = ApplyOptions(ApplyFlags(RawApplyOpts));
break;
}
case SIL_INST_NO_OPERAND:
SILInstNoOperandLayout::readRecord(scratch, RawOpCode);
break;
case SIL_INST_WITNESS_METHOD:
SILInstWitnessMethodLayout::readRecord(
scratch, TyID, TyCategory, Attr, TyID2, TyCategory2, TyID3,
TyCategory3, ValID3, ConformanceID, ListOfValues);
RawOpCode = (unsigned)SILInstructionKind::WitnessMethodInst;
break;
case SIL_INST_DIFFERENTIABLE_FUNCTION:
SILInstDifferentiableFunctionLayout::readRecord(
scratch, /*numParams*/ Attr, /*numResults*/ Attr2,
/*numDiffParams*/ Attr3,
/*hasDerivativeFunctions*/ Attr4, ListOfValues);
RawOpCode = (unsigned)SILInstructionKind::DifferentiableFunctionInst;
break;
case SIL_INST_LINEAR_FUNCTION:
SILInstLinearFunctionLayout::readRecord(scratch, /*numDiffParams*/ Attr,
/*hasTransposeFunction*/ Attr2,
ListOfValues);
RawOpCode = (unsigned)SILInstructionKind::LinearFunctionInst;
break;
case SIL_INST_DIFFERENTIABLE_FUNCTION_EXTRACT:
SILInstDifferentiableFunctionExtractLayout::readRecord(
scratch, TyID, TyCategory, ValID, /*extractee*/ Attr,
/*hasExplicitExtracteeType*/ Attr2, /*explicitExtracteeType*/ TyID2);
RawOpCode = (unsigned)SILInstructionKind::DifferentiableFunctionExtractInst;
break;
case SIL_INST_LINEAR_FUNCTION_EXTRACT:
SILInstLinearFunctionExtractLayout::readRecord(
scratch, TyID, TyCategory, ValID, /*extractee*/ Attr);
RawOpCode = (unsigned)SILInstructionKind::LinearFunctionExtractInst;
break;
case SIL_INST_INCREMENT_PROFILER_COUNTER:
SILInstIncrementProfilerCounterLayout::readRecord(scratch, ValID, ValID2,
Attr, Attr2);
RawOpCode = (unsigned)SILInstructionKind::IncrementProfilerCounterInst;
break;
case SIL_INST_HAS_SYMBOL:
SILInstHasSymbolLayout::readRecord(scratch, ValID, ListOfValues);
RawOpCode = (unsigned)SILInstructionKind::HasSymbolInst;
break;
case SIL_OPEN_PACK_ELEMENT:
SILOpenPackElementLayout::readRecord(scratch, Attr,
TyID, TyCategory, ValID);
RawOpCode = (unsigned)SILInstructionKind::OpenPackElementInst;
break;
case SIL_PACK_ELEMENT_GET:
SILPackElementGetLayout::readRecord(scratch, RawOpCode,
TyID, TyCategory,
TyID2, TyCategory2, ValID2,
ValID3);
break;
case SIL_PACK_ELEMENT_SET:
SILPackElementSetLayout::readRecord(scratch,
TyID, TyCategory, ValID,
TyID2, TyCategory2, ValID2,
ValID3);
RawOpCode = (unsigned)SILInstructionKind::PackElementSetInst;
break;
}
// FIXME: validate
SILInstructionKind OpCode = (SILInstructionKind) RawOpCode;
SILInstruction *ResultInst;
switch (OpCode) {
case SILInstructionKind::DebugValueInst:
case SILInstructionKind::DebugStepInst:
case SILInstructionKind::SpecifyTestInst:
case SILInstructionKind::AllocPackMetadataInst:
case SILInstructionKind::DeallocPackMetadataInst:
llvm_unreachable("not supported");
case SILInstructionKind::AllocBoxInst: {
assert(RecordKind == SIL_ONE_TYPE && "Layout should be OneType.");
auto hasDynamicLifetime = HasDynamicLifetime_t(Attr & 0x1);
bool reflection = (Attr >> 1) & 0x1;
auto usesMoveableValueDebugInfo =
UsesMoveableValueDebugInfo_t((Attr >> 2) & 0x1);
auto pointerEscape = HasPointerEscape_t((Attr >> 3) & 0x1);
ResultInst = Builder.createAllocBox(
Loc, cast<SILBoxType>(MF->getType(TyID)->getCanonicalType()),
std::nullopt, hasDynamicLifetime, reflection,
usesMoveableValueDebugInfo,
/*skipVarDeclAssert*/ false, pointerEscape);
break;
}
case SILInstructionKind::AllocStackInst: {
assert(RecordKind == SIL_ONE_TYPE && "Layout should be OneType.");
auto hasDynamicLifetime = HasDynamicLifetime_t(Attr & 0x1);
auto isLexical = IsLexical_t((Attr >> 1) & 0x1);
auto isFromVarDecl = IsFromVarDecl_t((Attr >> 2) & 0x1);
auto wasMoved = UsesMoveableValueDebugInfo_t((Attr >> 3) & 0x1);
ResultInst = Builder.createAllocStack(
Loc, getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn),
std::nullopt, hasDynamicLifetime, isLexical, isFromVarDecl, wasMoved);
break;
}
case SILInstructionKind::AllocPackInst: {
assert(RecordKind == SIL_ONE_TYPE && "Layout should be OneType.");
ResultInst = Builder.createAllocPack(
Loc, getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
break;
}
case SILInstructionKind::PackLengthInst: {
assert(RecordKind == SIL_ONE_TYPE && "Layout should be OneType.");
ResultInst = Builder.createPackLength(
Loc, cast<PackType>(MF->getType(TyID)->getCanonicalType()));
break;
}
case SILInstructionKind::MetatypeInst:
assert(RecordKind == SIL_ONE_TYPE && "Layout should be OneType.");
ResultInst = Builder.createMetatype(
Loc, getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
break;
case SILInstructionKind::GetAsyncContinuationInst:
assert(RecordKind == SIL_ONE_TYPE && "Layout should be OneType.");
ResultInst = Builder.createGetAsyncContinuation(
Loc, MF->getType(TyID)->getCanonicalType(),
/*throws*/ Attr != 0);
break;
case SILInstructionKind::GetAsyncContinuationAddrInst:
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND
&& "Layout should be OneTypeOneOperand.");
ResultInst = Builder.createGetAsyncContinuationAddr(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
MF->getType(TyID)->getCanonicalType(),
/*throws*/ Attr != 0);
break;
#define ONETYPE_ONEOPERAND_INST(ID) \
case SILInstructionKind::ID##Inst: \
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND && \
"Layout should be OneTypeOneOperand."); \
ResultInst = Builder.create##ID( \
Loc, getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn), \
getLocalValue(Builder.maybeGetFunction(), ValID, \
getSILType(MF->getType(TyID2), \
(SILValueCategory)TyCategory2, Fn))); \
break;
ONETYPE_ONEOPERAND_INST(ValueMetatype)
ONETYPE_ONEOPERAND_INST(ExistentialMetatype)
ONETYPE_ONEOPERAND_INST(ProjectExistentialBox)
#undef ONETYPE_ONEOPERAND_INST
case SILInstructionKind::DeallocBoxInst:
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
ResultInst = Builder.createDeallocBox(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2),
(SILValueCategory)TyCategory2, Fn)));
break;
case SILInstructionKind::OpenExistentialAddrInst:
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
ResultInst = Builder.createOpenExistentialAddr(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn),
Attr == 0 ? OpenedExistentialAccess::Immutable
: OpenedExistentialAccess::Mutable);
break;
case SILInstructionKind::AllocVectorInst:
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
ResultInst = Builder.createAllocVector(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
break;
case SILInstructionKind::DynamicPackIndexInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
auto indexOperand = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn));
auto packType = cast<PackType>(MF->getType(TyID)->getCanonicalType());
ResultInst = Builder.createDynamicPackIndex(Loc, indexOperand, packType);
break;
}
case SILInstructionKind::PackPackIndexInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
auto indexOperand = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn));
auto packType = cast<PackType>(MF->getType(TyID)->getCanonicalType());
ResultInst =
Builder.createPackPackIndex(Loc, Attr, indexOperand, packType);
break;
}
case SILInstructionKind::ScalarPackIndexInst: {
assert(RecordKind == SIL_ONE_TYPE && "Layout should be OneType.");
auto packType = cast<PackType>(MF->getType(TyID)->getCanonicalType());
ResultInst = Builder.createScalarPackIndex(Loc, Attr, packType);
break;
}
case SILInstructionKind::OpenPackElementInst: {
assert(RecordKind == SIL_OPEN_PACK_ELEMENT && "Layout should be OpenPackElement");
auto index = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
auto env = MF->getGenericEnvironmentChecked(Attr);
if (!env) MF->fatal(env.takeError());
ResultInst = Builder.createOpenPackElement(Loc, index, *env);
break;
}
case SILInstructionKind::PackElementGetInst: {
assert(RecordKind == SIL_PACK_ELEMENT_GET);
auto elementType = getSILType(MF->getType(TyID),
(SILValueCategory) TyCategory, Fn);
auto packType = getSILType(MF->getType(TyID2),
(SILValueCategory) TyCategory2, Fn);
auto pack = getLocalValue(Builder.maybeGetFunction(), ValID2, packType);
auto indexType = SILType::getPackIndexType(MF->getContext());
auto index = getLocalValue(Builder.maybeGetFunction(), ValID3, indexType);
ResultInst = Builder.createPackElementGet(Loc, index, pack, elementType);
break;
}
case SILInstructionKind::PackElementSetInst: {
assert(RecordKind == SIL_PACK_ELEMENT_SET);
auto elementType = getSILType(MF->getType(TyID),
(SILValueCategory) TyCategory, Fn);
auto value = getLocalValue(Builder.maybeGetFunction(), ValID, elementType);
auto packType = getSILType(MF->getType(TyID2),
(SILValueCategory) TyCategory2, Fn);
auto pack = getLocalValue(Builder.maybeGetFunction(), ValID2, packType);
auto indexType = SILType::getPackIndexType(MF->getContext());
auto index = getLocalValue(Builder.maybeGetFunction(), ValID3, indexType);
ResultInst = Builder.createPackElementSet(Loc, value, index, pack);
break;
}
case SILInstructionKind::TuplePackElementAddrInst: {
assert(RecordKind == SIL_PACK_ELEMENT_GET);
auto elementType = getSILType(MF->getType(TyID),
(SILValueCategory) TyCategory, Fn);
auto tupleType = getSILType(MF->getType(TyID2),
(SILValueCategory) TyCategory2, Fn);
auto tuple = getLocalValue(Builder.maybeGetFunction(), ValID2, tupleType);
auto indexType = SILType::getPackIndexType(MF->getContext());
auto index = getLocalValue(Builder.maybeGetFunction(), ValID3, indexType);
ResultInst = Builder.createTuplePackElementAddr(Loc, index, tuple,
elementType);
break;
}
case SILInstructionKind::TuplePackExtractInst: {
assert(RecordKind == SIL_PACK_ELEMENT_GET);
auto elementType =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
auto tupleType =
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn);
auto tuple = getLocalValue(Builder.maybeGetFunction(), ValID2, tupleType);
auto indexType = SILType::getPackIndexType(MF->getContext());
auto index = getLocalValue(Builder.maybeGetFunction(), ValID3, indexType);
ResultInst = Builder.createTuplePackExtract(Loc, index, tuple, elementType);
break;
}
#define ONEOPERAND_ONETYPE_INST(ID) \
case SILInstructionKind::ID##Inst: \
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND && \
"Layout should be OneTypeOneOperand."); \
ResultInst = Builder.create##ID( \
Loc, \
getLocalValue(Builder.maybeGetFunction(), ValID, \
getSILType(MF->getType(TyID2), \
(SILValueCategory)TyCategory2, Fn)), \
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn)); \
break;
ONEOPERAND_ONETYPE_INST(OpenExistentialRef)
ONEOPERAND_ONETYPE_INST(OpenExistentialMetatype)
ONEOPERAND_ONETYPE_INST(OpenExistentialBox)
ONEOPERAND_ONETYPE_INST(OpenExistentialValue)
ONEOPERAND_ONETYPE_INST(OpenExistentialBoxValue)
// Conversion instructions.
#define LOADABLE_REF_STORAGE(Name, ...) \
ONEOPERAND_ONETYPE_INST(RefTo##Name) \
ONEOPERAND_ONETYPE_INST(Name##ToRef)
#include "swift/AST/ReferenceStorage.def"
ONEOPERAND_ONETYPE_INST(UncheckedAddrCast)
ONEOPERAND_ONETYPE_INST(UncheckedTrivialBitCast)
ONEOPERAND_ONETYPE_INST(UncheckedBitwiseCast)
ONEOPERAND_ONETYPE_INST(UncheckedValueCast)
ONEOPERAND_ONETYPE_INST(BridgeObjectToRef)
ONEOPERAND_ONETYPE_INST(BridgeObjectToWord)
ONEOPERAND_ONETYPE_INST(Upcast)
ONEOPERAND_ONETYPE_INST(RefToRawPointer)
ONEOPERAND_ONETYPE_INST(RawPointerToRef)
ONEOPERAND_ONETYPE_INST(ThinToThickFunction)
ONEOPERAND_ONETYPE_INST(ThickToObjCMetatype)
ONEOPERAND_ONETYPE_INST(ObjCToThickMetatype)
ONEOPERAND_ONETYPE_INST(ObjCMetatypeToObject)
ONEOPERAND_ONETYPE_INST(ObjCExistentialMetatypeToObject)
ONEOPERAND_ONETYPE_INST(ProjectBlockStorage)
#undef ONEOPERAND_ONETYPE_INST
case SILInstructionKind::AddressToPointerInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
ResultInst = Builder.createAddressToPointer(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn),
/*needsStackProtection=*/Attr != 0);
break;
}
case SILInstructionKind::ProjectBoxInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
ResultInst = Builder.createProjectBox(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
TyID);
break;
}
case SILInstructionKind::ConvertEscapeToNoEscapeInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
bool isLifetimeGuaranteed = Attr & 0x01;
ResultInst = Builder.createConvertEscapeToNoEscape(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn),
isLifetimeGuaranteed);
break;
}
case SILInstructionKind::ConvertFunctionInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND
&& "Layout should be OneTypeOneOperand.");
bool withoutActuallyEscaping = Attr & 0x01;
ResultInst = Builder.createConvertFunction(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn),
withoutActuallyEscaping);
break;
}
case SILInstructionKind::PointerToAddressInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND_EXTRA_ATTR &&
"Layout should be OneTypeOneOperand.");
auto alignment = llvm::decodeMaybeAlign(Attr & 0xFF);
bool isStrict = Attr & 0x100;
bool isInvariant = Attr & 0x200;
ResultInst = Builder.createPointerToAddress(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn),
isStrict, isInvariant, alignment);
break;
}
case SILInstructionKind::DeallocExistentialBoxInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
ResultInst = Builder.createDeallocExistentialBox(
Loc, MF->getType(TyID)->getCanonicalType(),
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)));
break;
}
case SILInstructionKind::RefToBridgeObjectInst: {
auto RefTy =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
auto Ref = getLocalValue(Builder.maybeGetFunction(), ValID, RefTy);
auto BitsTy =
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn);
auto Bits = getLocalValue(Builder.maybeGetFunction(), ValID2, BitsTy);
ResultInst = Builder.createRefToBridgeObject(Loc, Ref, Bits);
break;
}
case SILInstructionKind::ObjCProtocolInst: {
auto Ty = getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
auto Proto = MF->getDecl(ValID);
ResultInst = Builder.createObjCProtocol(Loc, cast<ProtocolDecl>(Proto), Ty);
break;
}
case SILInstructionKind::InitExistentialAddrInst:
case SILInstructionKind::InitExistentialValueInst:
case SILInstructionKind::InitExistentialMetatypeInst:
case SILInstructionKind::InitExistentialRefInst:
case SILInstructionKind::AllocExistentialBoxInst: {
auto Ty = getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
auto Ty2 = MF->getType(TyID2);
CanType ConcreteTy;
if (OpCode != SILInstructionKind::InitExistentialMetatypeInst)
ConcreteTy = MF->getType(ConcreteTyID)->getCanonicalType();
SILValue operand;
if (OpCode != SILInstructionKind::AllocExistentialBoxInst)
operand =
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty2, (SILValueCategory)TyCategory2, Fn));
SmallVector<ProtocolConformanceRef, 2> conformances;
for (auto conformanceID: ListOfValues) {
auto conformance = MF->getConformance(conformanceID);
conformances.push_back(conformance);
}
auto ctxConformances = MF->getContext().AllocateCopy(conformances);
switch (OpCode) {
default: llvm_unreachable("Out of sync with parent switch");
case SILInstructionKind::InitExistentialAddrInst:
ResultInst = Builder.createInitExistentialAddr(Loc, operand, ConcreteTy,
Ty, ctxConformances);
break;
case SILInstructionKind::InitExistentialValueInst:
ResultInst = Builder.createInitExistentialValue(Loc, Ty, ConcreteTy,
operand, ctxConformances);
break;
case SILInstructionKind::InitExistentialMetatypeInst:
ResultInst = Builder.createInitExistentialMetatype(Loc, operand, Ty,
ctxConformances);
break;
case SILInstructionKind::InitExistentialRefInst:
ResultInst = Builder.createInitExistentialRef(Loc, Ty, ConcreteTy,
operand, ctxConformances);
break;
case SILInstructionKind::AllocExistentialBoxInst:
ResultInst = Builder.createAllocExistentialBox(Loc, Ty, ConcreteTy,
ctxConformances);
break;
}
break;
}
case SILInstructionKind::AllocRefInst:
case SILInstructionKind::AllocRefDynamicInst: {
assert(RecordKind == SIL_ONE_TYPE_VALUES &&
"Layout should be OneTypeValues.");
unsigned NumVals = ListOfValues.size();
assert(NumVals >= 1 && "Not enough values");
unsigned Flags = ListOfValues[0];
bool isObjC = (bool)(Flags & 1);
bool canAllocOnStack = (bool)((Flags >> 1) & 1);
SILType ClassTy =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
SmallVector<SILValue, 4> Counts;
SmallVector<SILType, 4> TailTypes;
unsigned i = 1;
for (; i + 2 < NumVals; i += 3) {
SILType TailType = getSILType(MF->getType(ListOfValues[i]),
SILValueCategory::Object, Fn);
TailTypes.push_back(TailType);
SILType CountType = getSILType(MF->getType(ListOfValues[i + 2]),
SILValueCategory::Object, Fn);
SILValue CountVal = getLocalValue(Builder.maybeGetFunction(),
ListOfValues[i + 1], CountType);
Counts.push_back(CountVal);
}
if (OpCode == SILInstructionKind::AllocRefDynamicInst) {
assert(i + 2 == NumVals);
SILType MetadataType = getSILType(MF->getType(ListOfValues[i+1]),
SILValueCategory::Object, Fn);
SILValue MetadataOp = getLocalValue(Builder.maybeGetFunction(),
ListOfValues[i], MetadataType);
ResultInst = Builder.createAllocRefDynamic(Loc, MetadataOp, ClassTy,
isObjC, canAllocOnStack,
TailTypes, Counts);
} else {
assert(i == NumVals);
bool isBare = (bool)((Flags >> 2) & 1);
ResultInst = Builder.createAllocRef(Loc, ClassTy, isObjC, canAllocOnStack, isBare,
TailTypes, Counts);
}
break;
}
case SILInstructionKind::ApplyInst:
case SILInstructionKind::BeginApplyInst: {
// Format: attributes such as transparent, the callee's type, a value for
// the callee and a list of values for the arguments. Each value in the list
// is represented with 2 IDs: ValueID and ValueResultNumber.
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
SILType FnTy = getSILType(Ty, SILValueCategory::Object, Fn);
SILType SubstFnTy = getSILType(Ty2, SILValueCategory::Object, Fn);
SILFunctionConventions substConventions(SubstFnTy.castTo<SILFunctionType>(),
Builder.getModule());
assert(substConventions.getNumSILArguments() == ListOfValues.size()
&& "Argument number mismatch in ApplyInst.");
SmallVector<SILValue, 4> Args;
for (unsigned I = 0, E = ListOfValues.size(); I < E; ++I)
Args.push_back(getLocalValue(Builder.maybeGetFunction(), ListOfValues[I],
substConventions.getSILArgumentType(
I, Builder.getTypeExpansionContext())));
SubstitutionMap Substitutions = MF->getSubstitutionMap(NumSubs);
std::optional<ApplyIsolationCrossing> IsolationCrossing;
if (bool(ApplyCallerIsolation) || bool(ApplyCalleeIsolation)) {
auto caller = ActorIsolation(ActorIsolation::Kind(ApplyCallerIsolation));
auto callee = ActorIsolation(ActorIsolation::Kind(ApplyCalleeIsolation));
IsolationCrossing = {caller, callee};
}
if (OpCode == SILInstructionKind::ApplyInst) {
ResultInst = Builder.createApply(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, FnTy),
Substitutions, Args, ApplyOpts, nullptr, IsolationCrossing);
} else {
ResultInst = Builder.createBeginApply(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, FnTy),
Substitutions, Args, ApplyOpts, nullptr, IsolationCrossing);
}
break;
}
case SILInstructionKind::TryApplyInst: {
// Format: attributes such as transparent, the callee's type, a value for
// the callee and a list of values for the arguments. Each value in the list
// is represented with 2 IDs: ValueID and ValueResultNumber. The final
// two values in the list are the basic block identifiers.
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
SILType FnTy = getSILType(Ty, SILValueCategory::Object, Fn);
SILType SubstFnTy = getSILType(Ty2, SILValueCategory::Object, Fn);
SILBasicBlock *errorBB = getBBForReference(Fn, ListOfValues.back());
ListOfValues = ListOfValues.drop_back();
SILBasicBlock *normalBB = getBBForReference(Fn, ListOfValues.back());
ListOfValues = ListOfValues.drop_back();
SILFunctionConventions substConventions(SubstFnTy.castTo<SILFunctionType>(),
Builder.getModule());
assert(substConventions.getNumSILArguments() == ListOfValues.size()
&& "Argument number mismatch in ApplyInst.");
SmallVector<SILValue, 4> Args;
for (unsigned I = 0, E = ListOfValues.size(); I < E; ++I)
Args.push_back(getLocalValue(Builder.maybeGetFunction(), ListOfValues[I],
substConventions.getSILArgumentType(
I, Builder.getTypeExpansionContext())));
SubstitutionMap Substitutions = MF->getSubstitutionMap(NumSubs);
std::optional<ApplyIsolationCrossing> IsolationCrossing;
if (bool(ApplyCallerIsolation) || bool(ApplyCalleeIsolation)) {
auto caller = ActorIsolation(ActorIsolation::Kind(ApplyCallerIsolation));
auto callee = ActorIsolation(ActorIsolation::Kind(ApplyCalleeIsolation));
IsolationCrossing = {caller, callee};
}
ResultInst = Builder.createTryApply(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, FnTy),
Substitutions, Args, normalBB, errorBB, ApplyOpts, nullptr,
IsolationCrossing);
break;
}
case SILInstructionKind::PartialApplyInst: {
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
SILType FnTy = getSILType(Ty, SILValueCategory::Object, Fn);
auto closureTy = getSILType(Ty2, SILValueCategory::Object, Fn)
.castTo<SILFunctionType>();
SubstitutionMap Substitutions = MF->getSubstitutionMap(NumSubs);
auto SubstFnTy = SILType::getPrimitiveObjectType(
FnTy.castTo<SILFunctionType>()->substGenericArgs(
Builder.getModule(), Substitutions,
Builder.getTypeExpansionContext()));
SILFunctionConventions fnConv(SubstFnTy.castTo<SILFunctionType>(),
Builder.getModule());
unsigned numArgs = fnConv.getNumSILArguments();
assert(numArgs >= ListOfValues.size()
&& "Argument number mismatch in PartialApplyInst.");
SILValue FnVal = getLocalValue(Builder.maybeGetFunction(), ValID, FnTy);
SmallVector<SILValue, 4> Args;
unsigned unappliedArgs = numArgs - ListOfValues.size();
for (unsigned I = 0, E = ListOfValues.size(); I < E; ++I)
Args.push_back(getLocalValue(
Builder.maybeGetFunction(), ListOfValues[I],
fnConv.getSILArgumentType(I + unappliedArgs,
Builder.getTypeExpansionContext())));
auto onStack = closureTy->isNoEscape()
? PartialApplyInst::OnStackKind::OnStack
: PartialApplyInst::OnStackKind::NotOnStack;
// FIXME: Why the arbitrary order difference in IRBuilder type argument?
ResultInst = Builder.createPartialApply(
Loc, FnVal, Substitutions, Args,
closureTy->getCalleeConvention(), closureTy->getIsolation(), onStack);
break;
}
case SILInstructionKind::BuiltinInst: {
auto ASTTy = MF->getType(TyID);
auto ResultTy = getSILType(ASTTy, (SILValueCategory)(unsigned)TyID2, Fn);
SmallVector<SILValue, 4> Args;
for (unsigned i = 0, e = ListOfValues.size(); i < e; i += 3) {
auto ArgASTTy = MF->getType(ListOfValues[i+1]);
auto ArgTy = getSILType(
ArgASTTy, (SILValueCategory)(unsigned)ListOfValues[i + 2], Fn);
Args.push_back(
getLocalValue(Builder.maybeGetFunction(), ListOfValues[i], ArgTy));
}
SubstitutionMap Substitutions = MF->getSubstitutionMap(NumSubs);
Identifier Name = MF->getIdentifier(ValID);
ResultInst =
Builder.createBuiltin(Loc, Name, ResultTy, Substitutions, Args);
break;
}
case SILInstructionKind::AllocGlobalInst: {
// Format: Name and type. Use SILOneOperandLayout.
StringRef Name = MF->getIdentifierText(ValID);
// Find the global variable.
SILGlobalVariable *g = getGlobalForReference(Name);
assert(g && "Can't deserialize global variable");
ResultInst = Builder.createAllocGlobal(Loc, g);
break;
}
case SILInstructionKind::GlobalValueInst: {
// Format: Name and type. Use SILOneOperandLayout.
auto Ty = MF->getType(TyID);
StringRef Name = MF->getIdentifierText(ValID);
// Find the global variable.
SILGlobalVariable *g = getGlobalForReference(Name);
assert(g && "Can't deserialize global variable");
SILType expectedType = g->getLoweredTypeInContext(TypeExpansionContext(*Fn));
assert(expectedType == getSILType(Ty, (SILValueCategory)TyCategory, Fn) &&
"Type of a global variable does not match GlobalAddr.");
(void)Ty;
(void)expectedType;
ResultInst = Builder.createGlobalValue(Loc, g, /*isBare=*/ (Attr & 1) != 0);
break;
}
case SILInstructionKind::GlobalAddrInst: {
// Format: Name and type. Use SILOneOperandLayout.
auto Ty = MF->getType(TyID);
StringRef Name = MF->getIdentifierText(ValID);
// Find the global variable.
SILGlobalVariable *g = getGlobalForReference(Name);
assert(g && "Can't deserialize global variable");
SILType expectedType = g->getLoweredTypeInContext(TypeExpansionContext(*Fn))
.getAddressType();
assert(expectedType == getSILType(Ty, (SILValueCategory)TyCategory, Fn) &&
"Type of a global variable does not match GlobalAddr.");
(void)Ty;
(void)expectedType;
SILValue token =
ValID2 == 0 ? SILValue()
: getLocalValue(Builder.maybeGetFunction(), ValID2,
SILType::getSILTokenType(MF->getContext()));
ResultInst = Builder.createGlobalAddr(Loc, g, token);
break;
}
case SILInstructionKind::BaseAddrForOffsetInst:
assert(RecordKind == SIL_ONE_TYPE && "Layout should be OneType.");
ResultInst = Builder.createBaseAddrForOffset(
Loc, getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
break;
case SILInstructionKind::DeallocStackInst: {
auto Ty = MF->getType(TyID);
ResultInst = Builder.createDeallocStack(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)));
break;
}
case SILInstructionKind::DeallocStackRefInst: {
auto Ty = MF->getType(TyID);
ResultInst = Builder.createDeallocStackRef(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)));
break;
}
case SILInstructionKind::DeallocPackInst: {
auto Ty = MF->getType(TyID);
ResultInst = Builder.createDeallocPack(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)));
break;
}
case SILInstructionKind::DeallocRefInst: {
auto Ty = MF->getType(TyID);
ResultInst = Builder.createDeallocRef(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)));
break;
}
case SILInstructionKind::DeallocPartialRefInst: {
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
ResultInst = Builder.createDeallocPartialRef(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty2, (SILValueCategory)TyCategory2, Fn)));
break;
}
case SILInstructionKind::FunctionRefInst: {
auto Ty = MF->getType(TyID);
StringRef FuncName = MF->getIdentifierText(ValID);
ResultInst = Builder.createFunctionRef(
Loc,
getFuncForReference(
FuncName, getSILType(Ty, (SILValueCategory)TyCategory, nullptr),
Builder.getTypeExpansionContext()));
break;
}
case SILInstructionKind::DynamicFunctionRefInst: {
auto Ty = MF->getType(TyID);
StringRef FuncName = MF->getIdentifierText(ValID);
ResultInst = Builder.createDynamicFunctionRef(
Loc,
getFuncForReference(
FuncName, getSILType(Ty, (SILValueCategory)TyCategory, nullptr),
Builder.getTypeExpansionContext()));
break;
}
case SILInstructionKind::PreviousDynamicFunctionRefInst: {
auto Ty = MF->getType(TyID);
StringRef FuncName = MF->getIdentifierText(ValID);
ResultInst = Builder.createPreviousDynamicFunctionRef(
Loc,
getFuncForReference(
FuncName, getSILType(Ty, (SILValueCategory)TyCategory, nullptr),
Builder.getTypeExpansionContext()));
break;
}
case SILInstructionKind::MarkDependenceInst: {
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
ResultInst = Builder.createMarkDependence(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty2, (SILValueCategory)TyCategory2, Fn)),
MarkDependenceKind(Attr));
break;
}
case SILInstructionKind::BeginDeallocRefInst: {
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
ResultInst = Builder.createBeginDeallocRef(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty2, (SILValueCategory)TyCategory2, Fn)));
break;
}
case SILInstructionKind::CopyBlockWithoutEscapingInst: {
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
ResultInst = Builder.createCopyBlockWithoutEscaping(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty2, (SILValueCategory)TyCategory2, Fn)));
break;
}
case SILInstructionKind::IndexAddrInst: {
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
ResultInst = Builder.createIndexAddr(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty2, (SILValueCategory)TyCategory2, Fn)),
/*needsStackProtection=*/Attr != 0);
break;
}
case SILInstructionKind::TailAddrInst: {
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
auto ResultTy = MF->getType(TyID3);
ResultInst = Builder.createTailAddr(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, SILValueCategory::Address, Fn)),
getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty2, SILValueCategory::Object, Fn)),
getSILType(ResultTy, SILValueCategory::Address, Fn));
break;
}
case SILInstructionKind::IndexRawPointerInst: {
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
ResultInst = Builder.createIndexRawPointer(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty2, (SILValueCategory)TyCategory2, Fn)));
break;
}
case SILInstructionKind::IncrementProfilerCounterInst: {
auto PGOFuncName = MF->getIdentifierText(ValID);
auto PGOHashStr = MF->getIdentifierText(ValID2);
uint64_t PGOHash;
auto HadError = PGOHashStr.getAsInteger(/*radix*/ 10, PGOHash);
assert(!HadError && "Failed to deserialize PGO hash");
(void)HadError;
ResultInst = Builder.createIncrementProfilerCounter(
Loc, /*CounterIdx*/ Attr, PGOFuncName, /*NumCounters*/ Attr2, PGOHash);
break;
}
case SILInstructionKind::IntegerLiteralInst: {
auto Ty = MF->getType(TyID);
auto intTy = Ty->castTo<AnyBuiltinIntegerType>();
StringRef text = MF->getIdentifierText(ValID);
bool negate = text[0] == '-';
if (negate) text = text.drop_front();
APInt value = intTy->getWidth().parse(text, 10, negate);
ResultInst = Builder.createIntegerLiteral(
Loc, getSILType(Ty, (SILValueCategory)TyCategory, Fn), value);
break;
}
case SILInstructionKind::FloatLiteralInst: {
auto Ty = MF->getType(TyID);
auto floatTy = Ty->castTo<BuiltinFloatType>();
StringRef StringVal = MF->getIdentifierText(ValID);
// Build APInt from string.
APInt bits(floatTy->getBitWidth(), StringVal, 16);
if (bits.getBitWidth() != floatTy->getBitWidth())
bits = bits.zextOrTrunc(floatTy->getBitWidth());
APFloat value(floatTy->getAPFloatSemantics(), bits);
ResultInst = Builder.createFloatLiteral(
Loc, getSILType(Ty, (SILValueCategory)TyCategory, Fn), value);
break;
}
case SILInstructionKind::StringLiteralInst: {
StringRef StringVal = MF->getIdentifierText(ValID);
auto encoding = fromStableStringEncoding(Attr);
if (!encoding) return true;
ResultInst =
Builder.createStringLiteral(Loc, StringVal, encoding.value());
break;
}
case SILInstructionKind::CondFailInst: {
SILValue Op = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
StringRef StringVal = MF->getIdentifierText(ValID2);
ResultInst = Builder.createCondFail(Loc, Op, StringVal);
break;
}
case SILInstructionKind::MarkFunctionEscapeInst: {
// Format: a list of typed values. A typed value is expressed by 4 IDs:
// TypeID, TypeCategory, ValueID, ValueResultNumber.
SmallVector<SILValue, 4> OpList;
for (unsigned I = 0, E = ListOfValues.size(); I < E; I += 3) {
auto EltTy = MF->getType(ListOfValues[I]);
OpList.push_back(getLocalValue(
Builder.maybeGetFunction(), ListOfValues[I + 2],
getSILType(EltTy, (SILValueCategory)ListOfValues[I + 1], Fn)));
}
ResultInst = Builder.createMarkFunctionEscape(Loc, OpList);
break;
}
// Checked Conversion instructions.
case SILInstructionKind::UnconditionalCheckedCastInst: {
SILType srcLoweredType = getSILType(MF->getType(ListOfValues[1]),
(SILValueCategory)ListOfValues[2], Fn);
SILValue src = getLocalValue(Builder.maybeGetFunction(), ListOfValues[0],
srcLoweredType);
SILType targetLoweredType =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
CanType targetFormalType =
MF->getType(ListOfValues[3])->getCanonicalType();
ResultInst = Builder.createUnconditionalCheckedCast(
Loc, src, targetLoweredType, targetFormalType);
break;
}
#define UNARY_INSTRUCTION(ID) \
case SILInstructionKind::ID##Inst: \
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand."); \
ResultInst = Builder.create##ID( \
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, \
getSILType(MF->getType(TyID), \
(SILValueCategory)TyCategory, Fn))); \
break;
#define REFCOUNTING_INSTRUCTION(ID) \
case SILInstructionKind::ID##Inst: \
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand."); \
ResultInst = Builder.create##ID( \
Loc, \
getLocalValue( \
Builder.maybeGetFunction(), ValID, \
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn)), \
(Atomicity)Attr); \
break;
UNARY_INSTRUCTION(UnownedCopyValue)
UNARY_INSTRUCTION(WeakCopyValue)
#define UNCHECKED_REF_STORAGE(Name, ...) \
UNARY_INSTRUCTION(StrongCopy##Name##Value)
#define ALWAYS_OR_SOMETIMES_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
REFCOUNTING_INSTRUCTION(Name##Retain) \
REFCOUNTING_INSTRUCTION(Name##Release) \
REFCOUNTING_INSTRUCTION(StrongRetain##Name) \
UNARY_INSTRUCTION(StrongCopy##Name##Value)
#define NEVER_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
UNARY_INSTRUCTION(StrongCopy##Name##Value)
#include "swift/AST/ReferenceStorage.def"
REFCOUNTING_INSTRUCTION(RetainValue)
REFCOUNTING_INSTRUCTION(RetainValueAddr)
REFCOUNTING_INSTRUCTION(UnmanagedRetainValue)
UNARY_INSTRUCTION(CopyValue)
UNARY_INSTRUCTION(ExplicitCopyValue)
REFCOUNTING_INSTRUCTION(ReleaseValue)
REFCOUNTING_INSTRUCTION(ReleaseValueAddr)
REFCOUNTING_INSTRUCTION(UnmanagedReleaseValue)
REFCOUNTING_INSTRUCTION(AutoreleaseValue)
REFCOUNTING_INSTRUCTION(UnmanagedAutoreleaseValue)
UNARY_INSTRUCTION(DeinitExistentialAddr)
UNARY_INSTRUCTION(DeinitExistentialValue)
UNARY_INSTRUCTION(EndBorrow)
UNARY_INSTRUCTION(DestroyAddr)
UNARY_INSTRUCTION(Return)
UNARY_INSTRUCTION(Throw)
UNARY_INSTRUCTION(ClassifyBridgeObject)
UNARY_INSTRUCTION(ValueToBridgeObject)
UNARY_INSTRUCTION(FixLifetime)
UNARY_INSTRUCTION(EndLifetime)
UNARY_INSTRUCTION(CopyBlock)
UNARY_INSTRUCTION(EndInitLetRef)
REFCOUNTING_INSTRUCTION(StrongRetain)
REFCOUNTING_INSTRUCTION(StrongRelease)
UNARY_INSTRUCTION(IsUnique)
UNARY_INSTRUCTION(AbortApply)
UNARY_INSTRUCTION(EndApply)
UNARY_INSTRUCTION(ExtractExecutor)
UNARY_INSTRUCTION(FunctionExtractIsolation)
#undef UNARY_INSTRUCTION
#undef REFCOUNTING_INSTRUCTION
case SILInstructionKind::LoadBorrowInst: {
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand.");
auto LB = Builder.createLoadBorrow(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID),
(SILValueCategory)TyCategory, Fn)));
LB->setUnchecked(Attr != 0);
ResultInst = LB;
break;
}
case SILInstructionKind::BeginBorrowInst: {
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand.");
auto isLexical = IsLexical_t(Attr & 0x1);
auto hasPointerEscape = HasPointerEscape_t((Attr >> 1) & 0x1);
auto fromVarDecl = IsFromVarDecl_t((Attr >> 2) & 0x1);
auto isFixed = BeginBorrowInst::IsFixed_t((Attr >> 3) & 0x1);
ResultInst = Builder.createBeginBorrow(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn)),
isLexical, hasPointerEscape, fromVarDecl, isFixed);
break;
}
case SILInstructionKind::IsEscapingClosureInst: {
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand.");
unsigned verificationType = Attr;
ResultInst = Builder.createIsEscapingClosure(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn)),
verificationType);
break;
}
case SILInstructionKind::HopToExecutorInst: {
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand.");
unsigned mandatory = Attr;
ResultInst = Builder.createHopToExecutor(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn)),
mandatory != 0);
break;
}
case SILInstructionKind::DestroyValueInst: {
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand.");
unsigned poisonRefs = Attr;
ResultInst = Builder.createDestroyValue(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn)),
poisonRefs != 0);
break;
}
case SILInstructionKind::BeginCOWMutationInst: {
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand.");
unsigned isNative = Attr;
ResultInst = Builder.createBeginCOWMutation(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn)),
isNative != 0);
break;
}
case SILInstructionKind::EndCOWMutationInst: {
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand.");
unsigned keepUnique = Attr;
ResultInst = Builder.createEndCOWMutation(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn)),
keepUnique != 0);
break;
}
case SILInstructionKind::DestructureTupleInst: {
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand.");
SILValue Operand = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
ResultInst = Builder.createDestructureTuple(Loc, Operand);
break;
}
case SILInstructionKind::DestructureStructInst: {
assert(RecordKind == SIL_ONE_OPERAND && "Layout should be OneOperand.");
SILValue Operand = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
ResultInst = Builder.createDestructureStruct(Loc, Operand);
break;
}
case SILInstructionKind::UncheckedOwnershipConversionInst: {
auto Ty = MF->getType(TyID);
auto ResultKind = decodeValueOwnership(Attr);
ResultInst = Builder.createUncheckedOwnershipConversion(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
ResultKind);
break;
}
case SILInstructionKind::MoveValueInst: {
auto Ty = MF->getType(TyID);
bool AllowsDiagnostics = Attr & 0x1;
IsLexical_t isLexical = IsLexical_t((Attr >> 1) & 0x1);
auto isEscaping = HasPointerEscape_t((Attr >> 2) & 0x1);
auto isFromVarDecl = IsFromVarDecl_t((Attr >> 3) & 0x1);
auto *MVI = Builder.createMoveValue(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
isLexical, isEscaping, isFromVarDecl);
MVI->setAllowsDiagnostics(AllowsDiagnostics);
ResultInst = MVI;
break;
}
case SILInstructionKind::DropDeinitInst: {
auto Ty = MF->getType(TyID);
ResultInst = Builder.createDropDeinit(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)));
break;
}
case SILInstructionKind::MarkUnresolvedReferenceBindingInst: {
using Kind = MarkUnresolvedReferenceBindingInst::Kind;
auto ty = MF->getType(TyID);
auto kind = Kind(Attr);
ResultInst = Builder.createMarkUnresolvedReferenceBindingInst(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(ty, (SILValueCategory)TyCategory, Fn)),
kind);
break;
}
case SILInstructionKind::MoveOnlyWrapperToCopyableValueInst: {
auto Ty = MF->getType(TyID);
bool isOwned = bool(Attr);
if (isOwned)
ResultInst = Builder.createOwnedMoveOnlyWrapperToCopyableValue(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)));
else
ResultInst = Builder.createGuaranteedMoveOnlyWrapperToCopyableValue(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)));
break;
}
case SILInstructionKind::CopyableToMoveOnlyWrapperValueInst: {
auto Ty = MF->getType(TyID);
bool isOwned = bool(Attr);
if (isOwned)
ResultInst = Builder.createOwnedCopyableToMoveOnlyWrapperValue(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)));
else
ResultInst = Builder.createGuaranteedCopyableToMoveOnlyWrapperValue(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)));
break;
}
case SILInstructionKind::LoadInst: {
auto Ty = MF->getType(TyID);
auto Qualifier = LoadOwnershipQualifier(Attr);
ResultInst = Builder.createLoad(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
Qualifier);
break;
}
#define NEVER_OR_SOMETIMES_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
case SILInstructionKind::Load##Name##Inst: { \
auto Ty = MF->getType(TyID); \
bool isTake = (Attr > 0); \
auto Val = \
getLocalValue(Builder.maybeGetFunction(), ValID, \
getSILType(Ty, SILValueCategory(TyCategory), Fn)); \
ResultInst = Builder.createLoad##Name(Loc, Val, IsTake_t(isTake)); \
break; \
} \
case SILInstructionKind::Store##Name##Inst: { \
auto Ty = MF->getType(TyID); \
SILType addrType = getSILType(Ty, (SILValueCategory)TyCategory, Fn); \
auto refType = addrType.castTo<Name##StorageType>(); \
auto ValType = SILType::getPrimitiveObjectType(refType.getReferentType()); \
bool isInit = (Attr > 0); \
ResultInst = Builder.createStore##Name( \
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, ValType), \
getLocalValue(Builder.maybeGetFunction(), ValID2, addrType), \
IsInitialization_t(isInit)); \
break; \
}
#include "swift/AST/ReferenceStorage.def"
case SILInstructionKind::MarkUninitializedInst: {
auto Ty = getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
auto Kind = (MarkUninitializedInst::Kind)Attr;
auto Val = getLocalValue(Builder.maybeGetFunction(), ValID, Ty);
ResultInst = Builder.createMarkUninitialized(Loc, Val, Kind);
break;
}
case SILInstructionKind::MarkUnresolvedNonCopyableValueInst: {
using CheckKind = MarkUnresolvedNonCopyableValueInst::CheckKind;
auto Ty = MF->getType(TyID);
auto CKind = CheckKind(Attr & 7);
auto Strict = Attr & (1 << 3)
? MarkUnresolvedNonCopyableValueInst::IsStrict
: MarkUnresolvedNonCopyableValueInst::IsNotStrict;
ResultInst = Builder.createMarkUnresolvedNonCopyableValueInst(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
CKind, Strict);
break;
}
case SILInstructionKind::StoreInst: {
auto Ty = MF->getType(TyID);
SILType addrType = getSILType(Ty, (SILValueCategory)TyCategory, Fn);
SILType ValType = addrType.getObjectType();
auto Qualifier = StoreOwnershipQualifier(Attr);
ResultInst = Builder.createStore(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, ValType),
getLocalValue(Builder.maybeGetFunction(), ValID2, addrType), Qualifier);
break;
}
case SILInstructionKind::StoreBorrowInst: {
auto Ty = MF->getType(TyID);
SILType addrType = getSILType(Ty, (SILValueCategory)TyCategory, Fn);
SILType ValType = addrType.getObjectType();
ResultInst = Builder.createStoreBorrow(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, ValType),
getLocalValue(Builder.maybeGetFunction(), ValID2, addrType));
break;
}
case SILInstructionKind::BeginAccessInst: {
SILValue op = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
auto accessKind = SILAccessKind(Attr & 0x3);
auto enforcement = SILAccessEnforcement((Attr >> 2) & 0x07);
bool noNestedConflict = (Attr >> 5) & 0x01;
bool fromBuiltin = (Attr >> 6) & 0x01;
ResultInst = Builder.createBeginAccess(Loc, op, accessKind, enforcement,
noNestedConflict, fromBuiltin);
break;
}
case SILInstructionKind::MoveOnlyWrapperToCopyableAddrInst: {
assert(RecordKind == SIL_ONE_OPERAND);
SILValue op = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
ResultInst = Builder.createMoveOnlyWrapperToCopyableAddr(Loc, op);
break;
}
case SILInstructionKind::MoveOnlyWrapperToCopyableBoxInst: {
assert(RecordKind == SIL_ONE_OPERAND);
SILValue op = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
ResultInst = Builder.createMoveOnlyWrapperToCopyableBox(Loc, op);
break;
}
case SILInstructionKind::CopyableToMoveOnlyWrapperAddrInst: {
assert(RecordKind == SIL_ONE_OPERAND);
SILValue op = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
ResultInst = Builder.createCopyableToMoveOnlyWrapperAddr(Loc, op);
break;
}
case SILInstructionKind::EndAccessInst: {
SILValue op = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
bool aborted = Attr & 0x1;
ResultInst = Builder.createEndAccess(Loc, op, aborted);
break;
}
case SILInstructionKind::BeginUnpairedAccessInst: {
SILValue source = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
SILValue buffer = getLocalValue(
Builder.maybeGetFunction(), ValID2,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn));
auto accessKind = SILAccessKind(Attr & 0x3);
auto enforcement = SILAccessEnforcement((Attr >> 2) & 0x07);
bool noNestedConflict = (Attr >> 5) & 0x01;
bool fromBuiltin = (Attr >> 6) & 0x01;
ResultInst = Builder.createBeginUnpairedAccess(
Loc, source, buffer, accessKind, enforcement, noNestedConflict,
fromBuiltin);
break;
}
case SILInstructionKind::EndUnpairedAccessInst: {
SILValue op = getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
bool aborted = Attr & 0x1;
auto enforcement = SILAccessEnforcement((Attr >> 1) & 0x07);
bool fromBuiltin = (Attr >> 4) & 0x01;
ResultInst = Builder.createEndUnpairedAccess(Loc, op, enforcement, aborted,
fromBuiltin);
break;
}
case SILInstructionKind::CopyAddrInst: {
auto Ty = MF->getType(TyID);
SILType addrType = getSILType(Ty, (SILValueCategory)TyCategory, Fn);
bool isInit = (Attr & 0x2) > 0;
bool isTake = (Attr & 0x1) > 0;
ResultInst = Builder.createCopyAddr(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, addrType),
getLocalValue(Builder.maybeGetFunction(), ValID2, addrType),
IsTake_t(isTake), IsInitialization_t(isInit));
break;
}
case SILInstructionKind::ExplicitCopyAddrInst: {
auto Ty = MF->getType(TyID);
SILType addrType = getSILType(Ty, (SILValueCategory)TyCategory, Fn);
bool isInit = (Attr & 0x2) > 0;
bool isTake = (Attr & 0x1) > 0;
ResultInst = Builder.createExplicitCopyAddr(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, addrType),
getLocalValue(Builder.maybeGetFunction(), ValID2, addrType),
IsTake_t(isTake), IsInitialization_t(isInit));
break;
}
case SILInstructionKind::MarkUnresolvedMoveAddrInst: {
auto Ty = MF->getType(TyID);
SILType addrType = getSILType(Ty, (SILValueCategory)TyCategory, Fn);
ResultInst = Builder.createMarkUnresolvedMoveAddr(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, addrType),
getLocalValue(Builder.maybeGetFunction(), ValID2, addrType));
break;
}
case SILInstructionKind::AssignInst: {
auto Ty = MF->getType(TyID);
SILType addrType = getSILType(Ty, (SILValueCategory)TyCategory, Fn);
SILType valType = addrType.getObjectType();
auto qualifier = AssignOwnershipQualifier(Attr);
ResultInst = Builder.createAssign(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, valType),
getLocalValue(Builder.maybeGetFunction(), ValID2, addrType), qualifier);
break;
}
case SILInstructionKind::AssignByWrapperInst:
case SILInstructionKind::AssignOrInitInst:
llvm_unreachable("not supported");
case SILInstructionKind::BindMemoryInst: {
assert(RecordKind == SIL_ONE_TYPE_VALUES &&
"Layout should be OneTypeValues.");
auto Ty = MF->getType(TyID); // BoundTy
ResultInst = Builder.createBindMemory(
Loc,
getLocalValue(Builder.maybeGetFunction(), ListOfValues[2],
getSILType(MF->getType(ListOfValues[0]),
(SILValueCategory)ListOfValues[1], Fn)),
getLocalValue(Builder.maybeGetFunction(), ListOfValues[5],
getSILType(MF->getType(ListOfValues[3]),
(SILValueCategory)ListOfValues[4], Fn)),
getSILType(Ty, (SILValueCategory)TyCategory, Fn));
break;
}
case SILInstructionKind::RebindMemoryInst: {
assert(RecordKind == SIL_TWO_OPERANDS && "Layout should be TwoOperands.");
auto Ty = MF->getType(TyID);
auto Ty2 = MF->getType(TyID2);
ResultInst = Builder.createRebindMemory(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty2, (SILValueCategory)TyCategory2, Fn)));
break;
}
case SILInstructionKind::StructElementAddrInst:
case SILInstructionKind::StructExtractInst: {
// Use SILOneValueOneOperandLayout.
VarDecl *Field = cast<VarDecl>(MF->getDecl(ValID));
auto Ty = MF->getType(TyID);
auto Val = getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty, (SILValueCategory)TyCategory, Fn));
auto ResultTy = Val->getType().getFieldType(
Field, SILMod, Builder.getTypeExpansionContext());
if (OpCode == SILInstructionKind::StructElementAddrInst)
ResultInst = Builder.createStructElementAddr(Loc, Val, Field,
ResultTy.getAddressType());
else
ResultInst = Builder.createStructExtract(Loc, Val, Field,
ResultTy.getObjectType());
break;
}
case SILInstructionKind::StructInst: {
// Format: a type followed by a list of typed values. A typed value is
// expressed by 4 IDs: TypeID, TypeCategory, ValueID, ValueResultNumber.
auto Ty = MF->getType(TyID);
SmallVector<SILValue, 4> OpList;
for (unsigned I = 0, E = ListOfValues.size(); I < E; I += 3) {
auto EltTy = MF->getType(ListOfValues[I]);
OpList.push_back(getLocalValue(
Builder.maybeGetFunction(), ListOfValues[I + 2],
getSILType(EltTy, (SILValueCategory)ListOfValues[I + 1], Fn)));
}
ResultInst = Builder.createStruct(
Loc, getSILType(Ty, (SILValueCategory)TyCategory, Fn), OpList);
break;
}
case SILInstructionKind::TupleElementAddrInst:
case SILInstructionKind::TupleExtractInst: {
// Use OneTypeOneOperand layout where the field number is stored in TypeID.
auto Ty2 = MF->getType(TyID2);
SILType ST = getSILType(Ty2, (SILValueCategory)TyCategory2, Fn);
TupleType *TT = ST.castTo<TupleType>();
auto ResultTy = TT->getElement(TyID).getType();
switch (OpCode) {
default: llvm_unreachable("Out of sync with parent switch");
case SILInstructionKind::TupleElementAddrInst:
ResultInst = Builder.createTupleElementAddr(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, ST), TyID,
getSILType(ResultTy, SILValueCategory::Address, Fn));
break;
case SILInstructionKind::TupleExtractInst:
ResultInst = Builder.createTupleExtract(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID, ST), TyID,
getSILType(ResultTy, SILValueCategory::Object, Fn));
break;
}
break;
}
case SILInstructionKind::TupleInst: {
// Format: a type followed by a list of values. A value is expressed by
// 2 IDs: ValueID, ValueResultNumber.
auto Ty = MF->getType(TyID);
TupleType *TT = Ty->castTo<TupleType>();
assert(TT && "Type of a TupleInst should be TupleType");
SmallVector<SILValue, 4> OpList;
for (unsigned I = 0, E = ListOfValues.size(); I < E; ++I) {
Type EltTy = TT->getElement(I).getType();
OpList.push_back(
getLocalValue(Builder.maybeGetFunction(), ListOfValues[I],
getSILType(EltTy, SILValueCategory::Object, Fn)));
}
ResultInst = Builder.createTuple(
Loc, getSILType(Ty, (SILValueCategory)TyCategory, Fn), OpList);
break;
}
case SILInstructionKind::TupleAddrConstructorInst: {
assert(RecordKind == SIL_ONE_TYPE_VALUES_CATEGORIES);
// Format: A type followed by a list of values. A value is expressed by 2
// IDs: ValueID, ValueResultNumber. The type is the type of the first
// element (which is our dest).
auto Ty = MF->getType(TyID);
TupleType *TT = Ty->castTo<TupleType>();
assert(
TT &&
"Type of the DestAddr of a TupleAddrConstructor should be TupleType");
assert(ListOfValues.size() >= 2 &&
"Should have at least a dest and one element");
auto getValue = [&](Type type, uint64_t value) -> SILValue {
assert((value & 0xFFFFFFFF00000000) == 0 &&
"High bits should never be set");
uint32_t count = value & 0x7FFFFFFF;
SILValueCategory category = value & 0x80000000 ? SILValueCategory::Address
: SILValueCategory::Object;
return getLocalValue(Builder.maybeGetFunction(), count,
getSILType(type, category, Fn));
};
SILValue DestAddr = getValue(TT, ListOfValues[0]);
SmallVector<SILValue, 4> OpList;
unsigned Count = 1;
visitExplodedTupleType(DestAddr->getType(), [&](SILType eltType) {
OpList.push_back(getValue(eltType.getRawASTType(), ListOfValues[Count]));
++Count;
return true;
});
auto IsInitOfDest = IsInitialization_t(Attr & 0x1);
ResultInst =
Builder.createTupleAddrConstructor(Loc, DestAddr, OpList, IsInitOfDest);
break;
}
case SILInstructionKind::ObjectInst: {
assert(RecordKind == SIL_ONE_TYPE_VALUES &&
"Layout should be OneTypeValues.");
unsigned NumVals = ListOfValues.size();
assert(NumVals >= 1 && "Not enough values");
unsigned numBaseElements = ListOfValues[0];
SILType ClassTy =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
SmallVector<SILValue, 4> elements;
for (unsigned i = 1; i < NumVals; i += 2) {
SILType elementType = getSILType(MF->getType(ListOfValues[i + 1]),
SILValueCategory::Object, Fn);
SILValue elementVal = getLocalValue(Builder.maybeGetFunction(),
ListOfValues[i], elementType);
elements.push_back(elementVal);
}
ResultInst = Builder.createObject(Loc, ClassTy, elements, numBaseElements);
break;
}
case SILInstructionKind::VectorInst: {
auto EltTy = MF->getType(TyID);
SmallVector<SILValue, 4> OpList;
for (unsigned I = 0, E = ListOfValues.size(); I < E; ++I) {
OpList.push_back(
getLocalValue(Builder.maybeGetFunction(), ListOfValues[I],
getSILType(EltTy, SILValueCategory::Object, Fn)));
}
ResultInst = Builder.createVector(Loc, OpList);
break;
}
case SILInstructionKind::BranchInst: {
SmallVector<SILValue, 4> Args;
for (unsigned I = 0, E = ListOfValues.size(); I < E; I += 3)
Args.push_back(
getLocalValue(Builder.maybeGetFunction(), ListOfValues[I + 2],
getSILType(MF->getType(ListOfValues[I]),
(SILValueCategory)ListOfValues[I + 1], Fn)));
ResultInst = Builder.createBranch(Loc, getBBForReference(Fn, TyID), Args);
break;
}
case SILInstructionKind::CondBranchInst: {
// Format: condition, true basic block ID, a list of arguments, false basic
// block ID, a list of arguments. Use SILOneTypeValuesLayout: the type is
// for condition, the list has value for condition, true basic block ID,
// false basic block ID, number of true arguments, and a list of true|false
// arguments.
SILValue Cond = getLocalValue(
Builder.maybeGetFunction(), ListOfValues[0],
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
unsigned NumTrueArgs = ListOfValues[3];
unsigned StartOfTrueArg = 4;
unsigned StartOfFalseArg = StartOfTrueArg + 3*NumTrueArgs;
SmallVector<SILValue, 4> TrueArgs;
for (unsigned I = StartOfTrueArg, E = StartOfFalseArg; I < E; I += 3)
TrueArgs.push_back(
getLocalValue(Builder.maybeGetFunction(), ListOfValues[I + 2],
getSILType(MF->getType(ListOfValues[I]),
(SILValueCategory)ListOfValues[I + 1], Fn)));
SmallVector<SILValue, 4> FalseArgs;
for (unsigned I = StartOfFalseArg, E = ListOfValues.size(); I < E; I += 3)
FalseArgs.push_back(
getLocalValue(Builder.maybeGetFunction(), ListOfValues[I + 2],
getSILType(MF->getType(ListOfValues[I]),
(SILValueCategory)ListOfValues[I + 1], Fn)));
ResultInst = Builder.createCondBranch(
Loc, Cond, getBBForReference(Fn, ListOfValues[1]), TrueArgs,
getBBForReference(Fn, ListOfValues[2]), FalseArgs);
break;
}
case SILInstructionKind::AwaitAsyncContinuationInst: {
// Format: continuation, resume block ID, error block ID if given
SILValue Cont = getLocalValue(
Builder.maybeGetFunction(), ListOfValues[0],
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
SILBasicBlock *resultBB = getBBForReference(Fn, ListOfValues[1]);
SILBasicBlock *errorBB = nullptr;
if (ListOfValues.size() >= 3) {
errorBB = getBBForReference(Fn, ListOfValues[2]);
}
ResultInst = Builder.createAwaitAsyncContinuation(Loc, Cont, resultBB, errorBB);
break;
}
case SILInstructionKind::SwitchEnumInst:
case SILInstructionKind::SwitchEnumAddrInst: {
// Format: condition, a list of cases (EnumElementDecl + Basic Block ID),
// default basic block ID. Use SILOneTypeValuesLayout: the type is
// for condition, the list has value for condition, hasDefault, default
// basic block ID, a list of (DeclID, BasicBlock ID).
SILValue Cond = getLocalValue(
Builder.maybeGetFunction(), ListOfValues[0],
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
SILBasicBlock *DefaultBB = nullptr;
if (ListOfValues[1])
DefaultBB = getBBForReference(Fn, ListOfValues[2]);
SmallVector<std::pair<EnumElementDecl*, SILBasicBlock*>, 4> CaseBBs;
for (unsigned I = 3, E = ListOfValues.size(); I < E; I += 2) {
CaseBBs.push_back( {cast<EnumElementDecl>(MF->getDecl(ListOfValues[I])),
getBBForReference(Fn, ListOfValues[I+1])} );
}
if (OpCode == SILInstructionKind::SwitchEnumInst) {
ResultInst =
Builder.createSwitchEnum(Loc, Cond, DefaultBB, CaseBBs, std::nullopt,
ProfileCounter(), forwardingOwnership);
} else {
ResultInst = Builder.createSwitchEnumAddr(Loc, Cond, DefaultBB, CaseBBs);
}
break;
}
case SILInstructionKind::SelectEnumInst:
case SILInstructionKind::SelectEnumAddrInst: {
// Format: condition, a list of cases (EnumElementDecl + Value ID),
// default value ID. Use SILOneTypeValuesLayout: the type is
// for condition, the list has value for condition, result type,
// hasDefault, default
// basic block ID, a list of (DeclID, BasicBlock ID).
SILValue Cond = getLocalValue(
Builder.maybeGetFunction(), ListOfValues[0],
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
Type ResultLoweredTy = MF->getType(ListOfValues[1]);
SILValueCategory ResultCategory = (SILValueCategory)ListOfValues[2];
SILType ResultTy = getSILType(ResultLoweredTy, ResultCategory, Fn);
SILValue DefaultVal = nullptr;
if (ListOfValues[3])
DefaultVal =
getLocalValue(Builder.maybeGetFunction(), ListOfValues[4], ResultTy);
SmallVector<std::pair<EnumElementDecl*, SILValue>, 4> CaseVals;
for (unsigned I = 5, E = ListOfValues.size(); I < E; I += 2) {
auto Value = getLocalValue(Builder.maybeGetFunction(),
ListOfValues[I + 1], ResultTy);
CaseVals.push_back({cast<EnumElementDecl>(MF->getDecl(ListOfValues[I])),
Value});
}
if (OpCode == SILInstructionKind::SelectEnumInst)
ResultInst =
Builder.createSelectEnum(Loc, Cond, ResultTy, DefaultVal, CaseVals);
else
ResultInst = Builder.createSelectEnumAddr(Loc, Cond, ResultTy, DefaultVal,
CaseVals);
break;
}
case SILInstructionKind::SwitchValueInst: {
// Format: condition, a list of cases (Value ID + Basic Block ID),
// default basic block ID. Use SILOneTypeValuesLayout: the type is
// for condition, the list contains value for condition, hasDefault, default
// basic block ID, a list of (Value ID, BasicBlock ID).
SILType ResultTy = getSILType(MF->getType(TyID),
(SILValueCategory)TyCategory, Fn);
SILValue Cond = getLocalValue(
Builder.maybeGetFunction(), ListOfValues[0],
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
SILBasicBlock *DefaultBB = nullptr;
if (ListOfValues[1])
DefaultBB = getBBForReference(Fn, ListOfValues[2]);
SmallVector<std::pair<SILValue, SILBasicBlock*>, 4> CaseBBs;
for (unsigned I = 3, E = ListOfValues.size(); I < E; I += 2) {
auto value =
getLocalValue(Builder.maybeGetFunction(), ListOfValues[I], ResultTy);
CaseBBs.push_back( {value, getBBForReference(Fn, ListOfValues[I+1])} );
}
ResultInst = Builder.createSwitchValue(Loc, Cond, DefaultBB, CaseBBs);
break;
}
case SILInstructionKind::EnumInst: {
// Format: a type, an operand and a decl ID. Use SILTwoOperandsLayout: type,
// (DeclID + hasOperand), and an operand.
SILValue Operand;
if (Attr)
Operand = getLocalValue(
Builder.maybeGetFunction(), ValID2,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn));
ResultInst = Builder.createEnum(
Loc, Operand, cast<EnumElementDecl>(MF->getDecl(ValID)),
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
break;
}
case SILInstructionKind::InitEnumDataAddrInst: {
// Use SILOneValueOneOperandLayout.
EnumElementDecl *Elt = cast<EnumElementDecl>(MF->getDecl(ValID));
SILType OperandTy = getSILType(MF->getType(TyID),
(SILValueCategory) TyCategory, Fn);
SILType ResultTy = OperandTy.getEnumElementType(
Elt, SILMod, Builder.getTypeExpansionContext());
ResultInst = Builder.createInitEnumDataAddr(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID2, OperandTy), Elt,
ResultTy);
break;
}
case SILInstructionKind::UncheckedEnumDataInst: {
// Use SILOneValueOneOperandLayout.
EnumElementDecl *Elt = cast<EnumElementDecl>(MF->getDecl(ValID));
SILType OperandTy =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
SILType ResultTy = OperandTy.getEnumElementType(
Elt, SILMod, Builder.getTypeExpansionContext());
ResultInst = Builder.createUncheckedEnumData(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID2, OperandTy), Elt,
ResultTy);
break;
}
case SILInstructionKind::UncheckedTakeEnumDataAddrInst: {
// Use SILOneValueOneOperandLayout.
EnumElementDecl *Elt = cast<EnumElementDecl>(MF->getDecl(ValID));
SILType OperandTy =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
SILType ResultTy = OperandTy.getEnumElementType(
Elt, SILMod, Builder.getTypeExpansionContext());
ResultInst = Builder.createUncheckedTakeEnumDataAddr(
Loc, getLocalValue(Builder.maybeGetFunction(), ValID2, OperandTy), Elt,
ResultTy);
break;
}
case SILInstructionKind::InjectEnumAddrInst: {
// Use SILOneValueOneOperandLayout.
EnumElementDecl *Elt = cast<EnumElementDecl>(MF->getDecl(ValID));
auto Ty = MF->getType(TyID);
ResultInst = Builder.createInjectEnumAddr(
Loc,
getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty, (SILValueCategory)TyCategory, Fn)),
Elt);
break;
}
case SILInstructionKind::RefElementAddrInst: {
// Use SILOneValueOneOperandLayout.
VarDecl *Field = cast<VarDecl>(MF->getDecl(ValID));
auto Ty = MF->getType(TyID);
auto Val = getLocalValue(Builder.maybeGetFunction(), ValID2,
getSILType(Ty, (SILValueCategory)TyCategory, Fn));
auto ResultTy = Val->getType().getFieldType(
Field, SILMod, Builder.getTypeExpansionContext());
ResultInst = Builder.createRefElementAddr(Loc, Val, Field, ResultTy,
/*Immutable*/ Attr & 0x1);
break;
}
case SILInstructionKind::RefTailAddrInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
assert((SILValueCategory)TyCategory == SILValueCategory::Address);
ResultInst = Builder.createRefTailAddr(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
getSILType(MF->getType(TyID), SILValueCategory::Address, Fn),
/*Immutable*/ Attr & 0x1);
break;
}
case SILInstructionKind::ClassMethodInst:
case SILInstructionKind::SuperMethodInst:
case SILInstructionKind::ObjCMethodInst:
case SILInstructionKind::ObjCSuperMethodInst: {
// Format: a type, an operand and a SILDeclRef. Use SILOneTypeValuesLayout:
// type, Attr, SILDeclRef (DeclID, Kind, uncurryLevel), and an operand.
unsigned NextValueIndex = 0;
SILDeclRef DRef = getSILDeclRef(MF, ListOfValues, NextValueIndex);
SILType Ty =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
assert(ListOfValues.size() >= NextValueIndex + 2 &&
"Out of entries for MethodInst");
SILType operandTy =
getSILType(MF->getType(ListOfValues[NextValueIndex]),
(SILValueCategory)ListOfValues[NextValueIndex + 1], Fn);
NextValueIndex += 2;
switch (OpCode) {
default: llvm_unreachable("Out of sync with parent switch");
case SILInstructionKind::ClassMethodInst:
ResultInst = Builder.createClassMethod(
Loc,
getLocalValue(Builder.maybeGetFunction(),
ListOfValues[NextValueIndex], operandTy),
DRef, Ty);
break;
case SILInstructionKind::SuperMethodInst:
ResultInst = Builder.createSuperMethod(
Loc,
getLocalValue(Builder.maybeGetFunction(),
ListOfValues[NextValueIndex], operandTy),
DRef, Ty);
break;
case SILInstructionKind::ObjCMethodInst:
ResultInst = Builder.createObjCMethod(
Loc,
getLocalValue(Builder.maybeGetFunction(),
ListOfValues[NextValueIndex], operandTy),
DRef, Ty);
break;
case SILInstructionKind::ObjCSuperMethodInst:
ResultInst = Builder.createObjCSuperMethod(
Loc,
getLocalValue(Builder.maybeGetFunction(),
ListOfValues[NextValueIndex], operandTy),
DRef, Ty);
break;
}
break;
}
case SILInstructionKind::WitnessMethodInst: {
unsigned NextValueIndex = 0;
SILDeclRef DRef = getSILDeclRef(MF, ListOfValues, NextValueIndex);
assert(ListOfValues.size() >= NextValueIndex &&
"Out of entries for MethodInst");
CanType Ty = MF->getType(TyID)->getCanonicalType();
SILType OperandTy =
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn);
auto Conformance = MF->getConformance(ConformanceID);
// Read the optional opened existential.
SILValue ExistentialOperand;
if (TyID3) {
SILType ExistentialOperandTy =
getSILType(MF->getType(TyID3), (SILValueCategory)TyCategory3, Fn);
if (ValID3)
ExistentialOperand = getLocalValue(Builder.maybeGetFunction(), ValID3,
ExistentialOperandTy);
}
ResultInst =
Builder.createWitnessMethod(Loc, Ty, Conformance, DRef, OperandTy);
break;
}
case SILInstructionKind::DynamicMethodBranchInst: {
// Format: a typed value, a SILDeclRef, a BasicBlock ID for method,
// a BasicBlock ID for no method. Use SILOneTypeValuesLayout.
unsigned NextValueIndex = 1;
SILDeclRef DRef = getSILDeclRef(MF, ListOfValues, NextValueIndex);
assert(ListOfValues.size() == NextValueIndex + 2 &&
"Wrong number of entries for DynamicMethodBranchInst");
ResultInst = Builder.createDynamicMethodBranch(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ListOfValues[0],
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn)),
DRef, getBBForReference(Fn, ListOfValues[NextValueIndex]),
getBBForReference(Fn, ListOfValues[NextValueIndex + 1]));
break;
}
case SILInstructionKind::CheckedCastBranchInst: {
// Format: the cast kind, a typed value, a BasicBlock ID for success,
// a BasicBlock ID for failure. Uses SILOneTypeValuesLayout.
bool isExact = ListOfValues[0] != 0;
CanType sourceFormalType = MF->getType(ListOfValues[1])->getCanonicalType();
SILType opTy = getSILType(MF->getType(ListOfValues[3]),
(SILValueCategory)ListOfValues[4], Fn);
SILValue op =
getLocalValue(Builder.maybeGetFunction(), ListOfValues[2], opTy);
SILType targetLoweredType =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
CanType targetFormalType = MF->getType(ListOfValues[5])->getCanonicalType();
auto *successBB = getBBForReference(Fn, ListOfValues[6]);
auto *failureBB = getBBForReference(Fn, ListOfValues[7]);
ResultInst =
Builder.createCheckedCastBranch(Loc, isExact, op, sourceFormalType,
targetLoweredType, targetFormalType,
successBB, failureBB,
forwardingOwnership);
break;
}
case SILInstructionKind::UnconditionalCheckedCastAddrInst: {
// ignore attr.
CanType srcFormalType = MF->getType(ListOfValues[0])->getCanonicalType();
SILType srcLoweredType = getSILType(MF->getType(ListOfValues[2]),
(SILValueCategory)ListOfValues[3], Fn);
SILValue src = getLocalValue(Builder.maybeGetFunction(), ListOfValues[1],
srcLoweredType);
CanType targetFormalType = MF->getType(ListOfValues[4])->getCanonicalType();
SILType targetLoweredType =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
SILValue dest = getLocalValue(Builder.maybeGetFunction(), ListOfValues[5],
targetLoweredType);
ResultInst = Builder.createUnconditionalCheckedCastAddr(
Loc, src, srcFormalType, dest, targetFormalType);
break;
}
case SILInstructionKind::CheckedCastAddrBranchInst: {
CastConsumptionKind consumption = getCastConsumptionKind(ListOfValues[0]);
CanType srcFormalType = MF->getType(ListOfValues[1])->getCanonicalType();
SILType srcLoweredType = getSILType(MF->getType(ListOfValues[3]),
(SILValueCategory)ListOfValues[4], Fn);
SILValue src = getLocalValue(Builder.maybeGetFunction(), ListOfValues[2],
srcLoweredType);
CanType targetFormalType =
MF->getType(ListOfValues[5])->getCanonicalType();
SILType targetLoweredType =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
SILValue dest = getLocalValue(Builder.maybeGetFunction(), ListOfValues[6],
targetLoweredType);
auto *successBB = getBBForReference(Fn, ListOfValues[7]);
auto *failureBB = getBBForReference(Fn, ListOfValues[8]);
ResultInst = Builder.createCheckedCastAddrBranch(
Loc, consumption, src, srcFormalType, dest, targetFormalType, successBB,
failureBB);
break;
}
case SILInstructionKind::UncheckedRefCastInst: {
assert(RecordKind == SIL_ONE_TYPE_ONE_OPERAND &&
"Layout should be OneTypeOneOperand.");
auto *urc = Builder.createUncheckedRefCast(
Loc,
getLocalValue(
Builder.maybeGetFunction(), ValID,
getSILType(MF->getType(TyID2), (SILValueCategory)TyCategory2, Fn)),
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn));
urc->setForwardingOwnershipKind(decodeValueOwnership(Attr));
ResultInst = urc;
break;
}
case SILInstructionKind::UncheckedRefCastAddrInst: {
CanType sourceType = MF->getType(ListOfValues[0])->getCanonicalType();
// ignore attr.
SILType srcAddrTy = getSILType(MF->getType(ListOfValues[2]),
(SILValueCategory)ListOfValues[3], Fn);
SILValue src =
getLocalValue(Builder.maybeGetFunction(), ListOfValues[1], srcAddrTy);
CanType targetType = MF->getType(ListOfValues[4])->getCanonicalType();
SILType destAddrTy =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
SILValue dest =
getLocalValue(Builder.maybeGetFunction(), ListOfValues[5], destAddrTy);
ResultInst = Builder.createUncheckedRefCastAddr(Loc, src, sourceType, dest,
targetType);
break;
}
case SILInstructionKind::InitBlockStorageHeaderInst: {
assert(ListOfValues.size() == 5 &&
"expected 5 values for InitBlockStorageHeader");
SILType blockTy =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
SILType storageTy = getSILType(MF->getType(ListOfValues[1]),
SILValueCategory::Address, Fn);
SILValue storage =
getLocalValue(Builder.maybeGetFunction(), ListOfValues[0], storageTy);
SILType invokeTy =
getSILType(MF->getType(ListOfValues[3]), SILValueCategory::Object, Fn);
SILValue invoke =
getLocalValue(Builder.maybeGetFunction(), ListOfValues[2], invokeTy);
auto SubMap = MF->getSubstitutionMap(ListOfValues[4]);
ResultInst = Builder.createInitBlockStorageHeader(Loc, storage, invoke,
blockTy, SubMap);
break;
}
case SILInstructionKind::UnreachableInst: {
ResultInst = Builder.createUnreachable(Loc);
break;
}
case SILInstructionKind::UnwindInst: {
ResultInst = Builder.createUnwind(Loc);
break;
}
case SILInstructionKind::ThrowAddrInst: {
ResultInst = Builder.createThrowAddr(Loc);
break;
}
case SILInstructionKind::YieldInst: {
SILBasicBlock *unwindBB = getBBForReference(Fn, ListOfValues.back());
ListOfValues = ListOfValues.drop_back();
SILBasicBlock *resumeBB = getBBForReference(Fn, ListOfValues.back());
ListOfValues = ListOfValues.drop_back();
SmallVector<SILValue, 4> yieldedValues;
for (unsigned I = 0, E = ListOfValues.size(); I < E; I += 3) {
auto valueTy = MF->getType(ListOfValues[I]);
auto valueCategory = (SILValueCategory) ListOfValues[I+1];
yieldedValues.push_back(
getLocalValue(Builder.maybeGetFunction(), ListOfValues[I + 2],
getSILType(valueTy, valueCategory, Fn)));
}
ResultInst = Builder.createYield(Loc, yieldedValues, resumeBB, unwindBB);
break;
}
case SILInstructionKind::KeyPathInst: {
unsigned nextValue = 0;
SILType kpTy =
getSILType(MF->getType(TyID), (SILValueCategory)TyCategory, Fn);
auto rootTy = MF->getType(ListOfValues[nextValue++]);
auto valueTy = MF->getType(ListOfValues[nextValue++]);
auto numComponents = ListOfValues[nextValue++];
auto numOperands = ListOfValues[nextValue++];
auto subMap = MF->getSubstitutionMap(ListOfValues[nextValue++]);
auto objcString = MF->getIdentifierText(ListOfValues[nextValue++]);
SmallVector<GenericTypeParamType *, 4> genericParams;
SmallVector<Requirement, 4> requirements;
auto numGenericParams = ListOfValues[nextValue++];
for (unsigned i = 0; i != numGenericParams; ++i) {
genericParams.push_back(MF->getType(ListOfValues[nextValue++])
->castTo<GenericTypeParamType>());
}
if (numGenericParams != 0) {
MF->deserializeGenericRequirements(ListOfValues, nextValue, requirements);
}
SmallVector<KeyPathPatternComponent, 4> components;
components.reserve(numComponents);
while (numComponents-- > 0) {
components.push_back(*readKeyPathComponent(ListOfValues, nextValue));
}
CanGenericSignature sig = CanGenericSignature();
if (!genericParams.empty() || !requirements.empty())
sig = GenericSignature::get(genericParams, requirements)
.getCanonicalSignature();
auto pattern = KeyPathPattern::get(SILMod, sig,
rootTy->getCanonicalType(),
valueTy->getCanonicalType(),
components,
objcString);
SmallVector<SILValue, 4> operands;
operands.reserve(numOperands);
while (numOperands-- > 0) {
auto opValue = ListOfValues[nextValue++];
auto opTy = MF->getType(ListOfValues[nextValue++]);
auto opCat = (SILValueCategory)ListOfValues[nextValue++];
operands.push_back(getLocalValue(Builder.maybeGetFunction(), opValue,
getSILType(opTy, opCat, Fn)));
}
ResultInst = Builder.createKeyPath(Loc, pattern, subMap, operands, kpTy);
break;
}
case SILInstructionKind::DifferentiableFunctionInst: {
auto numParams = Attr;
auto numResults = Attr2;
auto numParamIndices = Attr3;
bool hasDerivativeFunctions = (bool)Attr4;
unsigned numOperands = hasDerivativeFunctions ? 3 : 1;
auto numResultIndices =
ListOfValues.size() - numOperands * 3 - numParamIndices;
assert(ListOfValues.size() ==
numParamIndices + numResultIndices + numOperands * 3);
auto rawParamIndices =
map<SmallVector<unsigned, 8>>(ListOfValues.take_front(numParamIndices),
[](uint64_t i) { return (unsigned)i; });
auto *paramIndices =
IndexSubset::get(MF->getContext(), numParams, rawParamIndices);
auto rawResultIndices = map<SmallVector<unsigned, 8>>(
ListOfValues.slice(numParamIndices, numResultIndices),
[](uint64_t i) { return (unsigned)i; });
auto *resultIndices =
IndexSubset::get(MF->getContext(), numResults, rawResultIndices);
SmallVector<SILValue, 3> operands;
for (auto i = numParamIndices + numResultIndices;
i < numParamIndices + numOperands * 3; i += 3) {
auto astTy = MF->getType(ListOfValues[i]);
auto silTy = getSILType(astTy, (SILValueCategory)ListOfValues[i + 1], Fn);
operands.push_back(getLocalValue(Builder.maybeGetFunction(),
ListOfValues[i + 2], silTy));
}
std::optional<std::pair<SILValue, SILValue>> derivativeFunctions =
std::nullopt;
if (hasDerivativeFunctions)
derivativeFunctions = std::make_pair(operands[1], operands[2]);
ResultInst = Builder.createDifferentiableFunction(
Loc, paramIndices, resultIndices, operands[0], derivativeFunctions);
break;
}
case SILInstructionKind::LinearFunctionInst: {
auto numDiffParams = Attr;
bool hasLinearFunction = (bool)Attr2;
unsigned numOperands = hasLinearFunction ? 2 : 1;
auto numParamIndices = ListOfValues.size() - numOperands * 3;
assert(ListOfValues.size() == numParamIndices + numOperands * 3);
auto rawParamIndices =
map<SmallVector<unsigned, 8>>(ListOfValues.take_front(numParamIndices),
[](uint64_t i) { return (unsigned)i; });
auto *paramIndices =
IndexSubset::get(MF->getContext(), numDiffParams, rawParamIndices);
SmallVector<SILValue, 3> operands;
for (auto i = numParamIndices;
i < numParamIndices + numOperands * 3; i += 3) {
auto astTy = MF->getType(ListOfValues[i]);
auto silTy = getSILType(astTy, (SILValueCategory)ListOfValues[i+1], Fn);
operands.push_back(getLocalValue(Builder.maybeGetFunction(),
ListOfValues[i + 2], silTy));
}
std::optional<SILValue> transposeFunction = std::nullopt;
if (hasLinearFunction)
transposeFunction = operands[1];
ResultInst = Builder.createLinearFunction(Loc, paramIndices, operands[0],
transposeFunction);
break;
}
case SILInstructionKind::DifferentiableFunctionExtractInst: {
auto astTy = MF->getType(TyID);
auto silTy = getSILType(astTy, SILValueCategory::Object, Fn);
auto val = getLocalValue(Builder.maybeGetFunction(), ValID, silTy);
NormalDifferentiableFunctionTypeComponent extractee(Attr);
std::optional<SILType> explicitExtracteeType = std::nullopt;
if (Attr2) {
auto extracteeASTType = MF->getType(TyID2);
explicitExtracteeType =
getSILType(extracteeASTType, SILValueCategory::Object, Fn);
}
ResultInst = Builder.createDifferentiableFunctionExtract(
Loc, extractee, val, explicitExtracteeType);
break;
}
case SILInstructionKind::LinearFunctionExtractInst: {
auto astTy = MF->getType(TyID);
auto silTy = getSILType(astTy, SILValueCategory::Object, Fn);
auto val = getLocalValue(Builder.maybeGetFunction(), ValID, silTy);
LinearDifferentiableFunctionTypeComponent extractee(Attr);
ResultInst = Builder.createLinearFunctionExtract(Loc, extractee, val);
break;
}
case SILInstructionKind::DifferentiabilityWitnessFunctionInst: {
StringRef mangledKey = MF->getIdentifierText(ValID);
auto *witness = getSILDifferentiabilityWitnessForReference(mangledKey);
assert(witness && "SILDifferentiabilityWitness not found");
DifferentiabilityWitnessFunctionKind witnessKind(Attr);
std::optional<SILType> explicitFnTy = std::nullopt;
auto astTy = MF->getType(TyID);
if (TyID)
explicitFnTy = getSILType(astTy, SILValueCategory::Object, Fn);
ResultInst = Builder.createDifferentiabilityWitnessFunction(
Loc, witnessKind, witness, explicitFnTy);
break;
}
case SILInstructionKind::HasSymbolInst: {
ValueDecl *decl = cast<ValueDecl>(MF->getDecl(ValID));
ResultInst = Builder.createHasSymbol(Loc, decl);
// Deserialize the functions that are implicitly referenced by the
// instruction.
for (auto fnID : ListOfValues) {
(void)getFuncForReference(MF->getIdentifierText(fnID));
}
break;
}
}
for (auto result : ResultInst->getResults()) {
LastValueID = LastValueID + 1;
setLocalValue(result, LastValueID);
}
return false;
}
SILFunction *SILDeserializer::lookupSILFunction(SILFunction *InFunc,
bool onlyUpdateLinkage) {
StringRef name = InFunc->getName();
if (!FuncTable)
return nullptr;
auto iter = FuncTable->find(name);
if (iter == FuncTable->end())
return nullptr;
// Re-reading the function as declaration will update the linkage.
auto maybeFunc = readSILFunctionChecked(*iter, InFunc, name,
/*declarationOnly*/ onlyUpdateLinkage);
if (!maybeFunc) {
// Ignore the error; treat it as if we didn't have a definition.
consumeError(maybeFunc.takeError());
return nullptr;
}
if (maybeFunc.get()) {
LLVM_DEBUG(llvm::dbgs() << "Deserialize SIL:\n";
maybeFunc.get()->dump());
assert(InFunc->getName() == maybeFunc.get()->getName());
}
return maybeFunc.get();
}
/// Check for existence of a function with a given name and required linkage.
/// This function is modeled after readSILFunction. But it does not
/// create a SILFunction object.
bool SILDeserializer::hasSILFunction(StringRef Name,
std::optional<SILLinkage> Linkage) {
if (!FuncTable)
return false;
auto iter = FuncTable->find(Name);
if (iter == FuncTable->end())
return false;
// There is a function with the required name.
// Find out which linkage it has.
auto FID = *iter;
auto &cacheEntry = Funcs[FID-1];
if (cacheEntry.isFullyDeserialized() ||
(cacheEntry.isDeserialized()))
return !Linkage || cacheEntry.get()->getLinkage() == *Linkage;
BCOffsetRAII restoreOffset(SILCursor);
if (llvm::Error Err = SILCursor.JumpToBit(cacheEntry.getOffset())) {
MF->diagnoseAndConsumeFatal(std::move(Err));
return false;
}
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry) {
MF->diagnoseAndConsumeFatal(maybeEntry.takeError());
return false;
}
llvm::BitstreamEntry entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::Error) {
MF->diagnoseAndConsumeFatal("Cursor advance error in hasSILFunction");
return false;
}
SmallVector<uint64_t, 64> scratch;
StringRef blobData;
llvm::Expected<unsigned> maybeKind =
SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
assert(kind == SIL_FUNCTION && "expect a sil function");
(void)kind;
// Read function properties only, e.g. its linkage and other attributes.
// TODO: If this results in any noticeable performance problems, Cache the
// linkage to avoid re-reading it from the bitcode each time?
DeclID clangOwnerID;
ModuleID parentModuleID;
TypeID funcTyID;
IdentifierID replacedFunctionID;
IdentifierID usedAdHocWitnessFunctionID;
GenericSignatureID genericSigID;
unsigned rawLinkage, isTransparent, serializedKind, isThunk,
isWithoutActuallyEscapingThunk, isGlobal, inlineStrategy,
optimizationMode, perfConstr, subclassScope, hasCReferences, effect,
numSpecAttrs, hasQualifiedOwnership, isWeakImported,
LIST_VER_TUPLE_PIECES(available), isDynamic, isExactSelfClass,
isDistributed, isRuntimeAccessible, forceEnableLexicalLifetimes;
ArrayRef<uint64_t> SemanticsIDs;
SILFunctionLayout::readRecord(
scratch, rawLinkage, isTransparent, serializedKind, isThunk,
isWithoutActuallyEscapingThunk, isGlobal, inlineStrategy,
optimizationMode, perfConstr, subclassScope, hasCReferences, effect,
numSpecAttrs, hasQualifiedOwnership, isWeakImported,
LIST_VER_TUPLE_PIECES(available), isDynamic, isExactSelfClass,
isDistributed, isRuntimeAccessible, forceEnableLexicalLifetimes, funcTyID,
replacedFunctionID, usedAdHocWitnessFunctionID, genericSigID,
clangOwnerID, parentModuleID, SemanticsIDs);
auto linkage = fromStableSILLinkage(rawLinkage);
if (!linkage) {
LLVM_DEBUG(llvm::dbgs() << "invalid linkage code " << rawLinkage
<< " for SIL function " << Name << "\n");
return false;
}
// Bail if it is not a required linkage.
if (Linkage && linkage.value() != *Linkage)
return false;
LLVM_DEBUG(llvm::dbgs() << "Found SIL Function: " << Name << "\n");
return true;
}
SILFunction *SILDeserializer::lookupSILFunction(StringRef name,
bool declarationOnly) {
if (!FuncTable)
return nullptr;
auto iter = FuncTable->find(name);
if (iter == FuncTable->end())
return nullptr;
auto maybeFunc = readSILFunctionChecked(*iter, nullptr, name,
declarationOnly);
if (!maybeFunc) {
// Ignore the error; treat it as if we didn't have a definition.
consumeError(maybeFunc.takeError());
return nullptr;
}
if (maybeFunc.get()) {
LLVM_DEBUG(llvm::dbgs() << "Deserialize SIL:\n";
maybeFunc.get()->dump());
}
return maybeFunc.get();
}
SILGlobalVariable *SILDeserializer::readGlobalVar(StringRef Name) {
if (!GlobalVarList)
return nullptr;
PrettyStackTraceStringAction trace("deserializing SIL global", Name);
// If we already deserialized this global variable, just return it.
if (auto *GV = SILMod.lookUpGlobalVariable(Name))
return GV;
// Find Id for the given name.
auto iter = GlobalVarList->find(Name);
if (iter == GlobalVarList->end())
return nullptr;
auto VId = *iter;
if (VId == 0)
return nullptr;
assert(VId <= GlobalVars.size() && "invalid GlobalVar ID");
auto &globalVarOrOffset = GlobalVars[VId-1];
if (globalVarOrOffset.isFullyDeserialized())
return globalVarOrOffset.get();
BCOffsetRAII restoreOffset(SILCursor);
if (llvm::Error Err = SILCursor.JumpToBit(globalVarOrOffset.getOffset()))
MF->fatal(std::move(Err));
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
llvm::BitstreamEntry entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::Error) {
LLVM_DEBUG(llvm::dbgs() << "Cursor advance error in readGlobalVar.\n");
return nullptr;
}
SmallVector<uint64_t, 64> scratch;
StringRef blobData;
llvm::Expected<unsigned> maybeKind =
SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
assert(kind == SIL_GLOBALVAR && "expect a sil global var");
(void)kind;
TypeID TyID;
DeclID dID;
unsigned rawLinkage, serializedKind, IsDeclaration, IsLet;
SILGlobalVarLayout::readRecord(scratch, rawLinkage, serializedKind,
IsDeclaration, IsLet, TyID, dID);
if (TyID == 0) {
LLVM_DEBUG(llvm::dbgs() << "SILGlobalVariable typeID is 0.\n");
return nullptr;
}
auto linkage = fromStableSILLinkage(rawLinkage);
if (!linkage) {
LLVM_DEBUG(llvm::dbgs() << "invalid linkage code " << rawLinkage
<< " for SILGlobalVariable\n");
return nullptr;
}
VarDecl *globalDecl = nullptr;
if (dID) {
llvm::Expected<Decl *> d = MF->getDeclChecked(dID);
if (d) {
globalDecl = cast<VarDecl>(d.get());
} else {
// This can happen with cross-module-optimizations, if the linkage of a
// private global variable is changed to public.
consumeError(d.takeError());
}
}
auto Ty = MF->getType(TyID);
SILGlobalVariable *v = SILGlobalVariable::create(
SILMod, linkage.value(), SerializedKind_t(serializedKind),
Name.str(), getSILType(Ty, SILValueCategory::Object, nullptr),
std::nullopt, globalDecl);
v->setLet(IsLet);
globalVarOrOffset.set(v, true /*isFullyDeserialized*/);
v->setDeclaration(IsDeclaration);
if (Callback)
Callback->didDeserialize(MF->getAssociatedModule(), v);
scratch.clear();
maybeEntry = SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::EndBlock)
return v;
maybeKind = SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
kind = maybeKind.get();
SILBuilder Builder(v);
llvm::DenseMap<uint32_t, ValueBase*> SavedLocalValues;
serialization::ValueID SavedLastValueID = 1;
SavedLocalValues.swap(LocalValues);
std::swap(SavedLastValueID, LastValueID);
while (kind != SIL_FUNCTION && kind != SIL_VTABLE && kind != SIL_GLOBALVAR &&
kind != SIL_MOVEONLY_DEINIT && kind != SIL_WITNESS_TABLE &&
kind != SIL_DIFFERENTIABILITY_WITNESS) {
if (readSILInstruction(nullptr, Builder, kind, scratch))
MF->fatal("readSILInstruction returns error");
// Fetch the next record.
scratch.clear();
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
llvm::BitstreamEntry entry = maybeEntry.get();
// EndBlock means the end of this SILFunction.
if (entry.Kind == llvm::BitstreamEntry::EndBlock)
break;
maybeKind = SILCursor.readRecord(entry.ID, scratch);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
kind = maybeKind.get();
}
SavedLocalValues.swap(LocalValues);
std::swap(SavedLastValueID, LastValueID);
return v;
}
void SILDeserializer::getAllSILGlobalVariables() {
if (!GlobalVarList)
return;
for (auto Key : GlobalVarList->keys()) {
readGlobalVar(Key);
}
}
void SILDeserializer::getAllSILFunctions() {
if (!FuncTable)
return;
for (auto KI = FuncTable->key_begin(), KE = FuncTable->key_end(); KI != KE;
++KI) {
// Attempt to lookup our name from the output module. If we have a
// definition already, don't do anything.
if (SILFunction *F = SILMod.lookUpFunction(*KI))
if (!F->isExternalDeclaration())
continue;
auto DI = FuncTable->find(*KI);
assert(DI != FuncTable->end() && "There should never be a key without data.");
auto maybeFunc = readSILFunctionChecked(*DI, nullptr, *KI, false,
false/*errorIfEmptyBody*/);
if (!maybeFunc) {
// Ignore the error; treat it as if we didn't have a definition.
consumeError(maybeFunc.takeError());
}
}
}
SILVTable *SILDeserializer::readVTable(DeclID VId) {
if (VId == 0)
return nullptr;
assert(VId <= VTables.size() && "invalid VTable ID");
auto &vTableOrOffset = VTables[VId-1];
if (vTableOrOffset.isFullyDeserialized())
return vTableOrOffset.get();
BCOffsetRAII restoreOffset(SILCursor);
if (llvm::Error Err = SILCursor.JumpToBit(vTableOrOffset.getOffset()))
MF->fatal(std::move(Err));
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
llvm::BitstreamEntry entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::Error) {
LLVM_DEBUG(llvm::dbgs() << "Cursor advance error in readVTable.\n");
return nullptr;
}
SmallVector<uint64_t, 64> scratch;
StringRef blobData;
llvm::Expected<unsigned> maybeKind =
SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
assert(kind == SIL_VTABLE && "expect a sil vtable");
(void)kind;
DeclID ClassID;
unsigned Serialized;
VTableLayout::readRecord(scratch, ClassID, Serialized);
if (ClassID == 0) {
LLVM_DEBUG(llvm::dbgs() << "VTable classID is 0.\n");
return nullptr;
}
ClassDecl *theClass = cast<ClassDecl>(MF->getDecl(ClassID));
PrettyStackTraceDecl trace("deserializing SIL vtable for", theClass);
// Fetch the next record.
scratch.clear();
maybeEntry = SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::EndBlock)
// This vtable has no contents.
return nullptr;
maybeKind = SILCursor.readRecord(entry.ID, scratch);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
kind = maybeKind.get();
std::vector<SILVTable::Entry> vtableEntries;
// Another SIL_VTABLE record means the end of this VTable.
while (kind != SIL_VTABLE && kind != SIL_WITNESS_TABLE &&
kind != SIL_DEFAULT_WITNESS_TABLE && kind != SIL_FUNCTION &&
kind != SIL_PROPERTY && kind != SIL_MOVEONLY_DEINIT) {
assert(kind == SIL_VTABLE_ENTRY &&
"Content of Vtable should be in SIL_VTABLE_ENTRY.");
ArrayRef<uint64_t> ListOfValues;
DeclID NameID;
unsigned RawEntryKind, IsNonOverridden;
VTableEntryLayout::readRecord(scratch, NameID,
RawEntryKind, IsNonOverridden,
ListOfValues);
auto EntryKind = fromStableVTableEntryKind(RawEntryKind);
SILFunction *Func = getFuncForReference(MF->getIdentifierText(NameID));
if (Func) {
unsigned NextValueIndex = 0;
vtableEntries.emplace_back(getSILDeclRef(MF, ListOfValues, NextValueIndex),
Func, EntryKind.value(), (bool)IsNonOverridden);
}
// Fetch the next record.
scratch.clear();
maybeEntry = SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::EndBlock)
// EndBlock means the end of this VTable.
break;
maybeKind = SILCursor.readRecord(entry.ID, scratch);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
kind = maybeKind.get();
}
// If we've already serialized the module, don't mark the witness table
// as serialized, since we no longer need to enforce resilience
// boundaries.
if (SILMod.isSerialized())
Serialized = unsigned(SerializedKind_t::IsNotSerialized);
SILVTable *vT = SILVTable::create(
SILMod, theClass,
SerializedKind_t(Serialized),
vtableEntries);
vTableOrOffset.set(vT, true /*isFullyDeserialized*/);
if (Callback) Callback->didDeserialize(MF->getAssociatedModule(), vT);
return vT;
}
SILVTable *SILDeserializer::lookupVTable(StringRef MangledClassName) {
if (!VTableList)
return nullptr;
auto iter = VTableList->find(MangledClassName);
if (iter == VTableList->end())
return nullptr;
auto VT = readVTable(*iter);
return VT;
}
/// Deserialize all VTables inside the module and add them to SILMod.
void SILDeserializer::getAllVTables() {
if (!VTableList)
return;
for (unsigned I = 0, E = VTables.size(); I < E; ++I)
readVTable(I+1);
}
SILMoveOnlyDeinit *SILDeserializer::readMoveOnlyDeinit(DeclID tableID) {
if (tableID == 0)
return nullptr;
assert(tableID <= MoveOnlyDeinits.size() && "invalid VTable ID");
auto &moveOnlyDeinitOrOffset = MoveOnlyDeinits[tableID - 1];
if (moveOnlyDeinitOrOffset.isFullyDeserialized())
return moveOnlyDeinitOrOffset.get();
BCOffsetRAII restoreOffset(SILCursor);
if (llvm::Error Err = SILCursor.JumpToBit(moveOnlyDeinitOrOffset.getOffset()))
MF->fatal(std::move(Err));
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
llvm::BitstreamEntry entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::Error) {
LLVM_DEBUG(llvm::dbgs() << "Cursor advance error in readVTable.\n");
return nullptr;
}
SmallVector<uint64_t, 64> scratch;
StringRef blobData;
llvm::Expected<unsigned> maybeKind =
SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
assert(kind == SIL_MOVEONLY_DEINIT && "expect a sil move only deinit table");
(void)kind;
DeclID nominalID;
DeclID funcNameID;
unsigned rawSerialized;
MoveOnlyDeinitLayout::readRecord(scratch, nominalID, funcNameID,
rawSerialized);
if (nominalID == 0) {
LLVM_DEBUG(llvm::dbgs() << "MoveOnlyDeinit nominalID is 0.\n");
return nullptr;
}
auto *theNomDecl = cast<NominalTypeDecl>(MF->getDecl(nominalID));
auto *theFunc = getFuncForReference(MF->getIdentifierText(funcNameID));
// If we've already serialized the module, don't mark the witness table
// as serialized, since we no longer need to enforce resilience
// boundaries.
if (SILMod.isSerialized())
rawSerialized = 0;
auto *deinit = SILMoveOnlyDeinit::create(
SILMod, theNomDecl, SerializedKind_t(rawSerialized),
theFunc);
moveOnlyDeinitOrOffset.set(deinit, true /*isFullyDeserialized*/);
if (Callback)
Callback->didDeserialize(MF->getAssociatedModule(), deinit);
return deinit;
}
SILMoveOnlyDeinit *
SILDeserializer::lookupMoveOnlyDeinit(StringRef MangledClassName) {
if (!MoveOnlyDeinitList)
return nullptr;
auto iter = MoveOnlyDeinitList->find(MangledClassName);
if (iter == MoveOnlyDeinitList->end())
return nullptr;
auto tbl = readMoveOnlyDeinit(*iter);
return tbl;
}
/// Deserialize all move only deinit tables inside the module and add them to
/// SILMod.
void SILDeserializer::getAllMoveOnlyDeinits() {
if (!MoveOnlyDeinitList)
return;
for (unsigned i : range(MoveOnlyDeinits.size()))
readMoveOnlyDeinit(i + 1);
}
SILProperty *SILDeserializer::readProperty(DeclID PId) {
auto &propOrOffset = Properties[PId-1];
if (propOrOffset.isFullyDeserialized())
return propOrOffset.get();
BCOffsetRAII restoreOffset(SILCursor);
if (llvm::Error Err = SILCursor.JumpToBit(propOrOffset.getOffset()))
MF->fatal(std::move(Err));
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
llvm::BitstreamEntry entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::Error) {
LLVM_DEBUG(llvm::dbgs() << "Cursor advance error in readProperty.\n");
return nullptr;
}
SmallVector<uint64_t, 64> scratch;
StringRef blobData;
llvm::Expected<unsigned> maybeKind =
SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
assert(kind == SIL_PROPERTY && "expect a sil_property");
(void)kind;
unsigned Serialized;
DeclID StorageID;
ArrayRef<uint64_t> ComponentValues;
PropertyLayout::readRecord(scratch, StorageID, Serialized, ComponentValues);
auto decl = cast<AbstractStorageDecl>(MF->getDecl(StorageID));
unsigned ComponentValueIndex = 0;
auto component = readKeyPathComponent(ComponentValues, ComponentValueIndex);
auto prop = SILProperty::create(SILMod, Serialized, decl, component);
propOrOffset.set(prop, /*fully deserialized*/ true);
return prop;
}
void SILDeserializer::getAllProperties() {
for (unsigned I = 0, E = Properties.size(); I < E; ++I) {
readProperty(I+1);
}
}
void SILDeserializer::readWitnessTableEntries(
llvm::BitstreamEntry &entry,
std::vector<SILWitnessTable::Entry> &witnessEntries,
std::vector<SILWitnessTable::ConditionalConformance>
&conditionalConformances) {
SmallVector<uint64_t, 64> scratch;
llvm::Expected<unsigned> maybeKind = SILCursor.readRecord(entry.ID, scratch);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
// Another record means the end of this WitnessTable.
while (kind != SIL_WITNESS_TABLE &&
kind != SIL_DEFAULT_WITNESS_TABLE &&
kind != SIL_DIFFERENTIABILITY_WITNESS &&
kind != SIL_FUNCTION) {
if (kind == SIL_DEFAULT_WITNESS_TABLE_NO_ENTRY) {
witnessEntries.push_back(SILDefaultWitnessTable::Entry());
} else if (kind == SIL_WITNESS_BASE_ENTRY) {
DeclID protoId;
ProtocolConformanceID conformanceId;
WitnessBaseEntryLayout::readRecord(scratch, protoId, conformanceId);
ProtocolDecl *proto = cast<ProtocolDecl>(MF->getDecl(protoId));
auto conformance = MF->getConformance(conformanceId);
witnessEntries.push_back(SILWitnessTable::BaseProtocolWitness{
proto, conformance.getConcrete()
});
} else if (kind == SIL_WITNESS_ASSOC_PROTOCOL) {
TypeID assocId;
DeclID protoId;
ProtocolConformanceID conformanceId;
WitnessAssocProtocolLayout::readRecord(scratch, assocId, protoId,
conformanceId);
CanType type = MF->getType(assocId)->getCanonicalType();
ProtocolDecl *proto = cast<ProtocolDecl>(MF->getDecl(protoId));
auto conformance = MF->getConformance(conformanceId);
witnessEntries.push_back(SILWitnessTable::AssociatedTypeProtocolWitness{
type, proto, conformance
});
} else if (kind == SIL_WITNESS_ASSOC_ENTRY) {
DeclID assocId;
TypeID tyId;
WitnessAssocEntryLayout::readRecord(scratch, assocId, tyId);
AssociatedTypeDecl *assoc = cast<AssociatedTypeDecl>(MF->getDecl(assocId));
witnessEntries.push_back(SILWitnessTable::AssociatedTypeWitness{
assoc, MF->getType(tyId)->getCanonicalType()
});
} else if (kind == SIL_WITNESS_METHOD_ENTRY) {
ArrayRef<uint64_t> ListOfValues;
DeclID NameID;
WitnessMethodEntryLayout::readRecord(scratch, NameID, ListOfValues);
SILFunction *Func = nullptr;
if (NameID != 0) {
Func = getFuncForReference(MF->getIdentifierText(NameID));
}
if (Func || NameID == 0) {
unsigned NextValueIndex = 0;
witnessEntries.push_back(SILWitnessTable::MethodWitness{
getSILDeclRef(MF, ListOfValues, NextValueIndex), Func
});
}
} else {
assert(kind == SIL_WITNESS_CONDITIONAL_CONFORMANCE &&
"Content of WitnessTable should be in "
"SIL_WITNESS_CONDITIONAL_CONFORMANCE.");
TypeID assocId;
ProtocolConformanceID conformanceId;
WitnessConditionalConformanceLayout::readRecord(scratch, assocId,
conformanceId);
CanType type = MF->getType(assocId)->getCanonicalType();
auto conformance = MF->getConformance(conformanceId);
conditionalConformances.push_back(
SILWitnessTable::ConditionalConformance{type, conformance});
}
// Fetch the next record.
scratch.clear();
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::EndBlock)
// EndBlock means the end of this WitnessTable.
break;
maybeKind = SILCursor.readRecord(entry.ID, scratch);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
kind = maybeKind.get();
}
}
SILWitnessTable *SILDeserializer::readWitnessTable(DeclID WId,
SILWitnessTable *existingWt) {
auto deserialized = readWitnessTableChecked(WId, existingWt);
if (!deserialized) {
MF->fatal(deserialized.takeError());
}
return deserialized.get();
}
llvm::Expected<SILWitnessTable *>
SILDeserializer::readWitnessTableChecked(DeclID WId,
SILWitnessTable *existingWt) {
if (WId == 0)
return nullptr;
assert(WId <= WitnessTables.size() && "invalid WitnessTable ID");
auto &wTableOrOffset = WitnessTables[WId-1];
if (wTableOrOffset.isFullyDeserialized())
return wTableOrOffset.get();
BCOffsetRAII restoreOffset(SILCursor);
if (llvm::Error Err = SILCursor.JumpToBit(wTableOrOffset.getOffset()))
MF->fatal(std::move(Err));
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
llvm::BitstreamEntry entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::Error) {
LLVM_DEBUG(llvm::dbgs() << "Cursor advance error in readWitnessTable.\n");
return nullptr;
}
SmallVector<uint64_t, 64> scratch;
StringRef blobData;
llvm::Expected<unsigned> maybeKind =
SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
assert(kind == SIL_WITNESS_TABLE && "expect a sil witnesstable");
(void)kind;
unsigned RawLinkage;
unsigned IsDeclaration;
unsigned Serialized;
ProtocolConformanceID conformance;
WitnessTableLayout::readRecord(scratch, RawLinkage, IsDeclaration,
Serialized, conformance);
auto Linkage = fromStableSILLinkage(RawLinkage);
if (!Linkage) {
LLVM_DEBUG(llvm::dbgs() << "invalid linkage code " << RawLinkage
<< " for SILFunction\n");
MF->fatal("invalid linkage code");
}
// Deserialize Conformance.
auto maybeConformance = MF->getConformanceChecked(conformance);
if (!maybeConformance)
return maybeConformance.takeError();
auto theConformance = cast<RootProtocolConformance>(
maybeConformance.get().getConcrete());
PrettyStackTraceConformance trace("deserializing SIL witness table for",
theConformance);
if (!existingWt)
existingWt = SILMod.lookUpWitnessTable(theConformance);
auto wT = existingWt;
// If we have an existing witness table, verify that the conformance matches
// up.
if (wT) {
if (wT->getConformance() != theConformance) {
MF->fatal("Conformance mismatch");
}
// Don't override the linkage of a witness table with an existing
// declaration.
} else {
// Otherwise, create a new witness table declaration.
wT = SILWitnessTable::create(SILMod, *Linkage, theConformance);
if (Callback)
Callback->didDeserialize(MF->getAssociatedModule(), wT);
}
// We may see multiple shared-linkage definitions of the same witness table
// for the same conformance.
if (wT->isDefinition() && hasSharedVisibility(*Linkage)
&& hasSharedVisibility(wT->getLinkage())) {
wTableOrOffset.set(wT, /*fully deserialized*/ true);
return wT;
}
assert(wT->isDeclaration() && "Our witness table at this point must be a "
"declaration.");
// If we are asked to just emit a declaration, return the declaration and say
// that the witness table is not fully deserialized.
if (IsDeclaration) {
wTableOrOffset.set(wT, /*fully deserialized*/ false);
return wT;
}
// Fetch the next record.
scratch.clear();
maybeEntry = SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::EndBlock)
return nullptr;
std::vector<SILWitnessTable::Entry> witnessEntries;
std::vector<SILWitnessTable::ConditionalConformance> conditionalConformances;
readWitnessTableEntries(entry, witnessEntries, conditionalConformances);
// If we've already serialized the module, don't mark the witness table
// as serialized, since we no longer need to enforce resilience
// boundaries.
if (SILMod.isSerialized())
Serialized = unsigned(SerializedKind_t::IsNotSerialized);
wT->convertToDefinition(witnessEntries, conditionalConformances,
SerializedKind_t(Serialized));
wTableOrOffset.set(wT, /*fully deserialized*/ true);
if (Callback)
Callback->didDeserializeWitnessTableEntries(MF->getAssociatedModule(), wT);
return wT;
}
/// Deserialize all WitnessTables inside the module and add them to SILMod.
void SILDeserializer::getAllWitnessTables() {
if (!WitnessTableList)
return;
for (unsigned I = 0, E = WitnessTables.size(); I < E; ++I) {
auto maybeTable = readWitnessTableChecked(I + 1, nullptr);
if (!maybeTable) {
if (maybeTable.errorIsA<XRefNonLoadedModuleError>()) {
// This is most likely caused by decls hidden by an implementation-only
// import, it is safe to ignore for this function's purpose.
consumeError(maybeTable.takeError());
} else {
MF->diagnoseAndConsumeFatal(maybeTable.takeError());
}
}
}
}
SILWitnessTable *
SILDeserializer::lookupWitnessTable(SILWitnessTable *existingWt) {
assert(existingWt && "Cannot deserialize a null witness table declaration.");
assert(existingWt->isDeclaration() && "Cannot deserialize a witness table "
"definition.");
// If we don't have a witness table list, we can't look anything up.
if (!WitnessTableList)
return nullptr;
// Use the name of the given witness table to lookup the partially
// deserialized value from the witness table list.
auto iter = WitnessTableList->find(existingWt->getName());
if (iter == WitnessTableList->end())
return nullptr;
// Attempt to read the witness table.
auto Wt = readWitnessTable(*iter, existingWt);
if (Wt)
LLVM_DEBUG(llvm::dbgs() << "Deserialize SIL:\n"; Wt->dump());
return Wt;
}
SILDefaultWitnessTable *SILDeserializer::
readDefaultWitnessTable(DeclID WId, SILDefaultWitnessTable *existingWt) {
if (WId == 0)
return nullptr;
assert(WId <= DefaultWitnessTables.size() &&
"invalid DefaultWitnessTable ID");
auto &wTableOrOffset = DefaultWitnessTables[WId-1];
if (wTableOrOffset.isFullyDeserialized())
return wTableOrOffset.get();
BCOffsetRAII restoreOffset(SILCursor);
if (llvm::Error Err = SILCursor.JumpToBit(wTableOrOffset.getOffset()))
MF->fatal(std::move(Err));
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
llvm::BitstreamEntry entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::Error) {
LLVM_DEBUG(llvm::dbgs() << "Cursor advance error in "
"readDefaultWitnessTable.\n");
return nullptr;
}
SmallVector<uint64_t, 64> scratch;
StringRef blobData;
llvm::Expected<unsigned> maybeKind =
SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
assert(kind == SIL_DEFAULT_WITNESS_TABLE && "expect a sil default witness table");
(void)kind;
unsigned RawLinkage;
DeclID protoId;
DefaultWitnessTableLayout::readRecord(scratch, protoId, RawLinkage);
auto Linkage = fromStableSILLinkage(RawLinkage);
if (!Linkage) {
LLVM_DEBUG(llvm::dbgs() << "invalid linkage code " << RawLinkage
<< " for SILFunction\n");
MF->fatal("invalid linkage code");
}
ProtocolDecl *proto = cast<ProtocolDecl>(MF->getDecl(protoId));
if (proto == nullptr) {
LLVM_DEBUG(llvm::dbgs() << "invalid protocol code " << protoId << "\n");
MF->fatal("invalid protocol code");
}
PrettyStackTraceDecl trace("deserializing default witness table for", proto);
if (!existingWt)
existingWt = SILMod.lookUpDefaultWitnessTable(proto, /*deserializeLazily=*/ false);
auto wT = existingWt;
// If we have an existing default witness table, verify that the protocol
// matches up.
if (wT) {
if (wT->getProtocol() != proto) {
MF->fatal("Protocol mismatch");
}
// Don't override the linkage of a default witness table with an existing
// declaration.
} else {
// Otherwise, create a new witness table declaration.
wT = SILDefaultWitnessTable::create(SILMod, *Linkage, proto);
if (Callback)
Callback->didDeserialize(MF->getAssociatedModule(), wT);
}
// Fetch the next record.
scratch.clear();
maybeEntry = SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::EndBlock)
return nullptr;
std::vector<SILWitnessTable::Entry> witnessEntries;
std::vector<SILWitnessTable::ConditionalConformance> conditionalConformances;
readWitnessTableEntries(entry, witnessEntries, conditionalConformances);
wT->convertToDefinition(witnessEntries);
wTableOrOffset.set(wT, /*fully deserialized*/ true);
if (Callback)
Callback->didDeserializeDefaultWitnessTableEntries(MF->getAssociatedModule(), wT);
return wT;
}
/// Deserialize all DefaultWitnessTables inside the module and add them to SILMod.
void SILDeserializer::getAllDefaultWitnessTables() {
if (!DefaultWitnessTableList)
return;
for (unsigned I = 0, E = DefaultWitnessTables.size(); I < E; ++I)
readDefaultWitnessTable(I + 1, nullptr);
}
SILDefaultWitnessTable *
SILDeserializer::lookupDefaultWitnessTable(SILDefaultWitnessTable *existingWt) {
assert(existingWt && "Cannot deserialize a null default witness table declaration.");
assert(existingWt->isDeclaration() && "Cannot deserialize a default witness table "
"definition.");
// If we don't have a default witness table list, we can't look anything up.
if (!DefaultWitnessTableList)
return nullptr;
// Use the mangled name of the protocol to lookup the partially
// deserialized value from the default witness table list.
auto iter = DefaultWitnessTableList->find(existingWt->getUniqueName());
if (iter == DefaultWitnessTableList->end())
return nullptr;
// Attempt to read the default witness table.
auto Wt = readDefaultWitnessTable(*iter, existingWt);
if (Wt)
LLVM_DEBUG(llvm::dbgs() << "Deserialize SIL:\n"; Wt->dump());
return Wt;
}
SILDifferentiabilityWitness *
SILDeserializer::readDifferentiabilityWitness(DeclID DId) {
if (DId == 0)
return nullptr;
assert(DId <= DifferentiabilityWitnesses.size() &&
"Invalid SILDifferentiabilityWitness ID");
auto &diffWitnessOrOffset = DifferentiabilityWitnesses[DId - 1];
if (diffWitnessOrOffset.isFullyDeserialized())
return diffWitnessOrOffset.get();
BCOffsetRAII restoreOffset(SILCursor);
if (auto err = SILCursor.JumpToBit(diffWitnessOrOffset.getOffset()))
MF->fatal(std::move(err));
llvm::Expected<llvm::BitstreamEntry> maybeEntry =
SILCursor.advance(AF_DontPopBlockAtEnd);
if (!maybeEntry)
MF->fatal(maybeEntry.takeError());
auto entry = maybeEntry.get();
if (entry.Kind == llvm::BitstreamEntry::Error) {
LLVM_DEBUG(llvm::dbgs() << "Cursor advance error in "
"readDefaultWitnessTable.\n");
return nullptr;
}
SmallVector<uint64_t, 64> scratch;
StringRef blobData;
llvm::Expected<unsigned> maybeKind =
SILCursor.readRecord(entry.ID, scratch, &blobData);
if (!maybeKind)
MF->fatal(maybeKind.takeError());
unsigned kind = maybeKind.get();
assert(kind == SIL_DIFFERENTIABILITY_WITNESS &&
"Expected sil_differentiability_witness");
(void)kind;
DeclID originalNameId, jvpNameId, vjpNameId;
unsigned rawLinkage, isDeclaration, isSerialized, rawDiffKind,
numParameterIndices, numResultIndices;
GenericSignatureID derivativeGenSigID;
ArrayRef<uint64_t> rawParameterAndResultIndices;
DifferentiabilityWitnessLayout::readRecord(
scratch, originalNameId, rawLinkage, isDeclaration, isSerialized,
rawDiffKind, derivativeGenSigID, jvpNameId, vjpNameId,
numParameterIndices, numResultIndices, rawParameterAndResultIndices);
if (isDeclaration) {
assert(!isSerialized && "declaration must not be serialized");
}
auto linkageOpt = fromStableSILLinkage(rawLinkage);
assert(linkageOpt &&
"Expected value linkage for sil_differentiability_witness");
auto diffKind = fromStableDifferentiabilityKind(rawDiffKind);
assert(diffKind &&
"Expected differentiability kind for sil_differentiability_witness");
auto originalName = MF->getIdentifierText(originalNameId);
auto jvpName = MF->getIdentifierText(jvpNameId);
auto vjpName = MF->getIdentifierText(vjpNameId);
auto *original = getFuncForReference(originalName);
assert(original && "Original function must be found");
auto *jvp = getFuncForReference(jvpName);
if (!jvpName.empty()) {
assert(!isDeclaration && "JVP must not be defined in declaration");
assert(jvp && "JVP function must be found if JVP name is not empty");
}
auto *vjp = getFuncForReference(vjpName);
if (!vjpName.empty()) {
assert(!isDeclaration && "VJP must not be defined in declaration");
assert(vjp && "VJP function must be found if VJP name is not empty");
}
auto derivativeGenSig = MF->getGenericSignature(derivativeGenSigID);
auto originalFnType = original->getLoweredFunctionType();
SmallVector<unsigned, 8> parameterAndResultIndices(
rawParameterAndResultIndices.begin(), rawParameterAndResultIndices.end());
assert(parameterAndResultIndices.size() ==
numParameterIndices + numResultIndices &&
"Parameter/result indices count mismatch");
auto *parameterIndices =
IndexSubset::get(MF->getContext(), originalFnType->getNumParameters(),
ArrayRef<unsigned>(parameterAndResultIndices)
.take_front(numParameterIndices));
auto numResults = originalFnType->getNumResults() +
originalFnType->getNumIndirectMutatingParameters();
auto *resultIndices =
IndexSubset::get(MF->getContext(), numResults,
ArrayRef<unsigned>(parameterAndResultIndices)
.take_back(numResultIndices));
AutoDiffConfig config(parameterIndices, resultIndices, derivativeGenSig);
auto *diffWitness = SILMod.lookUpDifferentiabilityWitness(
{originalName, *diffKind, config});
// Witnesses that we deserialize are always available externally; we never
// want to emit them ourselves.
auto linkage = swift::addExternalToLinkage(*linkageOpt);
// If there is no existing differentiability witness, create one.
if (!diffWitness)
diffWitness = SILDifferentiabilityWitness::createDeclaration(
SILMod, linkage, original, *diffKind, parameterIndices, resultIndices,
derivativeGenSig);
// If the current differentiability witness is merely a declaration, and the
// deserialized witness is a definition, upgrade the current differentiability
// witness to a definition. This can happen in the following situations:
// 1. The witness was just created above.
// 2. The witness started out as a declaration (e.g. the differentiation
// pass emitted a witness for an external function) and now we're loading
// the definition (e.g. an optimization pass asked for the definition and
// we found the definition serialized in this module).
if (diffWitness->isDeclaration() && !isDeclaration)
diffWitness->convertToDefinition(jvp, vjp, isSerialized);
diffWitnessOrOffset.set(diffWitness,
/*isFullyDeserialized*/ diffWitness->isDefinition());
return diffWitness;
}
SILDifferentiabilityWitness *SILDeserializer::lookupDifferentiabilityWitness(
StringRef mangledDiffWitnessKey) {
if (!DifferentiabilityWitnessList)
return nullptr;
auto iter = DifferentiabilityWitnessList->find(mangledDiffWitnessKey);
if (iter == DifferentiabilityWitnessList->end())
return nullptr;
return readDifferentiabilityWitness(*iter);
}
void SILDeserializer::getAllDifferentiabilityWitnesses() {
if (!DifferentiabilityWitnessList)
return;
for (unsigned I = 0, E = DifferentiabilityWitnesses.size(); I < E; ++I)
readDifferentiabilityWitness(I + 1);
}
SILDeserializer::~SILDeserializer() {
// Drop our references to anything we've deserialized.
for (auto &fnEntry : Funcs) {
if (fnEntry.isDeserialized())
fnEntry.get()->decrementRefCount();
}
}
// Invalidate all cached SILFunctions.
void SILDeserializer::invalidateFunctionCache() {
for (auto &fnEntry : Funcs)
if (fnEntry.isDeserialized()) {
fnEntry.get()->decrementRefCount();
fnEntry.reset();
}
}
bool SILDeserializer::invalidateFunction(SILFunction *F) {
for (auto &fnEntry : Funcs) {
if (fnEntry.isDeserialized() && fnEntry.get() == F) {
fnEntry.get()->decrementRefCount();
fnEntry.reset();
return true;
}
}
return false;
}
// Invalidate all cached SILGlobalVariable.
void SILDeserializer::invalidateGlobalVariableCache() {
for (auto &entry : GlobalVars) {
if (entry.isDeserialized()) {
entry.reset();
}
}
}
// Invalidate a specific cached GlobalVariable.
bool SILDeserializer::invalidateGlobalVariable(SILGlobalVariable *gv) {
for (auto &entry : GlobalVars) {
if (entry.isDeserialized() && entry.get() == gv) {
entry.reset();
return true;
}
}
return false;
}
// Invalidate all cached SILVTable.
void SILDeserializer::invalidateVTableCache() {
for (auto &entry : VTables) {
if (entry.isDeserialized()) {
entry.reset();
}
}
}
// Invalidate a specific cached SILVTable.
bool SILDeserializer::invalidateVTable(SILVTable *v) {
for (auto &entry : VTables) {
if (entry.isDeserialized() && entry.get() == v) {
entry.reset();
return true;
}
}
return false;
}
// Invalidate all cached SILWitnessTable.
void SILDeserializer::invalidateWitnessTableCache() {
for (auto &entry : WitnessTables) {
if (entry.isDeserialized()) {
entry.reset();
}
}
}
// Invalidate a specific cached SILWitnessTable.
bool SILDeserializer::invalidateWitnessTable(SILWitnessTable *wt) {
for (auto &entry : WitnessTables) {
if (entry.isDeserialized() && entry.get() == wt) {
entry.reset();
return true;
}
}
return false;
}
// Invalidate all cached SILDefaultWitnessTable.
void SILDeserializer::invalidateDefaultWitnessTableCache() {
for (auto &entry : DefaultWitnessTables) {
if (entry.isDeserialized()) {
entry.reset();
}
}
}
// Invalidate a specific cached SILDefaultWitnessTable.
bool SILDeserializer::invalidateDefaultWitnessTable(
SILDefaultWitnessTable *wt) {
for (auto &entry : DefaultWitnessTables) {
if (entry.isDeserialized() && entry.get() == wt) {
entry.reset();
return true;
}
}
return false;
}
// Invalidate all cached SILProperty.
void SILDeserializer::invalidatePropertyCache() {
for (auto &entry : Properties) {
if (entry.isDeserialized()) {
entry.reset();
}
}
}
// Invalidate a specific cached SILProperty.
bool SILDeserializer::invalidateProperty(SILProperty *p) {
for (auto &entry : Properties) {
if (entry.isDeserialized() && entry.get() == p) {
entry.reset();
return true;
}
}
return false;
}
// Invalidate all cached SILDifferentiabilityWitness.
void SILDeserializer::invalidateDifferentiabilityWitnessCache() {
for (auto &entry : DifferentiabilityWitnesses) {
if (entry.isDeserialized()) {
entry.reset();
}
}
}
// Invalidate a specific cached SILDifferentiabilityWitness.
bool SILDeserializer::invalidateDifferentiabilityWitness(
SILDifferentiabilityWitness *w) {
for (auto &entry : DifferentiabilityWitnesses) {
if (entry.isDeserialized() && entry.get() == w) {
entry.reset();
return true;
}
}
return false;
}
|