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 | 201x 201x 201x 201x 201x 201x 201x 201x 646x 201x 201x 201x 201x 201x 21120x 21120x 21120x 21120x 65250x 65250x 44130x 44130x 44130x 44130x 21120x 21120x 4674x 21120x 201x 268x 268x 201x 1190x 1190x 785183x 201x 201x 201x 201x 781598x 781598x 201x 781598x 201x 201x 262x 262x 262x 262x 438x 201x 412605x 412605x 20676x 412605x 20676x 412605x 412605x 201x 368731x 368731x 19770x 368731x 368731x 368731x 201x 262x 262x 262x 262x 262x 262x 201x 201x 256x 256x 201x 626x 201x 256x 256x 201x 256x 256x 256x 256x 256x 201x 422x 1365x 201x 88x 201x 14359x 201x 511918x 201x 70x 58x 12x 12x 70x 70x 201x 201x 18x 18x 18x 201x 25923x 25923x 25923x 201x 14347x 14347x 14347x 3716x 14347x 4809x 4809x 4809x 201x 516x 201x 26634601x 26634601x 201x 9068437x 201x 10297543x 10297543x 3066234x 7231309x 3153649x 4077660x 201x 287390x 201x 760703x 201x 7132x 201x 625920x 201x 7068892x 201x 10876x 201x 102286x 201x 201x 1032x 201x 2788295x 201x 7068892x 7068892x 5046544x 2022348x 6556361x 6556361x 6556361x 6556361x 201x 512531x 201x 201x 2804896x 2804896x 2488343x 299640x 2188703x 4229568x 2804896x 201x 25360x 25360x 12x 25348x 6904067x 6904067x 6971130x 6904055x 201x 2197937x 22908x 2175029x 2175029x 612701x 1269651x 1562328x 5634416x 2175017x 201x 3069411x 867215x 2123842x 2202196x 9314872x 201x 402x 402x 221892x 211436x 369566x 369566x 16209x 10456x 15729x 15729x 2532x 203151x 201x 201x 201x 4503x 155592x 4503x 201x 3540x 201x 115483x 98441x 259933x 50172x 1434x 50172x 17042x 92363x 68409x 68409x 115483x 201x 70404x 70404x 128731x 70404x 201x 24x 24x 24x 96x 24x 201x 29265x 78608x 201x 16374x 91826x 201x 8006x 201x 30860x 30860x 70881x 30860x 201x 18028x 18028x 16958x 18028x 201x 84045x 201x 813x 3194x 636x 201x 12898x 12898x 3915x 12898x 201x 187241x 332804x 332804x 13719x 332804x 201x 1036x 1036x 1256x 1256x 1256x 1256x 1256x 1036x 201x 421x 421x 1459x 359x 1100x 421x 201x 16877x 18x 16859x 1865x 201x 26386x 17x 76868x 201x 60x 201x 1741x 1741x 456x 1285x 1285x 201x 29x 72x 72x 15x 15x 9x 72x 72x 72x 72x 6x 72x 201x 940982x 283216x 924295x 283216x 657766x 201x 201x 1809x 1809x 1809x 1809x 201x 201x 201x 201x 14359x 10631x 3728x 3728x 201x 201x 1206x 201x 201x 201x 1014x 1014x 201x 1292189x 201x 559994x 201x 135673x 201x 484x 201x 242x 242x 201x 242x 242x 201x 201x 201x 201x 201x 1652332x 12x 12x 12x 1652320x 795742x 856578x 201x 1863393x 201x 1861531x 1861531x 201x 1840614x 1840614x 1840614x 75x 75x 1840614x 1840614x 1840515x 917987x 922528x 201x 1134940x 201x 1416302x 1416302x 1416302x 1914943x 111406x 1803537x 1803537x 151205x 1652332x 1803537x 1304896x 201x 922396x 201x 212544x 212544x 201x 284323x 284323x 404119x 284323x 201x 1568379x 201x 862912x 862912x 132x 862780x 201x 705467x 705467x 201x 141231x 141231x 141231x 201x 35x 201x 24672x 24672x 24672x 201x 10290x 10290x 201x 201x 2118x 2118x 2118x 1781x 1781x 2118x 201x 201x 201x 201x 201x 201x 201x 201x 259385x 201x 201x 201x 201x 201x 8165x 8165x 8165x 8165x 6x 8159x 8159x 201x 107693x 107693x 107693x 99528x 8165x 107687x 107687x 6833x 6833x 6833x 6833x 107687x 106361x 107687x 201x 201x 203872x 199820x 4052x 201x 3706x 3706x 5905x 3706x 364x 3342x 130x 3212x 3212x 3212x 3212x 6612x 3212x 3212x 201x 187241x 187241x 331448x 187241x 189565x 187217x 2348x 2348x 3706x 3706x 3576x 2348x 24x 24x 201x 982x 1106x 1106x 982x 982x 201x 54348x 44292x 54348x 201x 22294x 22294x 201x 79930x 79930x 123497x 126151x 126151x 104159x 123497x 104159x 19338x 79930x 201x 185596x 185596x 11680x 11680x 11680x 185596x 201x 52467x 201x 52467x 201x 100235x 100235x 100235x 38538x 38538x 38538x 38538x 64218x 64218x 64218x 10549x 10549x 10549x 10549x 10549x 10549x 64218x 341x 64218x 64218x 64218x 64212x 64212x 64212x 64212x 38538x 100235x 16816x 38538x 20481x 15718x 15539x 15539x 15539x 8797x 8797x 179x 179x 179x 15718x 15718x 15718x 15718x 15718x 15718x 8008x 690x 1132x 7318x 8008x 7562x 15718x 117023x 117023x 69709x 2610x 69709x 112908x 112908x 112908x 112908x 112640x 27x 112640x 27x 100235x 201x 7632x 7632x 7620x 201x 41722x 41722x 19711x 21999x 22011x 30x 21981x 21981x 201x 36x 201x 201x 13311x 19729x 1927x 1927x 17802x 17802x 11333x 11333x 17802x 17802x 19729x 19723x 201x 53930x 53930x 1643x 1643x 52287x 53924x 201x 24x 84x 201x 35959x 35959x 35959x 201x 567x 22320x 22320x 936x 21384x 41037x 22320x 201x 13221x 13221x 53681x 23482x 6x 13221x 201x 201x 89478x 201x 201x 201x 201x 12x 6x 6x 6x 201x 201x 13902x 13902x 13902x 13902x 201x 201x 201x 201x 66746x 66746x 88909x 88909x 63028x 63028x 63028x 63028x 63028x 63028x 63028x 63028x 50443x 66746x 201x 16303x 16303x 16303x 16303x 201x 80966x 201x 16303x 16303x 16303x 63028x 16303x 16303x 59174x 21375x 16303x 16303x 16303x 16303x 16303x 201x 201x 162717x 201x 162717x 162717x 162717x 162717x 121139x 121139x 121139x 483705x 121139x 130x 24x 130x 162717x 41708x 41708x 25405x 16303x 137312x 201x 84884x 4865x 4865x 4865x 4865x 80019x 201x 11108x 3955x 3955x 4224x 4224x 4224x 11108x 5016x 5016x 5010x 5016x 201x 447068x 447068x 201x 11126x 11126x 11108x 11108x 11108x 11108x 11108x 201x 30597x 30597x 30597x 2589x 2589x 2589x 1932x 201x 195x 195x 30597x 30597x 195x 201x 75549x 64417x 11132x 6x 11126x 11108x 11108x 8503x 201x 8503x 13365x 13365x 13365x 6x 6x 12x 12x 12x 6x 6x 6x 13359x 8503x 8503x 507x 8503x 201x 201x 5692118x 201x 61664x 61664x 61664x 81x 61583x 470648x 470648x 234520x 236128x 143281x 92847x 83970x 83970x 88623x 8877x 8877x 8877x 470648x 461771x 61583x 201x 92847x 201x 1725185x 1725185x 1725185x 1725185x 457530x 424524x 1267655x 1267655x 142476x 1125179x 1725185x 2012736x 644691x 2012736x 622504x 622504x 1390232x 1390232x 1148256x 622504x 201x 1460662x 1460662x 2642231x 2642231x 1531417x 6918020x 6918020x 2801591x 2801591x 1531417x 2686x 1460662x 201x 201x 201x 32670x 3426078x 3426078x 3426078x 3426078x 1252498x 1252498x 1983x 2173580x 2173574x 3424095x 622504x 622504x 622504x 3424095x 3424095x 3424095x 43884x 3380211x 3424095x 3424095x 7047794x 7047794x 7047770x 3069203x 1831256x 3069203x 1727865x 2680x 2680x 1725185x 1725185x 1725173x 3424071x 1250506x 3424071x 2786046x 1428040x 3424071x 550162x 3424071x 32670x 32670x 201x 318039x 318039x 487294x 18622x 468672x 299417x 201x 15592334x 201x 19308x 19308x 19308x 19308x 19308x 201x 48x 48x 201x 32670x 32670x 32670x 32670x 32670x 32622x 32622x 32670x 32670x 201x 36x 36x 36x 201x 28101x 201x 36x 72x 72x 36x 36x 201x 45534x 45534x 102367x 102367x 11627x 12x 11615x 201x 201x 201x 201x 201x 300106x 300106x 108x 72x 36x 299998x 2035x 297963x 13530x 13530x 9753x 288210x 288210x 201x 283752x 283752x 201x 13362x 13362x 13362x 13362x 13362x 13338x 24x 13350x 13350x 13350x 13350x 45534x 102367x 25989x 45534x 45534x 45534x 45534x 45534x 102355x 102355x 13350x 13350x 13350x 13350x 13350x 86982x 197559x 196770x 86982x 42344x 42344x 42344x 42344x 13350x 13350x 13350x 990x 990x 990x 13350x 13350x 13350x 13350x 13338x 13338x 36x 36x 13338x 13338x 201x 201x 24x 24x 18x 6x 6x 12x 6x 201x 201x 8138x 8138x 8138x 201x 5065x 5065x 167x 305x 4898x 855x 4043x 6978x 5065x 201x 201x 201x 24353x 24353x 68698x 68161x 68698x 43565x 25133x 24914x 24353x 201x 201x 17310x 17310x 46248x 57x 57x 46191x 46191x 46191x 45052x 46191x 323337x 222858x 1560006x 46191x 17310x 201x 201x 201x 201x 196151x 196151x 201x 201x 13362x 13362x 13362x 13362x 13362x 13338x 13338x 13338x 13338x 13338x 13338x 28234x 13302x 13302x 13302x 13296x 13284x 201x 201x 13362x 201x 19868x 201x 3816x 3816x 3816x 16538x 12438x 3816x 2189x 201x 13359x 13359x 13359x 13359x 13359x 13281x 13278x 13254x 13221x 13221x 6x 6x 13215x 24x 13215x 13215x 13215x 201x 7828x 7828x 7828x 7804x 201x 201x 201x 201x 201x 5482x 5482x 5482x 5482x 5482x 5482x 8269x 8269x 8269x 16630x 16630x 5476x 11154x 2793x 6x 2787x 8361x 8361x 8361x 8361x 8361x 8361x 8361x 8361x 8263x 8263x 8263x 8263x 8263x 1622x 8263x 8263x 5476x 2787x 2787x 5476x 201x 26488x 26488x 57403x 72x 72x 114x 72x 72x 57331x 26488x 201x 26368x 26368x 26368x 26368x 57289x 57289x 57289x 57289x 57289x 45252x 26368x | /*! * Fluid Infusion v3.0.0 * * Infusion is distributed under the Educational Community License 2.0 and new BSD licenses: * http://wiki.fluidproject.org/display/fluid/Fluid+Licensing * * For information on copyright, see the individual Infusion source code files: * https://github.com/fluid-project/infusion/ */ /* Copyright 2007-2010 University of Cambridge Copyright 2007-2009 University of Toronto Copyright 2007-2009 University of California, Berkeley Copyright 2010-2011 Lucendo Development Ltd. Copyright 2010-2015 OCAD University Copyright 2011 Charly Molter Copyright 2012-2014 Raising the Floor - US Copyright 2014-2016 Raising the Floor - International Licensed under the Educational Community License (ECL), Version 2.0 or the New BSD license. You may not use this file except in compliance with one these Licenses. You may obtain a copy of the ECL 2.0 License and BSD License at https://github.com/fluid-project/infusion/raw/master/Infusion-LICENSE.txt Includes code from Underscore.js 1.4.3 http://underscorejs.org (c) 2009-2012 Jeremy Ashkenas, DocumentCloud Inc. Underscore may be freely distributed under the MIT license. */ /* global console */ var fluid_3_0_0 = fluid_3_0_0 || {}; var fluid = fluid || fluid_3_0_0; (function ($, fluid) { "use strict"; fluid.version = "Infusion 3.0.0"; // Export this for use in environments like node.js, where it is useful for // configuring stack trace behaviour fluid.Error = Error; fluid.environment = { fluid: fluid }; fluid.global = fluid.global || typeof window !== "undefined" ? window : typeof self !== "undefined" ? self : {}; // A standard utility to schedule the invocation of a function after the current // stack returns. On browsers this defaults to setTimeout(func, 1) but in // other environments can be customised - e.g. to process.nextTick in node.js // In future, this could be optimised in the browser to not dispatch into the event queue fluid.invokeLater = function (func) { return setTimeout(func, 1); }; // The following flag defeats all logging/tracing activities in the most performance-critical parts of the framework. // This should really be performed by a build-time step which eliminates calls to pushActivity/popActivity and fluid.log. fluid.defeatLogging = true; // This flag enables the accumulating of all "activity" records generated by pushActivity into a running trace, rather // than removing them from the stack record permanently when receiving popActivity. This trace will be consumed by // visual debugging tools. fluid.activityTracing = false; fluid.activityTrace = []; var activityParser = /(%\w+)/g; // Renders a single activity element in a form suitable to be sent to a modern browser's console // unsupported, non-API function fluid.renderOneActivity = function (activity, nowhile) { var togo = nowhile === true ? [] : [" while "]; var message = activity.message; var index = activityParser.lastIndex = 0; while (true) { var match = activityParser.exec(message); if (match) { var key = match[1].substring(1); togo.push(message.substring(index, match.index)); togo.push(activity.args[key]); index = activityParser.lastIndex; } else { break; } } if (index < message.length) { togo.push(message.substring(index)); } return togo; }; // Renders an activity stack in a form suitable to be sent to a modern browser's console // unsupported, non-API function fluid.renderActivity = function (activityStack, renderer) { renderer = renderer || fluid.renderOneActivity; return fluid.transform(activityStack, renderer); }; // Definitions for ThreadLocals - lifted here from // FluidIoC.js so that we can issue calls to fluid.describeActivity for debugging purposes // in the core framework // unsupported, non-API function fluid.singleThreadLocal = function (initFunc) { var value = initFunc(); return function (newValue) { return newValue === undefined ? value : value = newValue; }; }; // Currently we only support single-threaded environments - ensure that this function // is not used on startup so it can be successfully monkey-patched // only remaining uses of threadLocals are for activity reporting and in the renderer utilities // unsupported, non-API function fluid.threadLocal = fluid.singleThreadLocal; // unsupported, non-API function fluid.globalThreadLocal = fluid.threadLocal(function () { return {}; }); // Return an array of objects describing the current activity // unsupported, non-API function fluid.getActivityStack = function () { var root = fluid.globalThreadLocal(); if (!root.activityStack) { root.activityStack = []; } return root.activityStack; }; // Return an array of objects describing the current activity // unsupported, non-API function fluid.describeActivity = fluid.getActivityStack; // Renders either the current activity or the supplied activity to the console fluid.logActivity = function (activity) { activity = activity || fluid.describeActivity(); var rendered = fluid.renderActivity(activity).reverse(); fluid.log("Current activity: "); fluid.each(rendered, function (args) { fluid.doLog(args); }); }; // Execute the supplied function with the specified activity description pushed onto the stack // unsupported, non-API function fluid.pushActivity = function (type, message, args) { var record = {type: type, message: message, args: args, time: new Date().getTime()}; if (fluid.activityTracing) { fluid.activityTrace.push(record); } if (fluid.passLogLevel(fluid.logLevel.TRACE)) { fluid.doLog(fluid.renderOneActivity(record, true)); } var activityStack = fluid.getActivityStack(); activityStack.push(record); }; // Undo the effect of the most recent pushActivity, or multiple frames if an argument is supplied fluid.popActivity = function (popframes) { popframes = popframes || 1; if (fluid.activityTracing) { fluid.activityTrace.push({pop: popframes}); } var activityStack = fluid.getActivityStack(); var popped = activityStack.length - popframes; activityStack.length = popped < 0 ? 0 : popped; }; // "this-ist" style Error so that we can distinguish framework errors whilst still retaining access to platform Error features // Solution taken from http://stackoverflow.com/questions/8802845/inheriting-from-the-error-object-where-is-the-message-property#answer-17936621 fluid.FluidError = function (/*message*/) { var togo = Error.apply(this, arguments); this.message = togo.message; try { // This technique is necessary on IE11 since otherwise the stack entry is not filled in throw togo; } catch (togo) { this.stack = togo.stack; } return this; }; fluid.FluidError.prototype = Object.create(Error.prototype); // The framework's built-in "log" failure handler - this logs the supplied message as well as any framework activity in progress via fluid.log fluid.logFailure = function (args, activity) { fluid.log.apply(null, [fluid.logLevel.FAIL, "ASSERTION FAILED: "].concat(args)); fluid.logActivity(activity); }; fluid.renderLoggingArg = function (arg) { return arg === undefined ? "undefined" : fluid.isPrimitive(arg) || !fluid.isPlainObject(arg) ? arg : JSON.stringify(arg); }; // The framework's built-in "fail" failure handler - this throws an exception of type <code>fluid.FluidError</code> fluid.builtinFail = function (args /*, activity*/) { var message = fluid.transform(args, fluid.renderLoggingArg).join(""); throw new fluid.FluidError("Assertion failure - check console for more details: " + message); }; /** * Signals an error to the framework. The default behaviour is to log a structured error message and throw an exception. This strategy may be configured using the legacy * API <code>fluid.pushSoftFailure</code> or else by adding and removing suitably namespaced listeners to the special event <code>fluid.failureEvent</code> * * @param {String} message - The error message to log. * * All arguments after the first are passed on to (and should be suitable to pass on to) the native console.log * function. */ fluid.fail = function (/* message, ... */) { var args = fluid.makeArray(arguments); var activity = fluid.makeArray(fluid.describeActivity()); // Take copy since we will destructively modify fluid.popActivity(activity.length); // clear any current activity - TODO: the framework currently has no exception handlers, although it will in time Eif (fluid.failureEvent) { // notify any framework failure prior to successfully setting up the failure event below fluid.failureEvent.fire(args, activity); } else { fluid.logFailure(args, activity); fluid.builtinFail(args, activity); } }; // TODO: rescued from kettleCouchDB.js - clean up in time fluid.expect = function (name, target, members) { fluid.transform(fluid.makeArray(members), function (key) { Iif (typeof target[key] === "undefined") { fluid.fail(name + " missing required parameter " + key); } }); }; // Logging /** Returns whether logging is enabled - legacy method * @return {Boolean} `true` if the current logging level exceeds `fluid.logLevel.IMPORTANT` */ fluid.isLogging = function () { return logLevelStack[0].priority > fluid.logLevel.IMPORTANT.priority; }; /** Determines whether the supplied argument is a valid logLevel marker * @param {Any} arg - The value to be tested * @return {Boolean} `true` if the supplied argument is a logLevel marker */ fluid.isLogLevel = function (arg) { return fluid.isMarker(arg) && arg.priority !== undefined; }; /** Check whether the current framework logging level would cause a message logged with the specified level to be * logged. Clients who * issue particularly expensive log payload arguments are recommended to guard their logging statements with this * function * @param {LogLevel} testLogLevel - The logLevel value which the current logging level will be tested against. * Accepts one of the members of the <code>fluid.logLevel</code> structure. * @return {Boolean} Returns <code>true</code> if a message supplied at that log priority would be accepted at the current logging level. */ fluid.passLogLevel = function (testLogLevel) { return testLogLevel.priority <= logLevelStack[0].priority; }; /** Method to allow user to control the current framework logging level. The supplied level will be pushed onto a stack * of logging levels which may be popped via `fluid.popLogging`. * @param {Boolean|LogLevel} enabled - Either a boolean, for which <code>true</code> * represents <code>fluid.logLevel.INFO</code> and <code>false</code> represents <code>fluid.logLevel.IMPORTANT</code> (the default), * or else any other member of the structure <code>fluid.logLevel</code> * Messages whose priority is strictly less than the current logging level will not be shown by `fluid.log` */ fluid.setLogging = function (enabled) { var logLevel; if (typeof enabled === "boolean") { logLevel = fluid.logLevel[enabled ? "INFO" : "IMPORTANT"]; } else Eif (fluid.isLogLevel(enabled)) { logLevel = enabled; } else { fluid.fail("Unrecognised fluid logging level ", enabled); } logLevelStack.unshift(logLevel); fluid.defeatLogging = !fluid.isLogging(); }; fluid.setLogLevel = fluid.setLogging; /** Undo the effect of the most recent "setLogging", returning the logging system to its previous state * @return {LogLevel} The logLevel that was just popped */ fluid.popLogging = function () { var togo = logLevelStack.length === 1 ? logLevelStack[0] : logLevelStack.shift(); fluid.defeatLogging = !fluid.isLogging(); return togo; }; /* Actually do the work of logging <code>args</code> to the environment's console. If the standard "console" * stream is available, the message will be sent there. */ fluid.doLog = function (args) { Eif (typeof (console) !== "undefined") { Eif (console.debug) { console.debug.apply(console, args); } else if (typeof (console.log) === "function") { console.log.apply(console, args); } } }; /* Log a message to a suitable environmental console. If the first argument to fluid.log is * one of the members of the <code>fluid.logLevel</code> structure, this will be taken as the priority * of the logged message - else if will default to <code>fluid.logLevel.INFO</code>. If the logged message * priority does not exceed that set by the most recent call to the <code>fluid.setLogging</code> function, * the message will not appear. */ fluid.log = function (/* message /*, ... */) { var directArgs = fluid.makeArray(arguments); var userLogLevel = fluid.logLevel.INFO; if (fluid.isLogLevel(directArgs[0])) { userLogLevel = directArgs.shift(); } if (fluid.passLogLevel(userLogLevel)) { var arg0 = fluid.renderTimestamp(new Date()) + ": "; var args = [arg0].concat(directArgs); fluid.doLog(args); } }; // Functional programming utilities. // Type checking functions /** Check whether the argument is a value other than null or undefined * @param {Any} value - The value to be tested * @return {Boolean} `true` if the supplied value is other than null or undefined */ fluid.isValue = function (value) { return value !== undefined && value !== null; }; /** Check whether the argument is a primitive type * @param {Any} value - The value to be tested * @return {Boolean} `true` if the supplied value is a JavaScript (ES5) primitive */ fluid.isPrimitive = function (value) { var valueType = typeof (value); return !value || valueType === "string" || valueType === "boolean" || valueType === "number" || valueType === "function"; }; /** Determines whether the supplied object is an array. The strategy used is an optimised * approach taken from an earlier version of jQuery - detecting whether the toString() version * of the object agrees with the textual form [object Array], or else whether the object is a * jQuery object (the most common source of "fake arrays"). * @param {Any} totest - The value to be tested * @return {Boolean} `true` if the supplied value is an array */ fluid.isArrayable = function (totest) { return totest && (totest.jquery || Object.prototype.toString.call(totest) === "[object Array]"); }; /** Determines whether the supplied object is a plain JSON-forming container - that is, it is either a plain Object * or a plain Array. Note that this differs from jQuery's isPlainObject which does not pass Arrays. * @param {Any} totest - The object to be tested * @param {Boolean} [strict] - (optional) If `true`, plain Arrays will fail the test rather than passing. * @return {Boolean} - `true` if `totest` is a plain object, `false` otherwise. */ fluid.isPlainObject = function (totest, strict) { var string = Object.prototype.toString.call(totest); if (string === "[object Array]") { return !strict; } else if (string !== "[object Object]") { return false; } // FLUID-5226: This inventive strategy taken from jQuery detects whether the object's prototype is directly Object.prototype by virtue of having an "isPrototypeOf" direct member return !totest.constructor || !totest.constructor.prototype || Object.prototype.hasOwnProperty.call(totest.constructor.prototype, "isPrototypeOf"); }; /** Returns a string typeCode representing the type of the supplied value at a coarse level. * Returns <code>primitive</code>, <code>array</code> or <code>object</code> depending on whether the supplied object has * one of those types, by use of the <code>fluid.isPrimitive</code>, <code>fluid.isPlainObject</code> and <code>fluid.isArrayable</code> utilities * @param {Any} totest - The value to be tested * @return {String} Either `primitive`, `array` or `object` depending on the type of the supplied value */ fluid.typeCode = function (totest) { return fluid.isPrimitive(totest) || !fluid.isPlainObject(totest) ? "primitive" : fluid.isArrayable(totest) ? "array" : "object"; }; fluid.isIoCReference = function (ref) { return typeof(ref) === "string" && ref.charAt(0) === "{" && ref.indexOf("}") > 0; }; fluid.isDOMNode = function (obj) { // This could be more sound, but messy: // http://stackoverflow.com/questions/384286/javascript-isdom-how-do-you-check-if-a-javascript-object-is-a-dom-object // The real problem is browsers like IE6, 7 and 8 which still do not feature a "constructor" property on DOM nodes return obj && typeof (obj.nodeType) === "number"; }; fluid.isComponent = function (obj) { return obj && obj.constructor === fluid.componentConstructor; }; fluid.isUncopyable = function (totest) { return fluid.isPrimitive(totest) || !fluid.isPlainObject(totest); }; fluid.isApplicable = function (totest) { return totest.apply && typeof(totest.apply) === "function"; }; /* A basic utility that returns its argument unchanged */ fluid.identity = function (arg) { return arg; }; /** A function which raises a failure if executed */ fluid.notImplemented = function () { fluid.fail("This operation is not implemented"); }; /** Returns the first of its arguments if it is not `undefined`, otherwise returns the second. * @param {Any} a - The first argument to be tested for being `undefined` * @param {Any} b - The fallback argument, to be returned if `a` is `undefined` * @return {Any} `a` if it is not `undefined`, else `b`. */ fluid.firstDefined = function (a, b) { return a === undefined ? b : a; }; /* Return an empty container as the same type as the argument (either an array or hash). */ fluid.freshContainer = function (tocopy) { return fluid.isArrayable(tocopy) ? [] : {}; }; fluid.copyRecurse = function (tocopy, segs) { Iif (segs.length > fluid.strategyRecursionBailout) { fluid.fail("Runaway recursion encountered in fluid.copy - reached path depth of " + fluid.strategyRecursionBailout + " via path of " + segs.join(".") + "this object is probably circularly connected. Either adjust your object structure to remove the circularity or increase fluid.strategyRecursionBailout"); } if (fluid.isUncopyable(tocopy)) { return tocopy; } else { return fluid.transform(tocopy, function (value, key) { segs.push(key); var togo = fluid.copyRecurse(value, segs); segs.pop(); return togo; }); } }; /* Performs a deep copy (clone) of its argument. This will guard against cloning a circular object by terminating if it reaches a path depth * greater than <code>fluid.strategyRecursionBailout</code> */ fluid.copy = function (tocopy) { return fluid.copyRecurse(tocopy, []); }; // TODO: Coming soon - reimplementation of $.extend using strategyRecursionBailout fluid.extend = $.extend; /* Corrected version of jQuery makeArray that returns an empty array on undefined rather than crashing. * We don't deal with as many pathological cases as jQuery */ fluid.makeArray = function (arg) { var togo = []; if (arg !== null && arg !== undefined) { if (fluid.isPrimitive(arg) || fluid.isPlainObject(arg, true) || typeof(arg.length) !== "number") { togo.push(arg); } else { for (var i = 0; i < arg.length; ++i) { togo[i] = arg[i]; } } } return togo; }; /** Pushes an element or elements onto an array, initialising the array as a member of a holding object if it is * not already allocated. * @param {Array|Object} holder - The holding object whose member is to receive the pushed element(s). * @param {String} member - The member of the <code>holder</code> onto which the element(s) are to be pushed * @param {Array|Object} topush - If an array, these elements will be added to the end of the array using Array.push.apply. If an object, it will be pushed to the end of the array using Array.push. */ fluid.pushArray = function (holder, member, topush) { var array = holder[member] ? holder[member] : (holder[member] = []); if (fluid.isArrayable(topush)) { array.push.apply(array, topush); } else { array.push(topush); } }; function transformInternal(source, togo, key, args) { var transit = source[key]; for (var j = 0; j < args.length - 1; ++j) { transit = args[j + 1](transit, key); } togo[key] = transit; } /** Return an array or hash of objects, transformed by one or more functions. Similar to * jQuery.map, only will accept an arbitrary list of transformation functions and also * works on non-arrays. * @param {Array|Object} source - The initial container of objects to be transformed. If the source is * neither an array nor an object, it will be returned untransformed * @param {...Function} fn1, fn2, etc. - An arbitrary number of optional further arguments, * all of type Function, accepting the signature (object, index), where object is the * structure member to be transformed, and index is its key or index. Each function will be * applied in turn to each structure member, which will be replaced by the return value * from the function. * @return {Array|Object} - The finally transformed list, where each member has been replaced by the * original member acted on by the function or functions. */ fluid.transform = function (source) { if (fluid.isPrimitive(source)) { return source; } var togo = fluid.freshContainer(source); if (fluid.isArrayable(source)) { for (var i = 0; i < source.length; ++i) { transformInternal(source, togo, i, arguments); } } else { for (var key in source) { transformInternal(source, togo, key, arguments); } } return togo; }; /** Better jQuery.each which works on hashes as well as having the arguments the right way round. * @param {Arrayable|Object} source - The container to be iterated over * @param {Function} func - A function accepting (value, key) for each iterated * object. */ fluid.each = function (source, func) { if (fluid.isArrayable(source)) { for (var i = 0; i < source.length; ++i) { func(source[i], i); } } else { for (var key in source) { func(source[key], key); } } }; fluid.make_find = function (find_if) { var target = find_if ? false : undefined; return function (source, func, deffolt) { var disp; if (fluid.isArrayable(source)) { for (var i = 0; i < source.length; ++i) { disp = func(source[i], i); if (disp !== target) { return find_if ? source[i] : disp; } } } else { for (var key in source) { disp = func(source[key], key); if (disp !== target) { return find_if ? source[key] : disp; } } } return deffolt; }; }; /** Scan through an array or hash of objects, terminating on the first member which * matches a predicate function. * @param {Arrayable|Object} source - The array or hash of objects to be searched. * @param {Function} func - A predicate function, acting on a member. A predicate which * returns any value which is not <code>undefined</code> will terminate * the search. The function accepts (object, index). * @param {Object} deflt - A value to be returned in the case no predicate function matches * a structure member. The default will be the natural value of <code>undefined</code> * @return The first return value from the predicate function which is not <code>undefined</code> */ fluid.find = fluid.make_find(false); /* The same signature as fluid.find, only the return value is the actual element for which the * predicate returns a value different from <code>false</code> */ fluid.find_if = fluid.make_find(true); /** Scan through an array of objects, "accumulating" a value over them * (may be a straightforward "sum" or some other chained computation). "accumulate" is the name derived * from the C++ STL, other names for this algorithm are "reduce" or "fold". * @param {Array} list - The list of objects to be accumulated over. * @param {Function} fn - An "accumulation function" accepting the signature (object, total, index) where * object is the list member, total is the "running total" object (which is the return value from the previous function), * and index is the index number. * @param {Object} arg - The initial value for the "running total" object. * @return {Object} the final running total object as returned from the final invocation of the function on the last list member. */ fluid.accumulate = function (list, fn, arg) { for (var i = 0; i < list.length; ++i) { arg = fn(list[i], arg, i); } return arg; }; /** Returns the sum of its two arguments. A useful utility to combine with fluid.accumulate to compute totals * @param {Number|Boolean} a - The first operand to be added * @param {Number|Boolean} b - The second operand to be added * @return {Number} The sum of the two operands **/ fluid.add = function (a, b) { return a + b; }; /** Scan through an array or hash of objects, removing those which match a predicate. Similar to * jQuery.grep, only acts on the list in-place by removal, rather than by creating * a new list by inclusion. * @param {Array|Object} source - The array or hash of objects to be scanned over. Note that in the case this is an array, * the iteration will proceed from the end of the array towards the front. * @param {Function} fn - A predicate function determining whether an element should be * removed. This accepts the standard signature (object, index) and returns a "truthy" * result in order to determine that the supplied object should be removed from the structure. * @param {Array|Object} [target] - (optional) A target object of the same type as <code>source</code>, which will * receive any objects removed from it. * @return {Array|Object} - <code>target</code>, containing the removed elements, if it was supplied, or else <code>source</code> * modified by the operation of removing the matched elements. */ fluid.remove_if = function (source, fn, target) { if (fluid.isArrayable(source)) { for (var i = source.length - 1; i >= 0; --i) { if (fn(source[i], i)) { if (target) { target.unshift(source[i]); } source.splice(i, 1); } } } else { for (var key in source) { if (fn(source[key], key)) { Iif (target) { target[key] = source[key]; } delete source[key]; } } } return target || source; }; /** Fills an array of given size with copies of a value or result of a function invocation * @param {Number} n - The size of the array to be filled * @param {Object|Function} generator - Either a value to be replicated or function to be called * @param {Boolean} applyFunc - If true, treat the generator value as a function to be invoked with * argument equal to the index position */ fluid.generate = function (n, generator, applyFunc) { var togo = []; for (var i = 0; i < n; ++i) { togo[i] = applyFunc ? generator(i) : generator; } return togo; }; /** Returns an array of size count, filled with increasing integers, starting at 0 or at the index specified by first. * @param {Number} count - Size of the filled array to be returned * @param {Number} [first] - (optional, defaults to 0) First element to appear in the array */ fluid.iota = function (count, first) { first = first || 0; var togo = []; for (var i = 0; i < count; ++i) { togo[togo.length] = first++; } return togo; }; /** Extracts a particular member from each top-level member of a container, returning a new container of the same type * @param {Array|Object} holder - The container to be filtered * @param {String|String[]} name - An EL path to be fetched from each top-level member * @return {Object} - The desired member component. */ fluid.getMembers = function (holder, name) { return fluid.transform(holder, function (member) { return fluid.get(member, name); }); }; /** Accepts an object to be filtered, and an array of keys. Either all keys not present in * the array are removed, or only keys present in the array are returned. * @param {Array|Object} toFilter - The object to be filtered - this will be NOT modified by the operation (current implementation * passes through $.extend shallow algorithm) * @param {String[]} keys - The array of keys to operate with * @param {Boolean} exclude - If <code>true</code>, the keys listed are removed rather than included * @return {Object} the filtered object (the same object that was supplied as <code>toFilter</code> */ fluid.filterKeys = function (toFilter, keys, exclude) { return fluid.remove_if($.extend({}, toFilter), function (value, key) { return exclude ^ (keys.indexOf(key) === -1); }); }; /* A convenience wrapper for <code>fluid.filterKeys</code> with the parameter <code>exclude</code> set to <code>true</code> * Returns the supplied object with listed keys removed */ fluid.censorKeys = function (toCensor, keys) { return fluid.filterKeys(toCensor, keys, true); }; /* Return the keys in the supplied object as an array. Note that this will return keys found in the prototype chain as well as "own properties", unlike Object.keys() */ fluid.keys = function (obj) { var togo = []; for (var key in obj) { togo.push(key); } return togo; }; /* Return the values in the supplied object as an array */ fluid.values = function (obj) { var togo = []; for (var key in obj) { togo.push(obj[key]); } return togo; }; /* * Searches through the supplied object, and returns <code>true</code> if the supplied value * can be found */ fluid.contains = function (obj, value) { return obj ? (fluid.isArrayable(obj) ? obj.indexOf(value) !== -1 : fluid.find(obj, function (thisValue) { if (value === thisValue) { return true; } })) : undefined; }; /** * Searches through the supplied object for the first value which matches the one supplied. * @param {Object} obj - the Object to be searched through * @param {Object} value - the value to be found. This will be compared against the object's * member using === equality. * @return {String} The first key whose value matches the one supplied */ fluid.keyForValue = function (obj, value) { return fluid.find(obj, function (thisValue, key) { if (value === thisValue) { return key; } }); }; /** Converts an array into an object whose keys are the elements of the array, each with the value "true" * @param {String[]} array - The array to be converted to a hash * @return hash {Object} An object with value <code>true</code> for each key taken from a member of <code>array</code> */ fluid.arrayToHash = function (array) { var togo = {}; fluid.each(array, function (el) { togo[el] = true; }); return togo; }; /** Applies a stable sorting algorithm to the supplied array and comparator (note that Array.sort in JavaScript is not specified * to be stable). The algorithm used will be an insertion sort, which whilst quadratic in time, will perform well * on small array sizes. * @param {Array} array - The array to be sorted. This input array will be modified in place. * @param {Function} func - A comparator returning >0, 0, or <0 on pairs of elements representing their sort order (same contract as Array.sort comparator) */ fluid.stableSort = function (array, func) { for (var i = 0; i < array.length; i++) { var j, k = array[i]; for (j = i; j > 0 && func(k, array[j - 1]) < 0; j--) { array[j] = array[j - 1]; } array[j] = k; } }; /* Converts a hash into an object by hoisting out the object's keys into an array element via the supplied String "key", and then transforming via an optional further function, which receives the signature * (newElement, oldElement, key) where newElement is the freshly cloned element, oldElement is the original hash's element, and key is the key of the element. * If the function is not supplied, the old element is simply deep-cloned onto the new element (same effect as transform fluid.transforms.deindexIntoArrayByKey). * The supplied hash will not be modified, unless the supplied function explicitly does so by modifying its 2nd argument. */ fluid.hashToArray = function (hash, keyName, func) { var togo = []; fluid.each(hash, function (el, key) { var newEl = {}; newEl[keyName] = key; Eif (func) { newEl = func(newEl, el, key) || newEl; } else { $.extend(true, newEl, el); } togo.push(newEl); }); return togo; }; /* Converts an array consisting of a mixture of arrays and non-arrays into the concatenation of any inner arrays * with the non-array elements */ fluid.flatten = function (array) { var togo = []; fluid.each(array, function (element) { if (fluid.isArrayable(element)) { togo = togo.concat(element); } else { togo.push(element); } }); return togo; }; /** * Clears an object or array of its contents. For objects, each property is deleted. * * @param {Object|Array} target - the target to be cleared */ fluid.clear = function (target) { if (fluid.isArrayable(target)) { target.length = 0; } else { for (var i in target) { delete target[i]; } } }; /** * @param {Boolean} ascending <code>true</code> if a comparator is to be returned which * sorts strings in descending order of length. * @return {Function} - A comparison function. */ fluid.compareStringLength = function (ascending) { return ascending ? function (a, b) { return a.length - b.length; } : function (a, b) { return b.length - a.length; }; }; /** * Returns the converted integer if the input string can be converted to an integer. Otherwise, return NaN. * @param {String} string - A string to be returned in integer form. * @return {Number|NaN} - The numeric value if the string can be converted, otherwise, returns NaN. */ fluid.parseInteger = function (string) { return isFinite(string) && ((string % 1) === 0) ? Number(string) : NaN; }; /** * Derived from Sindre Sorhus's round-to node module ( https://github.com/sindresorhus/round-to ). * License: MIT * * Rounds the supplied number to at most the number of decimal places indicated by the scale, omitting any trailing 0s. * There are three possible rounding methods described below: "round", "ceil", "floor" * Round: Numbers are rounded away from 0 (i.e 0.5 -> 1, -0.5 -> -1). * Ceil: Numbers are rounded up * Floor: Numbers are rounded down * If the scale is invalid (i.e falsey, not a number, negative value), it is treated as 0. * If the scale is a floating point number, it is rounded to an integer. * * @param {Number} num - the number to be rounded * @param {Number} scale - the maximum number of decimal places to round to. * @param {String} [method] - (optional) Request a rounding method to use ("round", "ceil", "floor"). * If nothing or an invalid method is provided, it will default to "round". * @return {Number} The num value rounded to the specified number of decimal places. */ fluid.roundToDecimal = function (num, scale, method) { // treat invalid scales as 0 scale = scale && scale >= 0 ? Math.round(scale) : 0; if (method === "ceil" || method === "floor") { // The following is derived from https://github.com/sindresorhus/round-to/blob/v2.0.0/index.js#L20 return Number(Math[method](num + "e" + scale) + "e-" + scale); } else { // The following is derived from https://github.com/sindresorhus/round-to/blob/v2.0.0/index.js#L17 var sign = num >= 0 ? 1 : -1; // manually calculating the sign because Math.sign is not supported in IE return Number(sign * (Math.round(Math.abs(num) + "e" + scale) + "e-" + scale)); } }; /** * Copied from Underscore.js 1.4.3 - see licence at head of this file * * Will execute the passed in function after the specified amount of time since it was last executed. * @param {Function} func - the function to execute * @param {Number} wait - the number of milliseconds to wait before executing the function * @param {Boolean} immediate - Whether to trigger the function at the start (true) or end (false) of * the wait interval. * @return {Function} - A function that can be called as though it were the original function. */ fluid.debounce = function (func, wait, immediate) { var timeout, result; return function () { var context = this, args = arguments; var later = function () { timeout = null; if (!immediate) { result = func.apply(context, args); } }; var callNow = immediate && !timeout; clearTimeout(timeout); timeout = setTimeout(later, wait); if (callNow) { result = func.apply(context, args); } return result; }; }; /** Calls Object.freeze at each level of containment of the supplied object * @param {Any} tofreeze - The material to freeze. * @return {Any} - The supplied argument, recursively frozen. */ fluid.freezeRecursive = function (tofreeze) { if (fluid.isPlainObject(tofreeze)) { fluid.each(tofreeze, function (value) { fluid.freezeRecursive(value); }); return Object.freeze(tofreeze); } else { return tofreeze; } }; /* A set of special "marker values" used in signalling in function arguments and return values, * to partially compensate for JavaScript's lack of distinguished types. These should never appear * in JSON structures or other kinds of static configuration. An API specifically documents if it * accepts or returns any of these values, and if so, what its semantic is - most are of private * use internal to the framework */ fluid.marker = function () {}; fluid.makeMarker = function (value, extra) { var togo = Object.create(fluid.marker.prototype); togo.value = value; $.extend(togo, extra); return Object.freeze(togo); }; /* A special "marker object" representing that a distinguished * (probably context-dependent) value should be substituted. */ fluid.VALUE = fluid.makeMarker("VALUE"); /* A special "marker object" representing that no value is present (where * signalling using the value "undefined" is not possible - e.g. the return value from a "strategy") */ fluid.NO_VALUE = fluid.makeMarker("NO_VALUE"); /* A marker indicating that a value requires to be expanded after component construction begins */ fluid.EXPAND = fluid.makeMarker("EXPAND"); /* Determine whether an object is any marker, or a particular marker - omit the * 2nd argument to detect any marker */ fluid.isMarker = function (totest, type) { if (!(totest instanceof fluid.marker)) { return false; } Eif (!type) { return true; } return totest.value === type.value; }; fluid.logLevelsSpec = { "FATAL": 0, "FAIL": 5, "WARN": 10, "IMPORTANT": 12, // The default logging "off" level - corresponds to the old "false" "INFO": 15, // The default logging "on" level - corresponds to the old "true" "TRACE": 20 }; /* A structure holding all supported log levels as supplied as a possible first argument to fluid.log * Members with a higher value of the "priority" field represent lower priority logging levels */ // Moved down here since it uses fluid.transform and fluid.makeMarker on startup fluid.logLevel = fluid.transform(fluid.logLevelsSpec, function (value, key) { return fluid.makeMarker(key, {priority: value}); }); var logLevelStack = [fluid.logLevel.IMPORTANT]; // The stack of active logging levels, with the current level at index 0 // Model functions fluid.model = {}; // cannot call registerNamespace yet since it depends on fluid.model /* Copy a source "model" onto a target */ fluid.model.copyModel = function (target, source) { fluid.clear(target); $.extend(true, target, source); }; /** Parse an EL expression separated by periods (.) into its component segments. * @param {String} EL - The EL expression to be split * @return {String[]} the component path expressions. * TODO: This needs to be upgraded to handle (the same) escaping rules (as RSF), so that * path segments containing periods and backslashes etc. can be processed, and be harmonised * with the more complex implementations in fluid.pathUtil(data binding). */ fluid.model.parseEL = function (EL) { return EL === "" ? [] : String(EL).split("."); }; /* Compose an EL expression from two separate EL expressions. The returned * expression will be the one that will navigate the first expression, and then * the second, from the value reached by the first. Either prefix or suffix may be * the empty string */ fluid.model.composePath = function (prefix, suffix) { return prefix === "" ? suffix : (suffix === "" ? prefix : prefix + "." + suffix); }; /* Compose any number of path segments, none of which may be empty */ fluid.model.composeSegments = function () { return fluid.makeArray(arguments).join("."); }; /* Returns the index of the last occurrence of the period character . in the supplied string */ fluid.lastDotIndex = function (path) { return path.lastIndexOf("."); }; /* Returns all of an EL path minus its final segment - if the path consists of just one segment, returns "" - * WARNING - this method does not follow escaping rules */ fluid.model.getToTailPath = function (path) { var lastdot = fluid.lastDotIndex(path); return lastdot === -1 ? "" : path.substring(0, lastdot); }; /* Returns the very last path component of an EL path * WARNING - this method does not follow escaping rules */ fluid.model.getTailPath = function (path) { var lastdot = fluid.lastDotIndex(path); return path.substring(lastdot + 1); }; /* Helpful alias for old-style API */ fluid.path = fluid.model.composeSegments; fluid.composePath = fluid.model.composePath; // unsupported, NON-API function fluid.requireDataBinding = function () { fluid.fail("Please include DataBinding.js in order to operate complex model accessor configuration"); }; fluid.model.setWithStrategy = fluid.model.getWithStrategy = fluid.requireDataBinding; // unsupported, NON-API function fluid.model.resolvePathSegment = function (root, segment, create, origEnv) { // TODO: This branch incurs a huge cost that we incur across the whole framework, just to support the DOM binder // usage. We need to either do something "schematic" or move to proxies if (!origEnv && root.resolvePathSegment) { var togo = root.resolvePathSegment(segment); Eif (togo !== undefined) { // To resolve FLUID-6132 return togo; } } if (create && root[segment] === undefined) { // This optimisation in this heavily used function has a fair effect return root[segment] = {}; } return root[segment]; }; // unsupported, NON-API function fluid.model.parseToSegments = function (EL, parseEL, copy) { return typeof(EL) === "number" || typeof(EL) === "string" ? parseEL(EL) : (copy ? fluid.makeArray(EL) : EL); }; // unsupported, NON-API function fluid.model.pathToSegments = function (EL, config) { var parser = config && config.parser ? config.parser.parse : fluid.model.parseEL; return fluid.model.parseToSegments(EL, parser); }; // Overall strategy skeleton for all implementations of fluid.get/set fluid.model.accessImpl = function (root, EL, newValue, config, initSegs, returnSegs, traverser) { var segs = fluid.model.pathToSegments(EL, config); var initPos = 0; if (initSegs) { initPos = initSegs.length; segs = initSegs.concat(segs); } var uncess = newValue === fluid.NO_VALUE ? 0 : 1; root = traverser(root, segs, initPos, config, uncess); if (newValue === fluid.NO_VALUE || newValue === fluid.VALUE) { // get or custom return returnSegs ? {root: root, segs: segs} : root; } else { // set root[segs[segs.length - 1]] = newValue; } }; // unsupported, NON-API function fluid.model.accessSimple = function (root, EL, newValue, environment, initSegs, returnSegs) { return fluid.model.accessImpl(root, EL, newValue, environment, initSegs, returnSegs, fluid.model.traverseSimple); }; // unsupported, NON-API function fluid.model.traverseSimple = function (root, segs, initPos, environment, uncess) { var origEnv = environment; var limit = segs.length - uncess; for (var i = 0; i < limit; ++i) { if (!root) { return undefined; } var segment = segs[i]; if (environment && environment[segment]) { root = environment[segment]; } else { root = fluid.model.resolvePathSegment(root, segment, uncess === 1, origEnv); } environment = null; } return root; }; fluid.model.setSimple = function (root, EL, newValue, environment, initSegs) { fluid.model.accessSimple(root, EL, newValue, environment, initSegs, false); }; /* Optimised version of fluid.get for uncustomised configurations */ fluid.model.getSimple = function (root, EL, environment, initSegs) { Iif (EL === null || EL === undefined || EL.length === 0) { return root; } return fluid.model.accessSimple(root, EL, fluid.NO_VALUE, environment, initSegs, false); }; /* Even more optimised version which assumes segs are parsed and no configuration */ fluid.getImmediate = function (root, segs, i) { var limit = (i === undefined ? segs.length : i + 1); for (var j = 0; j < limit; ++j) { root = root ? root[segs[j]] : undefined; } return root; }; // unsupported, NON-API function // Returns undefined to signal complex configuration which needs to be farmed out to DataBinding.js // any other return represents an environment value AND a simple configuration we can handle here fluid.decodeAccessorArg = function (arg3) { return (!arg3 || arg3 === fluid.model.defaultGetConfig || arg3 === fluid.model.defaultSetConfig) ? null : (arg3.type === "environment" ? arg3.value : undefined); }; fluid.set = function (root, EL, newValue, config, initSegs) { var env = fluid.decodeAccessorArg(config); if (env === undefined) { fluid.model.setWithStrategy(root, EL, newValue, config, initSegs); } else { fluid.model.setSimple(root, EL, newValue, env, initSegs); } }; /** Evaluates an EL expression by fetching a dot-separated list of members * recursively from a provided root. * @param {Object} root - The root data structure in which the EL expression is to be evaluated * @param {String|Array} EL - The EL expression to be evaluated, or an array of path segments * @param {Object} [config] - An optional configuration or environment structure which can customise the fetch operation * @return {Any} The fetched data value. */ fluid.get = function (root, EL, config, initSegs) { var env = fluid.decodeAccessorArg(config); return env === undefined ? fluid.model.getWithStrategy(root, EL, config, initSegs) : fluid.model.accessImpl(root, EL, fluid.NO_VALUE, env, null, false, fluid.model.traverseSimple); }; fluid.getGlobalValue = function (path, env) { Eif (path) { env = env || fluid.environment; return fluid.get(fluid.global, path, {type: "environment", value: env}); } }; /** * Allows for the binding to a "this-ist" function * @param {Object} obj - "this-ist" object to bind to * @param {Object} fnName - The name of the function to call. * @param {Object} args - Arguments to call the function with. * @return {Any} - The return value (if any) of the underlying function. */ fluid.bind = function (obj, fnName, args) { return obj[fnName].apply(obj, fluid.makeArray(args)); }; /** * Allows for the calling of a function from an EL expression "functionPath", with the arguments "args", scoped to an framework version "environment". * @param {Object} functionPath - An EL expression * @param {Object} args - An array of arguments to be applied to the function, specified in functionPath * @param {Object} [environment] - (optional) The object to scope the functionPath to (typically the framework root for version control) * @return {Any} - The return value from the invoked function. */ fluid.invokeGlobalFunction = function (functionPath, args, environment) { var func = fluid.getGlobalValue(functionPath, environment); Iif (!func) { fluid.fail("Error invoking global function: " + functionPath + " could not be located"); } else { return func.apply(null, fluid.isArrayable(args) ? args : fluid.makeArray(args)); } }; /* Registers a new global function at a given path */ fluid.registerGlobalFunction = function (functionPath, func, env) { env = env || fluid.environment; fluid.set(fluid.global, functionPath, func, {type: "environment", value: env}); }; fluid.setGlobalValue = fluid.registerGlobalFunction; /* Ensures that an entry in the global namespace exists. If it does not, a new entry is created as {} and returned. If an existing * value is found, it is returned instead */ fluid.registerNamespace = function (naimspace, env) { env = env || fluid.environment; var existing = fluid.getGlobalValue(naimspace, env); if (!existing) { existing = {}; fluid.setGlobalValue(naimspace, existing, env); } return existing; }; // stubs for two functions in FluidDebugging.js fluid.dumpEl = fluid.identity; fluid.renderTimestamp = fluid.identity; /*** The Fluid instance id ***/ // unsupported, NON-API function fluid.generateUniquePrefix = function () { return (Math.floor(Math.random() * 1e12)).toString(36) + "-"; }; var fluid_prefix = fluid.generateUniquePrefix(); fluid.fluidInstance = fluid_prefix; var fluid_guid = 1; /* Allocate a string value that will be unique within this Infusion instance (frame or process), and * globally unique with high probability (50% chance of collision after a million trials) */ fluid.allocateGuid = function () { return fluid_prefix + (fluid_guid++); }; /*** The Fluid Event system. ***/ fluid.registerNamespace("fluid.event"); // Fluid priority system for encoding relative positions of, e.g. listeners, transforms, options, in lists fluid.extremePriority = 4e9; // around 2^32 - allows headroom of 21 fractional bits for sub-priorities fluid.priorityTypes = { first: -1, last: 1, before: 0, after: 0 }; // TODO: This should be properly done with defaults blocks and a much more performant fluid.indexDefaults fluid.extremalPriorities = { // a built-in definition to allow test infrastructure "last" listeners to sort after all impl listeners, and authoring/debugging listeners to sort after those // these are "priority intensities", and will be flipped for "first" listeners none: 0, testing: 10, authoring: 20 }; // unsupported, NON-API function // TODO: Note - no "fixedOnly = true" sites remain in the framework fluid.parsePriorityConstraint = function (constraint, fixedOnly, site) { var segs = constraint.split(":"); var type = segs[0]; var lookup = fluid.priorityTypes[type]; if (lookup === undefined) { fluid.fail("Invalid constraint type in priority field " + constraint + ": the only supported values are " + fluid.keys(fluid.priorityTypes).join(", ") + " or numeric"); } Iif (fixedOnly && lookup === 0) { fluid.fail("Constraint type in priority field " + constraint + " is not supported in a " + site + " record - you must use either a numeric value or first, last"); } return { type: segs[0], target: segs[1] }; }; // unsupported, NON-API function fluid.parsePriority = function (priority, count, fixedOnly, site) { priority = priority || 0; var togo = { count: count || 0, fixed: null, constraint: null, site: site }; if (typeof(priority) === "number") { togo.fixed = -priority; } else { togo.constraint = fluid.parsePriorityConstraint(priority, fixedOnly, site); } var multiplier = togo.constraint ? fluid.priorityTypes[togo.constraint.type] : 0; if (multiplier !== 0) { var target = togo.constraint.target || "none"; var extremal = fluid.extremalPriorities[target]; Iif (extremal === undefined) { fluid.fail("Unrecognised extremal priority target " + target + ": the currently supported values are " + fluid.keys(fluid.extremalPriorities).join(", ") + ": register your value in fluid.extremalPriorities"); } togo.fixed = multiplier * (fluid.extremePriority + extremal); } if (togo.fixed !== null) { togo.fixed += togo.count / 1024; // use some fractional bits to encode count bias } return togo; }; fluid.renderPriority = function (parsed) { return parsed.constraint ? (parsed.constraint.target ? parsed.constraint.type + ":" + parsed.constraint.target : parsed.constraint.type ) : Math.floor(parsed.fixed); }; // unsupported, NON-API function fluid.compareByPriority = function (recA, recB) { if (recA.priority.fixed !== null && recB.priority.fixed !== null) { return recA.priority.fixed - recB.priority.fixed; } else { // sort constraint records to the end // relies on JavaScript boolean coercion rules (ECMA 9.3 toNumber) return (recA.priority.fixed === null) - (recB.priority.fixed === null); } }; fluid.honourConstraint = function (array, firstConstraint, c) { var constraint = array[c].priority.constraint; var matchIndex = fluid.find(array, function (element, index) { return element.namespace === constraint.target ? index : undefined; }, -1); if (matchIndex === -1) { // TODO: We should report an error during firing if this condition persists until then return true; } else if (matchIndex >= firstConstraint) { return false; } else { var offset = constraint.type === "after" ? 1 : 0; var target = matchIndex + offset; var temp = array[c]; for (var shift = c; shift >= target; --shift) { array[shift] = array[shift - 1]; } array[target] = temp; return true; } }; // unsupported, NON-API function // Priorities accepted from users have higher numbers representing high priority (sort first) - fluid.sortByPriority = function (array) { fluid.stableSort(array, fluid.compareByPriority); var firstConstraint = fluid.find(array, function (element, index) { return element.priority.constraint && fluid.priorityTypes[element.priority.constraint.type] === 0 ? index : undefined; }, array.length); while (true) { if (firstConstraint === array.length) { return array; } var oldFirstConstraint = firstConstraint; for (var c = firstConstraint; c < array.length; ++c) { var applied = fluid.honourConstraint(array, firstConstraint, c); if (applied) { ++firstConstraint; } } if (firstConstraint === oldFirstConstraint) { var holders = array.slice(firstConstraint); fluid.fail("Could not find targets for any constraints in " + holders[0].priority.site + " ", holders, ": none of the targets (" + fluid.getMembers(holders, "priority.constraint.target").join(", ") + ") matched any namespaces of the elements in (", array.slice(0, firstConstraint), ") - this is caused by either an invalid or circular reference"); } } }; /** Parse a hash containing prioritised records (for example, as found in a ContextAwareness record) and return a sorted array of these records in priority order. * @param {Object} records - A hash of key names to prioritised records. Each record may contain an member `namespace` - if it does not, the namespace will be taken from the * record's key. It may also contain a `String` member `priority` encoding a priority with respect to these namespaces as document at http://docs.fluidproject.org/infusion/development/Priorities.html . * @param {String} name - A human-readable name describing the supplied records, which will be incorporated into the message of any error encountered when resolving the priorities * @return {Array} An array of the same elements supplied to `records`, sorted into priority order. The supplied argument `records` will not be modified. */ fluid.parsePriorityRecords = function (records, name) { var array = fluid.hashToArray(records, "namespace", function (newElement, oldElement, index) { $.extend(newElement, oldElement); newElement.priority = fluid.parsePriority(oldElement.priority, index, false, name); }); fluid.sortByPriority(array); return array; }; fluid.event.identifyListener = function (listener, soft) { if (typeof(listener) !== "string" && !listener.$$fluid_guid && !soft) { listener.$$fluid_guid = fluid.allocateGuid(); } return listener.$$fluid_guid; }; // unsupported, NON-API function fluid.event.impersonateListener = function (origListener, newListener) { fluid.event.identifyListener(origListener); newListener.$$fluid_guid = origListener.$$fluid_guid; }; // unsupported, NON-API function fluid.event.sortListeners = function (listeners) { var togo = []; fluid.each(listeners, function (oneNamespace) { var headHard; // notify only the first listener with hard namespace - or else all if all are soft for (var i = 0; i < oneNamespace.length; ++i) { var thisListener = oneNamespace[i]; if (!thisListener.softNamespace && !headHard) { headHard = thisListener; } } if (headHard) { togo.push(headHard); } else { togo = togo.concat(oneNamespace); } }); return fluid.sortByPriority(togo); }; // unsupported, NON-API function fluid.event.resolveListener = function (listener) { var listenerName = listener.globalName || (typeof(listener) === "string" ? listener : null); if (listenerName) { var listenerFunc = fluid.getGlobalValue(listenerName); Iif (!listenerFunc) { fluid.fail("Unable to look up name " + listenerName + " as a global function"); } else { listener = listenerFunc; } } return listener; }; /* Generate a name for a component for debugging purposes */ fluid.nameComponent = function (that) { return that ? "component with typename " + that.typeName + " and id " + that.id : "[unknown component]"; }; fluid.event.nameEvent = function (that, eventName) { return eventName + " of " + fluid.nameComponent(that); }; /** Construct an "event firer" object which can be used to register and deregister * listeners, to which "events" can be fired. These events consist of an arbitrary * function signature. General documentation on the Fluid events system is at * http://docs.fluidproject.org/infusion/development/InfusionEventSystem.html . * @param {Object} options - A structure to configure this event firer. Supported fields: * {String} name - a readable name for this firer to be used in diagnostics and debugging * {Boolean} preventable - If <code>true</code> the return value of each handler will * be checked for <code>false</code> in which case further listeners will be shortcircuited, and this * will be the return value of fire() * @return {Object} - The newly-created event firer. */ fluid.makeEventFirer = function (options) { options = options || {}; var name = options.name || "<anonymous>"; var that; var lazyInit = function () { // Lazy init function to economise on object references for events which are never listened to that.listeners = {}; that.byId = {}; that.sortedListeners = []; // arguments after 3rd are not part of public API // listener as Object is used only by ChangeApplier to tunnel path, segs, etc as part of its "spec" /** Adds a listener to this event. * @param {Function|String} listener - The listener function to be added, or a global name resolving to a function. The signature of the function is arbitrary and matches that sent to event.fire() * @param {String} namespace - (Optional) A namespace for this listener. At most one listener with a particular namespace can be active on an event at one time. Removing successively added listeners with a particular * namespace will expose previously added ones in a stack idiom * @param {String|Number} priority - A priority for the listener relative to others, perhaps expressed with a constraint relative to the namespace of another - see * http://docs.fluidproject.org/infusion/development/Priorities.html * @param {String} softNamespace - An unsupported internal option that is not part of the public API. * @param {String} listenerId - An unsupported internal option that is not part of the public API. */ that.addListener = function (listener, namespace, priority, softNamespace, listenerId) { var record; Iif (that.destroyed) { fluid.fail("Cannot add listener to destroyed event firer " + that.name); } Iif (!listener) { return; } if (fluid.isPlainObject(listener, true) && !fluid.isApplicable(listener)) { record = listener; listener = record.listener; namespace = record.namespace; priority = record.priority; softNamespace = record.softNamespace; listenerId = record.listenerId; } if (typeof(listener) === "string") { listener = {globalName: listener}; } var id = listenerId || fluid.event.identifyListener(listener); namespace = namespace || id; record = $.extend(record || {}, { namespace: namespace, listener: listener, softNamespace: softNamespace, listenerId: listenerId, priority: fluid.parsePriority(priority, that.sortedListeners.length, false, "listeners") }); that.byId[id] = record; var thisListeners = (that.listeners[namespace] = fluid.makeArray(that.listeners[namespace])); thisListeners[softNamespace ? "push" : "unshift"] (record); that.sortedListeners = fluid.event.sortListeners(that.listeners); }; that.addListener.apply(null, arguments); }; that = { eventId: fluid.allocateGuid(), name: name, ownerId: options.ownerId, typeName: "fluid.event.firer", destroy: function () { that.destroyed = true; }, addListener: function () { lazyInit.apply(null, arguments); }, /** Removes a listener previously registered with this event. * @param {Function|String} toremove - Either the listener function, the namespace of a listener (in which case a previous listener with that namespace may be uncovered) or an id sent to the undocumented * `listenerId` argument of `addListener */ // Can be supplied either listener, namespace, or id (which may match either listener function's guid or original listenerId argument) removeListener: function (listener) { if (!that.listeners) { return; } var namespace, id, record; if (typeof (listener) === "string") { namespace = listener; record = that.listeners[namespace]; if (!record) { // it was an id and not a namespace - take the namespace from its record later id = namespace; namespace = null; } } else Eif (typeof(listener) === "function") { id = fluid.event.identifyListener(listener, true); Iif (!id) { fluid.fail("Cannot remove unregistered listener function ", listener, " from event " + that.name); } } var rec = that.byId[id]; var softNamespace = rec && rec.softNamespace; namespace = namespace || (rec && rec.namespace) || id; delete that.byId[id]; record = that.listeners[namespace]; if (record) { if (softNamespace) { fluid.remove_if(record, function (thisLis) { return thisLis.listener.$$fluid_guid === id || thisLis.listenerId === id; }); } else { record.shift(); } if (record.length === 0) { delete that.listeners[namespace]; } } that.sortedListeners = fluid.event.sortListeners(that.listeners); }, /* Fires this event to all listeners which are active. They will be notified in order of priority. The signature of this method is free. */ fire: function () { var listeners = that.sortedListeners; if (!listeners || that.destroyed) { return; } if (fluid.passLogLevel(fluid.logLevel.TRACE)) { fluid.log(fluid.logLevel.TRACE, "Firing event " + name + " to list of " + listeners.length + " listeners"); } for (var i = 0; i < listeners.length; ++i) { var lisrec = listeners[i]; lisrec.listener = fluid.event.resolveListener(lisrec.listener); var listener = lisrec.listener; var ret = listener.apply(null, arguments); var value; if (options.preventable && ret === false || that.destroyed) { value = false; } if (value !== undefined) { return value; } } } }; return that; }; // unsupported, NON-API function // Fires to an event which may not be instantiated (in which case no-op) - primary modern usage is to resolve FLUID-5904 fluid.fireEvent = function (component, eventName, args) { var firer = component.events[eventName]; if (firer) { firer.fire.apply(null, fluid.makeArray(args)); } }; // unsupported, NON-API function fluid.event.addListenerToFirer = function (firer, value, namespace, wrapper) { wrapper = wrapper || fluid.identity; if (fluid.isArrayable(value)) { for (var i = 0; i < value.length; ++i) { fluid.event.addListenerToFirer(firer, value[i], namespace, wrapper); } } else if (typeof (value) === "function" || typeof (value) === "string") { wrapper(firer).addListener(value, namespace); } else Eif (value && typeof (value) === "object") { wrapper(firer).addListener(value.listener, namespace || value.namespace, value.priority, value.softNamespace, value.listenerId); } }; // unsupported, NON-API function - non-IOC passthrough fluid.event.resolveListenerRecord = function (records) { return { records: records }; }; fluid.expandImmediate = function (material) { fluid.fail("fluid.expandImmediate could not be loaded - please include FluidIoC.js in order to operate IoC-driven event with descriptor " + material); }; // unsupported, NON-API function fluid.mergeListeners = function (that, events, listeners) { fluid.each(listeners, function (value, key) { var firer, namespace; if (fluid.isIoCReference(key)) { firer = fluid.expandImmediate(key, that); Iif (!firer) { fluid.fail("Error in listener record: key " + key + " could not be looked up to an event firer - did you miss out \"events.\" when referring to an event firer?"); } } else { var keydot = key.indexOf("."); if (keydot !== -1) { namespace = key.substring(keydot + 1); key = key.substring(0, keydot); } Iif (!events[key]) { fluid.fail("Listener registered for event " + key + " which is not defined for this component"); } firer = events[key]; } var record = fluid.event.resolveListenerRecord(value, that, key, namespace, true); fluid.event.addListenerToFirer(firer, record.records, namespace, record.adderWrapper); }); }; // unsupported, NON-API function fluid.eventFromRecord = function (eventSpec, eventKey, that) { var isIoCEvent = eventSpec && (typeof (eventSpec) !== "string" || fluid.isIoCReference(eventSpec)); var event; if (isIoCEvent) { Iif (!fluid.event.resolveEvent) { fluid.fail("fluid.event.resolveEvent could not be loaded - please include FluidIoC.js in order to operate IoC-driven event with descriptor ", eventSpec); } else { event = fluid.event.resolveEvent(that, eventKey, eventSpec); } } else { event = fluid.makeEventFirer({ name: fluid.event.nameEvent(that, eventKey), preventable: eventSpec === "preventable", ownerId: that.id }); } return event; }; // unsupported, NON-API function - this is patched from FluidIoC.js fluid.instantiateFirers = function (that, options) { fluid.each(options.events, function (eventSpec, eventKey) { that.events[eventKey] = fluid.eventFromRecord(eventSpec, eventKey, that); }); }; // unsupported, NON-API function fluid.mergeListenerPolicy = function (target, source, key) { Iif (typeof (key) !== "string") { fluid.fail("Error in listeners declaration - the keys in this structure must resolve to event names - got " + key + " from ", source); } // cf. triage in mergeListeners var hasNamespace = !fluid.isIoCReference(key) && key.indexOf(".") !== -1; return hasNamespace ? (source || target) : fluid.arrayConcatPolicy(target, source); }; // unsupported, NON-API function fluid.makeMergeListenersPolicy = function (merger, modelRelay) { return function (target, source) { target = target || {}; if (modelRelay && (fluid.isArrayable(source) || typeof(source.target) === "string")) { // This form allowed for modelRelay target[""] = merger(target[""], source, ""); } else { fluid.each(source, function (listeners, key) { target[key] = merger(target[key], listeners, key); }); } return target; }; }; fluid.validateListenersImplemented = function (that) { var errors = []; fluid.each(that.events, function (event, name) { fluid.each(event.sortedListeners, function (lisrec) { if (lisrec.listener === fluid.notImplemented || lisrec.listener.globalName === "fluid.notImplemented") { errors.push({name: name, namespace: lisrec.namespace, componentSource: fluid.model.getSimple(that.options.listeners, [name + "." + lisrec.namespace, 0, "componentSource"])}); } }); }); return errors; }; /* Removes duplicated and empty elements from an already sorted array. */ fluid.unique = function (array) { return fluid.remove_if(array, function (element, i) { return !element || i > 0 && element === array[i - 1]; }); }; fluid.arrayConcatPolicy = function (target, source) { return fluid.makeArray(target).concat(fluid.makeArray(source)); }; /*** FLUID ERROR SYSTEM ***/ fluid.failureEvent = fluid.makeEventFirer({name: "failure event"}); fluid.failureEvent.addListener(fluid.builtinFail, "fail"); fluid.failureEvent.addListener(fluid.logFailure, "log", "before:fail"); /** * Configure the behaviour of fluid.fail by pushing or popping a disposition record onto a stack. * @param {Number|Function} condition - Supply either a function, which will be called with two arguments, args (the complete arguments to * fluid.fail) and activity, an array of strings describing the current framework invocation state. * Or, the argument may be the number <code>-1</code> indicating that the previously supplied disposition should * be popped off the stack */ fluid.pushSoftFailure = function (condition) { if (typeof (condition) === "function") { fluid.failureEvent.addListener(condition, "fail"); } else Eif (condition === -1) { fluid.failureEvent.removeListener("fail"); } else if (typeof(condition) === "boolean") { fluid.fail("pushSoftFailure with boolean value is no longer supported"); } }; /*** DEFAULTS AND OPTIONS MERGING SYSTEM ***/ // A function to tag the types of all Fluid components fluid.componentConstructor = function () {}; /** Create a "type tag" component with no state but simply a type name and id. The most * minimal form of Fluid component */ // No longer a publically supported function - we don't abolish this because it is too annoying to prevent // circularity during the bootup of the IoC system if we try to construct full components before it is complete // unsupported, non-API function fluid.typeTag = function (name) { var that = Object.create(fluid.componentConstructor.prototype); that.typeName = name; that.id = fluid.allocateGuid(); return that; }; var gradeTick = 1; // tick counter for managing grade cache invalidation var gradeTickStore = {}; fluid.defaultsStore = {}; // unsupported, NON-API function // Recursively builds up "gradeStructure" in first argument. 2nd arg receives gradeNames to be resolved, with stronger grades at right (defaults order) // builds up gradeStructure.gradeChain pushed from strongest to weakest (reverse defaults order) fluid.resolveGradesImpl = function (gs, gradeNames) { gradeNames = fluid.makeArray(gradeNames); for (var i = gradeNames.length - 1; i >= 0; --i) { // from stronger to weaker var gradeName = gradeNames[i]; if (gradeName && !gs.gradeHash[gradeName]) { var isDynamic = fluid.isIoCReference(gradeName); var options = (isDynamic ? null : fluid.rawDefaults(gradeName)) || {}; var thisTick = gradeTickStore[gradeName] || (gradeTick - 1); // a nonexistent grade is recorded as just previous to current gs.lastTick = Math.max(gs.lastTick, thisTick); gs.gradeHash[gradeName] = true; gs.gradeChain.push(gradeName); var oGradeNames = fluid.makeArray(options.gradeNames); for (var j = oGradeNames.length - 1; j >= 0; --j) { // from stronger to weaker grades // TODO: in future, perhaps restore mergedDefaultsCache function of storing resolved gradeNames for bare grades fluid.resolveGradesImpl(gs, oGradeNames[j]); } } } return gs; }; // unsupported, NON-API function fluid.resolveGradeStructure = function (defaultName, gradeNames) { var gradeStruct = { lastTick: 0, gradeChain: [], gradeHash: {} }; // stronger grades appear to the right in defaults - dynamic grades are stronger still - FLUID-5085 // we supply these to resolveGradesImpl with strong grades at the right fluid.resolveGradesImpl(gradeStruct, [defaultName].concat(fluid.makeArray(gradeNames))); gradeStruct.gradeChain.reverse(); // reverse into defaults order return gradeStruct; }; fluid.hasGrade = function (options, gradeName) { return !options || !options.gradeNames ? false : fluid.contains(options.gradeNames, gradeName); }; // unsupported, NON-API function fluid.resolveGrade = function (defaults, defaultName, gradeNames) { var gradeStruct = fluid.resolveGradeStructure(defaultName, gradeNames); // TODO: Fault in the merging algorithm does not actually treat arguments as immutable - failure in FLUID-5082 tests // due to listeners mergePolicy var mergeArgs = fluid.transform(gradeStruct.gradeChain, fluid.rawDefaults, fluid.copy); fluid.remove_if(mergeArgs, function (options) { return !options; }); var mergePolicy = {}; for (var i = 0; i < mergeArgs.length; ++i) { if (mergeArgs[i] && mergeArgs[i].mergePolicy) { mergePolicy = $.extend(true, mergePolicy, mergeArgs[i].mergePolicy); } } mergeArgs = [mergePolicy, {}].concat(mergeArgs); var mergedDefaults = fluid.merge.apply(null, mergeArgs); mergedDefaults.gradeNames = gradeStruct.gradeChain; // replace these since mergePolicy version is inadequate fluid.freezeRecursive(mergedDefaults); return {defaults: mergedDefaults, lastTick: gradeStruct.lastTick}; }; fluid.mergedDefaultsCache = {}; // unsupported, NON-API function fluid.gradeNamesToKey = function (defaultName, gradeNames) { return defaultName + "|" + gradeNames.join("|"); }; // unsupported, NON-API function // The main entry point to acquire the fully merged defaults for a combination of defaults plus mixin grades - from FluidIoC.js as well as recursively within itself fluid.getMergedDefaults = function (defaultName, gradeNames) { gradeNames = fluid.makeArray(gradeNames); var key = fluid.gradeNamesToKey(defaultName, gradeNames); var mergedDefaults = fluid.mergedDefaultsCache[key]; if (mergedDefaults) { var lastTick = 0; // check if cache should be invalidated through real latest tick being later than the one stored var searchGrades = mergedDefaults.defaults.gradeNames || []; for (var i = 0; i < searchGrades.length; ++i) { lastTick = Math.max(lastTick, gradeTickStore[searchGrades[i]] || 0); } if (lastTick > mergedDefaults.lastTick) { if (fluid.passLogLevel(fluid.logLevel.TRACE)) { fluid.log(fluid.logLevel.TRACE, "Clearing cache for component " + defaultName + " with gradeNames ", searchGrades); } mergedDefaults = null; } } if (!mergedDefaults) { var defaults = fluid.rawDefaults(defaultName); if (!defaults) { return defaults; } mergedDefaults = fluid.mergedDefaultsCache[key] = fluid.resolveGrade(defaults, defaultName, gradeNames); } return mergedDefaults.defaults; }; // unsupported, NON-API function /** Upgrades an element of an IoC record which designates a function to prepare for a {func, args} representation. * @param {Any} rec - If the record is of a primitive type, * @param {String} key - The key in the returned record to hold the function, this will default to `funcName` if `rec` is a `string` *not* * holding an IoC reference, or `func` otherwise * @return {Object} The original `rec` if it was not of primitive type, else a record holding { key : rec } if it was of primitive type. */ fluid.upgradePrimitiveFunc = function (rec, key) { if (rec && fluid.isPrimitive(rec)) { var togo = {}; togo[key || (typeof(rec) === "string" && rec.charAt(0) !== "{" ? "funcName" : "func")] = rec; togo.args = fluid.NO_VALUE; return togo; } else { return rec; } }; // unsupported, NON-API function // Modify supplied options record to include "componentSource" annotation required by FLUID-5082 // TODO: This function really needs to act recursively in order to catch listeners registered for subcomponents - fix with FLUID-5614 fluid.annotateListeners = function (componentName, options) { options.listeners = fluid.transform(options.listeners, function (record) { var togo = fluid.makeArray(record); return fluid.transform(togo, function (onerec) { onerec = fluid.upgradePrimitiveFunc(onerec, "listener"); onerec.componentSource = componentName; return onerec; }); }); options.invokers = fluid.transform(options.invokers, function (record) { record = fluid.upgradePrimitiveFunc(record); if (record) { record.componentSource = componentName; } return record; }); }; // unsupported, NON-API function fluid.rawDefaults = function (componentName) { var entry = fluid.defaultsStore[componentName]; return entry && entry.options; }; // unsupported, NON-API function fluid.registerRawDefaults = function (componentName, options) { fluid.pushActivity("registerRawDefaults", "registering defaults for grade %componentName with options %options", {componentName: componentName, options: options}); var optionsCopy = fluid.expandCompact ? fluid.expandCompact(options) : fluid.copy(options); fluid.annotateListeners(componentName, optionsCopy); var callerInfo = fluid.getCallerInfo && fluid.getCallerInfo(6); fluid.defaultsStore[componentName] = { options: optionsCopy, callerInfo: callerInfo }; gradeTickStore[componentName] = gradeTick++; fluid.popActivity(); }; // unsupported, NON-API function fluid.doIndexDefaults = function (defaultName, defaults, index, indexSpec) { var requiredGrades = fluid.makeArray(indexSpec.gradeNames); for (var i = 0; i < requiredGrades.length; ++i) { if (!fluid.hasGrade(defaults, requiredGrades[i])) { return; } } var indexFunc = typeof(indexSpec.indexFunc) === "function" ? indexSpec.indexFunc : fluid.getGlobalValue(indexSpec.indexFunc); var keys = indexFunc(defaults) || []; for (var j = 0; j < keys.length; ++j) { fluid.pushArray(index, keys[j], defaultName); } }; /** Evaluates an index specification over all the defaults records registered into the system. * @param {String} indexName - The name of this index record (currently ignored) * @param {Object} indexSpec - Specification of the index to be performed - fields: * gradeNames: {String|String[]} List of grades that must be matched by this indexer * indexFunc: {String|Function} An index function which accepts a defaults record and returns an array of keys * @return A structure indexing keys to arrays of matched gradenames */ // The expectation is that this function is extremely rarely used with respect to registration of defaults // in the system, so currently we do not make any attempts to cache the results. The field "indexName" is // supplied in case a future implementation chooses to implement caching fluid.indexDefaults = function (indexName, indexSpec) { var index = {}; for (var defaultName in fluid.defaultsStore) { var defaults = fluid.getMergedDefaults(defaultName); fluid.doIndexDefaults(defaultName, defaults, index, indexSpec); } return index; }; /** * Retrieves and stores a grade's configuration centrally. * @param {String} componentName - The name of the grade whose options are to be read or written * @param {Object} [options] - An (optional) object containing the options to be set * @return {Object|undefined} - If `options` is omitted, returns the defaults for `componentName`. Otherwise, * creates an instance of the named component with the supplied options. */ fluid.defaults = function (componentName, options) { if (options === undefined) { return fluid.getMergedDefaults(componentName); } else { if (options && options.options) { fluid.fail("Probable error in options structure for " + componentName + " with option named \"options\" - perhaps you meant to write these options at top level in fluid.defaults? - ", options); } fluid.registerRawDefaults(componentName, options); var gradedDefaults = fluid.getMergedDefaults(componentName); if (!fluid.hasGrade(gradedDefaults, "fluid.function")) { fluid.makeComponentCreator(componentName); } } }; fluid.makeComponentCreator = function (componentName) { var creator = function () { var defaults = fluid.getMergedDefaults(componentName); Iif (!defaults.gradeNames || defaults.gradeNames.length === 0) { fluid.fail("Cannot make component creator for type " + componentName + " which does not have any gradeNames defined"); } else if (!defaults.initFunction) { var blankGrades = []; for (var i = 0; i < defaults.gradeNames.length; ++i) { var gradeName = defaults.gradeNames[i]; var rawDefaults = fluid.rawDefaults(gradeName); if (!rawDefaults) { blankGrades.push(gradeName); } } Iif (blankGrades.length === 0) { fluid.fail("Cannot make component creator for type " + componentName + " which does not have an initFunction defined"); } else { fluid.fail("The grade hierarchy of component with type " + componentName + " is incomplete - it inherits from the following grade(s): " + blankGrades.join(", ") + " for which the grade definitions are corrupt or missing. Please check the files which might include these " + "grades and ensure they are readable and have been loaded by this instance of Infusion"); } } else { return fluid.initComponent(componentName, arguments); } }; var existing = fluid.getGlobalValue(componentName); if (existing) { $.extend(creator, existing); } fluid.setGlobalValue(componentName, creator); }; fluid.emptyPolicy = fluid.freezeRecursive({}); // unsupported, NON-API function fluid.derefMergePolicy = function (policy) { return (policy ? policy["*"] : fluid.emptyPolicy) || fluid.emptyPolicy; }; // unsupported, NON-API function fluid.compileMergePolicy = function (mergePolicy) { var builtins = {}, defaultValues = {}; var togo = {builtins: builtins, defaultValues: defaultValues}; if (!mergePolicy) { return togo; } fluid.each(mergePolicy, function (value, key) { var parsed = {}, builtin = true; if (typeof(value) === "function") { parsed.func = value; } else if (typeof(value) === "object") { parsed = value; } else if (!fluid.isDefaultValueMergePolicy(value)) { var split = value.split(/\s*,\s*/); for (var i = 0; i < split.length; ++i) { parsed[split[i]] = true; } } else { // Convert to ginger self-reference - NB, this can only be parsed by IoC fluid.set(defaultValues, key, "{that}.options." + value); togo.hasDefaults = true; builtin = false; } if (builtin) { fluid.set(builtins, fluid.composePath(key, "*"), parsed); } }); return togo; }; // TODO: deprecate this method of detecting default value merge policies before 1.6 in favour of // explicit typed records a la ModelTransformations // unsupported, NON-API function fluid.isDefaultValueMergePolicy = function (policy) { return typeof(policy) === "string" && (policy.indexOf(",") === -1 && !/replace|nomerge|noexpand/.test(policy)); }; // unsupported, NON-API function fluid.mergeOneImpl = function (thisTarget, thisSource, j, sources, newPolicy, i, segs) { var togo = thisTarget; var primitiveTarget = fluid.isPrimitive(thisTarget); Eif (thisSource !== undefined) { if (!newPolicy.func && thisSource !== null && fluid.isPlainObject(thisSource) && !newPolicy.nomerge) { if (primitiveTarget) { togo = thisTarget = fluid.freshContainer(thisSource); } // recursion is now external? We can't do it from here since sources are not all known // options.recurse(thisTarget, i + 1, segs, sources, newPolicyHolder, options); } else { sources[j] = undefined; if (newPolicy.func) { togo = newPolicy.func.call(null, thisTarget, thisSource, segs[i - 1], segs, i); // NB - change in this mostly unused argument } else { togo = thisSource; } } } return togo; }; // NB - same quadratic worry about these as in FluidIoC in the case the RHS trundler is live - // since at each regeneration step driving the RHS we are discarding the "cursor arguments" these // would have to be regenerated at each step - although in practice this can only happen once for // each object for all time, since after first resolution it will be concrete. function regenerateCursor(source, segs, limit, sourceStrategy) { for (var i = 0; i < limit; ++i) { source = sourceStrategy(source, segs[i], i, fluid.makeArray(segs)); // copy for FLUID-5243 } return source; } function regenerateSources(sources, segs, limit, sourceStrategies) { var togo = []; for (var i = 0; i < sources.length; ++i) { var thisSource = regenerateCursor(sources[i], segs, limit, sourceStrategies[i]); if (thisSource !== undefined) { togo.push(thisSource); } } return togo; } // unsupported, NON-API function fluid.fetchMergeChildren = function (target, i, segs, sources, mergePolicy, options) { var thisPolicy = fluid.derefMergePolicy(mergePolicy); for (var j = sources.length - 1; j >= 0; --j) { // this direction now irrelevant - control is in the strategy var source = sources[j]; // NB - this detection relies on strategy return being complete objects - which they are // although we need to set up the roots separately. We need to START the process of evaluating each // object root (sources) COMPLETELY, before we even begin! Even if the effect of this is to cause a // dispatch into ourselves almost immediately. We can do this because we can take control over our // TARGET objects and construct them early. Even if there is a self-dispatch, it will be fine since it is // DIRECTED and so will not trouble our "slow" detection of properties. After all self-dispatches end, control // will THEN return to "evaluation of arguments" (expander blocks) and only then FINALLY to this "slow" // traversal of concrete properties to do the final merge. if (source !== undefined) { fluid.each(source, function (newSource, name) { var childPolicy = fluid.concreteTrundler(mergePolicy, name); // 2nd arm of condition is an Outrageous bodge to fix FLUID-4930 further. See fluid.tests.retrunking in FluidIoCTests.js // We make extra use of the old "evaluateFully" flag and ensure to flood any trunk objects again during final "initter" phase of merging. // The problem is that a custom mergePolicy may have replaced the system generated trunk with a differently structured object which we must not // corrupt. This work should properly be done with a set of dedicated provenance/progress records in a separate structure if (!(name in target) || (options.evaluateFully && childPolicy === undefined && !fluid.isPrimitive(target[name]))) { // only request each new target key once -- all sources will be queried per strategy segs[i] = name; options.strategy(target, name, i + 1, segs, sources, mergePolicy); } }); if (thisPolicy.replace) { // this branch primarily deals with a policy of replace at the root break; } } } return target; }; // A special marker object which will be placed at a current evaluation point in the tree in order // to protect against circular evaluation fluid.inEvaluationMarker = Object.freeze({"__CURRENTLY_IN_EVALUATION__": true}); // A path depth above which the core "process strategies" will bail out, assuming that the // structure has become circularly linked. Helpful in environments such as Firebug which will // kill the browser process if they happen to be open when a stack overflow occurs. Also provides // a more helpful diagnostic. fluid.strategyRecursionBailout = 50; // unsupported, NON-API function fluid.makeMergeStrategy = function (options) { var strategy = function (target, name, i, segs, sources, policy) { Iif (i > fluid.strategyRecursionBailout) { fluid.fail("Overflow/circularity in options merging, current path is ", segs, " at depth " , i, " - please protect components from merging using the \"nomerge\" merge policy"); } Iif (fluid.isPrimitive(target)) { // For "use strict" return undefined; // Review this after FLUID-4925 since the only trigger is in slow component lookahead } Iif (fluid.isTracing) { fluid.tracing.pathCount.push(fluid.path(segs.slice(0, i))); } var oldTarget; if (name in target) { // bail out if our work has already been done oldTarget = target[name]; if (!options.evaluateFully) { // see notes on this hack in "initter" - early attempt to deal with FLUID-4930 return oldTarget; } } else { if (target !== fluid.inEvaluationMarker) { // TODO: blatant "coding to the test" - this enables the simplest "re-trunking" in // FluidIoCTests to function. In practice, we need to throw away this implementation entirely in favour of the // "iterative deepening" model coming with FLUID-4925 target[name] = fluid.inEvaluationMarker; } } if (sources === undefined) { // recover our state in case this is an external entry point segs = fluid.makeArray(segs); // avoid trashing caller's segs sources = regenerateSources(options.sources, segs, i - 1, options.sourceStrategies); policy = regenerateCursor(options.mergePolicy, segs, i - 1, fluid.concreteTrundler); } var newPolicyHolder = fluid.concreteTrundler(policy, name); var newPolicy = fluid.derefMergePolicy(newPolicyHolder); var start, limit, mul; if (newPolicy.replace) { start = 1 - sources.length; limit = 0; mul = -1; } else { start = 0; limit = sources.length - 1; mul = +1; } var newSources = []; var thisTarget; for (var j = start; j <= limit; ++j) { // TODO: try to economise on this array and on gaps var k = mul * j; var thisSource = options.sourceStrategies[k](sources[k], name, i, segs); // Run the RH algorithm in "driving" mode if (thisSource !== undefined) { if (!fluid.isPrimitive(thisSource)) { newSources[k] = thisSource; } if (oldTarget === undefined) { if (mul === -1) { // if we are going backwards, it is "replace" thisTarget = target[name] = thisSource; break; } else { // write this in early, since early expansions may generate a trunk object which is written in to by later ones thisTarget = fluid.mergeOneImpl(thisTarget, thisSource, j, newSources, newPolicy, i, segs, options); if (target !== fluid.inEvaluationMarker) { target[name] = thisTarget; } } } } } if (oldTarget !== undefined) { thisTarget = oldTarget; } if (newSources.length > 0) { if (fluid.isPlainObject(thisTarget)) { fluid.fetchMergeChildren(thisTarget, i, segs, newSources, newPolicyHolder, options); } } if (oldTarget === undefined && newSources.length === 0) { delete target[name]; // remove the evaluation marker - nothing to evaluate } return thisTarget; }; options.strategy = strategy; return strategy; }; // A simple stand-in for "fluid.get" where the material is covered by a single strategy fluid.driveStrategy = function (root, pathSegs, strategy) { pathSegs = fluid.makeArray(pathSegs); for (var i = 0; i < pathSegs.length; ++i) { if (!root) { return undefined; } root = strategy(root, pathSegs[i], i + 1, pathSegs); } return root; }; // A very simple "new inner trundler" that just performs concrete property access // Note that every "strategy" is also a "trundler" of this type, considering just the first two arguments fluid.concreteTrundler = function (source, seg) { return !source ? undefined : source[seg]; }; /** Merge a collection of options structures onto a target, following an optional policy. * This method is now used only for the purpose of merging "dead" option documents in order to * cache graded component defaults. Component option merging is now performed by the * fluid.makeMergeOptions pathway which sets up a deferred merging process. This function * will not be removed in the Fluid 2.0 release but it is recommended that users not call it * directly. * The behaviour of this function is explained more fully on * the page http://wiki.fluidproject.org/display/fluid/Options+Merging+for+Fluid+Components . * @param {Object|String} policy - A "policy object" specifiying the type of merge to be performed. * If policy is of type {String} it should take on the value "replace" representing * a static policy. If it is an * Object, it should contain a mapping of EL paths onto these String values, representing a * fine-grained policy. If it is an Object, the values may also themselves be EL paths * representing that a default value is to be taken from that path. * @param {...Object} options1, options2, .... - an arbitrary list of options structure which are to * be merged together. These will not be modified. */ fluid.merge = function (policy /*, ... sources */) { var sources = Array.prototype.slice.call(arguments, 1); var compiled = fluid.compileMergePolicy(policy).builtins; var options = fluid.makeMergeOptions(compiled, sources, {}); options.initter(); return options.target; }; // unsupported, NON-API function fluid.simpleGingerBlock = function (source, recordType) { var block = { target: source, simple: true, strategy: fluid.concreteTrundler, initter: fluid.identity, recordType: recordType, priority: fluid.mergeRecordTypes[recordType] }; return block; }; // unsupported, NON-API function fluid.makeMergeOptions = function (policy, sources, userOptions) { // note - we close over the supplied policy as a shared object reference - it will be updated during discovery var options = { mergePolicy: policy, sources: sources }; options = $.extend(options, userOptions); options.target = options.target || fluid.freshContainer(options.sources[0]); options.sourceStrategies = options.sourceStrategies || fluid.generate(options.sources.length, fluid.concreteTrundler); options.initter = function () { // This hack is necessary to ensure that the FINAL evaluation doesn't balk when discovering a trunk path which was already // visited during self-driving via the expander. This bi-modality is sort of rubbish, but we currently don't have "room" // in the strategy API to express when full evaluation is required - and the "flooding API" is not standardised. See FLUID-4930 options.evaluateFully = true; fluid.fetchMergeChildren(options.target, 0, [], options.sources, options.mergePolicy, options); }; fluid.makeMergeStrategy(options); return options; }; // unsupported, NON-API function fluid.transformOptions = function (options, transRec) { fluid.expect("Options transformation record", transRec, ["transformer", "config"]); var transFunc = fluid.getGlobalValue(transRec.transformer); return transFunc.call(null, options, transRec.config); }; // unsupported, NON-API function fluid.findMergeBlocks = function (mergeBlocks, recordType) { return fluid.remove_if(fluid.makeArray(mergeBlocks), function (block) { return block.recordType !== recordType; }); }; // unsupported, NON-API function fluid.transformOptionsBlocks = function (mergeBlocks, transformOptions, recordTypes) { fluid.each(recordTypes, function (recordType) { var blocks = fluid.findMergeBlocks(mergeBlocks, recordType); fluid.each(blocks, function (block) { var source = block.source ? "source" : "target"; // TODO: Problem here with irregular presentation of options which consist of a reference in their entirety block[block.simple || source === "target" ? "target" : "source"] = fluid.transformOptions(block[source], transformOptions); }); }); }; // unsupported, NON-API function fluid.dedupeDistributionNamespaces = function (mergeBlocks) { // to implement FLUID-5824 var byNamespace = {}; fluid.remove_if(mergeBlocks, function (mergeBlock) { var ns = mergeBlock.namespace; if (ns) { if (byNamespace[ns] && byNamespace[ns] !== mergeBlock.contextThat.id) { // source check for FLUID-5835 return true; } else { byNamespace[ns] = mergeBlock.contextThat.id; } } }); }; // unsupported, NON-API function fluid.deliverOptionsStrategy = fluid.identity; fluid.computeComponentAccessor = fluid.identity; fluid.computeDynamicComponents = fluid.identity; // The types of merge record the system supports, with the weakest records first fluid.mergeRecordTypes = { defaults: 1000, defaultValueMerge: 900, subcomponentRecord: 800, user: 700, distribution: 100 // and above }; // Utility used in the framework (primarily with distribution assembly), unconnected with new ChangeApplier // unsupported, NON-API function fluid.model.applyChangeRequest = function (model, request) { var segs = request.segs; if (segs.length === 0) { if (request.type === "ADD") { $.extend(true, model, request.value); } else { fluid.clear(model); } } else if (request.type === "ADD") { fluid.model.setSimple(model, request.segs, request.value); } else { for (var i = 0; i < segs.length - 1; ++i) { model = model[segs[i]]; if (!model) { return; } } var last = segs[segs.length - 1]; delete model[last]; } }; /** Delete the value in the supplied object held at the specified path * @param {Object} target - The object holding the value to be deleted (possibly empty) * @param {String[]} segs - the path of the value to be deleted */ // unsupported, NON-API function fluid.destroyValue = function (target, segs) { Eif (target) { fluid.model.applyChangeRequest(target, {type: "DELETE", segs: segs}); } }; /** * Merges the component's declared defaults, as obtained from fluid.defaults(), * with the user's specified overrides. * * @param {Object} that - the instance to attach the options to * @param {String} componentName - the unique "name" of the component, which will be used * to fetch the default options from store. By recommendation, this should be the global * name of the component's creator function. * @param {Object} userOptions - the user-specified configuration options for this component */ // unsupported, NON-API function fluid.mergeComponentOptions = function (that, componentName, userOptions, localOptions) { var rawDefaults = fluid.rawDefaults(componentName); var defaults = fluid.getMergedDefaults(componentName, rawDefaults && rawDefaults.gradeNames ? null : localOptions.gradeNames); var sharedMergePolicy = {}; var mergeBlocks = []; if (fluid.expandComponentOptions) { mergeBlocks = mergeBlocks.concat(fluid.expandComponentOptions(sharedMergePolicy, defaults, userOptions, that)); } else { mergeBlocks = mergeBlocks.concat([fluid.simpleGingerBlock(defaults, "defaults"), fluid.simpleGingerBlock(userOptions, "user")]); } var options = {}; // ultimate target var sourceStrategies = [], sources = []; var baseMergeOptions = { target: options, sourceStrategies: sourceStrategies }; // Called both from here and from IoC whenever there is a change of block content or arguments which // requires them to be resorted and rebound var updateBlocks = function () { fluid.each(mergeBlocks, function (block) { if (fluid.isPrimitive(block.priority)) { block.priority = fluid.parsePriority(block.priority, 0, false, "options distribution"); } }); fluid.sortByPriority(mergeBlocks); fluid.dedupeDistributionNamespaces(mergeBlocks); sourceStrategies.length = 0; sources.length = 0; fluid.each(mergeBlocks, function (block) { sourceStrategies.push(block.strategy); sources.push(block.target); }); }; updateBlocks(); var mergeOptions = fluid.makeMergeOptions(sharedMergePolicy, sources, baseMergeOptions); mergeOptions.mergeBlocks = mergeBlocks; mergeOptions.updateBlocks = updateBlocks; mergeOptions.destroyValue = function (segs) { // This method is a temporary hack to assist FLUID-5091 for (var i = 0; i < mergeBlocks.length; ++i) { if (!mergeBlocks[i].immutableTarget) { fluid.destroyValue(mergeBlocks[i].target, segs); } } fluid.destroyValue(baseMergeOptions.target, segs); }; var compiledPolicy; var mergePolicy; function computeMergePolicy() { // Decode the now available mergePolicy mergePolicy = fluid.driveStrategy(options, "mergePolicy", mergeOptions.strategy); mergePolicy = $.extend({}, fluid.rootMergePolicy, mergePolicy); compiledPolicy = fluid.compileMergePolicy(mergePolicy); // TODO: expandComponentOptions has already put some builtins here - performance implications of the now huge // default mergePolicy material need to be investigated as well as this deep merge $.extend(true, sharedMergePolicy, compiledPolicy.builtins); // ensure it gets broadcast to all sharers } computeMergePolicy(); mergeOptions.computeMergePolicy = computeMergePolicy; if (compiledPolicy.hasDefaults) { Eif (fluid.generateExpandBlock) { mergeBlocks.push(fluid.generateExpandBlock({ options: compiledPolicy.defaultValues, recordType: "defaultValueMerge", priority: fluid.mergeRecordTypes.defaultValueMerge }, that, {})); updateBlocks(); } else { fluid.fail("Cannot operate mergePolicy ", mergePolicy, " for component ", that, " without including FluidIoC.js"); } } that.options = options; fluid.driveStrategy(options, "gradeNames", mergeOptions.strategy); fluid.deliverOptionsStrategy(that, options, mergeOptions); // do this early to broadcast and receive "distributeOptions" fluid.computeComponentAccessor(that, userOptions && userOptions.localRecord); var transformOptions = fluid.driveStrategy(options, "transformOptions", mergeOptions.strategy); if (transformOptions) { fluid.transformOptionsBlocks(mergeBlocks, transformOptions, ["user", "subcomponentRecord"]); updateBlocks(); // because the possibly simple blocks may have changed target } Iif (!baseMergeOptions.target.mergePolicy) { computeMergePolicy(); } return mergeOptions; }; // The Fluid Component System proper // The base system grade definitions fluid.defaults("fluid.function", {}); /** Invoke a global function by name and named arguments. A courtesy to allow declaratively encoded function calls * to use named arguments rather than bare arrays. * @param {String} name - A global name which can be resolved to a Function. The defaults for this name must * resolve onto a grade including "fluid.function". The defaults record should also contain an entry * <code>argumentMap</code>, a hash of argument names onto indexes. * @param {Object} spec - A named hash holding the argument values to be sent to the function. These will be looked * up in the <code>argumentMap</code> and resolved into a flat list of arguments. * @return {Any} The return value from the function */ fluid.invokeGradedFunction = function (name, spec) { var defaults = fluid.defaults(name); if (!defaults || !defaults.argumentMap || !fluid.hasGrade(defaults, "fluid.function")) { fluid.fail("Cannot look up name " + name + " to a function with registered argumentMap - got defaults ", defaults); } var args = []; fluid.each(defaults.argumentMap, function (value, key) { args[value] = spec[key]; }); return fluid.invokeGlobalFunction(name, args); }; fluid.noNamespaceDistributionPrefix = "no-namespace-distribution-"; fluid.mergeOneDistribution = function (target, source, key) { var namespace = source.namespace || key || fluid.noNamespaceDistributionPrefix + fluid.allocateGuid(); source.namespace = namespace; target[namespace] = $.extend(true, {}, target[namespace], source); }; fluid.distributeOptionsPolicy = function (target, source) { target = target || {}; if (fluid.isArrayable(source)) { for (var i = 0; i < source.length; ++i) { fluid.mergeOneDistribution(target, source[i]); } } else if (typeof(source.target) === "string") { fluid.mergeOneDistribution(target, source); } else { fluid.each(source, function (oneSource, key) { fluid.mergeOneDistribution(target, oneSource, key); }); } return target; }; fluid.mergingArray = function () {}; fluid.mergingArray.prototype = []; // Defer all evaluation of all nested members to resolve FLUID-5668 fluid.membersMergePolicy = function (target, source) { target = target || {}; fluid.each(source, function (oneSource, key) { if (!target[key]) { target[key] = new fluid.mergingArray(); } if (oneSource instanceof fluid.mergingArray) { target[key].push.apply(target[key], oneSource); } else if (oneSource !== undefined) { target[key].push(oneSource); } }); return target; }; fluid.invokerStrategies = fluid.arrayToHash(["func", "funcName", "listener", "this", "method", "changePath", "value"]); // Resolve FLUID-5741, FLUID-5184 by ensuring that we avoid mixing incompatible invoker strategies fluid.invokersMergePolicy = function (target, source) { target = target || {}; fluid.each(source, function (oneInvoker, name) { if (!oneInvoker) { target[name] = oneInvoker; return; } else { oneInvoker = fluid.upgradePrimitiveFunc(oneInvoker); } var oneT = target[name]; if (!oneT) { oneT = target[name] = {}; } for (var key in fluid.invokerStrategies) { if (key in oneInvoker) { for (var key2 in fluid.invokerStrategies) { oneT[key2] = undefined; // can't delete since stupid driveStrategy bug from recordStrategy reinstates them } } } $.extend(oneT, oneInvoker); }); return target; }; fluid.rootMergePolicy = { gradeNames: fluid.arrayConcatPolicy, distributeOptions: fluid.distributeOptionsPolicy, members: { noexpand: true, func: fluid.membersMergePolicy }, invokers: { noexpand: true, func: fluid.invokersMergePolicy }, transformOptions: "replace", listeners: fluid.makeMergeListenersPolicy(fluid.mergeListenerPolicy) }; fluid.defaults("fluid.component", { initFunction: "fluid.initLittleComponent", mergePolicy: fluid.rootMergePolicy, argumentMap: { options: 0 }, events: { // Three standard lifecycle points common to all components onCreate: null, onDestroy: null, afterDestroy: null } }); fluid.defaults("fluid.emptySubcomponent", { gradeNames: ["fluid.component"] }); /* Compute a "nickname" given a fully qualified typename, by returning the last path * segment. */ fluid.computeNickName = function (typeName) { var segs = fluid.model.parseEL(typeName); return segs[segs.length - 1]; }; /** A specially recognised grade tag which directs the IoC framework to instantiate this component first amongst * its set of siblings, since it is likely to bear a context-forming type name. This will be removed from the framework * once we have implemented FLUID-4925 "wave of explosions" */ fluid.defaults("fluid.typeFount", { gradeNames: ["fluid.component"] }); /** * Creates a new "little component": a that-ist object with options merged into it by the framework. * This method is a convenience for creating small objects that have options but don't require full * View-like features such as the DOM Binder or events * * @param {Object} name - The name of the little component to create * @param {Object} options - User-supplied options to merge with the defaults */ // NOTE: the 3rd argument localOptions is NOT to be advertised as part of the stable API, it is present // just to allow backward compatibility whilst grade specifications are not mandatory - similarly for 4th arg "receiver" // NOTE historical name to avoid confusion with fluid.initComponent below - this will all be refactored with FLUID-4925 fluid.initLittleComponent = function (name, userOptions, localOptions, receiver) { var that = fluid.typeTag(name); that.lifecycleStatus = "constructing"; localOptions = localOptions || {gradeNames: "fluid.component"}; that.destroy = fluid.makeRootDestroy(that); // overwritten by FluidIoC for constructed subcomponents var mergeOptions = fluid.mergeComponentOptions(that, name, userOptions, localOptions); mergeOptions.exceptions = {members: {model: true, modelRelay: true}}; // don't evaluate these in "early flooding" - they must be fetched explicitly var options = that.options; that.events = {}; // deliver to a non-IoC side early receiver of the component (currently only initView) (receiver || fluid.identity)(that, options, mergeOptions.strategy); fluid.computeDynamicComponents(that, mergeOptions); // TODO: ****THIS**** is the point we must deliver and suspend!! Construct the "component skeleton" first, and then continue // for as long as we can continue to find components. for (var i = 0; i < mergeOptions.mergeBlocks.length; ++i) { mergeOptions.mergeBlocks[i].initter(); } mergeOptions.initter(); delete options.mergePolicy; fluid.instantiateFirers(that, options); fluid.mergeListeners(that, that.events, options.listeners); return that; }; fluid.diagnoseFailedView = fluid.identity; // unsupported, NON-API function fluid.makeRootDestroy = function (that) { return function () { fluid.doDestroy(that); fluid.fireEvent(that, "afterDestroy", [that, "", null]); }; }; /* Returns <code>true</code> if the supplied reference holds a component which has been destroyed */ fluid.isDestroyed = function (that) { return that.lifecycleStatus === "destroyed"; }; // unsupported, NON-API function fluid.doDestroy = function (that, name, parent) { fluid.fireEvent(that, "onDestroy", [that, name || "", parent]); that.lifecycleStatus = "destroyed"; for (var key in that.events) { if (key !== "afterDestroy" && typeof(that.events[key].destroy) === "function") { that.events[key].destroy(); } } if (that.applier) { // TODO: Break this out into the grade's destroyer that.applier.destroy(); } }; // unsupported, NON-API function fluid.initComponent = function (componentName, initArgs) { var options = fluid.defaults(componentName); Iif (!options.gradeNames) { fluid.fail("Cannot initialise component " + componentName + " which has no gradeName registered"); } var args = [componentName].concat(fluid.makeArray(initArgs)); var that; fluid.pushActivity("initComponent", "constructing component of type %componentName with arguments %initArgs", {componentName: componentName, initArgs: initArgs}); that = fluid.invokeGlobalFunction(options.initFunction, args); fluid.diagnoseFailedView(componentName, that, options, args); if (fluid.initDependents) { fluid.initDependents(that); } var errors = fluid.validateListenersImplemented(that); if (errors.length > 0) { fluid.fail(fluid.transform(errors, function (error) { return ["Error constructing component ", that, " - the listener for event " + error.name + " with namespace " + error.namespace + ( (error.componentSource ? " which was defined in grade " + error.componentSource : "") + " needs to be overridden with a concrete implementation")]; })).join("\n"); } if (that.lifecycleStatus === "constructing") { that.lifecycleStatus = "constructed"; } that.events.onCreate.fire(that); fluid.popActivity(); return that; }; // unsupported, NON-API function fluid.initSubcomponentImpl = function (that, entry, args) { var togo; Eif (typeof (entry) !== "function") { var entryType = typeof (entry) === "string" ? entry : entry.type; togo = entryType === "fluid.emptySubcomponent" ? null : fluid.invokeGlobalFunction(entryType, args); } else { togo = entry.apply(null, args); } return togo; }; // ******* SELECTOR ENGINE ********* // selector regexps copied from jQuery - recent versions correct the range to start C0 // The initial portion of the main character selector: "just add water" to add on extra // accepted characters, as well as the "\\\\." -> "\." portion necessary for matching // period characters escaped in selectors var charStart = "(?:[\\w\\u00c0-\\uFFFF*_-"; fluid.simpleCSSMatcher = { regexp: new RegExp("([#.]?)(" + charStart + "]|\\\\.)+)", "g"), charToTag: { "": "tag", "#": "id", ".": "clazz" } }; fluid.IoCSSMatcher = { regexp: new RegExp("([&#]?)(" + charStart + "]|\\.|\\/)+)", "g"), charToTag: { "": "context", "&": "context", "#": "id" } }; var childSeg = new RegExp("\\s*(>)?\\s*", "g"); // var whiteSpace = new RegExp("^\\w*$"); // Parses a selector expression into a data structure holding a list of predicates // 2nd argument is a "strategy" structure, e.g. fluid.simpleCSSMatcher or fluid.IoCSSMatcher // unsupported, non-API function fluid.parseSelector = function (selstring, strategy) { var togo = []; selstring = selstring.trim(); //ws-(ss*)[ws/>] var regexp = strategy.regexp; regexp.lastIndex = 0; var lastIndex = 0; while (true) { var atNode = []; // a list of predicates at a particular node var first = true; while (true) { var segMatch = regexp.exec(selstring); if (!segMatch) { break; } if (segMatch.index !== lastIndex) { if (first) { fluid.fail("Error in selector string - cannot match child selector expression starting at " + selstring.substring(lastIndex)); } else { break; } } var thisNode = {}; var text = segMatch[2]; var targetTag = strategy.charToTag[segMatch[1]]; Eif (targetTag) { thisNode[targetTag] = text; } atNode[atNode.length] = thisNode; lastIndex = regexp.lastIndex; first = false; } childSeg.lastIndex = lastIndex; var fullAtNode = {predList: atNode}; var childMatch = childSeg.exec(selstring); Iif (!childMatch || childMatch.index !== lastIndex) { fluid.fail("Error in selector string - can not match child selector expression at " + selstring.substring(lastIndex)); } if (childMatch[1] === ">") { fullAtNode.child = true; } togo[togo.length] = fullAtNode; // >= test here to compensate for IE bug http://blog.stevenlevithan.com/archives/exec-bugs if (childSeg.lastIndex >= selstring.length) { break; } lastIndex = childSeg.lastIndex; regexp.lastIndex = childSeg.lastIndex; } return togo; }; // Message resolution and templating /** * * Take an original object and represent it using top-level sub-elements whose keys are EL Paths. For example, * `originalObject` might look like: * * ``` * { * deep: { * path: { * value: "foo", * emptyObject: {}, * array: [ "peas", "porridge", "hot"] * } * } * } * ``` * * Calling `fluid.flattenObjectKeys` on this would result in a new object that looks like: * * ``` * { * "deep": "[object Object]", * "deep.path": "[object Object]", * "deep.path.value": "foo", * "deep.path.array": "peas,porridge,hot", * "deep.path.array.0": "peas", * "deep.path.array.1": "porridge", * "deep.path.array.2": "hot" * } * ``` * * This function preserves the previous functionality of displaying an entire object using its `toString` function, * which is why many of the paths above resolve to "[object Object]". * * This function is an unsupported non-API function that is used in by `fluid.stringTemplate` (see below). * * @param {Object} originalObject - An object. * @return {Object} A representation of the original object that only contains top-level sub-elements whose keys are EL Paths. * */ // unsupported, non-API function fluid.flattenObjectPaths = function (originalObject) { var flattenedObject = {}; fluid.each(originalObject, function (value, key) { if (value !== null && typeof value === "object") { var flattenedSubObject = fluid.flattenObjectPaths(value); fluid.each(flattenedSubObject, function (subValue, subKey) { flattenedObject[key + "." + subKey] = subValue; }); Eif (typeof fluid.get(value, "toString") === "function") { flattenedObject[key] = value.toString(); } } else { flattenedObject[key] = value; } }); return flattenedObject; }; /** * * Simple string template system. Takes a template string containing tokens in the form of "%value" or * "%deep.path.to.value". Returns a new string with the tokens replaced by the specified values. Keys and values * can be of any data type that can be coerced into a string. * * @param {String} template - A string (can be HTML) that contains tokens embedded into it. * @param {Object} values - A collection of token keys and values. * @return {String} A string whose tokens have been replaced with values. * */ fluid.stringTemplate = function (template, values) { var flattenedValues = fluid.flattenObjectPaths(values); var keys = fluid.keys(flattenedValues); keys = keys.sort(fluid.compareStringLength()); for (var i = 0; i < keys.length; ++i) { var key = keys[i]; var templatePlaceholder = "%" + key; var replacementValue = flattenedValues[key]; var indexOfPlaceHolder = -1; while ((indexOfPlaceHolder = template.indexOf(templatePlaceholder)) !== -1) { template = template.slice(0, indexOfPlaceHolder) + replacementValue + template.slice(indexOfPlaceHolder + templatePlaceholder.length); } } return template; }; })(jQuery, fluid_3_0_0); |