1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433 2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444 2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474 2475 2476 2477 2478 2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516 2517 2518 2519 2520 2521 2522 2523 2524 2525 2526 2527 2528 2529 2530 2531 2532 2533 2534 2535 2536 2537 2538 2539 2540 2541 2542 2543 2544 2545 2546 2547 2548 2549 2550 2551 2552 2553 2554 2555 2556 2557 2558 2559 2560 2561 2562 2563 2564 2565 2566 2567 2568 2569 2570 2571 2572 2573 2574 2575 2576 2577 2578 2579 2580 2581 2582 2583 2584 2585 2586 2587 2588 2589 2590 2591 2592 2593 2594 2595 2596 2597 2598 2599 2600 2601 2602 2603 2604 2605 2606 2607 2608 2609 2610 2611 2612 2613 2614 2615 2616 2617 2618 2619 2620 2621 2622 2623 2624 2625 2626 2627 2628 2629 2630 2631 2632 2633 2634 2635 2636 2637 2638 2639 2640 2641 2642 2643 2644 2645 2646 2647 2648 2649 2650 2651 2652 2653 2654 2655 2656 2657 2658 2659 2660 2661 2662 2663 2664 2665 2666 2667 2668 2669 2670 2671 2672 2673 2674 2675 2676 2677 2678 2679 2680 2681 2682 2683 2684 2685 2686 2687 2688 2689 2690 2691 2692 2693 2694 2695 2696 2697 2698 2699 2700 2701 2702 2703 2704 2705 2706 2707 2708 2709 2710 2711 2712 2713 2714 2715 2716 2717 2718 2719 2720 2721 2722 2723 2724 2725 2726 2727 2728 2729 2730 2731 2732 2733 2734 2735 2736 2737 2738 2739 2740 2741 2742 2743 2744 2745 2746 2747 2748 2749 2750 2751 2752 2753 2754 2755 2756 2757 2758 2759 2760 2761 2762 2763 2764 2765 2766 2767 2768 2769 2770 2771 2772 2773 2774 2775 2776 2777 2778 2779 2780 2781 2782 2783 2784 2785 2786 2787 2788 2789 2790 2791 2792 2793 2794 2795 2796 2797 2798 2799 2800 2801 2802 2803 2804 2805 2806 2807 2808 2809 2810 2811 2812 2813 2814 2815 2816 2817 2818 2819 2820 2821 2822 2823 2824 2825 2826 2827 2828 2829 2830 2831 2832 2833 2834 2835 2836 2837 2838 2839 2840 2841 2842 2843 2844 2845 2846 2847 2848 2849 2850 2851 2852 2853 2854 2855 2856 2857 2858 2859 2860 2861 2862 2863 2864 2865 2866 2867 2868 2869 2870 2871 2872 2873 2874 2875 2876 2877 2878 2879 2880 2881 2882 2883 2884 2885 2886 2887 2888 2889 2890 2891 2892 2893 2894 2895 2896 2897 2898 2899 2900 2901 2902 2903 2904 2905 2906 2907 2908 2909 2910 2911 2912 2913 2914 2915 2916 2917 2918 2919 2920 2921 2922 2923 2924 2925 2926 2927 2928 2929 2930 2931 2932 2933 2934 2935 2936 2937 2938 2939 2940 2941 2942 2943 2944 2945 2946 2947 2948 2949 2950 2951 2952 2953 2954 2955 2956 2957 2958 2959 2960 2961 2962 2963 2964 2965 2966 2967 2968 2969 2970 2971 2972 2973 2974 2975 2976 2977 2978 2979 2980 2981 2982 2983 2984 2985 2986 2987 2988 2989 2990 2991 2992 2993 2994 2995 2996 2997 2998 2999 3000 3001 3002 3003 3004 3005 3006 3007 3008 3009 3010 3011 3012 3013 3014 3015 3016
|
/*
This source file is part of the Swift.org open source project
Copyright (c) 2021-2024 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 Swift project authors
*/
import Foundation
import Markdown
import SymbolKit
/// A type that provides information about documentation bundles and their content.
public protocol DocumentationContextDataProvider {
/// An object to notify when bundles are added or removed.
var delegate: DocumentationContextDataProviderDelegate? { get set }
/// The documentation bundles that this data provider provides.
var bundles: [BundleIdentifier: DocumentationBundle] { get }
/// Returns the data for the specified `url` in the provided `bundle`.
///
/// - Parameters:
/// - url: The URL of the file to read.
/// - bundle: The bundle that the file is a part of.
///
/// - Throws: When the file cannot be found in the workspace.
func contentsOfURL(_ url: URL, in bundle: DocumentationBundle) throws -> Data
}
/// An object that responds to changes in available documentation bundles for a specific provider.
public protocol DocumentationContextDataProviderDelegate: AnyObject {
/// Called when the `dataProvider` has added a new documentation bundle to its list of `bundles`.
///
/// - Parameters:
/// - dataProvider: The provider that added this bundle.
/// - bundle: The bundle that was added.
///
/// - Note: This method is called after the `dataProvider` has been added the bundle to its `bundles` property.
func dataProvider(_ dataProvider: DocumentationContextDataProvider, didAddBundle bundle: DocumentationBundle) throws
/// Called when the `dataProvider` has removed a documentation bundle from its list of `bundles`.
///
/// - Parameters:
/// - dataProvider: The provider that removed this bundle.
/// - bundle: The bundle that was removed.
///
/// - Note: This method is called after the `dataProvider` has been removed the bundle from its `bundles` property.
func dataProvider(_ dataProvider: DocumentationContextDataProvider, didRemoveBundle bundle: DocumentationBundle) throws
}
/// Documentation bundles use a string value as a unique identifier.
///
/// This value is typically a reverse host name, for example: `com.<organization-name>.<product-name>`.
///
/// Documentation links may include the bundle identifier---as a host component of the URL---to reference content in a specific documentation bundle.
public typealias BundleIdentifier = String
/// The documentation context manages the in-memory model for the built documentation.
///
/// A ``DocumentationWorkspace`` discovers serialized documentation bundles from a variety of sources (files on disk, databases, or web services), provides them to the `DocumentationContext`,
/// and notifies the context when bundles are added or removed using the ``DocumentationContextDataProviderDelegate`` protocol.
///
/// When a documentation bundle is registered with the context, all of its content is loaded into memory and relationships between documentation entities are built. When this is done, the context can be queried
/// about documentation entities, resources, and relationships between entities.
///
/// ## Topics
///
/// ### Getting documentation resources
///
/// - ``entity(with:)``
/// - ``resource(with:trait:)``
///
/// ### Getting documentation relationships
///
/// - ``children(of:kind:)``
/// - ``parents(of:)``
///
public class DocumentationContext: DocumentationContextDataProviderDelegate {
/// An error that's encountered while interacting with a ``SwiftDocC/DocumentationContext``.
public enum ContextError: DescribedError {
/// The node couldn't be found in the documentation context.
case notFound(URL)
/// The file wasn't UTF-8 encoded.
case utf8StringDecodingFailed(url: URL)
/// We allow a symbol declaration with no OS (for REST & Plist symbols)
/// but if such a declaration is found the symbol can have only one declaration.
case unexpectedEmptyPlatformName(String)
/// The bundle registration operation is cancelled externally.
case registrationDisabled
public var errorDescription: String {
switch self {
case .notFound(let url):
return "Couldn't find the requested node '\(url)' in the documentation context."
case .utf8StringDecodingFailed(let url):
return "The file at '\(url)' could not be read because it was not valid UTF-8."
case .unexpectedEmptyPlatformName(let symbolIdentifier):
return "Declaration without operating system name for symbol \(symbolIdentifier) cannot be merged with more declarations with operating system name for the same symbol"
case .registrationDisabled:
return "The bundle registration operation is cancelled externally."
}
}
}
/// A class that resolves documentation links by orchestrating calls to other link resolver implementations.
public var linkResolver = LinkResolver()
/// The provider of documentation bundles for this context.
var dataProvider: DocumentationContextDataProvider
/// The graph of all the documentation content and their relationships to each other.
///
/// > Important: The topic graph has no awareness of source language specific edges.
var topicGraph = TopicGraph()
/// User-provided global options for this documentation conversion.
var options: Options?
/// A value to control whether the set of manually curated references found during bundle registration should be stored. Defaults to `false`. Setting this property to `false` clears any stored references from `manuallyCuratedReferences`.
public var shouldStoreManuallyCuratedReferences: Bool = false {
didSet {
if shouldStoreManuallyCuratedReferences == false {
manuallyCuratedReferences = nil
}
}
}
/// Controls whether bundle registration should allow registering articles when no technology root is defined.
///
/// Set this property to `true` to enable registering documentation for standalone articles,
/// for example when using ``ConvertService``.
var allowsRegisteringArticlesWithoutTechnologyRoot: Bool = false
/// Controls whether documentation extension files are considered resolved even when they don't match a symbol.
///
/// Set this property to `true` to always consider documentation extensions as "resolved", for example when using ``ConvertService``.
///
/// > Note:
/// > Setting this property tor `true` means taking over the responsibility to match documentation extension files to symbols
/// > diagnosing unmatched documentation extension files, and diagnostic symbols that match multiple documentation extension files.
var considerDocumentationExtensionsThatDoNotMatchSymbolsAsResolved: Bool = false
/// A closure that modifies each symbol graph that the context registers.
///
/// Set this property if you need to modify symbol graphs before the context registers its information.
var configureSymbolGraph: ((inout SymbolGraph) -> ())? = nil
/// The set of all manually curated references if `shouldStoreManuallyCuratedReferences` was true at the time of processing and has remained `true` since.. Nil if curation has not been processed yet.
public private(set) var manuallyCuratedReferences: Set<ResolvedTopicReference>?
/// The root technology nodes of the Topic Graph.
public var rootTechnologies: [ResolvedTopicReference] {
return topicGraph.nodes.values.compactMap { node in
guard node.kind == .technology && parents(of: node.reference).isEmpty else {
return nil
}
return node.reference
}
}
/// The root module nodes of the Topic Graph.
///
/// This property is initialized during the registration of a documentation bundle.
public private(set) var rootModules: [ResolvedTopicReference]!
/// The topic reference of the root module, if it's the only registered module.
var soleRootModuleReference: ResolvedTopicReference? {
guard rootModules.count > 1 else {
return rootModules.first
}
// There are multiple "root modules" but some may be "virtual".
// Removing those may leave only one root module left.
let nonVirtualModules = rootModules.filter {
topicGraph.nodes[$0]?.isVirtual ?? false
}
return nonVirtualModules.count == 1 ? nonVirtualModules.first : nil
}
typealias LocalCache = ContentCache<DocumentationNode>
typealias ExternalCache = ContentCache<LinkResolver.ExternalEntity>
/// Map of document URLs to topic references.
var documentLocationMap = BidirectionalMap<URL, ResolvedTopicReference>()
/// A storage of already created documentation nodes for the local documentation content.
///
/// The documentation cache is built up incrementally as local content is registered with the documentation context.
///
/// First, the context adds all symbols, with both their references and symbol IDs for lookup. The ``SymbolGraphRelationshipsBuilder`` looks up documentation
/// nodes by their symbol's ID when it builds up in-memory relationships between symbols. Later, the context adds articles and other conceptual content with only their
/// references for lookup.
var documentationCache = LocalCache()
/// The asset managers for each documentation bundle, keyed by the bundle's identifier.
var assetManagers = [BundleIdentifier: DataAssetManager]()
/// A list of non-topic links that can be resolved.
var nodeAnchorSections = [ResolvedTopicReference: AnchorSection]()
/// A storage of externally resolved content.
///
/// The external cache is built up in two steps;
/// - While the context processes the local symbols, a ``GlobalExternalSymbolResolver`` or ``ExternalPathHierarchyResolver`` may add entities
/// for any external symbols that are referenced by a relationship or by a declaration token identifier in the local symbol graph files.
/// - Before the context finishes registering content, a ``ExternalDocumentationSource`` or ``ExternalPathHierarchyResolver`` may add entities
/// for any external links in the local content that the external source or external resolver could successfully resolve.
var externalCache = ExternalCache()
/// Returns the local or external reference for a known symbol ID.
func localOrExternalReference(symbolID: String) -> ResolvedTopicReference? {
documentationCache.reference(symbolID: symbolID) ?? externalCache.reference(symbolID: symbolID)
}
/// A list of all the problems that was encountered while registering and processing the documentation bundles in this context.
public var problems: [Problem] {
return diagnosticEngine.problems
}
/// The engine that collects problems encountered while registering and processing the documentation bundles in this context.
public var diagnosticEngine: DiagnosticEngine
/// The lookup of external documentation sources by their bundle identifiers.
public var externalDocumentationSources = [BundleIdentifier: ExternalDocumentationSource]()
/// A resolver that attempts to resolve local references to content that wasn't included in the catalog or symbol input.
///
/// - Warning: Setting a fallback reference resolver makes accesses to the context non-thread-safe. This is because the fallback resolver can run during both local link
/// resolution and during rendering, which both happen concurrently for each page. In practice this shouldn't matter because the convert service only builds documentation for one page.
var convertServiceFallbackResolver: ConvertServiceFallbackResolver?
/// A type that resolves all symbols that are referenced in symbol graph files but can't be found in any of the locally available symbol graph files.
public var globalExternalSymbolResolver: GlobalExternalSymbolResolver?
/// All the link references that have been resolved from external sources, either successfully or not.
///
/// The unsuccessful links are tracked so that the context doesn't attempt to re-resolve the unsuccessful links during rendering which runs concurrently for each page.
var externallyResolvedLinks = [ValidatedURL: TopicReferenceResolutionResult]()
/// The mapping of external symbol identifiers to known disambiguated symbol path components.
///
/// In situations where the local documentation context doesn't contain all of the current module's
/// symbols, for example when using a ``ConvertService`` with a partial symbol graph,
/// the documentation context is otherwise unable to accurately detect a collision for a given symbol and correctly
/// disambiguate its path components. This value can be used to inject already disambiguated symbol
/// path components into the documentation context.
var knownDisambiguatedSymbolPathComponents: [String: [String]]?
/// A temporary structure to hold a semantic value that hasn't yet had its links resolved.
///
/// These temporary values are only expected to exist while the documentation is being built. Once the documentation bundles have been fully registered and the topic graph
/// has been built, the documentation context shouldn't hold any semantic result values anymore.
struct SemanticResult<S: Semantic> {
/// The ``Semantic`` value with unresolved links.
var value: S
/// The source of the document that produces the ``value``.
var source: URL
/// The Topic Graph node for this value.
var topicGraphNode: TopicGraph.Node
}
/// Temporary storage for articles before they are curated and moved to the documentation cache.
///
/// This storage is only used while the documentation context is being built. Once the documentation bundles have been fully registered and the topic graph
/// has been built, this list of uncurated articles will be empty.
///
/// The key to lookup an article is the reference to the article itself.
var uncuratedArticles = [ResolvedTopicReference: SemanticResult<Article>]()
/// Temporary storage for documentation extension files before they are curated and moved to the documentation cache.
///
/// This storage is only used while the documentation context is being built. Once the documentation bundles have been fully registered and the topic graph
/// has been built, this list of uncurated documentation extensions will be empty.
///
/// The key to lookup a documentation extension file is the symbol reference from its title (level 1 heading).
var uncuratedDocumentationExtensions = [ResolvedTopicReference: SemanticResult<Article>]()
/// External metadata injected into the context, for example via command line arguments.
public var externalMetadata = ExternalMetadata()
/// Mentions of symbols within articles.
var articleSymbolMentions = ArticleSymbolMentions()
/// Initializes a documentation context with a given `dataProvider` and registers all the documentation bundles that it provides.
///
/// - Parameter dataProvider: The data provider to register bundles from.
/// - Parameter diagnosticEngine: The pre-configured engine that will collect problems encountered during compilation.
/// - Throws: If an error is encountered while registering a documentation bundle.
public init(dataProvider: DocumentationContextDataProvider, diagnosticEngine: DiagnosticEngine = .init()) throws {
self.dataProvider = dataProvider
self.diagnosticEngine = diagnosticEngine
self.dataProvider.delegate = self
for bundle in dataProvider.bundles.values {
try register(bundle)
}
}
/// Respond to a new `bundle` being added to the `dataProvider` by registering it.
///
/// - Parameters:
/// - dataProvider: The provider that added this bundle.
/// - bundle: The bundle that was added.
public func dataProvider(_ dataProvider: DocumentationContextDataProvider, didAddBundle bundle: DocumentationBundle) throws {
try benchmark(wrap: Benchmark.Duration(id: "bundle-registration")) {
// Enable reference caching for this documentation bundle.
ResolvedTopicReference.enableReferenceCaching(for: bundle.identifier)
try self.register(bundle)
}
}
/// Respond to a new `bundle` being removed from the `dataProvider` by unregistering it.
///
/// - Parameters:
/// - dataProvider: The provider that removed this bundle.
/// - bundle: The bundle that was removed.
public func dataProvider(_ dataProvider: DocumentationContextDataProvider, didRemoveBundle bundle: DocumentationBundle) throws {
linkResolver.localResolver?.unregisterBundle(identifier: bundle.identifier)
// Purge the reference cache for this bundle and disable reference caching for
// this bundle moving forward.
ResolvedTopicReference.purgePool(for: bundle.identifier)
unregister(bundle)
}
/// The documentation bundles that are currently registered with the context.
public var registeredBundles: some Collection<DocumentationBundle> {
return dataProvider.bundles.values
}
/// Returns the `DocumentationBundle` with the given `identifier` if it's registered with the context, otherwise `nil`.
public func bundle(identifier: String) -> DocumentationBundle? {
return dataProvider.bundles[identifier]
}
/// Perform semantic analysis on a given `document` at a given `source` location and append any problems found to `problems`.
///
/// - Parameters:
/// - document: The document to analyze.
/// - source: The location of the document.
/// - bundle: The bundle that the document belongs to.
/// - problems: A mutable collection of problems to update with any problem encountered during the semantic analysis.
/// - Returns: The result of the semantic analysis.
private func analyze(_ document: Document, at source: URL, in bundle: DocumentationBundle, engine: DiagnosticEngine) -> Semantic? {
var analyzer = SemanticAnalyzer(source: source, context: self, bundle: bundle)
let result = analyzer.visit(document)
engine.emit(analyzer.problems)
return result
}
/// Perform global analysis of compiled Markup
///
/// Global analysis differs from semantic analysis in that no transformation is expected to occur. The
/// analyses performed in this method don't transform documents, they only inspect them.
///
/// Global checks are generally not expected to be run on tutorials or tutorial articles. The structure of
/// tutorial content is very different from the expected structure of most documentation. If a checker is
/// only checking content, it can probably be run on all types of documentation without issue. If the
/// checker needs to check (or makes assumptions about) structure, it should probably be run only on
/// non-tutorial content. If tutorial-related docs need to be checked or analyzed in some way (such as
/// checking for the existence of a child directive), a semantic analyzer is probably the better solution.
/// Tutorial content is highly structured and will be parsed into models that can be analyzed in a
/// type-safe manner.
///
/// - Parameters:
/// - document: The document to analyze.
/// - source: The location of the document.
private func check(_ document: Document, at source: URL) {
var checker = CompositeChecker([
AbstractContainsFormattedTextOnly(sourceFile: source).any(),
DuplicateTopicsSections(sourceFile: source).any(),
InvalidAdditionalTitle(sourceFile: source).any(),
MissingAbstract(sourceFile: source).any(),
NonOverviewHeadingChecker(sourceFile: source).any(),
SeeAlsoInTopicsHeadingChecker(sourceFile: source).any(),
])
checker.visit(document)
diagnosticEngine.emit(checker.problems)
}
/// A cache of plain string module names, keyed by the module node reference.
private var moduleNameCache: [ResolvedTopicReference: (displayName: String, symbolName: String)] = [:]
/// Find the known plain string module name for a given module reference.
///
/// - Note: Looking up module names requires that the module names have been pre-resolved. This happens automatically at the end of bundle registration.
///
/// - Parameter moduleReference: The module reference to find the module name for.
/// - Returns: The plain string name for the referenced module.
func moduleName(forModuleReference moduleReference: ResolvedTopicReference) -> (displayName: String, symbolName: String) {
if let name = moduleNameCache[moduleReference] {
return name
}
// If no name is found it's considered a programmer error; either that the names haven't been resolved yet
// or that the passed argument isn't a reference to a known module.
if moduleNameCache.isEmpty {
fatalError("Incorrect use of API: '\(#function)' requires that bundles have finished registering.")
}
fatalError("Incorrect use of API: '\(#function)' can only be used with known module references")
}
/// Attempts to resolve the module names of all root modules.
///
/// This allows the module names to quickly be looked up using ``moduleName(forModuleReference:)``
func preResolveModuleNames() {
for reference in rootModules {
if let node = try? entity(with: reference) {
let displayName: String
switch node.name {
case .conceptual(let title):
displayName = title
case .symbol(let declaration):
displayName = declaration.tokens.map { $0.description }.joined()
}
// A module node should always have a symbol.
// Remove the fallback value and force unwrap `node.symbol` on the main branch: https://github.com/apple/swift-docc/issues/249
moduleNameCache[reference] = (displayName, node.symbol?.names.title ?? reference.lastPathComponent)
}
}
}
/// Attempts to resolve links external to the given bundle.
///
/// The link resolution results are collected in ``externallyResolvedLinks``.
///
/// - Parameters:
/// - references: A list of references to local nodes to visit to collect links.
/// - localBundleID: The local bundle ID, used to identify and skip absolute fully qualified local links.
private func preResolveExternalLinks(references: [ResolvedTopicReference], localBundleID: BundleIdentifier) {
preResolveExternalLinks(semanticObjects: references.compactMap({ reference -> ReferencedSemanticObject? in
guard let node = try? entity(with: reference), let semantic = node.semantic else { return nil }
return (reference: reference, semantic: semantic)
}), localBundleID: localBundleID)
}
/// A tuple of a semantic object and its reference in the topic graph.
private typealias ReferencedSemanticObject = (reference: ResolvedTopicReference, semantic: Semantic)
/// Converts a semantic result to a referenced semantic object by removing the generic constraint.
private func referencedSemanticObject(from: SemanticResult<some Semantic>) -> ReferencedSemanticObject {
return (reference: from.topicGraphNode.reference, semantic: from.value)
}
/// Attempts to resolve links external to the given bundle by visiting the given list of semantic objects.
///
/// The resolved references are collected in ``externallyResolvedLinks``.
///
/// - Parameters:
/// - semanticObjects: A list of semantic objects to visit to collect links.
/// - localBundleID: The local bundle ID, used to identify and skip absolute fully qualified local links.
private func preResolveExternalLinks(semanticObjects: [ReferencedSemanticObject], localBundleID: BundleIdentifier) {
// If there are no external resolvers added we will not resolve any links.
guard !externalDocumentationSources.isEmpty else { return }
let collectedExternalLinks = Synchronized([String: Set<UnresolvedTopicReference>]())
semanticObjects.concurrentPerform { _, semantic in
autoreleasepool {
// Walk the node and extract external link references.
var externalLinksCollector = ExternalReferenceWalker(localBundleID: localBundleID)
externalLinksCollector.visit(semantic)
// Avoid any synchronization overhead if there are no references to add.
guard !externalLinksCollector.collectedExternalReferences.isEmpty else { return }
// Add the link pairs to `collectedExternalLinks`.
collectedExternalLinks.sync {
for (bundleID, collectedLinks) in externalLinksCollector.collectedExternalReferences {
$0[bundleID, default: []].formUnion(collectedLinks)
}
}
}
}
for (bundleID, collectedLinks) in collectedExternalLinks.sync({ $0 }) {
guard let externalResolver = externalDocumentationSources[bundleID] else {
continue
}
for externalLink in collectedLinks {
let unresolvedURL = externalLink.topicURL
let result = externalResolver.resolve(.unresolved(externalLink))
externallyResolvedLinks[unresolvedURL] = result
if case .success(let resolvedReference) = result {
// Add the resolved entity to the documentation cache.
if let externallyResolvedNode = externalEntity(with: resolvedReference) {
externalCache[resolvedReference] = externallyResolvedNode
}
if unresolvedURL.absoluteString != resolvedReference.absoluteString,
let resolvedURL = ValidatedURL(resolvedReference.url) {
// If the resolved reference has a different URL than the authored link, cache both URLs so we can resolve both unresolved and resolved references.
//
// The two main examples when this would happen are:
// - when resolving a redirected article and the authored link was the old URL
// - when resolving a symbol with multiple language representations and the authored link wasn't the canonical URL
externallyResolvedLinks[resolvedURL] = result
}
}
}
}
}
/// A resolved documentation node along with any relevant problems.
private typealias LinkResolveResult = (reference: ResolvedTopicReference, node: DocumentationNode, problems: [Problem])
/**
Attempt to resolve links in curation-only documentation, converting any ``TopicReferences`` from `.unresolved` to `.resolved` where possible.
*/
private func resolveLinks(curatedReferences: Set<ResolvedTopicReference>, bundle: DocumentationBundle) {
let references = Array(curatedReferences)
let results = Synchronized<[LinkResolveResult]>([])
results.sync({ $0.reserveCapacity(references.count) })
func inheritsDocumentationFromOtherModule(_ documentationNode: DocumentationNode, symbolOriginReference: ResolvedTopicReference) -> Bool {
// Check that this symbol only has documentation from an in-source documentation comment
guard documentationNode.docChunks.count == 1,
case .sourceCode = documentationNode.docChunks.first?.source
else {
return false
}
// Check that that documentation comment is inherited from a symbol belonging to another module
guard let symbolSemantic = documentationNode.semantic as? Symbol,
let originSymbolSemantic = documentationCache[symbolOriginReference]?.semantic as? Symbol
else {
return false
}
return symbolSemantic.moduleReference != originSymbolSemantic.moduleReference
}
let resolveNodeWithReference: (ResolvedTopicReference) -> Void = { [unowned self] reference in
guard var documentationNode = try? entity(with: reference),
documentationNode.semantic is Article || documentationNode.semantic is Symbol
else {
return
}
let symbolOriginReference = (documentationNode.semantic as? Symbol)?.origin.flatMap { origin in
documentationCache.reference(symbolID: origin.identifier)
}
// Check if we should skip resolving links for inherited documentation from other modules.
if !externalMetadata.inheritDocs,
let symbolOriginReference,
inheritsDocumentationFromOtherModule(documentationNode, symbolOriginReference: symbolOriginReference)
{
// Don't resolve any links for this symbol.
return
}
var resolver = ReferenceResolver(context: self, bundle: bundle, rootReference: reference, inheritanceParentReference: symbolOriginReference)
// Update the node with the markup that contains resolved references instead of authored links.
documentationNode.semantic = autoreleasepool {
// We use an autorelease pool to release used memory as soon as possible, since the resolver will copy each semantic value
// to rewrite it and replace the authored links with resolved reference strings instead.
resolver.visit(documentationNode.semantic)
}
let problems: [Problem]
if documentationNode.semantic is Article {
// Diagnostics for articles have correct source ranges and don't need to be modified.
problems = resolver.problems
} else {
// Diagnostics for in-source documentation comments need to be offset based on the start location of the comment in the source file.
// Get the source location
let inSourceDocumentationCommentInfo = documentationNode.inSourceDocumentationChunk
// Post-process and filter out unwanted diagnostics (for example from inherited documentation comments)
problems = resolver.problems.compactMap { problem in
guard let source = problem.diagnostic.source else {
// Ignore any diagnostic without a source location. These can't be meaningfully presented to the user.
return nil
}
if source == inSourceDocumentationCommentInfo?.url, let offset = inSourceDocumentationCommentInfo?.offset {
// Diagnostics from an in-source documentation comment need to be offset based on the location of that documentation comment.
var modifiedProblem = problem
modifiedProblem.offsetWithRange(offset)
return modifiedProblem
}
// Diagnostics from documentation extension files have correct source ranges and don't need to be modified.
return problem
}
}
// Also resolve the node's page images. This isn't part of the node's 'semantic' value (resolved above).
let pageImageProblems = documentationNode.metadata?.pageImages.compactMap { pageImage in
return resolver.resolve(
resource: pageImage.source,
range: pageImage.originalMarkup.range,
severity: .warning
)
} ?? []
let result: LinkResolveResult = (reference: reference, node: documentationNode, problems: problems + pageImageProblems)
results.sync({ $0.append(result) })
}
// Resolve links concurrently if there are no external resolvers.
references.concurrentPerform { reference -> Void in
resolveNodeWithReference(reference)
}
for result in results.sync({ $0 }) {
documentationCache[result.reference] = result.node
if FeatureFlags.current.isExperimentalMentionedInEnabled {
// Record symbol links as symbol "mentions" for automatic cross references
// on rendered symbol documentation.
if let article = result.node.semantic as? Article,
case .article = DocumentationContentRenderer.roleForArticle(article, nodeKind: result.node.kind)
{
for markup in article.abstractSection?.content ?? [] {
var mentions = SymbolLinkCollector(context: self, article: result.node.reference, baseWeight: 2)
mentions.visit(markup)
}
for markup in article.discussion?.content ?? [] {
var mentions = SymbolLinkCollector(context: self, article: result.node.reference, baseWeight: 1)
mentions.visit(markup)
}
}
}
assert(
// If this is a symbol, verify that the reference exist in the in the symbolIndex
result.node.symbol.map { documentationCache.reference(symbolID: $0.identifier.precise) == result.reference }
?? true, // Nothing to check for non-symbols
"Previous versions stored symbolIndex and documentationCache separately and updated both. This assert verifies that that's no longer necessary."
)
diagnosticEngine.emit(result.problems)
}
mergeFallbackLinkResolutionResults()
}
/// Attempt to resolve links in imported documentation, converting any ``TopicReferences`` from `.unresolved` to `.resolved` where possible.
///
/// This function is passed pages that haven't been added to the topic graph yet. Calling this function will load the documentation entity for each of these pages
/// and add nodes and relationships for some in-page semantics the `topicGraph`. After calling this function, these pages should be accessed by looking them
/// up in the context, not from the arrays that was passed as arguments.
///
/// - Parameters:
/// - technologies: The list of temporary 'technology' pages.
/// - tutorials: The list of temporary 'tutorial' pages.
/// - tutorialArticles: The list of temporary 'tutorialArticle' pages.
/// - bundle: The bundle to resolve links against.
private func resolveLinks(technologies: [SemanticResult<Technology>],
tutorials: [SemanticResult<Tutorial>],
tutorialArticles: [SemanticResult<TutorialArticle>],
bundle: DocumentationBundle) {
let sourceLanguages = soleRootModuleReference.map { self.sourceLanguages(for: $0) } ?? [.swift]
// Technologies
for technologyResult in technologies {
autoreleasepool {
let url = technologyResult.source
let unresolvedTechnology = technologyResult.value
var resolver = ReferenceResolver(context: self, bundle: bundle)
let technology = resolver.visit(unresolvedTechnology) as! Technology
diagnosticEngine.emit(resolver.problems)
// Add to document map
documentLocationMap[url] = technologyResult.topicGraphNode.reference
let technologyReference = technologyResult.topicGraphNode.reference.withSourceLanguages(sourceLanguages)
let technologyNode = DocumentationNode(
reference: technologyReference,
kind: .technology,
sourceLanguage: Self.defaultLanguage(in: sourceLanguages),
availableSourceLanguages: sourceLanguages,
name: .conceptual(title: technology.intro.title),
markup: technology.originalMarkup,
semantic: technology
)
documentationCache[technologyReference] = technologyNode
// Update the reference in the topic graph with the technology's available languages.
topicGraph.updateReference(
technologyResult.topicGraphNode.reference,
newReference: technologyReference
)
let anonymousVolumeName = "$volume"
for volume in technology.volumes {
// Graph node: Volume
let volumeReference = technologyNode.reference.appendingPath(volume.name ?? anonymousVolumeName)
let volumeNode = TopicGraph.Node(reference: volumeReference, kind: .volume, source: .file(url: url), title: volume.name ?? anonymousVolumeName)
topicGraph.addNode(volumeNode)
// Graph edge: Technology -> Volume
topicGraph.addEdge(from: technologyResult.topicGraphNode, to: volumeNode)
for chapter in volume.chapters {
// Graph node: Module
let baseNodeReference: ResolvedTopicReference
if volume.name == nil {
baseNodeReference = technologyNode.reference
} else {
baseNodeReference = volumeNode.reference
}
let chapterReference = baseNodeReference.appendingPath(chapter.name)
let chapterNode = TopicGraph.Node(reference: chapterReference, kind: .chapter, source: .file(url: url), title: chapter.name)
topicGraph.addNode(chapterNode)
// Graph edge: Volume -> Chapter
topicGraph.addEdge(from: volumeNode, to: chapterNode)
for tutorialReference in chapter.topicReferences {
guard case let .resolved(.success(tutorialReference)) = tutorialReference.topic,
let tutorialNode = topicGraph.nodeWithReference(tutorialReference) else {
continue
}
// Graph edge: Chapter -> Tutorial | TutorialArticle
topicGraph.addEdge(from: chapterNode, to: tutorialNode)
}
}
}
}
}
// Tutorials
for tutorialResult in tutorials {
autoreleasepool {
let url = tutorialResult.source
let unresolvedTutorial = tutorialResult.value
var resolver = ReferenceResolver(context: self, bundle: bundle)
let tutorial = resolver.visit(unresolvedTutorial) as! Tutorial
diagnosticEngine.emit(resolver.problems)
// Add to document map
documentLocationMap[url] = tutorialResult.topicGraphNode.reference
let tutorialReference = tutorialResult.topicGraphNode.reference.withSourceLanguages(sourceLanguages)
let tutorialNode = DocumentationNode(
reference: tutorialReference,
kind: .tutorial,
sourceLanguage: Self.defaultLanguage(in: sourceLanguages),
availableSourceLanguages: sourceLanguages,
name: .conceptual(title: tutorial.intro.title),
markup: tutorial.originalMarkup,
semantic: tutorial
)
documentationCache[tutorialReference] = tutorialNode
// Update the reference in the topic graph with the tutorial's available languages.
topicGraph.updateReference(
tutorialResult.topicGraphNode.reference,
newReference: tutorialReference
)
}
}
// Tutorial Articles
for articleResult in tutorialArticles {
autoreleasepool {
let url = articleResult.source
let unresolvedTutorialArticle = articleResult.value
var resolver = ReferenceResolver(context: self, bundle: bundle)
let article = resolver.visit(unresolvedTutorialArticle) as! TutorialArticle
diagnosticEngine.emit(resolver.problems)
// Add to document map
documentLocationMap[url] = articleResult.topicGraphNode.reference
let articleReference = articleResult.topicGraphNode.reference.withSourceLanguages(sourceLanguages)
let articleNode = DocumentationNode(
reference: articleReference,
kind: .tutorialArticle,
sourceLanguage: Self.defaultLanguage(in: sourceLanguages),
availableSourceLanguages: sourceLanguages,
name: .conceptual(title: article.title ?? ""),
markup: article.originalMarkup,
semantic: article
)
documentationCache[articleReference] = articleNode
// Update the reference in the topic graph with the article's available languages.
topicGraph.updateReference(
articleResult.topicGraphNode.reference,
newReference: articleReference
)
}
}
// Articles are resolved in a separate pass
}
private func registerDocuments(from bundle: DocumentationBundle) throws -> (
technologies: [SemanticResult<Technology>],
tutorials: [SemanticResult<Tutorial>],
tutorialArticles: [SemanticResult<TutorialArticle>],
articles: [SemanticResult<Article>],
documentationExtensions: [SemanticResult<Article>]
) {
// First, try to understand the basic structure of the document by
// analyzing it and putting references in as "unresolved".
var technologies = [SemanticResult<Technology>]()
var tutorials = [SemanticResult<Tutorial>]()
var tutorialArticles = [SemanticResult<TutorialArticle>]()
var articles = [SemanticResult<Article>]()
var documentationExtensions = [SemanticResult<Article>]()
var references: [ResolvedTopicReference: URL] = [:]
let decodeError = Synchronized<Error?>(nil)
// Load and analyze documents concurrently
let analyzedDocuments: [(URL, Semantic)] = bundle.markupURLs.concurrentPerform { url, results in
guard decodeError.sync({ $0 == nil }) else { return }
do {
let data = try dataProvider.contentsOfURL(url, in: bundle)
let source = String(decoding: data, as: UTF8.self)
let document = Document(parsing: source, source: url, options: [.parseBlockDirectives, .parseSymbolLinks])
// Check for non-inclusive language in all types of docs if that diagnostic severity is required.
if externalMetadata.diagnosticLevel >= NonInclusiveLanguageChecker.severity {
var langChecker = NonInclusiveLanguageChecker(sourceFile: url)
langChecker.visit(document)
diagnosticEngine.emit(langChecker.problems)
}
guard let analyzed = analyze(document, at: url, in: bundle, engine: diagnosticEngine) else {
return
}
// Only check non-tutorial documents from markup.
if analyzed is Article {
check(document, at: url)
}
results.append((url, analyzed))
} catch {
decodeError.sync({ $0 = error })
}
}
// Rethrow the decoding error if decoding failed.
if let error = decodeError.sync({ $0 }) {
throw error
}
// to preserve the order of documents by url
let analyzedDocumentsSorted = analyzedDocuments.sorted(by: \.0.absoluteString)
for analyzedDocument in analyzedDocumentsSorted {
// Store the references we encounter to ensure they're unique. The file name is currently the only part of the URL considered for the topic reference, so collisions may occur.
let (url, analyzed) = analyzedDocument
let path = NodeURLGenerator.pathForSemantic(analyzed, source: url, bundle: bundle)
let reference = ResolvedTopicReference(bundleIdentifier: bundle.identifier, path: path, sourceLanguage: .swift)
// Since documentation extensions' filenames have no impact on the URL of pages, there is no need to enforce unique filenames for them.
// At this point we consider all articles with an H1 containing link a "documentation extension."
let isDocumentationExtension = (analyzed as? Article)?.title?.child(at: 0) is AnyLink
if let firstFoundAtURL = references[reference], !isDocumentationExtension {
let problem = Problem(
diagnostic: Diagnostic(
source: url,
severity: .warning,
range: nil,
identifier: "org.swift.docc.DuplicateReference",
summary: """
Redeclaration of '\(firstFoundAtURL.lastPathComponent)'; this file will be skipped
""",
explanation: """
This content was already declared at '\(firstFoundAtURL)'
"""
),
possibleSolutions: []
)
diagnosticEngine.emit(problem)
continue
}
if !isDocumentationExtension {
references[reference] = url
}
/*
Add all topic graph nodes up front before resolution starts, because
there may be circular linking.
*/
if let technology = analyzed as? Technology {
let topicGraphNode = TopicGraph.Node(reference: reference, kind: .technology, source: .file(url: url), title: technology.intro.title)
topicGraph.addNode(topicGraphNode)
let result = SemanticResult(value: technology, source: url, topicGraphNode: topicGraphNode)
technologies.append(result)
} else if let tutorial = analyzed as? Tutorial {
let topicGraphNode = TopicGraph.Node(reference: reference, kind: .tutorial, source: .file(url: url), title: tutorial.title ?? "")
topicGraph.addNode(topicGraphNode)
let result = SemanticResult(value: tutorial, source: url, topicGraphNode: topicGraphNode)
tutorials.append(result)
insertLandmarks(tutorial.landmarks, from: topicGraphNode, source: url)
} else if let tutorialArticle = analyzed as? TutorialArticle {
let topicGraphNode = TopicGraph.Node(reference: reference, kind: .tutorialArticle, source: .file(url: url), title: tutorialArticle.title ?? "")
topicGraph.addNode(topicGraphNode)
let result = SemanticResult(value: tutorialArticle, source: url, topicGraphNode: topicGraphNode)
tutorialArticles.append(result)
insertLandmarks(tutorialArticle.landmarks, from: topicGraphNode, source: url)
} else if let article = analyzed as? Article {
// Here we create a topic graph node with the prepared data but we don't add it to the topic graph just yet
// because we don't know where in the hierarchy the article belongs, we will add it later when crawling the manual curation via Topics task groups.
let topicGraphNode = TopicGraph.Node(reference: reference, kind: .article, source: .file(url: url), title: article.title!.plainText)
let result = SemanticResult(value: article, source: url, topicGraphNode: topicGraphNode)
// Separate articles that look like documentation extension files from other articles, so that the documentation extension files can be matched up with a symbol.
// Some links might not resolve in the final documentation hierarchy and we will emit warnings for those later on when we finalize the bundle discovery phase.
if isDocumentationExtension {
documentationExtensions.append(result)
// Warn for an incorrect root page metadata directive.
if let technologyRoot = result.value.metadata?.technologyRoot {
let diagnostic = Diagnostic(source: url, severity: .warning, range: article.metadata?.technologyRoot?.originalMarkup.range, identifier: "org.swift.docc.UnexpectedTechnologyRoot", summary: "Documentation extension files can't become technology roots.")
let solutions: [Solution]
if let range = technologyRoot.originalMarkup.range {
solutions = [
Solution(summary: "Remove the TechnologyRoot directive", replacements: [Replacement(range: range, replacement: "")])
]
} else {
solutions = []
}
diagnosticEngine.emit(Problem(diagnostic: diagnostic, possibleSolutions: solutions))
}
} else {
precondition(uncuratedArticles[result.topicGraphNode.reference] == nil, "Article references are unique.")
uncuratedArticles[result.topicGraphNode.reference] = result
articles.append(result)
}
} else {
let topLevelDirectives = BlockDirective.topLevelDirectiveNames
.map { $0.singleQuoted }
.list(finalConjunction: .or)
let explanation = """
File contains unexpected markup at top level. Expected only one of \(topLevelDirectives) directives at the top level
"""
let zeroLocation = SourceLocation(line: 1, column: 1, source: nil)
let diagnostic = Diagnostic(source: url, severity: .warning, range: zeroLocation..<zeroLocation, identifier: "org.swift.docc.UnexpectedTopLevelMarkup", summary: explanation)
let problem = Problem(diagnostic: diagnostic, possibleSolutions: [])
diagnosticEngine.emit(problem)
}
}
return (technologies, tutorials, tutorialArticles, articles, documentationExtensions)
}
private func insertLandmarks(_ landmarks: some Sequence<Landmark>, from topicGraphNode: TopicGraph.Node, source url: URL) {
for landmark in landmarks {
guard let range = landmark.range else {
continue
}
let landmarkReference = topicGraphNode.reference.withFragment(landmark.title)
// Graph node: Landmark
let landmarkTopicGraphNode = TopicGraph.Node(reference: landmarkReference, kind: .onPageLandmark, source: .range(range, url: url), title: landmark.title)
topicGraph.addNode(landmarkTopicGraphNode)
// Graph edge: Topic -> Landmark
topicGraph.addEdge(from: topicGraphNode, to: landmarkTopicGraphNode)
documentationCache[landmarkReference] = DocumentationNode(reference: landmarkReference, kind: .onPageLandmark, sourceLanguage: .swift, name: .conceptual(title: landmark.title), markup: landmark.markup, semantic: nil)
}
}
/// A lookup of resolved references based on the reference's absolute string.
private(set) var referenceIndex = [String: ResolvedTopicReference]()
private func nodeWithInitializedContent(reference: ResolvedTopicReference, match foundDocumentationExtension: DocumentationContext.SemanticResult<Article>?) -> DocumentationNode {
guard var updatedNode = documentationCache[reference] else {
fatalError("A topic reference that has already been resolved should always exist in the cache.")
}
// Pull a matched article out of the cache and attach content to the symbol
updatedNode.initializeSymbolContent(
documentationExtension: foundDocumentationExtension?.value,
engine: diagnosticEngine
)
// After merging the documentation extension into the symbol, warn about deprecation summary for non-deprecated symbols.
if let foundDocumentationExtension,
foundDocumentationExtension.value.deprecationSummary != nil,
(updatedNode.semantic as? Symbol)?.isDeprecated == false,
let articleMarkup = foundDocumentationExtension.value.markup,
let symbol = updatedNode.unifiedSymbol?.documentedSymbol
{
let directive = articleMarkup.children.mapFirst { child -> BlockDirective? in
guard let directive = child as? BlockDirective, directive.name == DeprecationSummary.directiveName else { return nil }
return directive
}
diagnosticEngine.emit(Problem(diagnostic: Diagnostic(source: foundDocumentationExtension.source, severity: .warning, range: directive?.range, identifier: "org.swift.docc.DeprecationSummaryForAvailableSymbol", summary: "\(symbol.absolutePath.singleQuoted) isn't unconditionally deprecated"), possibleSolutions: []))
}
return updatedNode
}
/// Creates a topic graph node and a documentation node for the given symbol.
private func preparedSymbolData(_ symbol: UnifiedSymbolGraph.Symbol, reference: ResolvedTopicReference, module: SymbolGraph.Module, moduleReference: ResolvedTopicReference, fileURL symbolGraphURL: URL?) -> AddSymbolResultWithProblems {
let documentation = DocumentationNode(reference: reference, unifiedSymbol: symbol, moduleData: module, moduleReference: moduleReference)
let source: TopicGraph.Node.ContentLocation // TODO: use a list of URLs for the files in a unified graph
if let symbolGraphURL {
source = .file(url: symbolGraphURL)
} else {
source = .external
}
let graphNode = TopicGraph.Node(reference: reference, kind: documentation.kind, source: source, title: symbol.defaultSymbol!.names.title, isVirtual: module.isVirtual)
return ((reference, symbol.uniqueIdentifier, graphNode, documentation), [])
}
/// The result of converting a symbol into a documentation node.
private typealias AddSymbolResult = (reference: ResolvedTopicReference, preciseIdentifier: String, topicGraphNode: TopicGraph.Node, node: DocumentationNode)
/// An optional result of converting a symbol into a documentation along with any related problems.
private typealias AddSymbolResultWithProblems = (AddSymbolResult, problems: [Problem])
/// Concurrently adds a symbol to the graph, index, and cache, or replaces an existing symbol with the same precise identifier
/// (for light updates to symbols already in the graph).
///
/// In case an article with a title that matches the symbol link is found in the article cache, it is removed from the cache
/// and its content is merged with the symbol's metadata and/or documentation before the symbol is finally added to the topic graph.
///
/// ```
/// ┌──────────────────┐
/// │ Topic Graph │◀──────────────────────┐
/// └──────────────────┘ │
/// ┌──────────────────┐ .───────────. │
/// │ Article Cache │─────────▶ (MyKit/MyClass)──────┘
/// └──────────────────┘ `───────────' │
/// Article │
/// ┌──────────────────┐ .───────────. │
/// │ Symbol graph │─────────▶ (MyKit/MyClass)──────┘
/// └──────────────────┘ `───────────'
/// Symbol
/// ```
private func addSymbolsToTopicGraph(symbolGraph: UnifiedSymbolGraph, url: URL?, symbolReferences: [SymbolGraph.Symbol.Identifier: ResolvedTopicReference], moduleReference: ResolvedTopicReference) {
let symbols = Array(symbolGraph.symbols.values)
let results: [AddSymbolResultWithProblems] = symbols.concurrentPerform { symbol, results in
if let selector = symbol.defaultSelector, let module = symbol.modules[selector] {
guard let reference = symbolReferences[symbol.defaultIdentifier] else {
fatalError("Symbol with identifier '\(symbol.uniqueIdentifier)' has no reference. A symbol will always have at least one reference.")
}
results.append(preparedSymbolData(
symbol,
reference: reference,
module: module,
moduleReference: moduleReference,
fileURL: url
))
}
}
results.forEach { addPreparedSymbolToContext($0) }
}
/// Adds a prepared symbol data including a topic graph node and documentation node to the context.
private func addPreparedSymbolToContext(_ result: AddSymbolResultWithProblems) {
let symbolData = result.0
topicGraph.addNode(symbolData.topicGraphNode)
documentationCache.add(symbolData.node, reference: symbolData.reference, symbolID: symbolData.preciseIdentifier)
for anchor in result.0.node.anchorSections {
nodeAnchorSections[anchor.reference] = anchor
}
diagnosticEngine.emit(result.problems)
}
/// Loads all graph files from a given `bundle` and merges them together while building the symbol relationships and loading any available markdown documentation for those symbols.
///
/// - Parameter bundle: The bundle to load symbol graph files from.
/// - Returns: A pair of the references to all loaded modules and the hierarchy of all the loaded symbol's references.
private func registerSymbols(
from bundle: DocumentationBundle,
symbolGraphLoader: SymbolGraphLoader,
documentationExtensions: [SemanticResult<Article>]
) throws {
// Making sure that we correctly let decoding memory get released, do not remove the autorelease pool.
try autoreleasepool {
/// We need only unique relationships so we'll collect them in a set.
var combinedRelationships = [UnifiedSymbolGraph.Selector: Set<SymbolGraph.Relationship>]()
/// Collect symbols from all symbol graphs.
var combinedSymbols = [String: UnifiedSymbolGraph.Symbol]()
var moduleReferences = [String: ResolvedTopicReference]()
// Build references for all symbols in all of this module's symbol graphs.
let symbolReferences = linkResolver.localResolver.referencesForSymbols(in: symbolGraphLoader.unifiedGraphs, bundle: bundle, context: self)
// Set the index and cache storage capacity to avoid ad-hoc storage resizing.
documentationCache.reserveCapacity(symbolReferences.count)
documentLocationMap.reserveCapacity(symbolReferences.count)
topicGraph.nodes.reserveCapacity(symbolReferences.count)
topicGraph.edges.reserveCapacity(symbolReferences.count)
combinedRelationships.reserveCapacity(symbolReferences.count)
combinedSymbols.reserveCapacity(symbolReferences.count)
// Iterate over batches of symbol graphs, each batch describing one module.
// Each batch contains one or more symbol graph files.
for (moduleName, unifiedSymbolGraph) in symbolGraphLoader.unifiedGraphs {
try shouldContinueRegistration()
let fileURL = symbolGraphLoader.mainModuleURL(forModule: moduleName)
let moduleInterfaceLanguages: Set<SourceLanguage>
// FIXME: Update with new SymbolKit API once available.
// This is a very inefficient way to gather the source languages
// represented in a symbol graph. Adding a dedicated SymbolKit API is tracked
// with github.com/apple/swift-docc-symbolkit/issues/32 and rdar://85982095.
let symbolGraphLanguages = Set(
unifiedSymbolGraph.symbols.flatMap(\.value.sourceLanguages)
)
// If the symbol graph has no symbols, we cannot determine what languages is it available for,
// so fall back to Swift.
moduleInterfaceLanguages = symbolGraphLanguages.isEmpty ? [.swift] : symbolGraphLanguages
// If it's an existing module, update the interface languages
moduleReferences[moduleName] = moduleReferences[moduleName]?.addingSourceLanguages(moduleInterfaceLanguages)
// Import the symbol graph symbols
let moduleReference: ResolvedTopicReference
// If it's a repeating module, diff & merge matching declarations.
if let existingModuleReference = moduleReferences[moduleName] {
// This node is known to exist
moduleReference = existingModuleReference
try mergeSymbolDeclarations(from: unifiedSymbolGraph, references: symbolReferences, moduleReference: moduleReference, fileURL: fileURL)
} else {
guard symbolGraphLoader.hasPrimaryURL(moduleName: moduleName) else { continue }
// Create a module symbol
let moduleIdentifier = SymbolGraph.Symbol.Identifier(
precise: moduleName,
interfaceLanguage: moduleInterfaceLanguages.first!.id
)
// Use the default module kind for this bundle if one was provided,
// otherwise fall back to 'Framework'
let moduleKindDisplayName = bundle.info.defaultModuleKind ?? "Framework"
let moduleSymbol = SymbolGraph.Symbol(
identifier: moduleIdentifier,
names: SymbolGraph.Symbol.Names(title: moduleName, navigator: nil, subHeading: nil, prose: nil),
pathComponents: [moduleName],
docComment: nil,
accessLevel: SymbolGraph.Symbol.AccessControl(rawValue: "public"),
kind: SymbolGraph.Symbol.Kind(parsedIdentifier: .module, displayName: moduleKindDisplayName),
mixins: [:])
let moduleSymbolReference = SymbolReference(moduleName, interfaceLanguages: moduleInterfaceLanguages, defaultSymbol: moduleSymbol)
moduleReference = ResolvedTopicReference(symbolReference: moduleSymbolReference, moduleName: moduleName, bundle: bundle)
addSymbolsToTopicGraph(symbolGraph: unifiedSymbolGraph, url: fileURL, symbolReferences: symbolReferences, moduleReference: moduleReference)
// For inherited symbols we remove the source docs (if inheriting docs is disabled) before creating their documentation nodes.
for (_, relationships) in unifiedSymbolGraph.relationshipsByLanguage {
for relationship in relationships {
// Check for an origin key.
if let sourceOrigin = relationship[mixin: SymbolGraph.Relationship.SourceOrigin.self],
// Check if it's a memberOf or implementation relationship.
(relationship.kind == .memberOf || relationship.kind == .defaultImplementationOf)
{
SymbolGraphRelationshipsBuilder.addInheritedDefaultImplementation(
sourceOrigin: sourceOrigin,
inheritedSymbolID: relationship.source,
context: self,
localCache: documentationCache,
moduleName: moduleName
)
}
}
}
let overloadGroups: [String: Set<String>] =
unifiedSymbolGraph.relationshipsByLanguage.values.flatMap({
$0.filter { $0.kind == .overloadOf }
}).reduce(into: [:], { acc, relationship in
acc[relationship.target, default: []].insert(relationship.source)
})
addOverloadGroupReferences(overloadGroups: overloadGroups)
if let rootURL = symbolGraphLoader.mainModuleURL(forModule: moduleName), let rootModule = unifiedSymbolGraph.moduleData[rootURL] {
addPreparedSymbolToContext(
preparedSymbolData(.init(fromSingleSymbol: moduleSymbol, module: rootModule, isMainGraph: true), reference: moduleReference, module: rootModule, moduleReference: moduleReference, fileURL: fileURL)
)
}
// Add this module to the dictionary of processed modules to keep track of repeat symbol graphs
moduleReferences[moduleName] = moduleReference
}
// Collect symbols and relationships
combinedSymbols.merge(unifiedSymbolGraph.symbols, uniquingKeysWith: { $1 })
for (selector, relationships) in unifiedSymbolGraph.relationshipsByLanguage {
combinedRelationships[selector, default: []].formUnion(relationships)
}
// Keep track of relationships that refer to symbols that are absent from the symbol graph, so that
// we can diagnose them.
combinedRelationships[
.init(interfaceLanguage: "unknown", platform: nil),
default: []
].formUnion(unifiedSymbolGraph.orphanRelationships)
}
try shouldContinueRegistration()
// Only add the symbol mapping now if the path hierarchy based resolver is the main implementation.
// If it is only used for mismatch checking then we must wait until the documentation cache code path has traversed and updated all the colliding nodes.
// Otherwise the mappings will save the unmodified references and the hierarchy based resolver won't find the expected parent nodes when resolving links.
linkResolver.localResolver.addMappingForSymbols(localCache: documentationCache)
// Track the symbols that have multiple matching documentation extension files for diagnostics.
var symbolsWithMultipleDocumentationExtensionMatches = [ResolvedTopicReference: [SemanticResult<Article>]]()
for documentationExtension in documentationExtensions {
guard let link = documentationExtension.value.title?.child(at: 0) as? AnyLink else {
fatalError("An article shouldn't have ended up in the documentation extension list unless its title was a link. File: \(documentationExtension.source.absoluteString.singleQuoted)")
}
guard let destination = link.destination else {
let diagnostic = Diagnostic(source: documentationExtension.source, severity: .warning, range: link.range, identifier: "org.swift.docc.emptyLinkDestination", summary: """
Documentation extension with an empty link doesn't correspond to any symbol.
""", explanation: nil, notes: [])
diagnosticEngine.emit(Problem(diagnostic: diagnostic))
continue
}
guard let url = ValidatedURL(parsingAuthoredLink: destination) else {
let diagnostic = Diagnostic(source: documentationExtension.source, severity: .warning, range: link.range, identifier: "org.swift.docc.invalidLinkDestination", summary: """
\(destination.singleQuoted) is not a valid RFC 3986 URL.
""", explanation: nil, notes: [])
diagnosticEngine.emit(Problem(diagnostic: diagnostic))
continue
}
// FIXME: Resolve the link relative to the module https://github.com/apple/swift-docc/issues/516
let reference = TopicReference.unresolved(.init(topicURL: url))
switch resolve(reference, in: bundle.rootReference, fromSymbolLink: true) {
case .success(let resolved):
if let existing = uncuratedDocumentationExtensions[resolved] {
if symbolsWithMultipleDocumentationExtensionMatches[resolved] == nil {
symbolsWithMultipleDocumentationExtensionMatches[resolved] = [existing]
}
symbolsWithMultipleDocumentationExtensionMatches[resolved]!.append(documentationExtension)
} else {
uncuratedDocumentationExtensions[resolved] = documentationExtension
}
case .failure(_, let errorInfo):
guard !considerDocumentationExtensionsThatDoNotMatchSymbolsAsResolved else {
// The ConvertService relies on old implementation detail where documentation extension files were always considered "resolved" even when they didn't match a symbol.
//
// Don't rely on this behavior for new functionality. The behavior will be removed once we have a new solution to meets the needs of the ConvertService. (rdar://108563483)
// https://github.com/apple/swift-docc/issues/567
//
// The process that interacts with the convert service is responsible for:
// - Distinguishing between documentation extension files that match symbols and documentation extension files that don't match symbols.
// - Resolving symbol link in a way that match the behavior of regular documentation builds.
// the process that interacts with the convert service is responsible for maintaining it's own link resolutions implementation to match the behavior of a regular build.
// - Diagnosing documentation extension files that don't match any symbols.
let reference = documentationExtension.topicGraphNode.reference
let symbolPath = NodeURLGenerator.Path.documentation(path: url.components.path).stringValue
let symbolReference = ResolvedTopicReference(
bundleIdentifier: reference.bundleIdentifier,
path: symbolPath,
fragment: nil,
sourceLanguages: reference.sourceLanguages
)
if let existing = uncuratedDocumentationExtensions[symbolReference] {
if symbolsWithMultipleDocumentationExtensionMatches[symbolReference] == nil {
symbolsWithMultipleDocumentationExtensionMatches[symbolReference] = [existing]
}
symbolsWithMultipleDocumentationExtensionMatches[symbolReference]!.append(documentationExtension)
} else {
uncuratedDocumentationExtensions[symbolReference] = documentationExtension
}
continue
}
// Present a diagnostic specific to documentation extension files but get the solutions and notes from the general unresolved link problem.
let unresolvedLinkProblem = unresolvedReferenceProblem(source: documentationExtension.source, range: link.range, severity: .warning, uncuratedArticleMatch: nil, errorInfo: errorInfo, fromSymbolLink: link is SymbolLink)
diagnosticEngine.emit(
Problem(
diagnostic: Diagnostic(source: documentationExtension.source, severity: .warning, range: link.range, identifier: "org.swift.docc.SymbolUnmatched", summary: "No symbol matched \(destination.singleQuoted). \(errorInfo.message).", notes: unresolvedLinkProblem.diagnostic.notes),
possibleSolutions: unresolvedLinkProblem.possibleSolutions
)
)
}
}
emitWarningsForSymbolsMatchedInMultipleDocumentationExtensions(with: symbolsWithMultipleDocumentationExtensionMatches)
symbolsWithMultipleDocumentationExtensionMatches.removeAll()
// Create inherited API collections
try GeneratedDocumentationTopics.createInheritedSymbolsAPICollections(
relationships: combinedRelationships.flatMap(\.value),
context: self,
bundle: bundle
)
// Parse and prepare the nodes' content concurrently.
let updatedNodes = Array(documentationCache.symbolReferences).concurrentMap { finalReference in
// Match the symbol's documentation extension and initialize the node content.
let match = uncuratedDocumentationExtensions[finalReference]
let updatedNode = nodeWithInitializedContent(reference: finalReference, match: match)
return ((
node: updatedNode,
matchedArticleURL: match?.source
))
}
// Update cache with up-to-date nodes
for (updatedNode, matchedArticleURL) in updatedNodes {
let reference = updatedNode.reference
// Add node's anchors to index
for anchor in updatedNode.anchorSections {
nodeAnchorSections[anchor.reference] = anchor
}
// Update cache with the updated node value
if let symbol = updatedNode.symbol {
// If the node was a symbol, add both the reference and the symbol ID
documentationCache.add(updatedNode, reference: reference, symbolID: symbol.identifier.precise)
} else {
documentationCache[reference] = updatedNode
}
if let url = matchedArticleURL {
documentLocationMap[url] = reference
}
// Remove the matched article
uncuratedDocumentationExtensions.removeValue(forKey: reference)
}
// Resolve any external references first
preResolveExternalLinks(references: Array(moduleReferences.values) + combinedSymbols.keys.compactMap({ documentationCache.reference(symbolID: $0) }), localBundleID: bundle.identifier)
// Look up and add symbols that are _referenced_ in the symbol graph but don't exist in the symbol graph.
try resolveExternalSymbols(in: combinedSymbols, relationships: combinedRelationships)
for (selector, relationships) in combinedRelationships {
// Build relationships in the completed graph
buildRelationships(relationships, selector: selector, bundle: bundle)
// Merge into target symbols the member symbols that get rendered on the same page as target.
populateOnPageMemberRelationships(from: relationships, selector: selector)
}
}
}
private func shouldContinueRegistration() throws {
guard isRegistrationEnabled.sync({ $0 }) else {
throw ContextError.registrationDisabled
}
}
/// Builds in-memory relationships between symbols based on the relationship information in a given symbol graph file.
///
/// - Parameters:
/// - symbolGraph: The symbol graph whose symbols to add in-memory relationships to.
/// - bundle: The bundle that the symbols belong to.
/// - problems: A mutable collection of problems to update with any problem encountered while building symbol relationships.
///
/// ## See Also
/// - ``SymbolGraphRelationshipsBuilder``
func buildRelationships(
_ relationships: Set<SymbolGraph.Relationship>,
selector: UnifiedSymbolGraph.Selector,
bundle: DocumentationBundle
) {
// Find all of the relationships which refer to an extended module.
let extendedModuleRelationships = ExtendedTypeFormatTransformation.collapsedExtendedModuleRelationships(from: relationships)
for edge in relationships {
switch edge.kind {
case .memberOf, .optionalMemberOf:
// Add a "Self is" constraint for members of protocol extensions that
// extend a protocol from extended modules.
SymbolGraphRelationshipsBuilder.addProtocolExtensionMemberConstraint(
edge: edge,
extendedModuleRelationships: extendedModuleRelationships,
localCache: documentationCache
)
case .conformsTo:
// Build conformant type <-> protocol relationships
SymbolGraphRelationshipsBuilder.addConformanceRelationship(
edge: edge,
selector: selector,
in: bundle,
localCache: documentationCache,
externalCache: externalCache,
engine: diagnosticEngine
)
case .defaultImplementationOf:
// Build implementation <-> protocol requirement relationships.
SymbolGraphRelationshipsBuilder.addImplementationRelationship(
edge: edge,
selector: selector,
in: bundle,
context: self,
localCache: documentationCache,
engine: diagnosticEngine
)
case .inheritsFrom:
// Build ancestor <-> offspring relationships.
SymbolGraphRelationshipsBuilder.addInheritanceRelationship(
edge: edge,
selector: selector,
in: bundle,
localCache: documentationCache,
externalCache: externalCache,
engine: diagnosticEngine
)
case .requirementOf:
// Build required member -> protocol relationships.
SymbolGraphRelationshipsBuilder.addRequirementRelationship(
edge: edge,
localCache: documentationCache,
engine: diagnosticEngine
)
case .optionalRequirementOf:
// Build optional required member -> protocol relationships.
SymbolGraphRelationshipsBuilder.addOptionalRequirementRelationship(
edge: edge,
localCache: documentationCache,
engine: diagnosticEngine
)
case .overloadOf:
// Build overload <-> overloadGroup relationships.
SymbolGraphRelationshipsBuilder.addOverloadRelationship(
edge: edge,
context: self,
localCache: documentationCache,
engine: diagnosticEngine
)
default:
break
}
}
}
/// Identifies all the dictionary keys and records them in the appropriate target dictionaries.
private func populateOnPageMemberRelationships(
from relationships: Set<SymbolGraph.Relationship>,
selector: UnifiedSymbolGraph.Selector
) {
var keysByTarget = [String: [DictionaryKey]]()
var parametersByTarget = [String: [HTTPParameter]]()
var bodyByTarget = [String: HTTPBody]()
var bodyParametersByTarget = [String: [HTTPParameter]]()
var responsesByTarget = [String: [HTTPResponse]]()
for edge in relationships {
if edge.kind == .memberOf || edge.kind == .optionalMemberOf {
if let source = documentationCache[edge.source], let target = documentationCache[edge.target],
let sourceSymbol = source.symbol
{
switch (source.kind, target.kind) {
case (.dictionaryKey, .dictionary):
let dictionaryKey = DictionaryKey(name: sourceSymbol.title, contents: [], symbol: sourceSymbol, required: (edge.kind == .memberOf))
if keysByTarget[edge.target] == nil {
keysByTarget[edge.target] = [dictionaryKey]
} else {
keysByTarget[edge.target]?.append(dictionaryKey)
}
case (.httpParameter, .httpRequest):
let parameter = HTTPParameter(name: sourceSymbol.title, source: (sourceSymbol.httpParameterSource ?? "query"), contents: [], symbol: sourceSymbol, required: (edge.kind == .memberOf))
if parametersByTarget[edge.target] == nil {
parametersByTarget[edge.target] = [parameter]
} else {
parametersByTarget[edge.target]?.append(parameter)
}
case (.httpBody, .httpRequest):
let body = HTTPBody(mediaType: sourceSymbol.httpMediaType, contents: [], symbol: sourceSymbol)
bodyByTarget[edge.target] = body
case (.httpParameter, .httpBody):
let parameter = HTTPParameter(name: sourceSymbol.title, source: "body", contents: [], symbol: sourceSymbol, required: (edge.kind == .memberOf))
if bodyParametersByTarget[edge.target] == nil {
bodyParametersByTarget[edge.target] = [parameter]
} else {
bodyParametersByTarget[edge.target]?.append(parameter)
}
case (.httpResponse, .httpRequest):
let statusParts = sourceSymbol.title.split(separator: " ", maxSplits: 1)
let statusCode = UInt(statusParts[0]) ?? 0
let reason = statusParts.count > 1 ? String(statusParts[1]) : nil
let response = HTTPResponse(statusCode: statusCode, reason: reason, mediaType: sourceSymbol.httpMediaType, contents: [], symbol: sourceSymbol)
if responsesByTarget[edge.target] == nil {
responsesByTarget[edge.target] = [response]
} else {
responsesByTarget[edge.target]?.append(response)
}
case (_, _):
continue
}
}
}
}
let trait = DocumentationDataVariantsTrait(for: selector)
// Merge in all the dictionary keys for each target into their section variants.
keysByTarget.forEach { targetIdentifier, keys in
let target = documentationCache[targetIdentifier]
if let semantic = target?.semantic as? Symbol {
let keys = keys.sorted { $0.name < $1.name }
if semantic.dictionaryKeysSectionVariants[trait] == nil {
semantic.dictionaryKeysSectionVariants[trait] = DictionaryKeysSection(dictionaryKeys: keys)
} else {
semantic.dictionaryKeysSectionVariants[trait]?.mergeDictionaryKeys(keys)
}
}
}
// Merge in all the parameters for each target into their section variants.
parametersByTarget.forEach { targetIdentifier, parameters in
let target = documentationCache[targetIdentifier]
if let semantic = target?.semantic as? Symbol {
let parameters = parameters.sorted { $0.name < $1.name }
if semantic.httpParametersSectionVariants[trait] == nil {
semantic.httpParametersSectionVariants[trait] = HTTPParametersSection(parameters: parameters)
} else {
semantic.httpParametersSectionVariants[trait]?.mergeParameters(parameters)
}
}
}
// Merge in the body for each target into their section variants.
bodyByTarget.forEach { targetIdentifier, body in
let target = documentationCache[targetIdentifier]
if let semantic = target?.semantic as? Symbol {
// Add any body parameters to existing body record
var localBody = body
if let identifier = body.symbol?.preciseIdentifier, let bodyParameters = bodyParametersByTarget[identifier] {
localBody.parameters = bodyParameters.sorted { $0.name < $1.name }
}
if semantic.httpBodySectionVariants[trait] == nil {
semantic.httpBodySectionVariants[trait] = HTTPBodySection(body: localBody)
} else {
semantic.httpBodySectionVariants[trait]?.mergeBody(localBody)
}
}
}
// Merge in all the responses for each target into their section variants.
responsesByTarget.forEach { targetIdentifier, responses in
let target = documentationCache[targetIdentifier]
if let semantic = target?.semantic as? Symbol {
let responses = responses.sorted { $0.statusCode < $1.statusCode }
if semantic.httpResponsesSectionVariants[trait] == nil {
semantic.httpResponsesSectionVariants[trait] = HTTPResponsesSection(responses: responses)
} else {
semantic.httpResponsesSectionVariants[trait]?.mergeResponses(responses)
}
}
}
}
/// Look up and add symbols that are _referenced_ in the symbol graph but don't exist in the symbol graph, using an `globalExternalSymbolResolver` (if not `nil`).
func resolveExternalSymbols(
in symbols: [String: UnifiedSymbolGraph.Symbol],
relationships: [UnifiedSymbolGraph.Selector: Set<SymbolGraph.Relationship>]
) throws {
if globalExternalSymbolResolver == nil, linkResolver.externalResolvers.isEmpty {
// Context has no mechanism for resolving external symbol links. No reason to gather any symbols to resolve.
return
}
// Gather all the references to symbols that don't exist in the combined symbol graph file and add then by resolving these "external" symbols.
var symbolsToResolve = Set<String>()
// Add all the symbols that are the target of a relationship. These could for example be protocols that are being conformed to,
// classes that are being subclassed, or methods that are being overridden.
for (_, relationships) in relationships {
for edge in relationships where documentationCache[edge.target] == nil {
symbolsToResolve.insert(edge.target)
}
}
// Add all the types that are referenced in a declaration. These could for example be the type of an argument or return value.
for symbol in symbols.values {
guard let defaultSymbol = symbol.defaultSymbol, let declaration = defaultSymbol[mixin: SymbolGraph.Symbol.DeclarationFragments.self] else {
continue
}
for fragment in declaration.declarationFragments {
guard let preciseIdentifier = fragment.preciseIdentifier, documentationCache[preciseIdentifier] == nil else {
continue
}
symbolsToResolve.insert(preciseIdentifier)
}
}
// TODO: When the symbol graph includes the precise identifiers for conditional availability, those symbols should also be resolved (rdar://63768609).
func resolveSymbol(symbolID: String) -> (ResolvedTopicReference, LinkResolver.ExternalEntity)? {
if let globalResult = globalExternalSymbolResolver?.symbolReferenceAndEntity(withPreciseIdentifier: symbolID) {
return globalResult
}
for externalResolver in linkResolver.externalResolvers.values {
if let result = externalResolver.symbolReferenceAndEntity(symbolID: symbolID) {
return result
}
}
return nil
}
// Resolve all the collected symbol identifiers and add them do the topic graph.
for symbolID in symbolsToResolve {
if let (reference, entity) = resolveSymbol(symbolID: symbolID) {
externalCache.add(entity, reference: reference, symbolID: symbolID)
} else {
diagnosticEngine.emit(Problem(diagnostic: Diagnostic(source: nil, severity: .warning, range: nil, identifier: "org.swift.docc.ReferenceSymbolNotFound", summary: "Symbol with identifier \(symbolID.singleQuoted) was referenced in the combined symbol graph but couldn't be found in the symbol graph or externally."), possibleSolutions: []))
}
}
}
/// When building multi-platform documentation symbols might have more than one declaration
/// depending on variances in their implementation across platforms (e.g. use `NSPoint` vs `CGPoint` parameter in a method).
/// This method finds matching symbols between graphs and merges their declarations in case there are differences.
func mergeSymbolDeclarations(from otherSymbolGraph: UnifiedSymbolGraph, references: [SymbolGraph.Symbol.Identifier: ResolvedTopicReference], moduleReference: ResolvedTopicReference, fileURL otherSymbolGraphURL: URL?) throws {
let mergeError = Synchronized<Error?>(nil)
let results: [AddSymbolResultWithProblems] = Array(otherSymbolGraph.symbols.values).concurrentPerform { symbol, result in
guard let defaultSymbol = symbol.defaultSymbol, let swiftSelector = symbol.defaultSelector, let module = symbol.modules[swiftSelector] else {
fatalError("""
Only Swift symbols are currently supported. \
This initializer is only called with symbols from the symbol graph, which currently only supports Swift.
"""
)
}
guard defaultSymbol[mixin: SymbolGraph.Symbol.DeclarationFragments.self] != nil else {
diagnosticEngine.emit(Problem(diagnostic: Diagnostic(source: nil, severity: .error, range: nil, identifier: "org.swift.docc.SymbolDeclarationNotFound", summary: "Symbol with identifier '\(symbol.uniqueIdentifier)' has no declaration"), possibleSolutions: []))
return
}
guard let existingNode = documentationCache[symbol.uniqueIdentifier], existingNode.semantic is Symbol else {
// New symbols that didn't exist in the previous graphs should be added.
guard let reference = references[symbol.defaultIdentifier] else {
fatalError("Symbol with identifier '\(symbol.uniqueIdentifier)' has no reference. A symbol will always have at least one reference.")
}
result.append(preparedSymbolData(symbol, reference: reference, module: module, moduleReference: moduleReference, fileURL: otherSymbolGraphURL))
return
}
do {
// It's safe to force unwrap since we validated the data above.
// We update the node in place so avoid copying the data around.
try (existingNode.semantic as! Symbol).mergeDeclarations(unifiedSymbol: symbol)
} catch {
// Invalid input data, throw the error.
mergeError.sync({
if $0 == nil { $0 = error }
})
}
}
// If there was an invalid input error re-throw it.
if let error = mergeError.sync({ $0 }) {
throw error
}
// Add any new symbols to the documentation cache.
results.forEach { addPreparedSymbolToContext($0) }
}
private static let supportedImageExtensions: Set<String> = ["png", "jpg", "jpeg", "svg", "gif"]
private static let supportedVideoExtensions: Set<String> = ["mov", "mp4"]
// TODO: Move this functionality to ``DocumentationBundleFileTypes`` (rdar://68156425).
/// A type of asset.
public enum AssetType: CustomStringConvertible {
/// An image asset.
case image
/// A video asset.
case video
public var description: String {
switch self {
case .image:
return "Image"
case .video:
return "Video"
}
}
}
/// Checks if a given `fileExtension` is supported as a `type` of asset.
///
/// - Parameters:
/// - fileExtension: The file extension to check.
/// - type: The type of asset to check if the `fileExtension` is supported for.
/// - Returns: Whether or not the file extension is supported for the given type of asset.
public static func isFileExtension(_ fileExtension: String, supported type: AssetType) -> Bool {
let fileExtension = fileExtension.lowercased()
switch type {
case .image: return supportedImageExtensions.contains(fileExtension)
case .video: return supportedVideoExtensions.contains(fileExtension)
}
}
private func registerMiscResources(from bundle: DocumentationBundle) throws {
let miscResources = Set(bundle.miscResourceURLs)
try assetManagers[bundle.identifier, default: DataAssetManager()]
.register(data: miscResources, dataProvider: dataProvider, bundle: bundle)
}
private func registeredAssets(withExtensions extensions: Set<String>? = nil, inContexts contexts: [DataAsset.Context] = DataAsset.Context.allCases, forBundleID bundleIdentifier: BundleIdentifier) -> [DataAsset] {
guard let resources = assetManagers[bundleIdentifier]?.storage.values else {
return []
}
return resources.filter { dataAsset in
// Filter by file extension.
if let extensions {
let fileExtensions = dataAsset.variants.values.map { $0.pathExtension.lowercased() }
guard !extensions.intersection(fileExtensions).isEmpty else {
return false
}
}
// Filter by context.
return contexts.contains(dataAsset.context)
}
}
/// Returns a list of all the image assets that registered for a given `bundleIdentifier`.
///
/// - Parameter bundleIdentifier: The identifier of the bundle to return image assets for.
/// - Returns: A list of all the image assets for the given bundle.
public func registeredImageAssets(forBundleID bundleIdentifier: BundleIdentifier) -> [DataAsset] {
return registeredAssets(withExtensions: DocumentationContext.supportedImageExtensions, forBundleID: bundleIdentifier)
}
/// Returns a list of all the video assets that registered for a given `bundleIdentifier`.
///
/// - Parameter bundleIdentifier: The identifier of the bundle to return video assets for.
/// - Returns: A list of all the video assets for the given bundle.
public func registeredVideoAssets(forBundleID bundleIdentifier: BundleIdentifier) -> [DataAsset] {
return registeredAssets(withExtensions: DocumentationContext.supportedVideoExtensions, forBundleID: bundleIdentifier)
}
/// Returns a list of all the download assets that registered for a given `bundleIdentifier`.
///
/// - Parameter bundleIdentifier: The identifier of the bundle to return download assets for.
/// - Returns: A list of all the download assets for the given bundle.
public func registeredDownloadsAssets(forBundleID bundleIdentifier: BundleIdentifier) -> [DataAsset] {
return registeredAssets(inContexts: [DataAsset.Context.download], forBundleID: bundleIdentifier)
}
typealias Articles = [DocumentationContext.SemanticResult<Article>]
private typealias ArticlesTuple = (articles: Articles, rootPageArticles: Articles)
private func splitArticles(_ articles: Articles) -> ArticlesTuple {
return articles.reduce(into: ArticlesTuple(articles: [], rootPageArticles: [])) { result, article in
if article.value.metadata?.technologyRoot != nil {
result.rootPageArticles.append(article)
} else {
result.articles.append(article)
}
}
}
private func registerRootPages(from articles: Articles, in bundle: DocumentationBundle) {
// Create a root leaf node for all root page articles
for article in articles {
// Create the documentation data
guard let (documentation, title) = DocumentationContext.documentationNodeAndTitle(for: article, kind: .collection, in: bundle) else { continue }
let reference = documentation.reference
// Create the documentation node
documentLocationMap[article.source] = reference
let topicGraphKind = DocumentationNode.Kind.module
let graphNode = TopicGraph.Node(reference: reference, kind: topicGraphKind, source: .file(url: article.source), title: title)
topicGraph.addNode(graphNode)
documentationCache[reference] = documentation
linkResolver.localResolver.addRootArticle(article, anchorSections: documentation.anchorSections)
for anchor in documentation.anchorSections {
nodeAnchorSections[anchor.reference] = anchor
}
// Remove the article from the context
uncuratedArticles.removeValue(forKey: article.topicGraphNode.reference)
}
}
/// When `true` bundle registration will be cancelled asap.
private var isRegistrationEnabled = Synchronized<Bool>(true)
/// Enables or disables bundle registration.
///
/// When given `false` the context will try to cancel as quick as possible
/// any ongoing bundle registrations.
public func setRegistrationEnabled(_ value: Bool) {
isRegistrationEnabled.sync({ $0 = value })
}
/// Adds articles that are not root pages to the documentation cache.
///
/// This method adds all of the `articles` to the documentation cache and inserts a node representing
/// the article into the topic graph.
///
/// > Important: `articles` must not be root pages.
///
/// - Parameters:
/// - articles: Articles to register with the documentation cache.
/// - bundle: The bundle containing the articles.
/// - Returns: The articles that were registered, with their topic graph node updated to what's been added to the topic graph.
private func registerArticles(
_ articles: DocumentationContext.Articles,
in bundle: DocumentationBundle
) -> DocumentationContext.Articles {
articles.map { article in
guard let (documentation, title) = DocumentationContext.documentationNodeAndTitle(
for: article,
// By default, articles are available in the languages the module that's being documented
// is available in. It's possible to override that behavior using the `@SupportedLanguage`
// directive though; see its documentation for more details.
availableSourceLanguages: soleRootModuleReference.map { sourceLanguages(for: $0) },
kind: .article,
in: bundle
) else {
return article
}
let reference = documentation.reference
documentationCache[reference] = documentation
documentLocationMap[article.source] = reference
let graphNode = TopicGraph.Node(reference: reference, kind: .article, source: .file(url: article.source), title: title)
topicGraph.addNode(graphNode)
linkResolver.localResolver.addArticle(article, anchorSections: documentation.anchorSections)
for anchor in documentation.anchorSections {
nodeAnchorSections[anchor.reference] = anchor
}
var article = article
// Update the article's topic graph node with the one we just added to the topic graph.
article.topicGraphNode = graphNode
return article
}
}
/// Registers a synthesized root page for a catalog with only non-root articles.
///
/// If the catalog only has one article or has an article with the same name as the catalog itself, that article is turned into the root page instead of creating a new article.
///
/// - Parameters:
/// - articles: On input, a list of articles. If an article is used as a root it is removed from this list.
/// - bundle: The bundle containing the articles.
private func synthesizeArticleOnlyRootPage(articles: inout [DocumentationContext.SemanticResult<Article>], bundle: DocumentationBundle) {
let title = bundle.displayName
// An inner helper function to register a new root node from an article
func registerAsNewRootNode(_ articleResult: SemanticResult<Article>) {
uncuratedArticles.removeValue(forKey: articleResult.topicGraphNode.reference)
let title = articleResult.source.deletingPathExtension().lastPathComponent
// Create a new root-looking reference
let reference = ResolvedTopicReference(
bundleIdentifier: bundle.identifier,
path: NodeURLGenerator.Path.documentation(path: title).stringValue,
sourceLanguages: [DocumentationContext.defaultLanguage(in: nil /* article-only content has no source language information */)]
)
// Add the technology root to the article's metadata
let metadataMarkup: BlockDirective
if let markup = articleResult.value.metadata?.originalMarkup as? BlockDirective {
assert(!markup.children.contains(where: { ($0 as? BlockDirective)?.name == "TechnologyRoot" }),
"Nothing should try to synthesize a root page if there's already an explicit authored root page")
metadataMarkup = markup.withUncheckedChildren(
markup.children + [BlockDirective(name: "TechnologyRoot", children: [])]
) as! BlockDirective
} else {
metadataMarkup = BlockDirective(name: "Metadata", children: [
BlockDirective(name: "TechnologyRoot", children: [])
])
}
let article = Article(
markup: articleResult.value.markup,
metadata: Metadata(from: metadataMarkup, for: bundle, in: self),
redirects: articleResult.value.redirects,
options: articleResult.value.options
)
let graphNode = TopicGraph.Node(reference: reference, kind: .module, source: articleResult.topicGraphNode.source, title: title)
registerRootPages(from: [.init(value: article, source: articleResult.source, topicGraphNode: graphNode)], in: bundle)
}
if articles.count == 1 {
// This catalog only has one article, so we make that the root.
registerAsNewRootNode(articles.removeFirst())
} else if let nameMatchIndex = articles.firstIndex(where: { $0.source.deletingPathExtension().lastPathComponent == title }) {
// This catalog has an article with the same name as the catalog itself, so we make that the root.
registerAsNewRootNode(articles.remove(at: nameMatchIndex))
} else {
// There's no particular article to make into the root. Instead, create a new minimal root page.
let path = NodeURLGenerator.Path.documentation(path: title).stringValue
let sourceLanguage = DocumentationContext.defaultLanguage(in: [])
let reference = ResolvedTopicReference(bundleIdentifier: bundle.identifier, path: path, sourceLanguages: [sourceLanguage])
let graphNode = TopicGraph.Node(reference: reference, kind: .module, source: .external, title: title)
topicGraph.addNode(graphNode)
// Build up the "full" markup for an empty technology root article
let metadataDirectiveMarkup = BlockDirective(name: "Metadata", children: [
BlockDirective(name: "TechnologyRoot", children: [])
])
let markup = Document(
Heading(level: 1, Text(title)),
metadataDirectiveMarkup
)
let metadata = Metadata(from: metadataDirectiveMarkup, for: bundle, in: self)
let article = Article(markup: markup, metadata: metadata, redirects: nil, options: [:])
let documentationNode = DocumentationNode(
reference: reference,
kind: .collection,
sourceLanguage: sourceLanguage,
availableSourceLanguages: [sourceLanguage],
name: .conceptual(title: title),
markup: markup,
semantic: article
)
documentationCache[reference] = documentationNode
}
}
/// Creates a documentation node and title for the given article semantic result.
///
/// - Parameters:
/// - article: The article that will be used to create the returned documentation node.
/// - kind: The kind that should be used to create the returned documentation node.
/// - bundle: The documentation bundle this article belongs to.
/// - Returns: A documentation node and title for the given article semantic result.
static func documentationNodeAndTitle(
for article: DocumentationContext.SemanticResult<Article>,
availableSourceLanguages: Set<SourceLanguage>? = nil,
kind: DocumentationNode.Kind,
in bundle: DocumentationBundle
) -> (node: DocumentationNode, title: String)? {
guard let articleMarkup = article.value.markup else {
return nil
}
let path = NodeURLGenerator.pathForSemantic(article.value, source: article.source, bundle: bundle)
// Use the languages specified by the `@SupportedLanguage` directives if present.
let availableSourceLanguages = article.value
.metadata
.flatMap { metadata in
let languages = Set(
metadata.supportedLanguages
.map(\.language)
)
return languages.isEmpty ? nil : languages
}
?? availableSourceLanguages
// If available source languages are provided and it contains Swift, use Swift as the default language of
// the article.
let defaultSourceLanguage = defaultLanguage(in: availableSourceLanguages)
let reference = ResolvedTopicReference(
bundleIdentifier: bundle.identifier,
path: path,
sourceLanguages: availableSourceLanguages
// FIXME: Pages in article-only catalogs should not be inferred as "Swift" as a fallback
// (github.com/apple/swift-docc/issues/240).
?? [.swift]
)
let title = article.topicGraphNode.title
let documentationNode = DocumentationNode(
reference: reference,
kind: kind,
sourceLanguage: defaultSourceLanguage,
availableSourceLanguages: availableSourceLanguages,
name: .conceptual(title: title),
markup: articleMarkup,
semantic: article.value
)
return (documentationNode, title)
}
/// Curates articles under the root module.
///
/// This method creates a new task group under the root page containing references to all of the articles
/// in the bundle that haven't been manually curated.
///
/// - Parameters:
/// - otherArticles: Non-root articles to curate.
/// - rootNode: The node that will serve as the source of any topic graph edges created by this method.
/// - Throws: If looking up a `DocumentationNode` for the root module reference fails.
/// - Returns: An array of resolved references to the articles that were automatically curated.
private func autoCurateArticles(_ otherArticles: DocumentationContext.Articles, startingFrom rootNode: TopicGraph.Node) throws -> [ResolvedTopicReference] {
let articlesToAutoCurate = otherArticles.filter { article in
let reference = article.topicGraphNode.reference
return topicGraph.edges[reference] == nil && topicGraph.reverseEdges[reference] == nil
}
guard !articlesToAutoCurate.isEmpty else {
return []
}
for article in articlesToAutoCurate {
topicGraph.addEdge(from: rootNode, to: article.topicGraphNode)
uncuratedArticles.removeValue(forKey: article.topicGraphNode.reference)
}
let articleReferences = articlesToAutoCurate.map(\.topicGraphNode.reference)
let automaticTaskGroup = AutomaticTaskGroupSection(
title: "Articles",
references: articleReferences,
renderPositionPreference: .top
)
let node = try entity(with: rootNode.reference)
// If the node we're automatically curating the article under is a symbol, automatically curate the article
// for each language it's available in.
if let symbol = node.semantic as? Symbol {
for sourceLanguage in node.availableSourceLanguages {
symbol.automaticTaskGroupsVariants[.init(interfaceLanguage: sourceLanguage.id)] = [automaticTaskGroup]
}
} else if var taskGroupProviding = node.semantic as? AutomaticTaskGroupsProviding {
taskGroupProviding.automaticTaskGroups = [automaticTaskGroup]
}
return articleReferences
}
/**
Register a documentation bundle with this context.
*/
private func register(_ bundle: DocumentationBundle) throws {
try shouldContinueRegistration()
let currentFeatureFlags: FeatureFlags?
if let bundleFlags = bundle.info.featureFlags {
currentFeatureFlags = FeatureFlags.current
FeatureFlags.current.loadFlagsFromBundle(bundleFlags)
for unknownFeatureFlag in bundleFlags.unknownFeatureFlags {
let suggestions = NearMiss.bestMatches(
for: DocumentationBundle.Info.BundleFeatureFlags.CodingKeys.allCases.map({ $0.stringValue }),
against: unknownFeatureFlag)
var summary: String = "Unknown feature flag in Info.plist: \(unknownFeatureFlag.singleQuoted)"
if !suggestions.isEmpty {
summary += ". Possible suggestions: \(suggestions.map(\.singleQuoted).joined(separator: ", "))"
}
diagnosticEngine.emit(.init(diagnostic:
.init(
severity: .warning,
identifier: "org.swift.docc.UnknownBundleFeatureFlag",
summary: summary
)))
}
} else {
currentFeatureFlags = nil
}
defer {
if let currentFeatureFlags = currentFeatureFlags {
FeatureFlags.current = currentFeatureFlags
}
}
// Note: Each bundle is registered and processed separately.
// Documents and symbols may both reference each other so the bundle is registered in 4 steps
// In the bundle discovery phase all tasks run in parallel as they don't depend on each other.
let discoveryGroup = DispatchGroup()
let discoveryQueue = DispatchQueue(label: "org.swift.docc.Discovery", qos: .unspecified, attributes: .concurrent, autoreleaseFrequency: .workItem)
let discoveryError = Synchronized<Error?>(nil)
// Load all bundle symbol graphs into the loader.
var symbolGraphLoader: SymbolGraphLoader!
var hierarchyBasedResolver: PathHierarchyBasedLinkResolver!
discoveryGroup.async(queue: discoveryQueue) { [unowned self] in
symbolGraphLoader = SymbolGraphLoader(
bundle: bundle,
dataProvider: self.dataProvider,
configureSymbolGraph: configureSymbolGraph
)
do {
try symbolGraphLoader.loadAll()
let pathHierarchy = PathHierarchy(symbolGraphLoader: symbolGraphLoader, bundleName: urlReadablePath(bundle.displayName), knownDisambiguatedPathComponents: knownDisambiguatedSymbolPathComponents)
hierarchyBasedResolver = PathHierarchyBasedLinkResolver(pathHierarchy: pathHierarchy)
} catch {
// Pipe the error out of the dispatch queue.
discoveryError.sync({
if $0 == nil { $0 = error }
})
}
}
// First, all the resources are added since they don't reference anything else.
discoveryGroup.async(queue: discoveryQueue) { [unowned self] in
do {
try self.registerMiscResources(from: bundle)
} catch {
// Pipe the error out of the dispatch queue.
discoveryError.sync({
if $0 == nil { $0 = error }
})
}
}
// Second, all the documents and symbols are added.
//
// Note: Documents and symbols may look up resources at this point but shouldn't lookup other documents or
// symbols or attempt to resolve links/references since the topic graph may not contain all documents
// or all symbols yet.
var result: (
technologies: [SemanticResult<Technology>],
tutorials: [SemanticResult<Tutorial>],
tutorialArticles: [SemanticResult<TutorialArticle>],
articles: [SemanticResult<Article>],
documentationExtensions: [SemanticResult<Article>]
)!
discoveryGroup.async(queue: discoveryQueue) { [unowned self] in
do {
result = try self.registerDocuments(from: bundle)
} catch {
// Pipe the error out of the dispatch queue.
discoveryError.sync({
if $0 == nil { $0 = error }
})
}
}
discoveryGroup.async(queue: discoveryQueue) { [unowned self] in
do {
try linkResolver.loadExternalResolvers()
} catch {
// Pipe the error out of the dispatch queue.
discoveryError.sync({
if $0 == nil { $0 = error }
})
}
}
discoveryGroup.wait()
try shouldContinueRegistration()
// Re-throw discovery errors
if let encounteredError = discoveryError.sync({ $0 }) {
throw encounteredError
}
// All discovery went well, process the inputs.
let (technologies, tutorials, tutorialArticles, allArticles, documentationExtensions) = result
var (otherArticles, rootPageArticles) = splitArticles(allArticles)
let globalOptions = (allArticles + documentationExtensions).compactMap { article in
return article.value.options[.global]
}
if globalOptions.count > 1 {
let extraGlobalOptionsProblems = globalOptions.map { extraOptionsDirective -> Problem in
let diagnostic = Diagnostic(
source: extraOptionsDirective.originalMarkup.nameLocation?.source,
severity: .warning,
range: extraOptionsDirective.originalMarkup.range,
identifier: "org.swift.docc.DuplicateGlobalOptions",
summary: "Duplicate \(extraOptionsDirective.scope) \(Options.directiveName.singleQuoted) directive",
explanation: """
A DocC catalog can only contain a single \(Options.directiveName.singleQuoted) \
directive with the \(extraOptionsDirective.scope.rawValue.singleQuoted) scope.
"""
)
guard let range = extraOptionsDirective.originalMarkup.range else {
return Problem(diagnostic: diagnostic)
}
let solution = Solution(
summary: "Remove extraneous \(extraOptionsDirective.scope) \(Options.directiveName.singleQuoted) directive",
replacements: [
Replacement(range: range, replacement: "")
]
)
return Problem(diagnostic: diagnostic, possibleSolutions: [solution])
}
diagnosticEngine.emit(extraGlobalOptionsProblems)
} else {
options = globalOptions.first
}
self.linkResolver.localResolver = hierarchyBasedResolver
hierarchyBasedResolver.addMappingForRoots(bundle: bundle)
for tutorial in tutorials {
hierarchyBasedResolver.addTutorial(tutorial)
}
for article in tutorialArticles {
hierarchyBasedResolver.addTutorialArticle(article)
}
for technology in technologies {
hierarchyBasedResolver.addTechnology(technology)
}
registerRootPages(from: rootPageArticles, in: bundle)
try registerSymbols(from: bundle, symbolGraphLoader: symbolGraphLoader, documentationExtensions: documentationExtensions)
// We don't need to keep the loader in memory after we've registered all symbols.
symbolGraphLoader = nil
try shouldContinueRegistration()
if topicGraph.nodes.isEmpty, !otherArticles.isEmpty, !allowsRegisteringArticlesWithoutTechnologyRoot {
synthesizeArticleOnlyRootPage(articles: &otherArticles, bundle: bundle)
}
// Keep track of the root modules registered from symbol graph files, we'll need them to automatically
// curate articles.
rootModules = topicGraph.nodes.values.compactMap { node in
guard node.kind == .module else {
return nil
}
return node.reference
}
// Articles that will be automatically curated can be resolved but they need to be pre registered before resolving links.
let rootNodeForAutomaticCuration = soleRootModuleReference.flatMap(topicGraph.nodeWithReference(_:))
if allowsRegisteringArticlesWithoutTechnologyRoot || rootNodeForAutomaticCuration != nil {
otherArticles = registerArticles(otherArticles, in: bundle)
try shouldContinueRegistration()
}
// Third, any processing that relies on resolving other content is done, mainly resolving links.
preResolveExternalLinks(semanticObjects:
technologies.map(referencedSemanticObject) +
tutorials.map(referencedSemanticObject) +
tutorialArticles.map(referencedSemanticObject),
localBundleID: bundle.identifier)
resolveLinks(
technologies: technologies,
tutorials: tutorials,
tutorialArticles: tutorialArticles,
bundle: bundle
)
// After the resolving links in tutorial content all the local references are known and can be added to the referenceIndex for fast lookup.
referenceIndex.reserveCapacity(knownIdentifiers.count + nodeAnchorSections.count)
for reference in knownIdentifiers {
referenceIndex[reference.absoluteString] = reference
}
for reference in nodeAnchorSections.keys {
referenceIndex[reference.absoluteString] = reference
}
try shouldContinueRegistration()
var allCuratedReferences = try crawlSymbolCuration(in: linkResolver.localResolver.topLevelSymbols(), bundle: bundle)
// Store the list of manually curated references if doc coverage is on.
if shouldStoreManuallyCuratedReferences {
manuallyCuratedReferences = allCuratedReferences
}
try shouldContinueRegistration()
// Fourth, automatically curate all symbols that haven't been curated manually
let automaticallyCurated = autoCurateSymbolsInTopicGraph()
// Crawl the rest of the symbols that haven't been crawled so far in hierarchy pre-order.
allCuratedReferences = try crawlSymbolCuration(in: automaticallyCurated.map(\.symbol), bundle: bundle, initial: allCuratedReferences)
// Remove curation paths that have been created automatically above
// but we've found manual curation for in the second crawl pass.
removeUnneededAutomaticCuration(automaticallyCurated)
// Automatically curate articles that haven't been manually curated
// Article curation is only done automatically if there is only one root module
if let rootNode = rootNodeForAutomaticCuration {
let articleReferences = try autoCurateArticles(otherArticles, startingFrom: rootNode)
preResolveExternalLinks(references: articleReferences, localBundleID: bundle.identifier)
resolveLinks(curatedReferences: Set(articleReferences), bundle: bundle)
}
// Remove any empty "Extended Symbol" pages whose children have been curated elsewhere.
for module in rootModules {
trimEmptyExtendedSymbolPages(under: module)
}
// Emit warnings for any remaining uncurated files.
emitWarningsForUncuratedTopics()
linkResolver.localResolver.addAnchorForSymbols(localCache: documentationCache)
// Fifth, resolve links in nodes that are added solely via curation
preResolveExternalLinks(references: Array(allCuratedReferences), localBundleID: bundle.identifier)
resolveLinks(curatedReferences: allCuratedReferences, bundle: bundle)
if convertServiceFallbackResolver != nil {
// When the ``ConvertService`` builds documentation for a single page there won't be a module or root
// reference to auto-curate the page under, so the regular local link resolution code path won't visit
// the single page. To ensure that links are resolved, explicitly visit all pages.
resolveLinks(curatedReferences: Set(knownPages), bundle: bundle)
}
// We should use a read-only context during render time (rdar://65130130).
// Sixth - fetch external entities and merge them in the context
for case .success(let reference) in externallyResolvedLinks.values {
referenceIndex[reference.absoluteString] = reference
}
// Seventh, the complete topic graph—with all nodes and all edges added—is analyzed.
topicGraphGlobalAnalysis()
preResolveModuleNames()
}
/// Given a list of topics that have been automatically curated, checks if a topic has been additionally manually curated
/// and if so removes the automatic curation.
///
/// During the first crawl pass we skip over all automatically curated nodes (as they are not in the topic graph yet.
/// After adding all symbols automatically to their parents and running a second crawl pass we discover any manual
/// curations that we could not crawl in the first pass.
///
/// To remove the automatic curations that have been made "obsolete" via the second pass of crawling
/// call `removeUnneededAutomaticCuration(_:)` which walks the list of automatic curations and removes
/// the parent <-> child topic graph relationships that have been obsoleted.
///
/// - Parameter automaticallyCurated: A list of automatic curation records.
func removeUnneededAutomaticCuration(_ automaticallyCurated: [AutoCuratedSymbolRecord]) {
// It might look like it would be correct to check `topicGraph.nodes[symbol]?.isManuallyCurated` here,
// but that would incorrectly remove the only parent if the manual curation and the automatic curation was the same.
//
// Similarly, it might look like it would be correct to only check `parents(of: symbol).count > 1` here,
// but that would incorrectly remove the automatic curation for symbols with different language representations with different parents.
for (symbol, parent, counterpartParent) in automaticallyCurated where parents(of: symbol).count > (counterpartParent != nil ? 2 : 1) {
topicGraph.removeEdge(fromReference: parent, toReference: symbol)
if let counterpartParent {
topicGraph.removeEdge(fromReference: counterpartParent, toReference: symbol)
}
}
}
/// Remove unneeded "Extended Symbol" pages whose children have been curated elsewhere.
func trimEmptyExtendedSymbolPages(under nodeReference: ResolvedTopicReference) {
// Get the children of this node that are an "Extended Symbol" page.
let extendedSymbolChildren = topicGraph.edges[nodeReference]?.filter({ childReference in
guard let childNode = topicGraph.nodeWithReference(childReference) else { return false }
return childNode.kind.isExtendedSymbolKind
}) ?? []
// First recurse to clean up the tree depth-first.
for child in extendedSymbolChildren {
trimEmptyExtendedSymbolPages(under: child)
}
// Finally, if this node was left with no children and does not have an extension file,
// remove it from the topic graph.
if let node = topicGraph.nodeWithReference(nodeReference),
node.kind.isExtendedSymbolKind,
topicGraph[node].isEmpty,
documentationExtensionURL(for: nodeReference) == nil
{
topicGraph.removeEdges(to: node)
topicGraph.removeEdges(from: node)
topicGraph.edges.removeValue(forKey: nodeReference)
topicGraph.reverseEdges.removeValue(forKey: nodeReference)
topicGraph.replaceNode(node, with: .init(
reference: node.reference,
kind: node.kind,
source: node.source,
title: node.title,
isResolvable: false, // turn isResolvable off to prevent a link from being made
isVirtual: true, // set isVirtual to keep it from generating a page later on
isEmptyExtension: true
))
}
}
typealias AutoCuratedSymbolRecord = (symbol: ResolvedTopicReference, parent: ResolvedTopicReference, counterpartParent: ResolvedTopicReference?)
/// Curate all remaining uncurated symbols under their natural parent from the symbol graph.
///
/// This will include all symbols that were not manually curated by the documentation author.
/// - Returns: An ordered list of symbol references that have been added to the topic graph automatically.
private func autoCurateSymbolsInTopicGraph() -> [AutoCuratedSymbolRecord] {
var automaticallyCuratedSymbols = [AutoCuratedSymbolRecord]()
linkResolver.localResolver.traverseSymbolAndParents { reference, parentReference, counterpartParentReference in
guard let topicGraphNode = topicGraph.nodeWithReference(reference),
// Check that the node isn't already manually curated
!topicGraphNode.isManuallyCurated
else { return }
// Check that the symbol doesn't already have parent's that aren't either language representation's hierarchical parent.
// This for example happens for default implementation and symbols that are requirements of protocol conformances.
guard parents(of: reference).allSatisfy({ $0 == parentReference || $0 == counterpartParentReference }) else {
return
}
guard let topicGraphParentNode = topicGraph.nodeWithReference(parentReference) else {
preconditionFailure("Node with reference \(parentReference.absoluteString) exist in link resolver but not in topic graph.")
}
topicGraph.addEdge(from: topicGraphParentNode, to: topicGraphNode)
if let counterpartParentReference {
guard let topicGraphCounterpartParentNode = topicGraph.nodeWithReference(counterpartParentReference) else {
preconditionFailure("Node with reference \(counterpartParentReference.absoluteString) exist in link resolver but not in topic graph.")
}
topicGraph.addEdge(from: topicGraphCounterpartParentNode, to: topicGraphNode)
}
// Collect a single automatic curation record for both language representation parents.
automaticallyCuratedSymbols.append((reference, parentReference, counterpartParentReference))
}
return automaticallyCuratedSymbols
}
private func addOverloadGroupReferences(overloadGroups: [String: Set<String>]) {
guard FeatureFlags.current.isExperimentalOverloadedSymbolPresentationEnabled else {
return
}
for (overloadGroupID, overloadSymbolIDs) in overloadGroups {
guard overloadSymbolIDs.count > 1 else {
assertionFailure("Overload group \(overloadGroupID) contained \(overloadSymbolIDs.count) symbols, but should have more than one symbol to be valid.")
continue
}
guard let overloadGroupNode = documentationCache[overloadGroupID] else {
preconditionFailure("Overload group \(overloadGroupID) doesn't have a local entity")
}
var overloadSymbolNodes = overloadSymbolIDs.map {
guard let node = documentationCache[$0] else {
preconditionFailure("Overloaded symbol \($0) doesn't have a local entity")
}
return node
}
if overloadSymbolNodes.allSatisfy({ node in
(node.semantic as? Symbol)?.overloadsVariants.firstValue != nil
}) {
// If SymbolKit saved its sort of the symbols, use that ordering here
overloadSymbolNodes.sort(by: { lhs, rhs in
let lhsIndex = (lhs.semantic as! Symbol).overloadsVariants.firstValue!.displayIndex
let rhsIndex = (rhs.semantic as! Symbol).overloadsVariants.firstValue!.displayIndex
return lhsIndex < rhsIndex
})
} else {
assertionFailure("""
Overload group \(overloadGroupNode.reference.absoluteString.singleQuoted) was not properly initialized with overload data from SymbolKit.
Symbols without overload data: \(Array(overloadSymbolNodes.filter({ ($0.semantic as? Symbol)?.overloadsVariants.firstValue == nil }).map(\.reference.absoluteString.singleQuoted)))
""")
return
}
func addOverloadReferences(
to documentationNode: DocumentationNode,
at index: Int,
overloadSymbolReferences: [DocumentationNode]
) {
guard let symbol = documentationNode.semantic as? Symbol else {
preconditionFailure("""
Only symbols can be overloads. Found non-symbol overload for \(documentationNode.reference.absoluteString.singleQuoted).
Non-symbols should already have been filtered out by SymbolKit.
""")
}
guard documentationNode.reference.sourceLanguage == .swift else {
assertionFailure("""
Overload groups are only supported for Swift symbols.
The symbol at \(documentationNode.reference.absoluteString.singleQuoted) is listed as \(documentationNode.reference.sourceLanguage.name).
""")
return
}
var otherOverloadedSymbolReferences = overloadSymbolReferences.map(\.reference)
otherOverloadedSymbolReferences.remove(at: index)
let displayIndex = symbol.overloadsVariants.firstValue?.displayIndex ?? index
let overloads = Symbol.Overloads(references: otherOverloadedSymbolReferences, displayIndex: displayIndex)
symbol.overloadsVariants = .init(swiftVariant: overloads)
}
// The overload group node itself is a clone of the first symbol, so the code above can
// swap out the first element in the overload references to create the alternate
// declarations section properly. However, it is also a distinct symbol, node, and page,
// so the first overload itself should also be handled separately in the loop below.
addOverloadReferences(to: overloadGroupNode, at: 0, overloadSymbolReferences: overloadSymbolNodes)
for (index, node) in overloadSymbolNodes.indexed() {
addOverloadReferences(to: node, at: index, overloadSymbolReferences: overloadSymbolNodes)
}
}
}
/// A closure type getting the information about a reference in a context and returns any possible problems with it.
public typealias ReferenceCheck = (DocumentationContext, ResolvedTopicReference) -> [Problem]
private var checks: [ReferenceCheck] = []
/// Adds new checks to be run during the global topic analysis; after a bundle has been fully registered and its topic graph has been fully built.
///
/// - Parameter newChecks: The new checks to add.
public func addGlobalChecks(_ newChecks: [ReferenceCheck]) {
checks.append(contentsOf: newChecks)
}
/// Crawls the hierarchy of the given list of nodes, adding relationships in the topic graph for all resolvable task group references.
/// - Parameters:
/// - references: A list of references to crawl.
/// - bundle: A documentation bundle.
/// - initial: A list of references to skip when crawling.
/// - Returns: The references of all the symbols that were curated.
@discardableResult
func crawlSymbolCuration(in references: [ResolvedTopicReference], bundle: DocumentationBundle, initial: Set<ResolvedTopicReference> = []) throws -> Set<ResolvedTopicReference> {
var crawler = DocumentationCurator(in: self, bundle: bundle, initial: initial)
for reference in references {
try crawler.crawlChildren(
of: reference,
relateNodes: {
self.topicGraph.unsafelyAddEdge(source: $0, target: $1)
self.topicGraph.nodes[$1]?.isManuallyCurated = true
}
)
}
diagnosticEngine.emit(crawler.problems)
return crawler.curatedNodes
}
/// Emits warnings for symbols that are matched by multiple documentation extensions.
private func emitWarningsForSymbolsMatchedInMultipleDocumentationExtensions(with symbolsWithMultipleDocumentationExtensionMatches: [ResolvedTopicReference : [DocumentationContext.SemanticResult<Article>]]) {
for (reference, documentationExtensions) in symbolsWithMultipleDocumentationExtensionMatches {
let symbolPath = reference.url.pathComponents.dropFirst(2).joined(separator: "/")
let firstExtension = documentationExtensions.first!
guard let link = firstExtension.value.title?.child(at: 0) as? AnyLink else {
fatalError("An article shouldn't have ended up in the documentation extension list unless its title was a link. File: \(firstExtension.source.absoluteString.singleQuoted)")
}
let zeroRange = SourceLocation(line: 1, column: 1, source: nil)..<SourceLocation(line: 1, column: 1, source: nil)
let notes: [DiagnosticNote] = documentationExtensions.dropFirst().map { documentationExtension in
guard let link = documentationExtension.value.title?.child(at: 0) as? AnyLink else {
fatalError("An article shouldn't have ended up in the documentation extension list unless its title was a link. File: \(documentationExtension.source.absoluteString.singleQuoted)")
}
return DiagnosticNote(source: documentationExtension.source, range: link.range ?? zeroRange, message: "\(symbolPath.singleQuoted) is also documented here.")
}
diagnosticEngine.emit(
Problem(diagnostic: Diagnostic(source: firstExtension.source, severity: .warning, range: link.range, identifier: "org.swift.docc.DuplicateMarkdownTitleSymbolReferences", summary: "Multiple documentation extensions matched \(symbolPath.singleQuoted).", notes: notes), possibleSolutions: [])
)
}
}
/// Emits information diagnostics for uncurated articles.
private func emitWarningsForUncuratedTopics() {
// Check that all articles are curated
for articleResult in uncuratedArticles.values {
diagnosticEngine.emit(Problem(diagnostic: Diagnostic(source: articleResult.source, severity: .information, range: nil, identifier: "org.swift.docc.ArticleUncurated", summary: "You haven't curated \(articleResult.topicGraphNode.reference.description.singleQuoted)"), possibleSolutions: []))
}
}
/**
Analysis that runs after all nodes are successfully registered in the context.
Useful for checks that need the complete node graph.
*/
func topicGraphGlobalAnalysis() {
// Run any checks added to the context.
let problems = knownIdentifiers.flatMap { reference in
return checks.flatMap { check in
return check(self, reference)
}
}
diagnosticEngine.emit(problems)
// Run pre-defined global analysis.
for node in topicGraph.nodes.values {
switch node.kind {
case .tutorial:
Tutorial.analyze(node, completedContext: self, engine: diagnosticEngine)
case .tutorialArticle:
TutorialArticle.analyze(node, completedContext: self, engine: diagnosticEngine)
default: break
}
}
// Run global ``TopicGraph`` global analysis.
analyzeTopicGraph()
}
/**
Unregister a documentation bundle with this context and clear any cached resources associated with it.
*/
private func unregister(_ bundle: DocumentationBundle) {
let referencesToRemove = topicGraph.nodes.keys.filter { reference in
return reference.bundleIdentifier == bundle.identifier
}
for reference in referencesToRemove {
topicGraph.edges[reference]?.removeAll(where: { $0.bundleIdentifier == bundle.identifier })
topicGraph.reverseEdges[reference]?.removeAll(where: { $0.bundleIdentifier == bundle.identifier })
topicGraph.nodes[reference] = nil
}
}
// MARK: - Getting documentation relationships
/**
Look for a secondary resource among the registered bundles.
The context tracks resources by file name. If the documentation author specified a resource reference using a
qualified path, instead of a file name, the context will fail to find that resource.
- Returns: A `Foundation.Data` object with the data for the given ``ResourceReference``.
- Throws: ``ContextError/notFound(_:)` if a resource with the given was not found.
*/
public func resource(with identifier: ResourceReference, trait: DataTraitCollection = .init()) throws -> Data {
guard let bundle = bundle(identifier: identifier.bundleIdentifier),
let assetManager = assetManagers[identifier.bundleIdentifier],
let asset = assetManager.allData(named: identifier.path) else {
throw ContextError.notFound(identifier.url)
}
let resource = asset.data(bestMatching: trait)
return try dataProvider.contentsOfURL(resource.url, in: bundle)
}
/// Returns true if a resource with the given identifier exists in the registered bundle.
public func resourceExists(with identifier: ResourceReference, ofType expectedAssetType: AssetType? = nil) -> Bool {
guard let assetManager = assetManagers[identifier.bundleIdentifier] else {
return false
}
guard let key = assetManager.bestKey(forAssetName: identifier.path) else {
return false
}
guard let expectedAssetType, let asset = assetManager.storage[key] else {
return true
}
return asset.hasVariant(withAssetType: expectedAssetType)
}
private func externalEntity(with reference: ResolvedTopicReference) -> LinkResolver.ExternalEntity? {
return externalDocumentationSources[reference.bundleIdentifier].map({ $0.entity(with: reference) })
?? convertServiceFallbackResolver?.entityIfPreviouslyResolved(with: reference)
}
/**
Look for a documentation node among the registered bundles and via any external resolvers.
- Returns: A ``DocumentationNode`` with the given identifier.
- Throws: ``ContextError/notFound(_:)`` if a documentation node with the given identifier was not found.
*/
public func entity(with reference: ResolvedTopicReference) throws -> DocumentationNode {
if let cached = documentationCache[reference] {
return cached
}
throw ContextError.notFound(reference.url)
}
private func knownEntityValue<Result>(
reference: ResolvedTopicReference,
valueInLocalEntity: (DocumentationNode) -> Result,
valueInExternalEntity: (LinkResolver.ExternalEntity) -> Result
) -> Result {
do {
// Look up the entity without its fragment. The documentation context does not keep track of page sections
// as nodes, and page sections are considered to be available in the same languages as the page they're
// defined in.
let referenceWithoutFragment = reference.withFragment(nil)
return try valueInLocalEntity(entity(with: referenceWithoutFragment))
} catch ContextError.notFound {
if let externalEntity = externalCache[reference] {
return valueInExternalEntity(externalEntity)
}
preconditionFailure("Reference does not have an associated documentation node.")
} catch {
fatalError("Unexpected error when retrieving entity: \(error)")
}
}
/// Returns the set of languages the entity corresponding to the given reference is available in.
///
/// - Precondition: The entity associated with the given reference must be registered in the context.
public func sourceLanguages(for reference: ResolvedTopicReference) -> Set<SourceLanguage> {
knownEntityValue(
reference: reference,
valueInLocalEntity: \.availableSourceLanguages,
valueInExternalEntity: \.sourceLanguages
)
}
/// Returns whether the given reference corresponds to a symbol.
func isSymbol(reference: ResolvedTopicReference) -> Bool {
knownEntityValue(
reference: reference,
valueInLocalEntity: { node in node.kind.isSymbol },
valueInExternalEntity: { entity in entity.topicRenderReference.kind == .symbol }
)
}
// MARK: - Relationship queries
/// Fetch the child nodes of a documentation node with the given `reference`, optionally filtering to only children of the given `kind`.
///
/// > Important: The returned list can't be used to determine source language specific children.
///
/// - Parameters:
/// - reference: The reference of the node to fetch children for.
/// - kind: An optional documentation node kind to filter the children by.
/// - Returns: A list of the reference and kind for each matching child node.
public func children(of reference: ResolvedTopicReference, kind: DocumentationNode.Kind? = nil) -> [(reference: ResolvedTopicReference, kind: DocumentationNode.Kind)] {
guard let node = topicGraph.nodeWithReference(reference) else {
return []
}
return topicGraph[node].compactMap {
guard let node = topicGraph.nodeWithReference($0) else {
return nil
}
if kind == nil || node.kind == kind {
return ($0, node.kind)
}
return nil
}
}
/// Fetches the parents of the documentation node with the given `reference`.
///
/// - Parameter reference: The reference of the node to fetch parents for.
/// - Returns: A list of the reference for the given node's parent nodes.
public func parents(of reference: ResolvedTopicReference) -> [ResolvedTopicReference] {
return topicGraph.reverseEdges[reference] ?? []
}
/// Returns the document URL for the given article or tutorial reference.
///
/// - Parameter reference: The identifier for the topic whose file URL to locate.
/// - Returns: If the reference is a reference to a known Markdown document, this function returns the article's URL, otherwise `nil`.
public func documentURL(for reference: ResolvedTopicReference) -> URL? {
if let node = topicGraph.nodes[reference], case .file(let url) = node.source {
return url
}
return nil
}
/// Returns the URL of the documentation extension of the given reference.
///
/// - Parameter reference: The reference to the symbol this function should return the documentation extension URL for.
/// - Returns: The document URL of the given symbol reference. If the given reference is not a symbol reference, returns `nil`.
public func documentationExtensionURL(for reference: ResolvedTopicReference) -> URL? {
guard (try? entity(with: reference))?.kind.isSymbol == true else {
return nil
}
return documentLocationMap[reference]
}
/// Attempt to locate the reference for a given file.
///
/// - Parameter url: The file whose reference to locate.
/// - Returns: The reference for the file if it could be found, otherwise `nil`.
public func referenceForFileURL(_ url: URL) -> ResolvedTopicReference? {
return documentLocationMap[url]
}
/**
Attempt to retrieve the title for a given `reference`.
- Parameter reference: The reference for the topic whose title is desired.
- Returns: The title of the topic if it could be found, otherwise `nil`.
*/
public func title(for reference: ResolvedTopicReference) -> String? {
return topicGraph.nodes[reference]?.title
}
/// Returns a sequence that traverses the topic graph in breadth first order from a given reference, without visiting the same node more than once.
func breadthFirstSearch(from reference: ResolvedTopicReference) -> some Sequence<TopicGraph.Node> {
topicGraph.breadthFirstSearch(from: reference)
}
/**
Attempt to resolve a ``TopicReference``.
> Note: If the reference is already resolved, the original reference is returned.
- Parameters:
- reference: An unresolved (or resolved) reference.
- parent: The *resolved* reference that serves as an enclosing search context, especially the parent reference's bundle identifier.
- isCurrentlyResolvingSymbolLink: If `true` will try to resolve relative links *only* in documentation symbol locations in the hierarchy. If `false` it will try to resolve relative links as tutorials, articles, symbols, etc.
- Returns: Either the successfully resolved reference for the topic or error information about why the reference couldn't resolve.
*/
public func resolve(_ reference: TopicReference, in parent: ResolvedTopicReference, fromSymbolLink isCurrentlyResolvingSymbolLink: Bool = false) -> TopicReferenceResolutionResult {
switch reference {
case .unresolved(let unresolvedReference):
return linkResolver.resolve(unresolvedReference, in: parent, fromSymbolLink: isCurrentlyResolvingSymbolLink, context: self)
case .resolved(let resolved):
// This reference is already resolved (either as a success or a failure), so don't change anything.
return resolved
}
}
/// Update the asset with a new value given the assets name and the topic it's referenced in.
///
/// - Parameters:
/// - name: The name of the asset to update.
/// - asset: The new asset for this name.
/// - parent: The topic where the asset is referenced.
public func updateAsset(named name: String, asset: DataAsset, in parent: ResolvedTopicReference) {
let bundleIdentifier = parent.bundleIdentifier
assetManagers[bundleIdentifier]?.update(name: name, asset: asset)
}
/// Attempt to resolve an asset given its name and the topic it's referenced in.
///
/// - Parameters:
/// - name: The name of the asset.
/// - parent: The topic where the asset is referenced.
/// - type: A restriction for what type of asset to resolve.
/// - Returns: The data that's associated with an image asset if it was found, otherwise `nil`.
public func resolveAsset(named name: String, in parent: ResolvedTopicReference, withType type: AssetType? = nil) -> DataAsset? {
let bundleIdentifier = parent.bundleIdentifier
return resolveAsset(named: name, bundleIdentifier: bundleIdentifier, withType: type)
}
func resolveAsset(named name: String, bundleIdentifier: String, withType expectedType: AssetType?) -> DataAsset? {
if let localAsset = assetManagers[bundleIdentifier]?.allData(named: name) {
if let expectedType {
guard localAsset.hasVariant(withAssetType: expectedType) else {
return nil
}
}
return localAsset
}
if let fallbackAssetResolver = convertServiceFallbackResolver,
let externallyResolvedAsset = fallbackAssetResolver.resolve(assetNamed: name) {
assetManagers[bundleIdentifier, default: DataAssetManager()]
.register(dataAsset: externallyResolvedAsset, forName: name)
return externallyResolvedAsset
}
// If no fallbackAssetResolver is set, try to treat it as external media link
if let externalMediaLink = URL(string: name),
externalMediaLink.isAbsoluteWebURL {
var asset = DataAsset()
asset.context = .display
asset.register(externalMediaLink, with: DataTraitCollection(userInterfaceStyle: .light, displayScale: .standard))
return asset
}
return nil
}
/// Finds the identifier for a given asset name.
///
/// `name` is one of the following formats:
/// - "image" - asset name without extension
/// - "image.png" - asset name including extension
///
/// - Parameters:
/// - name: The name of the asset.
/// - parent: The topic where the asset is referenced.
///
/// - Returns: The best matching storage key if it was found, otherwise `nil`.
public func identifier(forAssetName name: String, in parent: ResolvedTopicReference) -> String? {
if let assetManager = assetManagers[parent.bundleIdentifier] {
if let localName = assetManager.bestKey(forAssetName: name) {
return localName
} else if let fallbackAssetManager = convertServiceFallbackResolver {
return fallbackAssetManager.resolve(assetNamed: name) != nil ? name : nil
}
return nil
} else {
return nil
}
}
/// Attempt to resolve an unresolved code listing.
///
/// - Parameters:
/// - unresolvedCodeListingReference: The code listing reference to resolve.
/// - parent: The topic the code listing reference appears in.
public func resolveCodeListing(_ unresolvedCodeListingReference: UnresolvedCodeListingReference, in parent: ResolvedTopicReference) -> AttributedCodeListing? {
return dataProvider.bundles[parent.bundleIdentifier]?.attributedCodeListings[unresolvedCodeListingReference.identifier]
}
/// The references of all nodes in the topic graph.
public var knownIdentifiers: [ResolvedTopicReference] {
return Array(topicGraph.nodes.keys)
}
/// The references of all the pages in the topic graph.
public var knownPages: [ResolvedTopicReference] {
return topicGraph.nodes.values
.filter { !$0.isVirtual && $0.kind.isPage }
.map { $0.reference }
}
func dumpGraph() -> String {
return topicGraph.nodes.values
.filter { parents(of: $0.reference).isEmpty }
.sorted(by: \.reference.absoluteString)
.map { node -> String in
self.topicGraph.dump(startingAt: node, keyPath: \.reference.absoluteString)
}
.joined()
}
private static func defaultLanguage(in sourceLanguages: Set<SourceLanguage>?) -> SourceLanguage {
sourceLanguages.map { sourceLanguages in
if sourceLanguages.contains(.swift) {
return .swift
} else {
return sourceLanguages.first ?? .swift
}
} ?? SourceLanguage.swift
}
}
// MARK: - DocumentationCurator
extension DocumentationContext {
/// The nodes that are allowed to be roots in the topic graph.
static var allowedRootNodeKinds: [DocumentationNode.Kind] = [.technology, .module]
func analyzeTopicGraph() {
// Find all nodes that are loose in the graph and have no parent but aren't supposed to
let unexpectedRoots = topicGraph.nodes.values.filter { node in
return !DocumentationContext.allowedRootNodeKinds.contains(node.kind)
&& parents(of: node.reference).isEmpty
}
let problems = unexpectedRoots.compactMap { node -> Problem? in
let source: URL
switch node.source {
case .file(url: let url): source = url
case .range(_, let url): source = url
case .external: return nil
}
return Problem(diagnostic: Diagnostic(source: source, severity: .information, range: nil, identifier: "org.swift.docc.SymbolNotCurated", summary: "You haven't curated \(node.reference.absoluteString.singleQuoted)"), possibleSolutions: [Solution(summary: "Add a link to \(node.reference.absoluteString.singleQuoted) from a Topics group of another documentation node.", replacements: [])])
}
diagnosticEngine.emit(problems)
}
}
extension GraphCollector.GraphKind {
var fileURL: URL {
switch self {
case .primary(let url): return url
case .extension(let url): return url
}
}
}
extension SymbolGraphLoader {
func mainModuleURL(forModule moduleName: String) -> URL? {
guard let graphURLs = self.graphLocations[moduleName] else { return nil }
if let firstPrimary: URL = graphURLs.compactMap({
if case let .primary(url) = $0 {
return url
} else {
return nil
}
}).first {
return firstPrimary
} else {
return graphURLs.first.map({ $0.fileURL })
}
}
func hasPrimaryURL(moduleName: String) -> Bool {
guard let graphURLs = self.graphLocations[moduleName] else { return false }
return graphURLs.contains(where: {
if case .primary(_) = $0 {
return true
} else {
return false
}
})
}
}
extension DataAsset {
fileprivate func hasVariant(withAssetType assetType: DocumentationContext.AssetType) -> Bool {
return variants.values.map(\.pathExtension).contains { pathExtension in
return DocumentationContext.isFileExtension(pathExtension, supported: assetType)
}
}
}
|