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
|
//===--- CSSolver.cpp - Constraint Solver ---------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2018 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
//
//===----------------------------------------------------------------------===//
//
// This file implements the constraint solver used in the type checker.
//
//===----------------------------------------------------------------------===//
#include "CSStep.h"
#include "TypeCheckType.h"
#include "TypeChecker.h"
#include "swift/AST/ParameterList.h"
#include "swift/AST/TypeWalker.h"
#include "swift/Basic/Defer.h"
#include "swift/Sema/ConstraintGraph.h"
#include "swift/Sema/ConstraintSystem.h"
#include "swift/Sema/SolutionResult.h"
#include "llvm/ADT/STLExtras.h"
#include "llvm/ADT/SetVector.h"
#include "llvm/ADT/SmallSet.h"
#include "llvm/ADT/Statistic.h"
#include "llvm/Support/Compiler.h"
#include "llvm/Support/SaveAndRestore.h"
#include "llvm/Support/raw_ostream.h"
#include <algorithm>
#include <memory>
#include <tuple>
using namespace swift;
using namespace constraints;
//===----------------------------------------------------------------------===//
// Constraint solver statistics
//===----------------------------------------------------------------------===//
#define DEBUG_TYPE "Constraint solver overall"
#define JOIN2(X,Y) X##Y
STATISTIC(NumSolutionAttempts, "# of solution attempts");
STATISTIC(TotalNumTypeVariables, "# of type variables created");
#define CS_STATISTIC(Name, Description) \
STATISTIC(Overall##Name, Description);
#include "swift/Sema/ConstraintSolverStats.def"
#undef DEBUG_TYPE
#define DEBUG_TYPE "Constraint solver largest system"
#define CS_STATISTIC(Name, Description) \
STATISTIC(Largest##Name, Description);
#include "swift/Sema/ConstraintSolverStats.def"
STATISTIC(LargestSolutionAttemptNumber, "# of the largest solution attempt");
TypeVariableType *ConstraintSystem::createTypeVariable(
ConstraintLocator *locator,
unsigned options) {
++TotalNumTypeVariables;
auto tv = TypeVariableType::getNew(getASTContext(), assignTypeVariableID(),
locator, options);
addTypeVariable(tv);
return tv;
}
Solution ConstraintSystem::finalize() {
assert(solverState);
// Create the solution.
Solution solution(*this, CurrentScore);
// Update the best score we've seen so far.
auto &ctx = getASTContext();
assert(ctx.TypeCheckerOpts.DisableConstraintSolverPerformanceHacks ||
!solverState->BestScore || CurrentScore <= *solverState->BestScore);
if (!solverState->BestScore || CurrentScore <= *solverState->BestScore) {
solverState->BestScore = CurrentScore;
}
for (auto tv : getTypeVariables()) {
if (getFixedType(tv))
continue;
switch (solverState->AllowFreeTypeVariables) {
case FreeTypeVariableBinding::Disallow:
llvm_unreachable("Solver left free type variables");
case FreeTypeVariableBinding::Allow:
break;
case FreeTypeVariableBinding::UnresolvedType:
assignFixedType(tv, ctx.TheUnresolvedType);
break;
}
}
// For each of the type variables, get its fixed type.
for (auto tv : getTypeVariables()) {
// This type variable has no binding. Allowed only
// when `FreeTypeVariableBinding::Allow` is set,
// which is checked above.
if (!getFixedType(tv))
continue;
solution.typeBindings[tv] = simplifyType(tv)->reconstituteSugar(false);
}
// Copy over the resolved overloads.
solution.overloadChoices.insert(ResolvedOverloads.begin(),
ResolvedOverloads.end());
// For each of the constraint restrictions, record it with simplified,
// canonical types.
if (solverState) {
for (const auto &entry : ConstraintRestrictions) {
const auto &types = entry.first;
auto restriction = entry.second;
CanType first = simplifyType(types.first)->getCanonicalType();
CanType second = simplifyType(types.second)->getCanonicalType();
solution.ConstraintRestrictions[{first, second}] = restriction;
}
}
// For each of the fixes, record it as an operation on the affected
// expression.
unsigned firstFixIndex = 0;
if (solverState && solverState->PartialSolutionScope) {
firstFixIndex = solverState->PartialSolutionScope->numFixes;
}
for (const auto &fix :
llvm::make_range(Fixes.begin() + firstFixIndex, Fixes.end()))
solution.Fixes.push_back(fix);
// Remember all the disjunction choices we made.
for (auto &choice : DisjunctionChoices) {
solution.DisjunctionChoices.insert(choice);
}
// Remember all of the argument/parameter matching choices we made.
for (auto &argumentMatch : argumentMatchingChoices) {
auto inserted = solution.argumentMatchingChoices.insert(argumentMatch);
assert(inserted.second || inserted.first->second == argumentMatch.second);
(void)inserted;
}
// Remember implied results.
for (auto impliedResult : ImpliedResults)
solution.ImpliedResults.insert(impliedResult);
// Remember the opened types.
for (const auto &opened : OpenedTypes) {
// We shouldn't ever register opened types multiple times,
// but saving and re-applying solutions can cause us to get
// multiple entries. We should use an optimized PartialSolution
// structure for that use case, which would optimize a lot of
// stuff here.
#if false
assert((solution.OpenedTypes.count(opened.first) == 0 ||
solution.OpenedTypes[opened.first] == opened.second)
&& "Already recorded");
#endif
solution.OpenedTypes.insert(opened);
}
// Remember the opened existential types.
for (const auto &openedExistential : OpenedExistentialTypes) {
assert(solution.OpenedExistentialTypes.count(openedExistential.first) == 0||
solution.OpenedExistentialTypes[openedExistential.first]
== openedExistential.second &&
"Already recorded");
solution.OpenedExistentialTypes.insert(openedExistential);
}
for (const auto &expansion : OpenedPackExpansionTypes) {
assert(solution.OpenedPackExpansionTypes.count(expansion.first) == 0 ||
solution.OpenedPackExpansionTypes[expansion.first] ==
expansion.second &&
"Already recorded");
solution.OpenedPackExpansionTypes.insert(expansion);
}
// Remember the defaulted type variables.
solution.DefaultedConstraints.insert(DefaultedConstraints.begin(),
DefaultedConstraints.end());
for (auto &nodeType : NodeTypes) {
solution.nodeTypes.insert(nodeType);
}
for (auto &keyPathComponentType : KeyPathComponentTypes) {
solution.keyPathComponentTypes.insert(keyPathComponentType);
}
// Remember key paths.
for (const auto &keyPaths : KeyPaths) {
solution.KeyPaths.insert(keyPaths);
}
// Remember contextual types.
for (auto &entry : contextualTypes) {
solution.contextualTypes.push_back({entry.first, entry.second.first});
}
solution.targets = targets;
for (const auto &item : caseLabelItems)
solution.caseLabelItems.insert(item);
for (const auto &throwSite : potentialThrowSites)
solution.potentialThrowSites.push_back(throwSite);
for (const auto &pattern : exprPatterns)
solution.exprPatterns.insert(pattern);
for (const auto ¶m : isolatedParams)
solution.isolatedParams.push_back(param);
for (const auto &closure : preconcurrencyClosures)
solution.preconcurrencyClosures.push_back(closure);
for (const auto &transformed : resultBuilderTransformed) {
solution.resultBuilderTransformed.insert(transformed);
}
for (const auto &appliedWrapper : appliedPropertyWrappers) {
solution.appliedPropertyWrappers.insert(appliedWrapper);
}
// Remember implicit value conversions.
for (const auto &valueConversion : ImplicitValueConversions) {
solution.ImplicitValueConversions.push_back(valueConversion);
}
// Remember argument lists.
for (const auto &argListMapping : ArgumentLists) {
solution.argumentLists.insert(argListMapping);
}
for (const auto &implicitRoot : ImplicitCallAsFunctionRoots) {
solution.ImplicitCallAsFunctionRoots.insert(implicitRoot);
}
for (const auto &env : PackExpansionEnvironments) {
solution.PackExpansionEnvironments.insert(env);
}
for (const auto &packEnv : PackEnvironments)
solution.PackEnvironments.insert(packEnv);
for (const auto &packEltGenericEnv : PackElementGenericEnvironments)
solution.PackElementGenericEnvironments.push_back(packEltGenericEnv);
for (const auto &synthesized : SynthesizedConformances) {
solution.SynthesizedConformances.insert(synthesized);
}
return solution;
}
void ConstraintSystem::applySolution(const Solution &solution) {
// Update the score.
CurrentScore += solution.getFixedScore();
// Assign fixed types to the type variables solved by this solution.
for (auto binding : solution.typeBindings) {
// If we haven't seen this type variable before, record it now.
addTypeVariable(binding.first);
// If we don't already have a fixed type for this type variable,
// assign the fixed type from the solution.
if (getFixedType(binding.first))
continue;
assignFixedType(binding.first, binding.second, /*updateState=*/false);
}
// Register overload choices.
// FIXME: Copy these directly into some kind of partial solution?
for (auto overload : solution.overloadChoices)
ResolvedOverloads.insert(overload);
// Register constraint restrictions.
// FIXME: Copy these directly into some kind of partial solution?
for ( auto &restriction : solution.ConstraintRestrictions) {
auto *type1 = restriction.first.first.getPointer();
auto *type2 = restriction.first.second.getPointer();
ConstraintRestrictions.insert({{type1, type2}, restriction.second});
}
// Register the solution's disjunction choices.
for (auto &choice : solution.DisjunctionChoices) {
DisjunctionChoices.insert(choice);
}
// Remember all of the argument/parameter matching choices we made.
for (auto &argumentMatch : solution.argumentMatchingChoices) {
argumentMatchingChoices.insert(argumentMatch);
}
// Remember implied results.
for (auto impliedResult : solution.ImpliedResults)
ImpliedResults.insert(impliedResult);
// Register the solution's opened types.
for (const auto &opened : solution.OpenedTypes) {
OpenedTypes.insert(opened);
}
// Register the solution's opened existential types.
for (const auto &openedExistential : solution.OpenedExistentialTypes) {
OpenedExistentialTypes.insert(openedExistential);
}
// Register the solution's opened pack expansion types.
for (const auto &expansion : solution.OpenedPackExpansionTypes) {
OpenedPackExpansionTypes.insert(expansion);
}
// Register the solutions's pack expansion environments.
for (const auto &expansion : solution.PackExpansionEnvironments) {
PackExpansionEnvironments.insert(expansion);
}
// Register the solutions's pack environments.
for (auto &packEnvironment : solution.PackEnvironments) {
PackEnvironments.insert(packEnvironment);
}
// Register the solutions's pack element generic environments.
for (auto &packElementGenericEnvironment :
solution.PackElementGenericEnvironments) {
PackElementGenericEnvironments.push_back(packElementGenericEnvironment);
}
// Register the defaulted type variables.
DefaultedConstraints.insert(solution.DefaultedConstraints.begin(),
solution.DefaultedConstraints.end());
// Add the node types back.
for (auto &nodeType : solution.nodeTypes) {
setType(nodeType.first, nodeType.second);
}
for (auto &nodeType : solution.keyPathComponentTypes) {
setType(nodeType.getFirst().first, nodeType.getFirst().second,
nodeType.getSecond());
}
// Add key paths.
for (const auto &keypath : solution.KeyPaths) {
KeyPaths.insert(keypath);
}
// Add the contextual types.
for (const auto &contextualType : solution.contextualTypes) {
if (!getContextualTypeInfo(contextualType.first))
setContextualInfo(contextualType.first, contextualType.second);
}
// Register the statement condition targets.
for (const auto &target : solution.targets) {
if (!getTargetFor(target.first))
setTargetFor(target.first, target.second);
}
// Register the statement condition targets.
for (const auto &info : solution.caseLabelItems) {
if (!getCaseLabelItemInfo(info.first))
setCaseLabelItemInfo(info.first, info.second);
}
potentialThrowSites.insert(potentialThrowSites.end(),
solution.potentialThrowSites.begin(),
solution.potentialThrowSites.end());
for (auto param : solution.isolatedParams) {
isolatedParams.insert(param);
}
for (auto &pair : solution.exprPatterns)
exprPatterns.insert(pair);
for (auto closure : solution.preconcurrencyClosures) {
preconcurrencyClosures.insert(closure);
}
for (const auto &transformed : solution.resultBuilderTransformed) {
resultBuilderTransformed.insert(transformed);
}
for (const auto &appliedWrapper : solution.appliedPropertyWrappers) {
appliedPropertyWrappers.insert(appliedWrapper);
}
for (auto &valueConversion : solution.ImplicitValueConversions) {
ImplicitValueConversions.insert(valueConversion);
}
// Register the argument lists.
for (auto &argListMapping : solution.argumentLists) {
ArgumentLists.insert(argListMapping);
}
for (auto &implicitRoot : solution.ImplicitCallAsFunctionRoots) {
ImplicitCallAsFunctionRoots.insert(implicitRoot);
}
for (auto &synthesized : solution.SynthesizedConformances) {
SynthesizedConformances.insert(synthesized);
}
// Register any fixes produced along this path.
Fixes.insert(solution.Fixes.begin(), solution.Fixes.end());
}
/// Restore the type variable bindings to what they were before
/// we attempted to solve this constraint system.
void ConstraintSystem::restoreTypeVariableBindings(unsigned numBindings) {
auto &savedBindings = *getSavedBindings();
std::for_each(savedBindings.rbegin(), savedBindings.rbegin() + numBindings,
[](SavedTypeVariableBinding &saved) {
saved.restore();
});
savedBindings.erase(savedBindings.end() - numBindings,
savedBindings.end());
}
bool ConstraintSystem::simplify() {
// While we have a constraint in the worklist, process it.
while (!ActiveConstraints.empty()) {
// Grab the next constraint from the worklist.
auto *constraint = &ActiveConstraints.front();
deactivateConstraint(constraint);
auto isSimplifiable =
constraint->getKind() != ConstraintKind::Disjunction &&
constraint->getKind() != ConstraintKind::Conjunction;
if (isDebugMode()) {
auto &log = llvm::errs();
log.indent(solverState->getCurrentIndent());
log << "(considering: ";
constraint->print(log, &getASTContext().SourceMgr,
solverState->getCurrentIndent());
log << "\n";
// {Dis, Con}junction are returned unsolved in \c simplifyConstraint() and
// handled separately by solver steps.
if (isSimplifiable) {
log.indent(solverState->getCurrentIndent() + 2)
<< "(simplification result:\n";
}
}
// Simplify this constraint.
switch (simplifyConstraint(*constraint)) {
case SolutionKind::Error:
retireFailedConstraint(constraint);
if (isDebugMode()) {
auto &log = llvm::errs();
if (isSimplifiable) {
log.indent(solverState->getCurrentIndent() + 2) << ")\n";
}
log.indent(solverState->getCurrentIndent() + 2) << "(outcome: error)\n";
}
break;
case SolutionKind::Solved:
if (solverState)
++solverState->NumSimplifiedConstraints;
retireConstraint(constraint);
if (isDebugMode()) {
auto &log = llvm::errs();
if (isSimplifiable) {
log.indent(solverState->getCurrentIndent() + 2) << ")\n";
}
log.indent(solverState->getCurrentIndent() + 2)
<< "(outcome: simplified)\n";
}
break;
case SolutionKind::Unsolved:
if (solverState)
++solverState->NumUnsimplifiedConstraints;
if (isDebugMode()) {
auto &log = llvm::errs();
if (isSimplifiable) {
log.indent(solverState->getCurrentIndent() + 2) << ")\n";
}
log.indent(solverState->getCurrentIndent() + 2)
<< "(outcome: unsolved)\n";
}
break;
}
if (isDebugMode()) {
auto &log = llvm::errs();
log.indent(solverState->getCurrentIndent()) << ")\n";
}
// Check whether a constraint failed. If so, we're done.
if (failedConstraint) {
return true;
}
// If the current score is worse than the best score we've seen so far,
// there's no point in continuing. So don't.
if (worseThanBestSolution()) {
return true;
}
}
return false;
}
namespace {
template<typename T>
void truncate(std::vector<T> &vec, unsigned newSize) {
assert(newSize <= vec.size() && "Not a truncation!");
vec.erase(vec.begin() + newSize, vec.end());
}
/// Truncate the given small vector to the given new size.
template<typename T>
void truncate(SmallVectorImpl<T> &vec, unsigned newSize) {
assert(newSize <= vec.size() && "Not a truncation!");
vec.erase(vec.begin() + newSize, vec.end());
}
template<typename T, unsigned N>
void truncate(llvm::SmallSetVector<T, N> &vec, unsigned newSize) {
assert(newSize <= vec.size() && "Not a truncation!");
for (unsigned i = 0, n = vec.size() - newSize; i != n; ++i)
vec.pop_back();
}
template <typename K, typename V>
void truncate(llvm::MapVector<K, V> &map, unsigned newSize) {
assert(newSize <= map.size() && "Not a truncation!");
for (unsigned i = 0, n = map.size() - newSize; i != n; ++i)
map.pop_back();
}
template <typename K, typename V, unsigned N>
void truncate(llvm::SmallMapVector<K, V, N> &map, unsigned newSize) {
assert(newSize <= map.size() && "Not a truncation!");
for (unsigned i = 0, n = map.size() - newSize; i != n; ++i)
map.pop_back();
}
template <typename V>
void truncate(llvm::SetVector<V> &vector, unsigned newSize) {
while (vector.size() > newSize)
vector.pop_back();
}
} // end anonymous namespace
ConstraintSystem::SolverState::SolverState(
ConstraintSystem &cs, FreeTypeVariableBinding allowFreeTypeVariables)
: CS(cs), AllowFreeTypeVariables(allowFreeTypeVariables) {
assert(!CS.solverState &&
"Constraint system should not already have solver state!");
CS.solverState = this;
++NumSolutionAttempts;
SolutionAttempt = NumSolutionAttempts;
// Record active constraints for re-activation at the end of lifetime.
for (auto &constraint : cs.ActiveConstraints)
activeConstraints.push_back(&constraint);
// If we're supposed to debug a specific constraint solver attempt,
// turn on debugging now.
ASTContext &ctx = CS.getASTContext();
const auto &tyOpts = ctx.TypeCheckerOpts;
if (tyOpts.DebugConstraintSolverAttempt &&
tyOpts.DebugConstraintSolverAttempt == SolutionAttempt) {
CS.Options |= ConstraintSystemFlags::DebugConstraints;
llvm::errs().indent(CS.solverState->getCurrentIndent())
<< "---Constraint system #" << SolutionAttempt << "---\n";
CS.print(llvm::errs());
}
}
ConstraintSystem::SolverState::~SolverState() {
assert((CS.solverState == this) &&
"Expected constraint system to have this solver state!");
CS.solverState = nullptr;
// If constraint system ended up being in an invalid state
// let's just drop the state without attempting to rollback.
if (CS.inInvalidState())
return;
// Make sure that all of the retired constraints have been returned
// to constraint system.
assert(!hasRetiredConstraints());
// Make sure that all of the generated constraints have been handled.
assert(generatedConstraints.empty());
// Re-activate constraints which were initially marked as "active"
// to restore original state of the constraint system.
for (auto *constraint : activeConstraints) {
// If the constraint is already active we can just move on.
if (constraint->isActive())
continue;
#ifndef NDEBUG
// Make sure that constraint is present in the "inactive" set
// before transferring it to "active".
auto existing = llvm::find_if(CS.InactiveConstraints,
[&constraint](const Constraint &inactive) {
return &inactive == constraint;
});
assert(existing != CS.InactiveConstraints.end() &&
"All constraints should be present in 'inactive' list");
#endif
// Transfer the constraint to "active" set.
CS.activateConstraint(constraint);
}
// If global constraint debugging is off and we are finished logging the
// current solution attempt, switch debugging back off.
const auto &tyOpts = CS.getASTContext().TypeCheckerOpts;
if (!tyOpts.DebugConstraintSolver &&
tyOpts.DebugConstraintSolverAttempt &&
tyOpts.DebugConstraintSolverAttempt == SolutionAttempt) {
CS.Options -= ConstraintSystemFlags::DebugConstraints;
}
// Write our local statistics back to the overall statistics.
#define CS_STATISTIC(Name, Description) JOIN2(Overall,Name) += Name;
#include "swift/Sema/ConstraintSolverStats.def"
#if LLVM_ENABLE_STATS
// Update the "largest" statistics if this system is larger than the
// previous one.
// FIXME: This is not at all thread-safe.
if (NumStatesExplored > LargestNumStatesExplored.getValue()) {
LargestSolutionAttemptNumber = SolutionAttempt-1;
++LargestSolutionAttemptNumber;
#define CS_STATISTIC(Name, Description) \
JOIN2(Largest,Name) = Name-1; \
++JOIN2(Largest,Name);
#include "swift/Sema/ConstraintSolverStats.def"
}
#endif
}
ConstraintSystem::SolverScope::SolverScope(ConstraintSystem &cs)
: cs(cs), CGScope(cs.CG)
{
numTypeVariables = cs.TypeVariables.size();
numSavedBindings = cs.solverState->savedBindings.size();
numConstraintRestrictions = cs.ConstraintRestrictions.size();
numFixes = cs.Fixes.size();
numFixedRequirements = cs.FixedRequirements.size();
numDisjunctionChoices = cs.DisjunctionChoices.size();
numAppliedDisjunctions = cs.AppliedDisjunctions.size();
numArgumentMatchingChoices = cs.argumentMatchingChoices.size();
numOpenedTypes = cs.OpenedTypes.size();
numOpenedExistentialTypes = cs.OpenedExistentialTypes.size();
numOpenedPackExpansionTypes = cs.OpenedPackExpansionTypes.size();
numPackExpansionEnvironments = cs.PackExpansionEnvironments.size();
numPackEnvironments = cs.PackEnvironments.size();
numPackElementGenericEnvironments = cs.PackElementGenericEnvironments.size();
numDefaultedConstraints = cs.DefaultedConstraints.size();
numAddedNodeTypes = cs.addedNodeTypes.size();
numAddedKeyPathComponentTypes = cs.addedKeyPathComponentTypes.size();
numKeyPaths = cs.KeyPaths.size();
numDisabledConstraints = cs.solverState->getNumDisabledConstraints();
numFavoredConstraints = cs.solverState->getNumFavoredConstraints();
numResultBuilderTransformed = cs.resultBuilderTransformed.size();
numAppliedPropertyWrappers = cs.appliedPropertyWrappers.size();
numResolvedOverloads = cs.ResolvedOverloads.size();
numInferredClosureTypes = cs.ClosureTypes.size();
numImpliedResults = cs.ImpliedResults.size();
numContextualTypes = cs.contextualTypes.size();
numTargets = cs.targets.size();
numCaseLabelItems = cs.caseLabelItems.size();
numPotentialThrowSites = cs.potentialThrowSites.size();
numExprPatterns = cs.exprPatterns.size();
numIsolatedParams = cs.isolatedParams.size();
numPreconcurrencyClosures = cs.preconcurrencyClosures.size();
numImplicitValueConversions = cs.ImplicitValueConversions.size();
numArgumentLists = cs.ArgumentLists.size();
numImplicitCallAsFunctionRoots = cs.ImplicitCallAsFunctionRoots.size();
numSynthesizedConformances = cs.SynthesizedConformances.size();
PreviousScore = cs.CurrentScore;
cs.solverState->registerScope(this);
assert(!cs.failedConstraint && "Unexpected failed constraint!");
}
ConstraintSystem::SolverScope::~SolverScope() {
// Don't attempt to rollback from an incorrect state.
if (cs.inInvalidState())
return;
// Erase the end of various lists.
truncate(cs.TypeVariables, numTypeVariables);
truncate(cs.ResolvedOverloads, numResolvedOverloads);
// Restore bindings.
cs.restoreTypeVariableBindings(cs.solverState->savedBindings.size() -
numSavedBindings);
// Move any remaining active constraints into the inactive list.
if (!cs.ActiveConstraints.empty()) {
for (auto &constraint : cs.ActiveConstraints) {
constraint.setActive(false);
}
cs.InactiveConstraints.splice(cs.InactiveConstraints.end(),
cs.ActiveConstraints);
}
// Rollback all of the changes done to constraints by the current scope,
// e.g. add retired constraints back to the circulation and remove generated
// constraints introduced by the current scope.
cs.solverState->rollback(this);
// Remove any constraint restrictions.
truncate(cs.ConstraintRestrictions, numConstraintRestrictions);
// Remove any fixes.
truncate(cs.Fixes, numFixes);
// Remove any disjunction choices.
truncate(cs.DisjunctionChoices, numDisjunctionChoices);
// Remove any applied disjunctions.
truncate(cs.AppliedDisjunctions, numAppliedDisjunctions);
// Remove any argument matching choices;
truncate(cs.argumentMatchingChoices, numArgumentMatchingChoices);
// Remove any opened types.
truncate(cs.OpenedTypes, numOpenedTypes);
// Remove any conformances solver had to fix along
// the current path.
truncate(cs.FixedRequirements, numFixedRequirements);
// Remove any opened existential types.
truncate(cs.OpenedExistentialTypes, numOpenedExistentialTypes);
// Remove any opened pack expansion types.
truncate(cs.OpenedPackExpansionTypes, numOpenedPackExpansionTypes);
// Remove any pack expansion environments.
truncate(cs.PackExpansionEnvironments, numPackExpansionEnvironments);
// Remove any pack environments.
truncate(cs.PackEnvironments, numPackEnvironments);
// Remove any pack element generic environments.
truncate(cs.PackElementGenericEnvironments,
numPackElementGenericEnvironments);
// Remove any defaulted type variables.
truncate(cs.DefaultedConstraints, numDefaultedConstraints);
// Remove any node types we registered.
for (unsigned i :
reverse(range(numAddedNodeTypes, cs.addedNodeTypes.size()))) {
auto node = cs.addedNodeTypes[i].first;
if (Type oldType = cs.addedNodeTypes[i].second)
cs.NodeTypes[node] = oldType;
else
cs.NodeTypes.erase(node);
}
truncate(cs.addedNodeTypes, numAddedNodeTypes);
// Remove any node types we registered.
for (unsigned i : reverse(range(numAddedKeyPathComponentTypes,
cs.addedKeyPathComponentTypes.size()))) {
auto KeyPath = std::get<0>(cs.addedKeyPathComponentTypes[i]);
auto KeyPathIndex = std::get<1>(cs.addedKeyPathComponentTypes[i]);
if (Type oldType = std::get<2>(cs.addedKeyPathComponentTypes[i])) {
cs.KeyPathComponentTypes[{KeyPath, KeyPathIndex}] = oldType;
} else {
cs.KeyPathComponentTypes.erase({KeyPath, KeyPathIndex});
}
}
truncate(cs.addedKeyPathComponentTypes, numAddedKeyPathComponentTypes);
/// Remove any key path expressions.
truncate(cs.KeyPaths, numKeyPaths);
/// Remove any builder transformed closures.
truncate(cs.resultBuilderTransformed, numResultBuilderTransformed);
// Remove any applied property wrappers.
truncate(cs.appliedPropertyWrappers, numAppliedPropertyWrappers);
// Remove any inferred closure types (e.g. used in result builder body).
truncate(cs.ClosureTypes, numInferredClosureTypes);
// Remove any implied results.
truncate(cs.ImpliedResults, numImpliedResults);
// Remove any contextual types.
truncate(cs.contextualTypes, numContextualTypes);
// Remove any targets.
truncate(cs.targets, numTargets);
// Remove any case label item infos.
truncate(cs.caseLabelItems, numCaseLabelItems);
// Remove any potential throw sites.
truncate(cs.potentialThrowSites, numPotentialThrowSites);
// Remove any ExprPattern mappings.
truncate(cs.exprPatterns, numExprPatterns);
// Remove any isolated parameters.
truncate(cs.isolatedParams, numIsolatedParams);
// Remove any preconcurrency closures.
truncate(cs.preconcurrencyClosures, numPreconcurrencyClosures);
// Remove any implicit value conversions.
truncate(cs.ImplicitValueConversions, numImplicitValueConversions);
// Remove any argument lists no longer in scope.
truncate(cs.ArgumentLists, numArgumentLists);
// Remove any implicitly generated root expressions for `.callAsFunction`
// which are no longer in scope.
truncate(cs.ImplicitCallAsFunctionRoots, numImplicitCallAsFunctionRoots);
// Remove any implicitly synthesized conformances.
truncate(cs.SynthesizedConformances, numSynthesizedConformances);
// Reset the previous score.
cs.CurrentScore = PreviousScore;
// Clear out other "failed" state.
cs.failedConstraint = nullptr;
}
/// Solve the system of constraints.
///
/// \param allowFreeTypeVariables How to bind free type variables in
/// the solution.
///
/// \returns a solution if a single unambiguous one could be found, or None if
/// ambiguous or unsolvable.
std::optional<Solution>
ConstraintSystem::solveSingle(FreeTypeVariableBinding allowFreeTypeVariables,
bool allowFixes) {
SolverState state(*this, allowFreeTypeVariables);
state.recordFixes = allowFixes;
SmallVector<Solution, 4> solutions;
solveImpl(solutions);
filterSolutions(solutions);
if (solutions.size() != 1)
return std::optional<Solution>();
return std::move(solutions[0]);
}
bool ConstraintSystem::Candidate::solve(
llvm::SmallSetVector<OverloadSetRefExpr *, 4> &shrunkExprs) {
// Don't attempt to solve candidate if there is closure
// expression involved, because it's handled specially
// by parent constraint system (e.g. parameter lists).
bool containsClosure = false;
E->forEachChildExpr([&](Expr *childExpr) -> Expr * {
if (isa<ClosureExpr>(childExpr)) {
containsClosure = true;
return nullptr;
}
return childExpr;
});
if (containsClosure)
return false;
auto cleanupImplicitExprs = [&](Expr *expr) {
expr->forEachChildExpr([&](Expr *childExpr) -> Expr * {
Type type = childExpr->getType();
if (childExpr->isImplicit() && type && type->hasTypeVariable())
childExpr->setType(Type());
return childExpr;
});
};
// Allocate new constraint system for sub-expression.
ConstraintSystem cs(DC, std::nullopt);
// Set up expression type checker timer for the candidate.
cs.Timer.emplace(E, cs);
// Generate constraints for the new system.
if (auto generatedExpr = cs.generateConstraints(E, DC)) {
E = generatedExpr;
} else {
// Failure to generate constraint system for sub-expression
// means we can't continue solving sub-expressions.
cleanupImplicitExprs(E);
return true;
}
// If this candidate is too complex given the number
// of the domains we have reduced so far, let's bail out early.
if (isTooComplexGiven(&cs, shrunkExprs))
return false;
auto &ctx = cs.getASTContext();
if (cs.isDebugMode()) {
auto &log = llvm::errs();
auto indent = cs.solverState ? cs.solverState->getCurrentIndent() : 0;
log.indent(indent) << "--- Solving candidate for shrinking at ";
auto R = E->getSourceRange();
if (R.isValid()) {
R.print(log, ctx.SourceMgr, /*PrintText=*/ false);
} else {
log << "<invalid range>";
}
log << " ---\n";
E->dump(log, indent);
log << '\n';
cs.print(log);
}
// If there is contextual type present, add an explicit "conversion"
// constraint to the system.
if (!CT.isNull()) {
auto constraintKind = ConstraintKind::Conversion;
if (CTP == CTP_CallArgument)
constraintKind = ConstraintKind::ArgumentConversion;
cs.addConstraint(constraintKind, cs.getType(E), CT,
cs.getConstraintLocator(E), /*isFavored=*/true);
}
// Try to solve the system and record all available solutions.
llvm::SmallVector<Solution, 2> solutions;
{
SolverState state(cs, FreeTypeVariableBinding::Allow);
// Use solve which doesn't try to filter solution list.
// Because we want the whole set of possible domain choices.
cs.solveImpl(solutions);
}
if (cs.isDebugMode()) {
auto &log = llvm::errs();
auto indent = cs.solverState ? cs.solverState->getCurrentIndent() : 0;
if (solutions.empty()) {
log << "\n";
log.indent(indent) << "--- No Solutions ---\n";
} else {
log << "\n";
log.indent(indent) << "--- Solutions ---\n";
for (unsigned i = 0, n = solutions.size(); i != n; ++i) {
auto &solution = solutions[i];
log << "\n";
log.indent(indent) << "--- Solution #" << i << " ---\n";
solution.dump(log, indent);
}
}
}
// Record found solutions as suggestions.
this->applySolutions(solutions, shrunkExprs);
// Let's double-check if we have any implicit expressions
// with type variables and nullify their types.
cleanupImplicitExprs(E);
// No solutions for the sub-expression means that either main expression
// needs salvaging or it's inconsistent (read: doesn't have solutions).
return solutions.empty();
}
void ConstraintSystem::Candidate::applySolutions(
llvm::SmallVectorImpl<Solution> &solutions,
llvm::SmallSetVector<OverloadSetRefExpr *, 4> &shrunkExprs) const {
// A collection of OSRs with their newly reduced domains,
// it's domains are sets because multiple solutions can have the same
// choice for one of the type variables, and we want no duplication.
llvm::SmallDenseMap<OverloadSetRefExpr *, llvm::SmallSetVector<ValueDecl *, 2>>
domains;
for (auto &solution : solutions) {
auto &score = solution.getFixedScore();
// Avoid any solutions with implicit value conversions
// because they might get reverted later when more context
// becomes available.
if (score.Data[SK_ImplicitValueConversion] > 0)
continue;
for (auto choice : solution.overloadChoices) {
// Some of the choices might not have locators.
if (!choice.getFirst())
continue;
auto anchor = choice.getFirst()->getAnchor();
auto *OSR = getAsExpr<OverloadSetRefExpr>(anchor);
// Anchor is not available or expression is not an overload set.
if (!OSR)
continue;
auto overload = choice.getSecond().choice;
auto type = overload.getDecl()->getInterfaceType();
// One of the solutions has polymorphic type associated with one of its
// type variables. Such functions can only be properly resolved
// via complete expression, so we'll have to forget solutions
// we have already recorded. They might not include all viable overload
// choices.
if (type->is<GenericFunctionType>()) {
return;
}
domains[OSR].insert(overload.getDecl());
}
}
// Reduce the domains.
for (auto &domain : domains) {
auto OSR = domain.getFirst();
auto &choices = domain.getSecond();
// If the domain wasn't reduced, skip it.
if (OSR->getDecls().size() == choices.size()) continue;
// Update the expression with the reduced domain.
MutableArrayRef<ValueDecl *> decls(
Allocator.Allocate<ValueDecl *>(choices.size()),
choices.size());
std::uninitialized_copy(choices.begin(), choices.end(), decls.begin());
OSR->setDecls(decls);
// Record successfully shrunk expression.
shrunkExprs.insert(OSR);
}
}
void ConstraintSystem::shrink(Expr *expr) {
if (getASTContext().TypeCheckerOpts.SolverDisableShrink)
return;
using DomainMap = llvm::SmallDenseMap<Expr *, ArrayRef<ValueDecl *>>;
// A collection of original domains of all of the expressions,
// so they can be restored in case of failure.
DomainMap domains;
struct ExprCollector : public ASTWalker {
Expr *PrimaryExpr;
// The primary constraint system.
ConstraintSystem &CS;
// All of the sub-expressions which are suitable to be solved
// separately from the main system e.g. binary expressions, collections,
// function calls, coercions etc.
llvm::SmallVector<Candidate, 4> Candidates;
// Counts the number of overload sets present in the tree so far.
// Note that the traversal is depth-first.
llvm::SmallVector<std::pair<Expr *, unsigned>, 4> ApplyExprs;
// A collection of original domains of all of the expressions,
// so they can be restored in case of failure.
DomainMap &Domains;
ExprCollector(Expr *expr, ConstraintSystem &cs, DomainMap &domains)
: PrimaryExpr(expr), CS(cs), Domains(domains) {}
MacroWalking getMacroWalkingBehavior() const override {
return MacroWalking::Arguments;
}
PreWalkResult<Expr *> walkToExprPre(Expr *expr) override {
// A dictionary expression is just a set of tuples; try to solve ones
// that have overload sets.
if (auto collectionExpr = dyn_cast<CollectionExpr>(expr)) {
visitCollectionExpr(collectionExpr,
CS.getContextualType(expr, /*forConstraint=*/false),
CS.getContextualTypePurpose(expr));
// Don't try to walk into the dictionary.
return Action::SkipNode(expr);
}
// Let's not attempt to type-check closures or expressions
// which constrain closures, because they require special handling
// when dealing with context and parameters declarations.
if (isa<ClosureExpr>(expr)) {
return Action::SkipNode(expr);
}
// Similar to 'ClosureExpr', 'TapExpr' has a 'VarDecl' the type of which
// is determined by type checking the parent interpolated string literal.
if (isa<TapExpr>(expr)) {
return Action::SkipNode(expr);
}
// Same as TapExpr and ClosureExpr, we'll handle SingleValueStmtExprs
// separately.
if (isa<SingleValueStmtExpr>(expr))
return Action::SkipNode(expr);
if (auto coerceExpr = dyn_cast<CoerceExpr>(expr)) {
if (coerceExpr->isLiteralInit())
ApplyExprs.push_back({coerceExpr, 1});
visitCoerceExpr(coerceExpr);
return Action::SkipNode(expr);
}
if (auto OSR = dyn_cast<OverloadSetRefExpr>(expr)) {
Domains[OSR] = OSR->getDecls();
}
if (auto applyExpr = dyn_cast<ApplyExpr>(expr)) {
auto func = applyExpr->getFn();
// Let's record this function application for post-processing
// as well as if it contains overload set, see walkToExprPost.
ApplyExprs.push_back(
{applyExpr, isa<OverloadSetRefExpr>(func) || isa<TypeExpr>(func)});
}
return Action::Continue(expr);
}
/// Determine whether this is an arithmetic expression comprised entirely
/// of literals.
static bool isArithmeticExprOfLiterals(Expr *expr) {
expr = expr->getSemanticsProvidingExpr();
if (auto prefix = dyn_cast<PrefixUnaryExpr>(expr))
return isArithmeticExprOfLiterals(prefix->getOperand());
if (auto postfix = dyn_cast<PostfixUnaryExpr>(expr))
return isArithmeticExprOfLiterals(postfix->getOperand());
if (auto binary = dyn_cast<BinaryExpr>(expr))
return isArithmeticExprOfLiterals(binary->getLHS()) &&
isArithmeticExprOfLiterals(binary->getRHS());
return isa<IntegerLiteralExpr>(expr) || isa<FloatLiteralExpr>(expr);
}
PostWalkResult<Expr *> walkToExprPost(Expr *expr) override {
auto isSrcOfPrimaryAssignment = [&](Expr *expr) -> bool {
if (auto *AE = dyn_cast<AssignExpr>(PrimaryExpr))
return expr == AE->getSrc();
return false;
};
if (expr == PrimaryExpr || isSrcOfPrimaryAssignment(expr)) {
// If this is primary expression and there are no candidates
// to be solved, let's not record it, because it's going to be
// solved regardless.
if (Candidates.empty())
return Action::Continue(expr);
auto contextualType = CS.getContextualType(expr,
/*forConstraint=*/false);
// If there is a contextual type set for this expression.
if (!contextualType.isNull()) {
Candidates.push_back(Candidate(CS, PrimaryExpr, contextualType,
CS.getContextualTypePurpose(expr)));
return Action::Continue(expr);
}
// Or it's a function application or assignment with other candidates
// present. Assignment should be easy to solve because we'd get a
// contextual type from the destination expression, otherwise shrink
// might produce incorrect results without considering aforementioned
// destination type.
if (isa<ApplyExpr>(expr) || isa<AssignExpr>(expr)) {
Candidates.push_back(Candidate(CS, PrimaryExpr));
return Action::Continue(expr);
}
}
if (!isa<ApplyExpr>(expr))
return Action::Continue(expr);
unsigned numOverloadSets = 0;
// Let's count how many overload sets do we have.
while (!ApplyExprs.empty()) {
auto &application = ApplyExprs.back();
auto applyExpr = application.first;
// Add overload sets tracked by current expression.
numOverloadSets += application.second;
ApplyExprs.pop_back();
// We've found the current expression, so record the number of
// overloads.
if (expr == applyExpr) {
ApplyExprs.push_back({applyExpr, numOverloadSets});
break;
}
}
// If there are fewer than two overloads in the chain
// there is no point of solving this expression,
// because we won't be able to reduce its domain.
if (numOverloadSets > 1 && !isArithmeticExprOfLiterals(expr))
Candidates.push_back(Candidate(CS, expr));
return Action::Continue(expr);
}
private:
/// Extract type of the element from given collection type.
///
/// \param collection The type of the collection container.
///
/// \returns Null type, ErrorType or UnresolvedType on failure,
/// properly constructed type otherwise.
Type extractElementType(Type collection) {
auto &ctx = CS.getASTContext();
if (!collection || collection->hasError())
return collection;
auto base = collection.getPointer();
auto isInvalidType = [](Type type) -> bool {
return type.isNull() || type->hasUnresolvedType() ||
type->hasError();
};
// Array type.
if (auto array = dyn_cast<ArraySliceType>(base)) {
auto elementType = array->getBaseType();
// If base type is invalid let's return error type.
return elementType;
}
// Map or Set or any other associated collection type.
if (auto boundGeneric = dyn_cast<BoundGenericType>(base)) {
if (boundGeneric->hasUnresolvedType())
return boundGeneric;
llvm::SmallVector<TupleTypeElt, 2> params;
for (auto &type : boundGeneric->getGenericArgs()) {
// One of the generic arguments in invalid or unresolved.
if (isInvalidType(type))
return type;
params.push_back(type);
}
// If there is just one parameter, let's return it directly.
if (params.size() == 1)
return params[0].getType();
return TupleType::get(params, ctx);
}
return Type();
}
bool isSuitableCollection(TypeRepr *collectionTypeRepr) {
// Only generic identifier, array or dictionary.
switch (collectionTypeRepr->getKind()) {
case TypeReprKind::UnqualifiedIdent:
return cast<UnqualifiedIdentTypeRepr>(collectionTypeRepr)
->hasGenericArgList();
case TypeReprKind::Array:
case TypeReprKind::Dictionary:
return true;
default:
break;
}
return false;
}
void visitCoerceExpr(CoerceExpr *coerceExpr) {
auto subExpr = coerceExpr->getSubExpr();
// Coerce expression is valid only if it has sub-expression.
if (!subExpr) return;
unsigned numOverloadSets = 0;
subExpr->forEachChildExpr([&](Expr *childExpr) -> Expr * {
if (isa<OverloadSetRefExpr>(childExpr)) {
++numOverloadSets;
return childExpr;
}
if (auto nestedCoerceExpr = dyn_cast<CoerceExpr>(childExpr)) {
visitCoerceExpr(nestedCoerceExpr);
// Don't walk inside of nested coercion expression directly,
// that is be done by recursive call to visitCoerceExpr.
return nullptr;
}
// If sub-expression we are trying to coerce to type is a collection,
// let's allow collector discover it with assigned contextual type
// of coercion, which allows collections to be solved in parts.
if (auto collectionExpr = dyn_cast<CollectionExpr>(childExpr)) {
auto *const typeRepr = coerceExpr->getCastTypeRepr();
if (typeRepr && isSuitableCollection(typeRepr)) {
const auto coercionType = TypeResolution::resolveContextualType(
typeRepr, CS.DC, std::nullopt,
// FIXME: Should we really be unconditionally complaining
// about unbound generics and placeholders here? For
// example:
// let foo: [Array<Float>] = [[0], [1], [2]] as [Array]
// let foo: [Array<Float>] = [[0], [1], [2]] as [Array<_>]
/*unboundTyOpener*/ nullptr, /*placeholderHandler*/ nullptr,
/*packElementOpener*/ nullptr);
// Looks like coercion type is invalid, let's skip this sub-tree.
if (coercionType->hasError())
return nullptr;
// Visit collection expression inline.
visitCollectionExpr(collectionExpr, coercionType,
CTP_CoerceOperand);
}
}
return childExpr;
});
// It's going to be inefficient to try and solve
// coercion in parts, so let's just make it a candidate directly,
// if it contains at least a single overload set.
if (numOverloadSets > 0)
Candidates.push_back(Candidate(CS, coerceExpr));
}
void visitCollectionExpr(CollectionExpr *collectionExpr,
Type contextualType = Type(),
ContextualTypePurpose CTP = CTP_Unused) {
// If there is a contextual type set for this collection,
// let's propagate it to the candidate.
if (!contextualType.isNull()) {
auto elementType = extractElementType(contextualType);
// If we couldn't deduce element type for the collection, let's
// not attempt to solve it.
if (!elementType ||
elementType->hasError() ||
elementType->hasUnresolvedType())
return;
contextualType = elementType;
}
for (auto element : collectionExpr->getElements()) {
unsigned numOverloads = 0;
element->walk(OverloadSetCounter(numOverloads));
// There are no overload sets in the element; skip it.
if (numOverloads == 0)
continue;
// Record each of the collection elements, which passed
// number of overload sets rule, as a candidate for solving
// with contextual type of the collection.
Candidates.push_back(Candidate(CS, element, contextualType, CTP));
}
}
};
ExprCollector collector(expr, *this, domains);
// Collect all of the binary/unary and call sub-expressions
// so we can start solving them separately.
expr->walk(collector);
llvm::SmallSetVector<OverloadSetRefExpr *, 4> shrunkExprs;
for (auto &candidate : collector.Candidates) {
// If there are no results, let's forget everything we know about the
// system so far. This actually is ok, because some of the expressions
// might require manual salvaging.
if (candidate.solve(shrunkExprs)) {
// Let's restore all of the original OSR domains for this sub-expression,
// this means that we can still make forward progress with solving of the
// top sub-expressions.
candidate.getExpr()->forEachChildExpr([&](Expr *childExpr) -> Expr * {
if (auto OSR = dyn_cast<OverloadSetRefExpr>(childExpr)) {
auto domain = domains.find(OSR);
if (domain == domains.end())
return childExpr;
OSR->setDecls(domain->getSecond());
shrunkExprs.remove(OSR);
}
return childExpr;
});
}
}
// Once "shrinking" is done let's re-allocate final version of
// the candidate list to the permanent arena, so it could
// survive even after primary constraint system is destroyed.
for (auto &OSR : shrunkExprs) {
auto choices = OSR->getDecls();
auto decls =
getASTContext().AllocateUninitialized<ValueDecl *>(choices.size());
std::uninitialized_copy(choices.begin(), choices.end(), decls.begin());
OSR->setDecls(decls);
}
}
static bool debugConstraintSolverForTarget(ASTContext &C,
SyntacticElementTarget target) {
if (C.TypeCheckerOpts.DebugConstraintSolver)
return true;
if (C.TypeCheckerOpts.DebugConstraintSolverOnLines.empty())
// No need to compute the line number to find out it's not present.
return false;
// Get the lines on which the target starts and ends.
unsigned startLine = 0, endLine = 0;
SourceRange range = target.getSourceRange();
if (range.isValid()) {
auto charRange = Lexer::getCharSourceRangeFromSourceRange(C.SourceMgr, range);
startLine =
C.SourceMgr.getLineAndColumnInBuffer(charRange.getStart()).first;
endLine = C.SourceMgr.getLineAndColumnInBuffer(charRange.getEnd()).first;
}
assert(startLine <= endLine && "expr ends before it starts?");
auto &lines = C.TypeCheckerOpts.DebugConstraintSolverOnLines;
assert(std::is_sorted(lines.begin(), lines.end()) &&
"DebugConstraintSolverOnLines sorting invariant violated");
// Check if `lines` contains at least one line `L` where
// `startLine <= L <= endLine`. If it does, `lower_bound(startLine)` and
// `upper_bound(endLine)` will be different.
auto startBound = llvm::lower_bound(lines, startLine);
auto endBound = std::upper_bound(startBound, lines.end(), endLine);
return startBound != endBound;
}
std::optional<std::vector<Solution>>
ConstraintSystem::solve(SyntacticElementTarget &target,
FreeTypeVariableBinding allowFreeTypeVariables) {
llvm::SaveAndRestore<ConstraintSystemOptions> debugForExpr(Options);
if (debugConstraintSolverForTarget(getASTContext(), target)) {
Options |= ConstraintSystemFlags::DebugConstraints;
}
/// Dump solutions for debugging purposes.
auto dumpSolutions = [&](const SolutionResult &result) {
// Debug-print the set of solutions.
if (isDebugMode()) {
auto &log = llvm::errs();
auto indent = solverState ? solverState->getCurrentIndent() : 0;
if (result.getKind() == SolutionResult::Success) {
log << "\n";
log.indent(indent) << "---Solution---\n";
result.getSolution().dump(llvm::errs(), indent);
} else if (result.getKind() == SolutionResult::Ambiguous) {
auto solutions = result.getAmbiguousSolutions();
for (unsigned i : indices(solutions)) {
log << "\n";
log.indent(indent) << "--- Solution #" << i << " ---\n";
solutions[i].dump(llvm::errs(), indent);
}
}
}
};
auto reportSolutionsToSolutionCallback = [&](const SolutionResult &result) {
if (!getASTContext().SolutionCallback) {
return;
}
switch (result.getKind()) {
case SolutionResult::Success:
getASTContext().SolutionCallback->sawSolution(result.getSolution());
break;
case SolutionResult::Ambiguous:
for (auto &solution : result.getAmbiguousSolutions()) {
getASTContext().SolutionCallback->sawSolution(solution);
}
break;
default:
break;
}
};
// Take up to two attempts at solving the system. The first attempts to
// solve a system that is expected to be well-formed, the second kicks in
// when there is an error and attempts to salvage an ill-formed program.
for (unsigned stage = 0; stage != 2; ++stage) {
auto solution = (stage == 0)
? solveImpl(target, allowFreeTypeVariables)
: salvage();
switch (solution.getKind()) {
case SolutionResult::Success: {
// Return the successful solution.
dumpSolutions(solution);
reportSolutionsToSolutionCallback(solution);
std::vector<Solution> result;
result.push_back(std::move(solution).takeSolution());
return std::move(result);
}
case SolutionResult::Error:
maybeProduceFallbackDiagnostic(target);
return std::nullopt;
case SolutionResult::TooComplex: {
auto affectedRange = solution.getTooComplexAt();
// If affected range is unknown, let's use whole
// target.
if (!affectedRange)
affectedRange = target.getSourceRange();
getASTContext()
.Diags.diagnose(affectedRange->Start, diag::expression_too_complex)
.highlight(*affectedRange);
solution.markAsDiagnosed();
return std::nullopt;
}
case SolutionResult::Ambiguous:
// If salvaging produced an ambiguous result, it has already been
// diagnosed.
// If we have found an ambiguous solution in the first stage, salvaging
// won't produce more solutions, so we can inform the solution callback
// about the current ambiguous solutions straight away.
if (stage == 1 || Context.SolutionCallback) {
reportSolutionsToSolutionCallback(solution);
solution.markAsDiagnosed();
return std::nullopt;
}
if (Options.contains(
ConstraintSystemFlags::AllowUnresolvedTypeVariables)) {
dumpSolutions(solution);
auto ambiguousSolutions = std::move(solution).takeAmbiguousSolutions();
std::vector<Solution> result(
std::make_move_iterator(ambiguousSolutions.begin()),
std::make_move_iterator(ambiguousSolutions.end()));
return std::move(result);
}
LLVM_FALLTHROUGH;
case SolutionResult::UndiagnosedError:
if (stage == 1) {
diagnoseFailureFor(target);
reportSolutionsToSolutionCallback(solution);
solution.markAsDiagnosed();
return std::nullopt;
}
// Loop again to try to salvage.
solution.markAsDiagnosed();
continue;
}
}
llvm_unreachable("Loop always returns");
}
SolutionResult
ConstraintSystem::solveImpl(SyntacticElementTarget &target,
FreeTypeVariableBinding allowFreeTypeVariables) {
if (isDebugMode()) {
auto &log = llvm::errs();
log << "\n---Constraint solving at ";
auto R = target.getSourceRange();
if (R.isValid()) {
R.print(log, getASTContext().SourceMgr, /*PrintText=*/ false);
} else {
log << "<invalid range>";
}
log << "---\n";
}
assert(!solverState && "cannot be used directly");
// Set up the expression type checker timer.
if (Expr *expr = target.getAsExpr())
Timer.emplace(expr, *this);
if (generateConstraints(target, allowFreeTypeVariables))
return SolutionResult::forError();;
// Try to solve the constraint system using computed suggestions.
SmallVector<Solution, 4> solutions;
solve(solutions, allowFreeTypeVariables);
if (isTooComplex(solutions))
return SolutionResult::forTooComplex(getTooComplexRange());
switch (solutions.size()) {
case 0:
return SolutionResult::forUndiagnosedError();
case 1:
return SolutionResult::forSolved(std::move(solutions.front()));
default:
return SolutionResult::forAmbiguous(solutions);
}
}
bool ConstraintSystem::solve(SmallVectorImpl<Solution> &solutions,
FreeTypeVariableBinding allowFreeTypeVariables) {
// Set up solver state.
SolverState state(*this, allowFreeTypeVariables);
// Solve the system.
solveImpl(solutions);
if (isDebugMode()) {
auto &log = llvm::errs();
log << "\n---Solver statistics---\n";
log << "Total number of scopes explored: " << solverState->NumStatesExplored << "\n";
log << "Maximum depth reached while exploring solutions: " << solverState->maxDepth << "\n";
if (Timer) {
auto timeInMillis =
1000 * Timer->getElapsedProcessTimeInFractionalSeconds();
log << "Time: " << timeInMillis << "ms\n";
}
}
// Filter deduced solutions, try to figure out if there is
// a single best solution to use, if not explicitly disabled
// by constraint system options.
filterSolutions(solutions);
// We fail if there is no solution or the expression was too complex.
return solutions.empty() || isTooComplex(solutions);
}
void ConstraintSystem::solveImpl(SmallVectorImpl<Solution> &solutions) {
assert(solverState);
setPhase(ConstraintSystemPhase::Solving);
SWIFT_DEFER { setPhase(ConstraintSystemPhase::Finalization); };
// If constraint system failed while trying to
// genenerate constraints, let's stop right here.
if (failedConstraint)
return;
// Attempt to solve a constraint system already in an invalid
// state should be immediately aborted.
if (inInvalidState()) {
solutions.clear();
return;
}
// Allocate new solver scope, so constraint system
// could be restored to its original state afterwards.
// Otherwise there is a risk that some of the constraints
// are not going to be re-introduced to the system.
SolverScope scope(*this);
SmallVector<std::unique_ptr<SolverStep>, 16> workList;
// First step is always wraps whole constraint system.
workList.push_back(std::make_unique<SplitterStep>(*this, solutions));
// Indicate whether previous step in the stack has failed
// (returned StepResult::Kind = Error), this is useful to
// propagate failures when unsolved steps are re-taken.
bool prevFailed = false;
// Advance the solver by taking a given step, which might involve
// a preliminary "setup", if this is the first time this step is taken.
auto advance = [](SolverStep *step, bool prevFailed) -> StepResult {
auto currentState = step->getState();
if (currentState == StepState::Setup) {
step->setup();
step->transitionTo(StepState::Ready);
}
currentState = step->getState();
step->transitionTo(StepState::Running);
return currentState == StepState::Ready ? step->take(prevFailed)
: step->resume(prevFailed);
};
// Execute steps in LIFO order, which means that
// each individual step would either end up producing
// a solution, or producing another set of mergeable
// steps to take before arriving to solution.
while (!workList.empty()) {
auto &step = workList.back();
// Now let's try to advance to the next step or re-take previous,
// which should produce another steps to follow,
// or error, which means that current path is inconsistent.
{
auto result = advance(step.get(), prevFailed);
// If execution of this step let constraint system in an
// invalid state, let's drop all of the solutions and abort.
if (inInvalidState()) {
solutions.clear();
return;
}
switch (result.getKind()) {
// It was impossible to solve this step, let's note that
// for followup steps, to propagate the error.
case SolutionKind::Error:
LLVM_FALLTHROUGH;
// Step has been solved successfully by either
// producing a partial solution, or more steps
// toward that solution.
case SolutionKind::Solved: {
workList.pop_back();
break;
}
// Keep this step in the work list to return to it
// once all other steps are done, this could be a
// disjunction which has to peek a new choice until
// it completely runs out of choices, or type variable
// binding.
case SolutionKind::Unsolved:
break;
}
prevFailed = result.getKind() == SolutionKind::Error;
result.transfer(workList);
}
}
}
void ConstraintSystem::solveForCodeCompletion(
SmallVectorImpl<Solution> &solutions) {
{
SolverState state(*this, FreeTypeVariableBinding::Disallow);
// Enable "diagnostic mode" by default, this means that
// solver would produce "fixed" solutions alongside valid
// ones, which helps code completion to rank choices.
state.recordFixes = true;
solveImpl(solutions);
}
if (isDebugMode()) {
auto &log = llvm::errs();
auto indent = solverState ? solverState->getCurrentIndent() : 0;
log.indent(indent) << "--- Discovered " << solutions.size()
<< " solutions ---\n";
for (const auto &solution : solutions) {
log.indent(indent) << "--- Solution ---\n";
solution.dump(log, indent);
}
}
return;
}
bool ConstraintSystem::solveForCodeCompletion(
SyntacticElementTarget &target, SmallVectorImpl<Solution> &solutions) {
if (auto *expr = target.getAsExpr()) {
// Tell the constraint system what the contextual type is.
setContextualInfo(expr, target.getExprContextualTypeInfo());
// Set up the expression type checker timer.
Timer.emplace(expr, *this);
shrink(expr);
}
if (isDebugMode()) {
auto &log = llvm::errs();
log.indent(solverState ? solverState->getCurrentIndent() : 0)
<< "--- Code Completion ---\n";
}
if (generateConstraints(target))
return false;
solveForCodeCompletion(solutions);
return true;
}
void ConstraintSystem::collectDisjunctions(
SmallVectorImpl<Constraint *> &disjunctions) {
for (auto &constraint : InactiveConstraints) {
if (constraint.getKind() == ConstraintKind::Disjunction)
disjunctions.push_back(&constraint);
}
}
ConstraintSystem::SolutionKind
ConstraintSystem::filterDisjunction(
Constraint *disjunction, bool restoreOnFail,
llvm::function_ref<bool(Constraint *)> pred) {
assert(disjunction->getKind() == ConstraintKind::Disjunction);
SmallVector<Constraint *, 4> constraintsToRestoreOnFail;
unsigned choiceIdx = 0;
unsigned numEnabledTerms = 0;
ASTContext &ctx = getASTContext();
for (unsigned constraintIdx : indices(disjunction->getNestedConstraints())) {
auto constraint = disjunction->getNestedConstraints()[constraintIdx];
// Skip already-disabled constraints. Let's treat disabled
// choices which have a fix as "enabled" ones here, so we can
// potentially infer some type information from them.
if (constraint->isDisabled() && !constraint->getFix())
continue;
if (pred(constraint)) {
++numEnabledTerms;
choiceIdx = constraintIdx;
continue;
}
if (isDebugMode()) {
auto indent = (solverState ? solverState->getCurrentIndent() : 0) + 4;
llvm::errs().indent(indent) << "(disabled disjunction term ";
constraint->print(llvm::errs(), &ctx.SourceMgr, indent);
llvm::errs().indent(indent) << ")\n";
}
if (restoreOnFail)
constraintsToRestoreOnFail.push_back(constraint);
if (solverState)
solverState->disableConstraint(constraint);
else
constraint->setDisabled();
}
switch (numEnabledTerms) {
case 0:
for (auto constraint : constraintsToRestoreOnFail) {
constraint->setEnabled();
}
return SolutionKind::Error;
case 1: {
// Only a single constraint remains. Retire the disjunction and make
// the remaining constraint active.
auto choice = disjunction->getNestedConstraints()[choiceIdx];
// This can only happen when subscript syntax is used to lookup
// something which doesn't exist in type marked with
// `@dynamicMemberLookup`.
// Since filtering currently runs as part of the `applicable function`
// constraint processing, "keypath dynamic member lookup" choice can't
// be attempted in-place because that would also try to operate on that
// constraint, so instead let's keep the disjunction, but disable all
// unviable choices.
if (choice->getOverloadChoice().isKeyPathDynamicMemberLookup()) {
// Early simplification of the "keypath dynamic member lookup" choice
// is impossible because it requires constraints associated with
// subscript index expression to be present.
if (Phase == ConstraintSystemPhase::ConstraintGeneration)
return SolutionKind::Unsolved;
for (auto *currentChoice : disjunction->getNestedConstraints()) {
if (currentChoice != choice)
solverState->disableConstraint(currentChoice);
}
return SolutionKind::Solved;
}
// Retire the disjunction. It's been solved.
retireConstraint(disjunction);
// Note the choice we made and simplify it. This introduces the
// new constraint into the system.
if (disjunction->shouldRememberChoice()) {
recordDisjunctionChoice(disjunction->getLocator(), choiceIdx);
}
if (isDebugMode()) {
auto indent = (solverState ? solverState->getCurrentIndent() : 0) + 4;
llvm::errs().indent(indent)
<< "(introducing single enabled disjunction term ";
choice->print(llvm::errs(), &ctx.SourceMgr, indent);
llvm::errs().indent(indent) << ")\n";
}
simplifyDisjunctionChoice(choice);
return failedConstraint ? SolutionKind::Unsolved : SolutionKind::Solved;
}
default:
return SolutionKind::Unsolved;
}
}
// Attempt to find a disjunction of bind constraints where all options
// in the disjunction are binding the same type variable.
//
// Prefer disjunctions where the bound type variable is also the
// right-hand side of a conversion constraint, since having a concrete
// type that we're converting to can make it possible to split the
// constraint system into multiple ones.
static Constraint *selectBestBindingDisjunction(
ConstraintSystem &cs, SmallVectorImpl<Constraint *> &disjunctions) {
if (disjunctions.empty())
return nullptr;
auto getAsTypeVar = [&cs](Type type) {
return cs.simplifyType(type)->getRValueType()->getAs<TypeVariableType>();
};
Constraint *firstBindDisjunction = nullptr;
for (auto *disjunction : disjunctions) {
auto choices = disjunction->getNestedConstraints();
assert(!choices.empty());
auto *choice = choices.front();
if (choice->getKind() != ConstraintKind::Bind)
continue;
// We can judge disjunction based on the single choice
// because all of choices (of bind overload set) should
// have the same left-hand side.
// Only do this for simple type variable bindings, not for
// bindings like: ($T1) -> $T2 bind String -> Int
auto *typeVar = getAsTypeVar(choice->getFirstType());
if (!typeVar)
continue;
if (!firstBindDisjunction)
firstBindDisjunction = disjunction;
auto constraints = cs.getConstraintGraph().gatherConstraints(
typeVar, ConstraintGraph::GatheringKind::EquivalenceClass,
[](Constraint *constraint) {
return constraint->getKind() == ConstraintKind::Conversion;
});
for (auto *constraint : constraints) {
if (typeVar == getAsTypeVar(constraint->getSecondType()))
return disjunction;
}
}
// If we had any binding disjunctions, return the first of
// those. These ensure that we attempt to bind types earlier than
// trying the elements of other disjunctions, which can often mean
// we fail faster.
return firstBindDisjunction;
}
std::optional<std::pair<Constraint *, unsigned>>
ConstraintSystem::findConstraintThroughOptionals(
TypeVariableType *typeVar, OptionalWrappingDirection optionalDirection,
llvm::function_ref<bool(Constraint *, TypeVariableType *)> predicate) {
unsigned numOptionals = 0;
auto *rep = getRepresentative(typeVar);
SmallPtrSet<TypeVariableType *, 4> visitedVars;
while (visitedVars.insert(rep).second) {
// Look for a disjunction that binds this type variable to an overload set.
TypeVariableType *optionalObjectTypeVar = nullptr;
auto constraints = getConstraintGraph().gatherConstraints(
rep, ConstraintGraph::GatheringKind::EquivalenceClass,
[&](Constraint *match) {
// If we have an "optional object of" constraint, we may need to
// look through it to find the constraint we're looking for.
if (match->getKind() != ConstraintKind::OptionalObject)
return predicate(match, rep);
switch (optionalDirection) {
case OptionalWrappingDirection::Promote: {
// We want to go from T to T?, so check if we're on the RHS, and
// move over to the LHS if we can.
auto rhsTypeVar = match->getSecondType()->getAs<TypeVariableType>();
if (rhsTypeVar && getRepresentative(rhsTypeVar) == rep) {
optionalObjectTypeVar =
match->getFirstType()->getAs<TypeVariableType>();
}
break;
}
case OptionalWrappingDirection::Unwrap: {
// We want to go from T? to T, so check if we're on the LHS, and
// move over to the RHS if we can.
auto lhsTypeVar = match->getFirstType()->getAs<TypeVariableType>();
if (lhsTypeVar && getRepresentative(lhsTypeVar) == rep) {
optionalObjectTypeVar =
match->getSecondType()->getAs<TypeVariableType>();
}
break;
}
}
// Don't include the optional constraint in the results.
return false;
});
// If we found a result, return it.
if (!constraints.empty())
return std::make_pair(constraints[0], numOptionals);
// If we found an "optional object of" constraint, follow it.
if (optionalObjectTypeVar && !getFixedType(optionalObjectTypeVar)) {
numOptionals += 1;
rep = getRepresentative(optionalObjectTypeVar);
continue;
}
// Otherwise we're done.
return std::nullopt;
}
return std::nullopt;
}
Constraint *ConstraintSystem::getUnboundBindOverloadDisjunction(
TypeVariableType *tyvar, unsigned *numOptionalUnwraps) {
assert(!getFixedType(tyvar));
auto result = findConstraintThroughOptionals(
tyvar, OptionalWrappingDirection::Promote,
[&](Constraint *match, TypeVariableType *currentRep) {
// Check to see if we have a bind overload disjunction that binds the
// type var we need.
if (match->getKind() != ConstraintKind::Disjunction ||
match->getNestedConstraints().front()->getKind() !=
ConstraintKind::BindOverload)
return false;
auto lhsTy = match->getNestedConstraints().front()->getFirstType();
auto *lhsTyVar = lhsTy->getAs<TypeVariableType>();
return lhsTyVar && currentRep == getRepresentative(lhsTyVar);
});
if (!result)
return nullptr;
if (numOptionalUnwraps)
*numOptionalUnwraps = result->second;
return result->first;
}
// Performance hack: if there are two generic overloads, and one is
// more specialized than the other, prefer the more-specialized one.
static Constraint *
tryOptimizeGenericDisjunction(ConstraintSystem &cs, Constraint *disjunction,
ArrayRef<Constraint *> constraints) {
auto *dc = cs.DC;
// If we're solving for code completion, and have a child completion token,
// skip this optimization since the completion token being a placeholder can
// allow us to prefer an unhelpful disjunction choice.
if (cs.isForCodeCompletion()) {
auto anchor = disjunction->getLocator()->getAnchor();
if (cs.containsIDEInspectionTarget(cs.includingParentApply(anchor)))
return nullptr;
}
llvm::SmallVector<Constraint *, 4> choices;
for (auto *choice : constraints) {
if (choices.size() > 2)
return nullptr;
if (!choice->isDisabled())
choices.push_back(choice);
}
if (choices.size() != 2)
return nullptr;
if (choices[0]->getKind() != ConstraintKind::BindOverload ||
choices[1]->getKind() != ConstraintKind::BindOverload ||
choices[0]->isFavored() ||
choices[1]->isFavored())
return nullptr;
OverloadChoice choiceA = choices[0]->getOverloadChoice();
OverloadChoice choiceB = choices[1]->getOverloadChoice();
if (!choiceA.isDecl() || !choiceB.isDecl())
return nullptr;
auto isViable = [](ValueDecl *decl) -> bool {
assert(decl);
auto *AFD = dyn_cast<AbstractFunctionDecl>(decl);
if (!AFD || !AFD->isGeneric())
return false;
if (AFD->getAttrs().hasAttribute<DisfavoredOverloadAttr>())
return false;
auto funcType = AFD->getInterfaceType();
auto hasAnyOrOptional = funcType.findIf([](Type type) -> bool {
if (type->getOptionalObjectType())
return true;
return type->isAny();
});
// If function declaration references `Any` or an optional type,
// let's not attempt it, because it's unclear
// without solving which overload is going to be better.
return !hasAnyOrOptional;
};
auto *declA = choiceA.getDecl();
auto *declB = choiceB.getDecl();
if (!isViable(declA) || !isViable(declB))
return nullptr;
switch (TypeChecker::compareDeclarations(dc, declA, declB)) {
case Comparison::Better:
return choices[0];
case Comparison::Worse:
return choices[1];
case Comparison::Unordered:
return nullptr;
}
llvm_unreachable("covered switch");
}
/// Populates the \c found vector with the indices of the given constraints
/// that have a matching type to an existing operator binding elsewhere in
/// the expression.
///
/// Operator bindings that have a matching type to an existing binding
/// are attempted first by the solver because it's very common to chain
/// operators of the same type together.
static void existingOperatorBindingsForDisjunction(ConstraintSystem &CS,
ArrayRef<Constraint *> constraints,
SmallVectorImpl<unsigned> &found) {
auto *choice = constraints.front();
if (choice->getKind() != ConstraintKind::BindOverload)
return;
auto overload = choice->getOverloadChoice();
if (!overload.isDecl())
return;
auto decl = overload.getDecl();
if (!decl->isOperator())
return;
// For concrete operators, consider overloads that have the same type as
// an existing binding, because it's very common to write mixed operator
// expressions where all operands have the same type, e.g. `(x + 10) / 2`.
// For generic operators, only favor an exact overload that has already
// been bound, because mixed operator expressions are far less common, and
// computing generic canonical types is expensive.
SmallSet<CanType, 4> concreteTypesFound;
SmallSet<ValueDecl *, 4> genericDeclsFound;
for (auto overload : CS.getResolvedOverloads()) {
auto resolved = overload.second;
if (!resolved.choice.isDecl())
continue;
auto representativeDecl = resolved.choice.getDecl();
if (!representativeDecl->isOperator())
continue;
auto interfaceType = representativeDecl->getInterfaceType();
if (interfaceType->is<GenericFunctionType>()) {
genericDeclsFound.insert(representativeDecl);
} else {
concreteTypesFound.insert(interfaceType->getCanonicalType());
}
}
for (auto index : indices(constraints)) {
auto *constraint = constraints[index];
if (constraint->isFavored())
continue;
auto *decl = constraint->getOverloadChoice().getDecl();
auto interfaceType = decl->getInterfaceType();
bool isGeneric = interfaceType->is<GenericFunctionType>();
if ((isGeneric && genericDeclsFound.count(decl)) ||
(!isGeneric && concreteTypesFound.count(interfaceType->getCanonicalType())))
found.push_back(index);
}
}
void DisjunctionChoiceProducer::partitionGenericOperators(
SmallVectorImpl<unsigned>::iterator first,
SmallVectorImpl<unsigned>::iterator last) {
auto *argFnType = CS.getAppliedDisjunctionArgumentFunction(Disjunction);
if (!isOperatorDisjunction(Disjunction) || !argFnType)
return;
auto operatorName = Choices[0]->getOverloadChoice().getName();
if (!operatorName.getBaseIdentifier().isArithmeticOperator())
return;
SmallVector<unsigned, 4> concreteOverloads;
SmallVector<unsigned, 4> numericOverloads;
SmallVector<unsigned, 4> sequenceOverloads;
SmallVector<unsigned, 4> simdOverloads;
SmallVector<unsigned, 4> otherGenericOverloads;
auto &ctx = CS.getASTContext();
auto *additiveArithmeticProto = ctx.getProtocol(KnownProtocolKind::AdditiveArithmetic);
auto *sequenceProto = ctx.getProtocol(KnownProtocolKind::Sequence);
auto *simdProto = ctx.getProtocol(KnownProtocolKind::SIMD);
auto conformsTo = [&](Type type, ProtocolDecl *protocol) -> bool {
return protocol && bool(CS.lookupConformance(type, protocol));
};
auto refinesOrConformsTo = [&](NominalTypeDecl *nominal, ProtocolDecl *protocol) -> bool {
if (!nominal || !protocol)
return false;
if (auto *refined = dyn_cast<ProtocolDecl>(nominal))
return refined->inheritsFrom(protocol);
return conformsTo(nominal->getDeclaredInterfaceType(), protocol);
};
// Gather Numeric and Sequence overloads into separate buckets.
for (auto iter = first; iter != last; ++iter) {
unsigned index = *iter;
auto *decl = Choices[index]->getOverloadChoice().getDecl();
auto *nominal = decl->getDeclContext()->getSelfNominalTypeDecl();
if (isSIMDOperator(decl)) {
simdOverloads.push_back(index);
} else if (!decl->getInterfaceType()->is<GenericFunctionType>()) {
concreteOverloads.push_back(index);
} else if (refinesOrConformsTo(nominal, additiveArithmeticProto)) {
numericOverloads.push_back(index);
} else if (refinesOrConformsTo(nominal, sequenceProto)) {
sequenceOverloads.push_back(index);
} else {
otherGenericOverloads.push_back(index);
}
}
auto sortPartition = [&](SmallVectorImpl<unsigned> &partition) {
llvm::sort(partition, [&](unsigned lhs, unsigned rhs) -> bool {
auto *declA =
dyn_cast<ValueDecl>(Choices[lhs]->getOverloadChoice().getDecl());
auto *declB =
dyn_cast<ValueDecl>(Choices[rhs]->getOverloadChoice().getDecl());
return TypeChecker::isDeclRefinementOf(declA, declB);
});
};
// Sort sequence overloads so that refinements are attempted first.
// If the solver finds a solution with an overload, it can then skip
// subsequent choices that the successful choice is a refinement of.
sortPartition(sequenceOverloads);
// Attempt concrete overloads first.
first = std::copy(concreteOverloads.begin(), concreteOverloads.end(), first);
// Check if any of the known argument types conform to one of the standard
// arithmetic protocols. If so, the solver should attempt the corresponding
// overload choices first.
for (auto arg : argFnType->getParams()) {
auto argType = arg.getPlainType();
argType = CS.getFixedTypeRecursive(argType, /*wantRValue=*/true);
if (argType->isTypeVariableOrMember())
continue;
if (conformsTo(argType, additiveArithmeticProto)) {
first =
std::copy(numericOverloads.begin(), numericOverloads.end(), first);
numericOverloads.clear();
break;
}
if (conformsTo(argType, sequenceProto)) {
first =
std::copy(sequenceOverloads.begin(), sequenceOverloads.end(), first);
sequenceOverloads.clear();
break;
}
if (conformsTo(argType, simdProto)) {
first = std::copy(simdOverloads.begin(), simdOverloads.end(), first);
simdOverloads.clear();
break;
}
}
first = std::copy(otherGenericOverloads.begin(), otherGenericOverloads.end(), first);
first = std::copy(numericOverloads.begin(), numericOverloads.end(), first);
first = std::copy(sequenceOverloads.begin(), sequenceOverloads.end(), first);
first = std::copy(simdOverloads.begin(), simdOverloads.end(), first);
}
void DisjunctionChoiceProducer::partitionDisjunction(
SmallVectorImpl<unsigned> &Ordering,
SmallVectorImpl<unsigned> &PartitionBeginning) {
// Apply a special-case rule for favoring one generic function over
// another.
if (auto favored = tryOptimizeGenericDisjunction(CS, Disjunction, Choices)) {
CS.favorConstraint(favored);
}
SmallSet<Constraint *, 16> taken;
using ConstraintMatcher = std::function<bool(unsigned index, Constraint *)>;
using ConstraintMatchLoop =
std::function<void(ArrayRef<Constraint *>, ConstraintMatcher)>;
using PartitionAppendCallback =
std::function<void(SmallVectorImpl<unsigned> & options)>;
// Local function used to iterate over the untaken choices from the
// disjunction and use a higher-order function to determine if they
// should be part of a partition.
ConstraintMatchLoop forEachChoice =
[&](ArrayRef<Constraint *>,
std::function<bool(unsigned index, Constraint *)> fn) {
for (auto index : indices(Choices)) {
auto *constraint = Choices[index];
if (taken.count(constraint))
continue;
if (fn(index, constraint))
taken.insert(constraint);
}
};
// First collect some things that we'll generally put near the beginning or
// end of the partitioning.
SmallVector<unsigned, 4> favored;
SmallVector<unsigned, 4> everythingElse;
SmallVector<unsigned, 4> simdOperators;
SmallVector<unsigned, 4> disabled;
SmallVector<unsigned, 4> unavailable;
// Add existing operator bindings to the main partition first. This often
// helps the solver find a solution fast.
existingOperatorBindingsForDisjunction(CS, Choices, everythingElse);
for (auto index : everythingElse)
taken.insert(Choices[index]);
// First collect disabled and favored constraints.
forEachChoice(Choices, [&](unsigned index, Constraint *constraint) -> bool {
if (constraint->isDisabled()) {
disabled.push_back(index);
return true;
}
if (constraint->isFavored()) {
favored.push_back(index);
return true;
}
// Order VarDecls before other kinds of declarations because they are
// effectively favored over functions when the two are in the same
// overload set. This disjunction order allows SK_UnappliedFunction
// to prune later overload choices that are functions when a solution
// has already been found with a property.
if (auto *decl = getOverloadChoiceDecl(constraint)) {
if (isa<VarDecl>(decl)) {
everythingElse.push_back(index);
return true;
}
}
return false;
});
// Then unavailable constraints if we're skipping them.
if (!CS.shouldAttemptFixes()) {
forEachChoice(Choices, [&](unsigned index, Constraint *constraint) -> bool {
if (constraint->getKind() != ConstraintKind::BindOverload)
return false;
auto *decl = constraint->getOverloadChoice().getDeclOrNull();
auto *funcDecl = dyn_cast_or_null<FuncDecl>(decl);
if (!funcDecl)
return false;
if (!CS.isDeclUnavailable(funcDecl, constraint->getLocator()))
return false;
unavailable.push_back(index);
return true;
});
}
// Partition SIMD operators.
if (isOperatorDisjunction(Disjunction) &&
!Choices[0]->getOverloadChoice().getName().getBaseIdentifier().isArithmeticOperator()) {
forEachChoice(Choices, [&](unsigned index, Constraint *constraint) -> bool {
if (isSIMDOperator(constraint->getOverloadChoice().getDecl())) {
simdOperators.push_back(index);
return true;
}
return false;
});
}
// Gather the remaining options.
forEachChoice(Choices, [&](unsigned index, Constraint *constraint) -> bool {
everythingElse.push_back(index);
return true;
});
// Local function to create the next partition based on the options
// passed in.
PartitionAppendCallback appendPartition =
[&](SmallVectorImpl<unsigned> &options) {
if (options.size()) {
PartitionBeginning.push_back(Ordering.size());
Ordering.insert(Ordering.end(), options.begin(), options.end());
}
};
appendPartition(favored);
appendPartition(everythingElse);
appendPartition(simdOperators);
appendPartition(unavailable);
appendPartition(disabled);
assert(Ordering.size() == Choices.size());
}
Constraint *ConstraintSystem::selectDisjunction() {
SmallVector<Constraint *, 4> disjunctions;
collectDisjunctions(disjunctions);
if (disjunctions.empty())
return nullptr;
if (auto *disjunction = selectBestBindingDisjunction(*this, disjunctions))
return disjunction;
// Pick the disjunction with the smallest number of favored, then active choices.
auto cs = this;
auto minDisjunction = std::min_element(disjunctions.begin(), disjunctions.end(),
[&](Constraint *first, Constraint *second) -> bool {
unsigned firstActive = first->countActiveNestedConstraints();
unsigned secondActive = second->countActiveNestedConstraints();
unsigned firstFavored = first->countFavoredNestedConstraints();
unsigned secondFavored = second->countFavoredNestedConstraints();
if (!isOperatorDisjunction(first) || !isOperatorDisjunction(second))
return firstActive < secondActive;
if (firstFavored == secondFavored) {
// Look for additional choices that are "favored"
SmallVector<unsigned, 4> firstExisting;
SmallVector<unsigned, 4> secondExisting;
existingOperatorBindingsForDisjunction(*cs, first->getNestedConstraints(), firstExisting);
firstFavored += firstExisting.size();
existingOperatorBindingsForDisjunction(*cs, second->getNestedConstraints(), secondExisting);
secondFavored += secondExisting.size();
}
// Everything else equal, choose the disjunction with the greatest
// number of resolved argument types. The number of resolved argument
// types is always zero for disjunctions that don't represent applied
// overloads.
if (firstFavored == secondFavored) {
if (firstActive != secondActive)
return firstActive < secondActive;
return (first->countResolvedArgumentTypes(*this) > second->countResolvedArgumentTypes(*this));
}
firstFavored = firstFavored ? firstFavored : firstActive;
secondFavored = secondFavored ? secondFavored : secondActive;
return firstFavored < secondFavored;
});
if (minDisjunction != disjunctions.end())
return *minDisjunction;
return nullptr;
}
Constraint *ConstraintSystem::selectConjunction() {
SmallVector<Constraint *, 4> conjunctions;
for (auto &constraint : InactiveConstraints) {
if (constraint.isDisabled())
continue;
if (constraint.getKind() == ConstraintKind::Conjunction)
conjunctions.push_back(&constraint);
}
if (conjunctions.empty())
return nullptr;
auto &SM = getASTContext().SourceMgr;
// Conjunctions should be solved in order of their apperance in the source.
// This is important because once a conjunction is solved, we don't re-visit
// it, so we need to make sure we don't solve it before another conjuntion
// that could provide it with necessary type information. Source order
// provides an easy to reason about and quick way of establishing this.
return *std::min_element(
conjunctions.begin(), conjunctions.end(),
[&](Constraint *conjunctionA, Constraint *conjunctionB) {
auto *locA = conjunctionA->getLocator();
auto *locB = conjunctionB->getLocator();
if (!(locA && locB))
return false;
auto anchorA = locA->getAnchor();
auto anchorB = locB->getAnchor();
if (!(anchorA && anchorB))
return false;
auto slocA = anchorA.getStartLoc();
auto slocB = anchorB.getStartLoc();
if (!(slocA.isValid() && slocB.isValid()))
return false;
return SM.isBeforeInBuffer(slocA, slocB);
});
}
bool DisjunctionChoice::attempt(ConstraintSystem &cs) const {
cs.simplifyDisjunctionChoice(Choice);
if (ExplicitConversion)
propagateConversionInfo(cs);
// Attempt to simplify current choice might result in
// immediate failure, which is recorded in constraint system.
return !cs.failedConstraint && !cs.simplify();
}
bool DisjunctionChoice::isGenericOperator() const {
auto *decl = getOperatorDecl(Choice);
if (!decl)
return false;
auto interfaceType = decl->getInterfaceType();
return interfaceType->is<GenericFunctionType>();
}
bool DisjunctionChoice::isSymmetricOperator() const {
auto *decl = getOperatorDecl(Choice);
if (!decl)
return false;
auto func = dyn_cast<FuncDecl>(decl);
auto paramList = func->getParameters();
if (paramList->size() != 2)
return true;
auto firstType = paramList->get(0)->getInterfaceType();
auto secondType = paramList->get(1)->getInterfaceType();
return firstType->isEqual(secondType);
}
bool DisjunctionChoice::isUnaryOperator() const {
auto *decl = getOperatorDecl(Choice);
if (!decl)
return false;
auto func = cast<FuncDecl>(decl);
return func->getParameters()->size() == 1;
}
void DisjunctionChoice::propagateConversionInfo(ConstraintSystem &cs) const {
assert(ExplicitConversion);
auto LHS = Choice->getFirstType();
auto typeVar = LHS->getAs<TypeVariableType>();
if (!typeVar)
return;
// Use the representative (if any) to lookup constraints
// and potentially bind the coercion type to.
typeVar = typeVar->getImpl().getRepresentative(nullptr);
// If the representative already has a type assigned to it
// we can't really do anything here.
if (typeVar->getImpl().getFixedType(nullptr))
return;
auto bindings = cs.getBindingsFor(typeVar);
auto numBindings =
bindings.Bindings.size() + bindings.getNumViableLiteralBindings();
if (bindings.isHole() || bindings.involvesTypeVariables() || numBindings != 1)
return;
Type conversionType;
// There is either a single direct/transitive binding, or
// a single literal default.
if (!bindings.Bindings.empty()) {
conversionType = bindings.Bindings[0].BindingType;
} else {
for (const auto &literal : bindings.Literals) {
if (literal.second.viableAsBinding()) {
conversionType = literal.second.getDefaultType();
break;
}
}
}
auto constraints = cs.CG.gatherConstraints(
typeVar,
ConstraintGraph::GatheringKind::EquivalenceClass,
[](Constraint *constraint) -> bool {
switch (constraint->getKind()) {
case ConstraintKind::Conversion:
case ConstraintKind::Defaultable:
case ConstraintKind::ConformsTo:
case ConstraintKind::LiteralConformsTo:
case ConstraintKind::TransitivelyConformsTo:
return false;
default:
return true;
}
});
if (constraints.empty())
cs.addConstraint(ConstraintKind::Bind, typeVar, conversionType,
Choice->getLocator());
}
bool ConjunctionElement::attempt(ConstraintSystem &cs) const {
// First, let's bring all referenced variables into scope.
{
llvm::SmallPtrSet<TypeVariableType *, 4> referencedVars;
findReferencedVariables(cs, referencedVars);
for (auto *typeVar : referencedVars)
cs.addTypeVariable(typeVar);
}
auto result = cs.simplifyConstraint(*Element);
return result != ConstraintSystem::SolutionKind::Error;
}
|