1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433 2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444 2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474 2475 2476 2477 2478 2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516 2517 2518 2519 2520 2521 2522 2523 2524 2525 2526 2527 2528 2529 2530 2531 2532 2533 2534 2535 2536 2537 2538 2539 2540 2541 2542 2543 2544 2545 2546 2547 2548 2549 2550 2551 2552 2553 2554 2555 2556 2557 2558 2559 2560 2561 2562 2563 2564 2565 2566 2567 2568 2569 2570 2571 2572 2573 2574 2575 2576 2577 2578 2579 2580 2581 2582 2583 2584 2585 2586 2587 2588 2589 2590 2591 2592 2593 2594 2595 2596 2597 2598 2599 2600 2601 2602 2603 2604 2605 2606 2607 2608 2609 2610 2611 2612 2613 2614 2615 2616 2617 2618 2619 2620 2621 2622 2623 2624 2625 2626 2627 2628 2629 2630 2631 2632 2633 2634 2635 2636 2637 2638 2639 2640 2641 2642 2643 2644 2645 2646 2647 2648 2649 2650 2651 2652 2653 2654 2655 2656 2657 2658 2659 2660 2661 2662 2663 2664 2665 2666 2667 2668 2669 2670 2671 2672 2673 2674 2675 2676 2677 2678 2679 2680 2681 2682 2683 2684 2685 2686 2687 2688 2689 2690 2691 2692 2693 2694 2695 2696 2697 2698 2699 2700 2701 2702 2703 2704 2705 2706 2707 2708 2709 2710 2711 2712 2713 2714 2715 2716 2717 2718 2719 2720 2721 2722 2723 2724 2725 2726 2727 2728 2729 2730 2731 2732 2733 2734 2735 2736 2737 2738 2739 2740 2741 2742 2743 2744 2745 2746 2747 2748 2749 2750 2751 2752 2753 2754 2755 2756 2757 2758 2759 2760 2761 2762 2763 2764 2765 2766 2767 2768 2769 2770 2771 2772 2773 2774 2775 2776 2777 2778 2779 2780 2781 2782 2783 2784 2785 2786 2787 2788 2789 2790 2791 2792 2793 2794 2795 2796 2797 2798 2799 2800 2801 2802 2803 2804 2805 2806 2807 2808 2809 2810 2811 2812 2813 2814 2815 2816 2817 2818 2819 2820 2821 2822 2823 2824 2825 2826 2827 2828 2829 2830 2831 2832 2833 2834 2835 2836 2837 2838 2839 2840 2841 2842 2843 2844 2845 2846 2847 2848 2849 2850 2851 2852 2853 2854 2855 2856 2857 2858 2859 2860 2861 2862 2863 2864 2865 2866 2867 2868 2869 2870 2871 2872 2873 2874 2875 2876 2877 2878 2879 2880 2881 2882 2883 2884 2885 2886 2887 2888 2889 2890 2891 2892 2893 2894 2895 2896 2897 2898 2899 2900 2901 2902 2903 2904 2905 2906 2907 2908 2909 2910 2911 2912 2913 2914 2915 2916 2917 2918 2919 2920 2921 2922 2923 2924 2925 2926 2927 2928 2929 2930 2931 2932 2933 2934 2935 2936 2937 2938 2939 2940 2941 2942 2943 2944 2945 2946 2947 2948 2949 2950 2951 2952 2953 2954 2955 2956 2957 2958 2959 2960 2961 2962 2963 2964 2965 2966 2967 2968 2969 2970 2971 2972 2973 2974 2975 2976 2977 2978 2979 2980 2981 2982 2983 2984 2985 2986 2987 2988 2989 2990 2991 2992 2993 2994 2995 2996 2997 2998 2999 3000 3001 3002 3003 3004 3005 3006 3007 3008 3009 3010 3011 3012 3013 3014 3015 3016 3017 3018 3019 3020 3021 3022 3023 3024 3025 3026 3027 3028 3029 3030 3031 3032 3033 3034 3035 3036 3037 3038 3039 3040 3041 3042 3043 3044 3045 3046 3047 3048 3049 3050 3051 3052 3053 3054 3055 3056 3057 3058 3059 3060 3061 3062 3063 3064 3065 3066 3067 3068 3069 3070 3071 3072 3073 3074 3075 3076 3077 3078 3079 3080 3081 3082 3083 3084 3085 3086 3087 3088 3089 3090 3091 3092 3093 3094 3095 3096 3097 3098 3099 3100 3101 3102 3103 3104 3105 3106 3107 3108 3109 3110 3111 3112 3113 3114 3115 3116 3117 3118 3119 3120 3121 3122 3123 3124 3125 3126 3127 3128 3129 3130 3131 3132 3133 3134 3135 3136 3137 3138 3139 3140 3141 3142 3143 3144 3145 3146 3147 3148 3149 3150 3151 3152 3153 3154 3155 3156 3157 3158 3159 3160 3161 3162 3163 3164 3165 3166 3167 3168 3169 3170 3171 3172 3173 3174 3175 3176 3177 3178 3179 3180 3181 3182 3183 3184 3185 3186 3187 3188 3189 3190 3191 3192 3193 3194 3195 3196 3197 3198 3199 3200 3201 3202 3203 3204 3205 3206 3207 3208 3209 3210 3211 3212 3213 3214 3215 3216 3217 3218 3219 3220 3221 3222 3223 3224 3225 3226 3227 3228 3229 3230 3231 3232 3233 3234 3235 3236 3237 3238 3239 3240 3241 3242 3243 3244 3245 3246 3247 3248 3249 3250 3251 3252 3253 3254 3255 3256 3257 3258 3259 3260 3261 3262 3263 3264 3265 3266 3267 3268 3269 3270 3271 3272 3273 3274 3275 3276 3277 3278 3279 3280 3281 3282 3283 3284 3285 3286 3287 3288 3289 3290 3291 3292 3293 3294 3295 3296 3297 3298 3299 3300 3301 3302 3303 3304 3305 3306 3307 3308 3309 3310 3311 3312 3313 3314 3315 3316 3317 3318 3319 3320 3321 3322 3323 3324 3325 3326 3327 3328 3329 3330 3331 3332 3333 3334 3335 3336 3337 3338 3339 3340 3341 3342 3343 3344 3345 3346 3347 3348 3349 3350 3351 3352 3353 3354 3355 3356 3357 3358 3359 3360 3361 3362 3363 3364 3365 3366 3367 3368 3369 3370 3371 3372 3373 3374 3375 3376 3377 3378 3379 3380 3381 3382 3383 3384 3385 3386 3387 3388 3389 3390 3391 3392 3393 3394 3395 3396 3397 3398 3399 3400 3401 3402 3403 3404 3405 3406 3407 3408 3409 3410 3411 3412 3413 3414 3415 3416 3417 3418 3419 3420 3421 3422 3423 3424 3425 3426 3427 3428 3429 3430 3431 3432 3433 3434 3435 3436 3437 3438 3439 3440 3441 3442 3443 3444 3445 3446 3447 3448 3449 3450 3451 3452 3453 3454 3455 3456 3457 3458 3459 3460 3461 3462 3463 3464 3465 3466 3467 3468 3469 3470 3471 3472 3473 3474 3475 3476 3477 3478 3479 3480 3481 3482 3483 3484 3485 3486 3487 3488 3489 3490 3491 3492 3493 3494 3495 3496 3497 3498 3499 3500 3501 3502 3503 3504 3505 3506 3507 3508 3509 3510 3511 3512 3513 3514 3515 3516 3517 3518 3519 3520 3521 3522 3523 3524 3525 3526 3527 3528 3529 3530 3531 3532 3533 3534 3535 3536 3537 3538 3539 3540 3541 3542 3543 3544 3545 3546 3547 3548 3549 3550 3551 3552 3553 3554 3555 3556 3557 3558 3559 3560 3561 3562 3563 3564 3565 3566 3567 3568 3569 3570 3571 3572 3573 3574 3575 3576 3577 3578 3579 3580 3581 3582 3583 3584 3585 3586 3587 3588 3589 3590 3591 3592 3593 3594 3595 3596 3597 3598 3599 3600 3601 3602 3603 3604 3605 3606 3607 3608 3609 3610 3611 3612 3613 3614 3615 3616 3617 3618 3619 3620 3621 3622 3623 3624 3625 3626 3627 3628 3629 3630 3631 3632 3633 3634 3635 3636 3637 3638 3639 3640 3641 3642 3643 3644 3645 3646 3647 3648 3649 3650 3651 3652 3653 3654 3655 3656 3657 3658 3659 3660 3661 3662 3663 3664 3665 3666 3667 3668 3669 3670 3671 3672 3673 3674 3675 3676 3677 3678 3679 3680 3681 3682 3683 3684 3685 3686 3687 3688 3689 3690 3691 3692 3693 3694 3695 3696 3697 3698 3699 3700 3701 3702 3703 3704 3705 3706 3707 3708 3709 3710 3711 3712 3713 3714 3715 3716 3717 3718 3719 3720 3721 3722 3723 3724 3725 3726 3727 3728 3729 3730 3731 3732 3733 3734 3735 3736 3737 3738 3739 3740 3741 3742 3743 3744 3745 3746 3747 3748 3749 3750 3751 3752 3753 3754 3755 3756 3757 3758 3759 3760 3761 3762 3763 3764 3765 3766 3767 3768 3769 3770 3771 3772 3773 3774 3775 3776 3777 3778 3779 3780 3781 3782 3783 3784 3785 3786 3787 3788 3789 3790 3791 3792 3793 3794 3795 3796 3797 3798 3799 3800 3801 3802 3803 3804 3805 3806 3807 3808 3809 3810 3811 3812 3813 3814 3815 3816 3817 3818 3819 3820 3821 3822 3823 3824 3825 3826 3827 3828 3829 3830 3831 3832 3833 3834 3835 3836 3837 3838 3839 3840 3841 3842 3843 3844 3845 3846 3847 3848 3849 3850 3851 3852 3853 3854 3855 3856 3857 3858 3859 3860 3861 3862 3863 3864 3865 3866 3867 3868 3869 3870 3871 3872 3873 3874 3875 3876 3877 3878 3879 3880 3881 3882 3883 3884 3885 3886 3887 3888 3889 3890 3891 3892 3893 3894 3895 3896 3897 3898 3899 3900 3901 3902 3903 3904 3905 3906 3907 3908 3909 3910 3911 3912 3913 3914 3915 3916 3917 3918 3919 3920 3921 3922 3923 3924 3925 3926 3927 3928 3929 3930 3931 3932 3933 3934 3935 3936 3937 3938 3939 3940 3941 3942 3943 3944 3945 3946 3947 3948 3949 3950 3951 3952 3953 3954 3955 3956 3957 3958 3959 3960 3961 3962 3963 3964 3965 3966 3967 3968 3969 3970 3971 3972 3973 3974 3975 3976 3977 3978 3979 3980 3981 3982 3983 3984 3985 3986 3987 3988 3989 3990 3991 3992 3993 3994 3995 3996 3997 3998 3999 4000 4001 4002 4003 4004 4005 4006 4007 4008 4009 4010 4011 4012 4013 4014 4015 4016 4017 4018 4019 4020 4021 4022 4023 4024 4025 4026 4027 4028 4029 4030 4031 4032 4033 4034 4035 4036 4037 4038 4039 4040 4041 4042 4043 4044 4045 4046 4047 4048 4049 4050 4051 4052 4053 4054 4055 4056 4057 4058 4059 4060 4061 4062 4063 4064 4065 4066 4067 4068 4069 4070 4071 4072 4073 4074 4075 4076 4077 4078 4079 4080 4081 4082 4083 4084 4085 4086 4087 4088 4089 4090 4091 4092 4093 4094 4095 4096 4097 4098 4099 4100 4101 4102 4103 4104 4105 4106 4107 4108 4109 4110 4111 4112 4113 4114 4115 4116 4117 4118 4119 4120 4121 4122 4123 4124 4125 4126 4127 4128 4129 4130 4131 4132 4133 4134 4135 4136 4137 4138 4139 4140 4141 4142 4143 4144 4145 4146 4147 4148 4149 4150 4151 4152 4153 4154 4155 4156 4157 4158 4159 4160 4161 4162 4163 4164 4165 4166 4167 4168 4169 4170 4171 4172 4173 4174 4175 4176 4177 4178 4179 4180 4181 4182 4183 4184 4185 4186 4187 4188 4189 4190 4191 4192 4193 4194 4195 4196 4197 4198 4199 4200 4201 4202 4203 4204 4205 4206 4207 4208 4209 4210 4211 4212 4213 4214 4215 4216 4217 4218 4219 4220 4221 4222 4223 4224 4225 4226 4227 4228 4229 4230 4231 4232 4233 4234 4235 4236 4237 4238 4239 4240 4241 4242 4243 4244 4245 4246 4247 4248 4249 4250 4251 4252 4253 4254 4255 4256 4257 4258 4259 4260 4261 4262 4263 4264 4265 4266 4267 4268 4269 4270 4271 4272 4273 4274 4275 4276 4277 4278 4279 4280 4281 4282 4283 4284 4285 4286 4287 4288 4289 4290 4291 4292 4293 4294 4295 4296 4297 4298 4299 4300 4301 4302 4303 4304 4305 4306 4307 4308 4309 4310 4311 4312 4313 4314 4315 4316 4317 4318 4319 4320 4321 4322 4323 4324 4325 4326 4327 4328 4329 4330 4331 4332 4333 4334 4335 4336 4337 4338 4339 4340 4341 4342 4343 4344 4345 4346 4347 4348 4349 4350 4351 4352 4353 4354 4355 4356 4357 4358 4359 4360 4361 4362 4363 4364 4365 4366 4367 4368 4369 4370 4371 4372 4373 4374 4375 4376 4377 4378 4379 4380 4381 4382 4383 4384 4385 4386 4387 4388 4389 4390 4391 4392 4393 4394 4395 4396 4397 4398 4399 4400 4401 4402 4403 4404 4405 4406 4407 4408 4409 4410 4411 4412 4413 4414 4415 4416 4417 4418 4419 4420 4421 4422 4423 4424 4425 4426 4427 4428 4429 4430 4431 4432 4433 4434 4435 4436 4437 4438 4439 4440 4441 4442 4443 4444 4445 4446 4447 4448 4449 4450 4451 4452 4453 4454 4455 4456 4457 4458 4459 4460 4461 4462 4463 4464 4465 4466 4467 4468 4469 4470 4471 4472 4473 4474 4475 4476 4477 4478 4479 4480 4481 4482 4483 4484 4485 4486 4487 4488 4489 4490 4491 4492 4493 4494 4495 4496 4497 4498 4499 4500 4501 4502 4503 4504 4505 4506 4507 4508 4509 4510 4511 4512 4513 4514 4515 4516 4517 4518 4519 4520 4521 4522 4523 4524 4525 4526 4527 4528 4529 4530 4531 4532 4533 4534 4535 4536 4537 4538 4539 4540 4541 4542 4543 4544 4545 4546 4547 4548 4549 4550 4551 4552 4553 4554 4555 4556 4557 4558 4559 4560 4561 4562 4563 4564 4565 4566 4567 4568 4569 4570 4571 4572 4573 4574 4575 4576 4577 4578 4579 4580 4581 4582 4583 4584 4585 4586 4587 4588 4589 4590 4591 4592 4593 4594 4595 4596 4597 4598 4599 4600 4601 4602 4603 4604 4605 4606 4607 4608 4609 4610 4611 4612 4613 4614 4615 4616 4617 4618 4619 4620 4621 4622 4623 4624 4625 4626 4627 4628 4629 4630 4631 4632 4633 4634 4635 4636 4637 4638 4639 4640 4641 4642 4643 4644 4645 4646 4647 4648 4649 4650 4651 4652 4653 4654 4655 4656 4657 4658 4659 4660 4661 4662 4663 4664 4665 4666 4667 4668 4669 4670 4671 4672 4673 4674 4675 4676 4677 4678 4679 4680 4681 4682 4683 4684 4685 4686 4687 4688 4689 4690 4691 4692 4693 4694 4695 4696 4697 4698 4699 4700 4701 4702 4703 4704 4705 4706 4707 4708 4709 4710 4711 4712 4713 4714 4715 4716 4717 4718 4719 4720 4721 4722 4723 4724 4725 4726 4727 4728 4729 4730 4731 4732 4733 4734 4735 4736 4737 4738 4739 4740 4741 4742 4743 4744 4745 4746 4747 4748 4749 4750 4751 4752 4753 4754 4755 4756 4757 4758 4759 4760 4761 4762 4763 4764 4765 4766 4767 4768 4769 4770 4771 4772 4773 4774 4775 4776 4777 4778 4779 4780 4781 4782 4783 4784 4785 4786 4787 4788 4789 4790 4791 4792 4793 4794 4795 4796 4797 4798 4799 4800 4801 4802 4803 4804 4805 4806 4807 4808 4809 4810 4811 4812 4813 4814 4815 4816 4817 4818 4819 4820 4821 4822 4823 4824 4825 4826 4827 4828 4829 4830 4831 4832 4833 4834 4835 4836 4837 4838 4839 4840 4841 4842 4843 4844 4845 4846 4847 4848 4849 4850 4851 4852 4853 4854 4855 4856 4857 4858 4859 4860 4861 4862 4863 4864 4865 4866 4867 4868 4869 4870 4871 4872 4873 4874 4875 4876 4877 4878 4879 4880 4881 4882 4883 4884 4885 4886 4887 4888 4889 4890 4891 4892 4893 4894 4895 4896 4897 4898 4899 4900 4901 4902 4903 4904 4905 4906 4907 4908 4909 4910 4911 4912 4913 4914 4915 4916 4917 4918 4919 4920 4921 4922 4923 4924 4925 4926 4927 4928 4929 4930 4931 4932 4933 4934 4935 4936 4937 4938 4939 4940 4941 4942 4943 4944 4945 4946 4947 4948 4949 4950 4951 4952 4953 4954 4955 4956 4957 4958 4959 4960 4961 4962 4963 4964 4965 4966 4967 4968 4969 4970 4971 4972 4973 4974 4975 4976 4977 4978 4979 4980 4981 4982 4983 4984 4985 4986 4987 4988 4989 4990 4991 4992 4993 4994 4995 4996 4997 4998 4999 5000 5001 5002 5003 5004 5005 5006 5007 5008 5009 5010 5011 5012 5013 5014 5015 5016 5017 5018 5019 5020 5021 5022 5023 5024 5025 5026 5027 5028 5029 5030 5031 5032 5033 5034 5035 5036 5037 5038 5039 5040 5041 5042 5043 5044 5045 5046 5047 5048 5049 5050 5051 5052 5053 5054 5055 5056 5057 5058 5059 5060 5061 5062 5063 5064 5065 5066 5067 5068 5069 5070 5071 5072 5073 5074 5075 5076 5077 5078 5079 5080 5081 5082 5083 5084 5085 5086 5087 5088 5089 5090 5091 5092 5093 5094 5095 5096 5097 5098 5099 5100 5101 5102 5103 5104 5105 5106 5107 5108 5109 5110 5111 5112 5113 5114 5115 5116 5117 5118 5119 5120 5121 5122 5123 5124 5125 5126 5127 5128 5129 5130 5131 5132 5133 5134 5135 5136 5137 5138 5139 5140 5141 5142 5143 5144 5145 5146 5147 5148 5149 5150 5151 5152 5153 5154 5155 5156 5157 5158 5159 5160 5161 5162 5163 5164 5165 5166 5167 5168 5169 5170 5171 5172 5173 5174 5175 5176 5177 5178 5179 5180 5181 5182 5183 5184 5185 5186 5187 5188 5189 5190 5191 5192 5193 5194 5195 5196 5197 5198 5199 5200 5201 5202 5203 5204 5205 5206 5207 5208 5209 5210 5211 5212 5213 5214 5215 5216 5217 5218 5219 5220 5221 5222 5223 5224 5225 5226 5227 5228 5229 5230 5231 5232 5233 5234 5235 5236 5237 5238 5239 5240 5241 5242 5243 5244 5245 5246 5247 5248 5249 5250 5251 5252 5253 5254 5255 5256 5257 5258 5259 5260 5261 5262 5263 5264 5265 5266 5267 5268 5269 5270 5271 5272 5273 5274 5275 5276 5277 5278 5279 5280 5281 5282 5283 5284 5285 5286 5287 5288 5289 5290 5291 5292 5293 5294 5295 5296 5297 5298 5299 5300 5301 5302 5303 5304 5305 5306 5307 5308 5309 5310 5311 5312 5313 5314 5315 5316 5317 5318 5319 5320 5321 5322 5323 5324 5325 5326 5327 5328 5329 5330 5331 5332 5333 5334 5335 5336 5337 5338 5339 5340 5341 5342 5343 5344 5345 5346 5347 5348 5349 5350 5351 5352 5353 5354 5355 5356 5357 5358 5359 5360 5361 5362 5363 5364 5365 5366 5367 5368 5369 5370 5371 5372 5373 5374 5375 5376 5377 5378 5379 5380 5381 5382 5383 5384 5385 5386 5387 5388 5389 5390 5391 5392 5393 5394 5395 5396 5397 5398 5399 5400 5401 5402 5403 5404 5405 5406 5407 5408 5409 5410 5411 5412 5413 5414 5415 5416 5417 5418 5419 5420 5421 5422 5423 5424 5425 5426 5427 5428 5429 5430 5431 5432 5433 5434 5435 5436 5437 5438 5439 5440 5441 5442 5443 5444 5445 5446 5447 5448 5449 5450 5451 5452 5453 5454 5455 5456 5457 5458 5459 5460 5461 5462 5463 5464 5465 5466 5467 5468 5469 5470 5471 5472 5473 5474 5475 5476 5477 5478 5479 5480 5481 5482 5483 5484 5485 5486 5487 5488 5489 5490 5491 5492 5493 5494 5495 5496 5497 5498 5499 5500 5501 5502 5503 5504 5505 5506 5507 5508 5509 5510 5511 5512 5513 5514 5515 5516 5517 5518 5519 5520 5521 5522 5523 5524 5525 5526 5527 5528 5529 5530 5531 5532 5533 5534 5535 5536 5537 5538 5539 5540 5541 5542 5543 5544 5545 5546 5547 5548 5549 5550 5551 5552 5553 5554 5555 5556 5557 5558 5559 5560 5561 5562 5563 5564 5565 5566 5567 5568 5569 5570 5571 5572 5573 5574 5575 5576 5577 5578 5579 5580 5581 5582 5583 5584 5585 5586 5587 5588 5589 5590 5591 5592 5593 5594 5595 5596 5597 5598 5599 5600 5601 5602 5603 5604 5605 5606 5607 5608 5609 5610 5611 5612 5613 5614 5615 5616 5617 5618 5619 5620 5621 5622 5623 5624 5625 5626 5627 5628 5629 5630 5631 5632 5633 5634 5635 5636 5637 5638 5639 5640 5641 5642 5643 5644 5645 5646 5647 5648 5649 5650 5651 5652 5653 5654 5655 5656 5657 5658 5659 5660 5661 5662 5663 5664 5665 5666 5667 5668 5669 5670 5671 5672 5673 5674 5675 5676 5677 5678 5679 5680 5681 5682 5683 5684 5685 5686 5687 5688 5689 5690 5691 5692 5693 5694 5695 5696 5697 5698 5699 5700 5701 5702 5703 5704 5705 5706 5707 5708 5709 5710 5711 5712 5713 5714 5715 5716 5717 5718 5719 5720 5721 5722 5723 5724 5725 5726 5727 5728 5729 5730 5731 5732 5733 5734 5735 5736 5737 5738 5739 5740 5741 5742 5743 5744 5745 5746 5747 5748 5749 5750 5751 5752 5753 5754 5755 5756 5757 5758 5759 5760 5761 5762 5763 5764 5765 5766 5767 5768 5769 5770 5771 5772 5773 5774 5775 5776 5777 5778 5779 5780 5781 5782 5783 5784 5785 5786 5787 5788 5789 5790 5791 5792 5793 5794 5795 5796 5797 5798 5799 5800 5801 5802 5803 5804 5805 5806 5807 5808 5809 5810 5811 5812 5813 5814 5815 5816 5817 5818 5819 5820 5821 5822 5823 5824 5825 5826 5827 5828 5829 5830 5831 5832 5833 5834 5835 5836 5837 5838 5839 5840 5841 5842 5843 5844 5845 5846 5847 5848 5849 5850 5851 5852 5853 5854 5855 5856 5857 5858 5859 5860 5861 5862 5863 5864 5865 5866 5867 5868 5869 5870 5871 5872 5873 5874 5875 5876 5877 5878 5879 5880 5881 5882 5883 5884 5885 5886 5887 5888 5889 5890 5891 5892 5893 5894 5895 5896 5897 5898 5899 5900 5901 5902 5903 5904 5905 5906 5907 5908 5909 5910 5911 5912 5913 5914 5915 5916 5917 5918 5919 5920 5921 5922 5923 5924 5925 5926 5927 5928 5929 5930 5931 5932 5933 5934 5935 5936 5937 5938 5939 5940 5941 5942 5943 5944 5945 5946 5947 5948 5949 5950 5951 5952 5953 5954 5955 5956 5957 5958 5959 5960 5961 5962 5963 5964 5965 5966 5967 5968 5969 5970 5971 5972 5973 5974 5975 5976 5977 5978 5979 5980 5981 5982 5983 5984 5985 5986 5987 5988 5989 5990 5991 5992 5993 5994 5995 5996 5997 5998 5999 6000 6001 6002 6003 6004 6005 6006 6007 6008 6009 6010 6011 6012 6013 6014 6015 6016 6017 6018 6019 6020 6021 6022 6023 6024 6025 6026 6027 6028 6029 6030 6031 6032 6033 6034 6035 6036 6037 6038 6039 6040 6041 6042 6043 6044 6045 6046 6047 6048 6049 6050 6051 6052 6053 6054 6055 6056 6057 6058 6059 6060 6061 6062 6063 6064 6065 6066 6067 6068 6069 6070 6071 6072 6073 6074 6075 6076 6077 6078 6079 6080 6081 6082 6083 6084 6085 6086 6087 6088 6089 6090 6091 6092 6093 6094 6095 6096 6097 6098 6099 6100 6101 6102 6103 6104 6105 6106 6107 6108 6109 6110 6111 6112 6113 6114 6115 6116 6117 6118 6119 6120 6121 6122 6123 6124 6125 6126 6127 6128 6129 6130 6131 6132 6133 6134 6135 6136 6137 6138 6139 6140 6141 6142 6143 6144 6145 6146 6147 6148 6149 6150 6151 6152 6153 6154 6155 6156 6157 6158 6159 6160 6161 6162 6163 6164 6165 6166 6167 6168 6169 6170 6171 6172 6173 6174 6175 6176 6177 6178 6179 6180 6181 6182 6183 6184 6185 6186 6187 6188 6189 6190 6191 6192 6193 6194 6195 6196 6197 6198 6199 6200 6201 6202 6203 6204 6205 6206 6207 6208 6209 6210 6211 6212 6213 6214 6215 6216 6217 6218 6219 6220 6221 6222 6223 6224 6225 6226 6227 6228 6229 6230 6231 6232 6233 6234 6235 6236 6237 6238 6239 6240 6241 6242 6243 6244 6245 6246 6247 6248 6249 6250 6251 6252 6253 6254 6255 6256 6257 6258 6259 6260 6261 6262 6263 6264 6265 6266 6267 6268 6269 6270 6271 6272 6273 6274 6275 6276 6277 6278 6279 6280 6281 6282 6283 6284 6285 6286 6287 6288 6289 6290 6291 6292 6293 6294 6295 6296 6297 6298 6299 6300 6301 6302 6303 6304 6305 6306 6307 6308 6309 6310 6311 6312 6313 6314 6315 6316 6317 6318 6319 6320 6321 6322 6323 6324 6325 6326 6327 6328 6329 6330 6331 6332 6333 6334 6335 6336 6337 6338 6339 6340 6341 6342 6343 6344 6345 6346 6347 6348 6349 6350 6351 6352 6353 6354 6355 6356 6357 6358 6359 6360 6361 6362 6363 6364 6365 6366 6367 6368 6369 6370 6371 6372 6373 6374 6375 6376 6377 6378 6379 6380 6381 6382 6383 6384 6385 6386 6387 6388 6389 6390 6391 6392 6393 6394 6395 6396 6397 6398 6399 6400 6401 6402 6403 6404 6405 6406 6407 6408 6409 6410 6411 6412 6413 6414 6415 6416 6417 6418 6419 6420 6421 6422 6423 6424 6425 6426 6427 6428 6429 6430 6431 6432 6433 6434 6435 6436 6437 6438 6439 6440 6441 6442 6443 6444 6445 6446 6447 6448 6449 6450 6451 6452 6453 6454 6455 6456 6457 6458 6459 6460 6461 6462 6463 6464 6465 6466 6467 6468 6469 6470 6471 6472 6473 6474 6475 6476 6477 6478 6479 6480 6481 6482 6483 6484 6485 6486 6487 6488 6489 6490 6491 6492 6493 6494 6495 6496 6497 6498 6499 6500 6501 6502 6503 6504 6505 6506 6507 6508 6509 6510 6511 6512 6513 6514 6515 6516 6517 6518 6519 6520 6521 6522 6523 6524 6525 6526 6527 6528 6529 6530 6531 6532 6533 6534 6535 6536 6537 6538 6539 6540 6541 6542 6543 6544 6545 6546 6547 6548 6549 6550 6551 6552 6553 6554 6555 6556 6557 6558 6559 6560 6561 6562 6563 6564 6565 6566 6567 6568 6569 6570 6571 6572 6573 6574 6575 6576 6577 6578 6579 6580 6581 6582 6583 6584 6585 6586 6587 6588 6589 6590 6591 6592 6593 6594 6595 6596 6597 6598 6599 6600 6601 6602 6603 6604 6605 6606 6607 6608 6609 6610 6611 6612 6613 6614 6615 6616 6617 6618 6619 6620 6621 6622 6623 6624 6625 6626 6627 6628 6629 6630 6631 6632 6633 6634 6635 6636 6637 6638 6639 6640 6641 6642 6643 6644 6645 6646 6647 6648 6649 6650 6651 6652 6653 6654 6655 6656 6657 6658 6659 6660 6661 6662 6663 6664 6665 6666 6667 6668 6669 6670 6671 6672 6673 6674 6675 6676 6677 6678 6679 6680 6681 6682 6683 6684 6685 6686 6687 6688 6689 6690 6691 6692 6693 6694 6695 6696 6697 6698 6699 6700 6701 6702 6703 6704 6705 6706 6707 6708 6709 6710 6711 6712 6713 6714 6715 6716 6717 6718 6719 6720 6721 6722 6723 6724 6725 6726 6727 6728 6729 6730 6731 6732 6733 6734 6735 6736 6737 6738 6739 6740 6741 6742 6743 6744 6745 6746 6747 6748 6749 6750 6751 6752 6753 6754 6755 6756 6757 6758 6759 6760 6761 6762 6763 6764 6765 6766 6767 6768 6769 6770 6771 6772 6773 6774 6775 6776 6777 6778 6779 6780 6781 6782 6783 6784 6785 6786 6787 6788 6789 6790 6791 6792 6793 6794 6795 6796 6797 6798 6799 6800 6801 6802 6803 6804 6805 6806 6807 6808 6809 6810 6811 6812 6813 6814 6815 6816 6817 6818 6819 6820 6821 6822 6823 6824 6825 6826 6827 6828 6829 6830 6831 6832 6833 6834 6835 6836 6837 6838 6839 6840 6841 6842 6843 6844 6845 6846 6847 6848 6849 6850 6851 6852 6853 6854 6855 6856 6857 6858 6859 6860 6861 6862 6863 6864 6865 6866 6867 6868 6869 6870 6871 6872 6873 6874 6875 6876 6877 6878 6879 6880 6881 6882 6883 6884 6885 6886 6887 6888 6889 6890 6891 6892 6893 6894 6895 6896 6897 6898 6899 6900 6901 6902 6903 6904 6905 6906 6907 6908 6909 6910 6911 6912 6913 6914 6915 6916 6917 6918 6919 6920 6921 6922 6923 6924 6925 6926 6927 6928 6929 6930 6931 6932 6933 6934 6935 6936 6937 6938 6939 6940 6941 6942 6943 6944 6945 6946 6947 6948 6949 6950 6951 6952 6953 6954 6955 6956 6957 6958 6959 6960 6961 6962 6963 6964 6965 6966 6967 6968 6969 6970 6971 6972 6973 6974 6975 6976 6977 6978 6979 6980 6981 6982 6983 6984 6985 6986 6987 6988 6989 6990 6991 6992 6993 6994 6995 6996 6997 6998 6999 7000 7001 7002 7003 7004 7005 7006 7007 7008 7009 7010 7011 7012 7013 7014 7015 7016 7017 7018 7019 7020 7021 7022 7023 7024 7025 7026 7027 7028 7029 7030 7031 7032 7033 7034 7035 7036 7037 7038 7039 7040 7041 7042 7043 7044 7045 7046 7047 7048 7049 7050 7051 7052 7053 7054 7055 7056 7057 7058 7059 7060 7061 7062 7063 7064 7065 7066 7067 7068 7069 7070 7071 7072 7073 7074 7075 7076 7077 7078 7079 7080 7081 7082 7083 7084 7085 7086 7087 7088 7089 7090 7091 7092 7093 7094 7095 7096 7097 7098 7099 7100 7101 7102 7103 7104 7105 7106 7107 7108 7109 7110 7111 7112 7113 7114 7115 7116 7117 7118 7119 7120 7121 7122 7123 7124 7125 7126 7127 7128 7129 7130 7131 7132 7133 7134 7135 7136 7137 7138 7139 7140 7141 7142 7143 7144 7145 7146 7147 7148 7149 7150 7151 7152 7153 7154 7155 7156 7157 7158 7159 7160 7161 7162 7163 7164 7165 7166 7167 7168 7169 7170 7171 7172 7173 7174 7175 7176 7177 7178 7179 7180 7181 7182 7183 7184 7185 7186 7187 7188 7189 7190 7191 7192 7193 7194 7195 7196 7197 7198 7199 7200 7201 7202 7203 7204 7205 7206 7207 7208 7209 7210 7211 7212 7213 7214 7215 7216 7217 7218 7219 7220 7221 7222 7223 7224 7225 7226 7227 7228 7229 7230 7231 7232 7233 7234 7235 7236 7237 7238 7239 7240 7241 7242 7243 7244 7245 7246 7247 7248 7249 7250 7251 7252 7253 7254 7255 7256 7257 7258 7259 7260 7261 7262 7263 7264 7265 7266 7267 7268 7269 7270 7271 7272 7273 7274 7275 7276 7277 7278 7279 7280 7281 7282 7283 7284 7285 7286 7287 7288 7289 7290 7291 7292 7293 7294 7295 7296 7297 7298 7299 7300 7301 7302 7303 7304 7305 7306 7307 7308 7309 7310 7311 7312 7313 7314 7315 7316 7317 7318 7319 7320 7321 7322 7323 7324 7325 7326 7327 7328 7329 7330 7331 7332 7333 7334 7335 7336 7337 7338 7339 7340 7341 7342 7343 7344 7345 7346 7347 7348 7349 7350 7351 7352 7353 7354 7355 7356 7357 7358 7359 7360 7361 7362 7363 7364 7365 7366 7367 7368 7369 7370 7371 7372 7373 7374 7375 7376 7377 7378 7379 7380 7381 7382 7383 7384 7385 7386 7387 7388 7389 7390 7391 7392 7393 7394 7395 7396 7397 7398 7399 7400 7401 7402 7403 7404 7405 7406 7407 7408 7409 7410 7411 7412 7413 7414 7415 7416 7417 7418 7419 7420 7421 7422 7423 7424 7425 7426 7427 7428 7429 7430 7431 7432 7433 7434 7435 7436 7437 7438 7439 7440 7441 7442 7443 7444 7445 7446 7447 7448 7449 7450 7451 7452 7453 7454 7455 7456 7457 7458 7459 7460 7461 7462 7463 7464 7465 7466 7467 7468 7469 7470 7471 7472 7473 7474 7475 7476 7477 7478 7479 7480 7481 7482 7483 7484 7485 7486 7487 7488 7489 7490 7491 7492 7493 7494 7495 7496 7497 7498 7499 7500 7501 7502 7503 7504 7505 7506 7507 7508 7509 7510 7511 7512 7513 7514 7515 7516 7517 7518 7519 7520 7521 7522 7523 7524 7525 7526 7527 7528 7529 7530 7531 7532 7533 7534 7535 7536 7537 7538 7539 7540 7541 7542 7543 7544 7545 7546 7547 7548 7549 7550 7551 7552 7553 7554 7555 7556 7557 7558 7559 7560 7561 7562 7563 7564 7565 7566 7567 7568 7569 7570 7571 7572 7573 7574 7575 7576 7577 7578 7579 7580 7581 7582 7583 7584 7585 7586 7587 7588 7589 7590 7591 7592 7593 7594 7595 7596 7597 7598 7599 7600 7601 7602 7603 7604 7605 7606 7607 7608 7609 7610 7611 7612 7613 7614 7615 7616 7617 7618 7619 7620 7621 7622 7623 7624 7625 7626 7627 7628 7629 7630 7631 7632 7633 7634 7635 7636 7637 7638 7639 7640 7641 7642 7643 7644 7645 7646 7647 7648 7649 7650 7651 7652 7653 7654 7655 7656 7657 7658 7659 7660 7661 7662 7663 7664 7665 7666 7667 7668 7669 7670 7671 7672 7673 7674 7675 7676 7677 7678 7679 7680 7681 7682 7683 7684 7685 7686 7687 7688 7689 7690 7691 7692 7693 7694 7695 7696 7697 7698 7699 7700 7701 7702 7703 7704 7705 7706 7707 7708 7709 7710 7711 7712 7713 7714 7715 7716 7717 7718 7719 7720 7721 7722 7723 7724 7725 7726 7727 7728 7729 7730 7731 7732 7733 7734 7735 7736 7737 7738 7739 7740 7741 7742 7743 7744 7745 7746 7747 7748 7749 7750 7751 7752 7753 7754 7755 7756 7757 7758 7759 7760 7761 7762 7763 7764 7765 7766 7767 7768 7769 7770 7771 7772 7773 7774 7775 7776 7777 7778 7779 7780 7781 7782 7783 7784 7785 7786 7787 7788 7789 7790 7791 7792 7793 7794 7795 7796 7797 7798 7799 7800 7801 7802 7803 7804 7805 7806 7807 7808 7809 7810 7811 7812 7813 7814 7815 7816 7817 7818 7819 7820 7821 7822 7823 7824 7825 7826 7827 7828 7829 7830 7831 7832 7833 7834 7835 7836 7837 7838 7839 7840 7841 7842 7843 7844 7845 7846 7847 7848 7849 7850 7851 7852 7853 7854 7855 7856 7857 7858 7859 7860 7861 7862 7863 7864 7865 7866 7867 7868 7869 7870 7871 7872 7873 7874 7875 7876 7877 7878 7879 7880 7881 7882 7883 7884 7885 7886 7887 7888 7889 7890 7891 7892 7893 7894 7895 7896 7897 7898 7899 7900 7901 7902 7903 7904 7905 7906 7907 7908 7909 7910 7911 7912 7913 7914 7915 7916 7917 7918 7919 7920 7921 7922 7923 7924 7925 7926 7927 7928 7929 7930 7931 7932 7933 7934 7935 7936 7937 7938 7939 7940 7941 7942 7943 7944 7945 7946 7947 7948 7949 7950 7951 7952 7953 7954 7955 7956 7957 7958 7959 7960 7961 7962 7963 7964 7965 7966 7967 7968 7969 7970 7971 7972 7973 7974 7975 7976 7977 7978 7979 7980 7981 7982 7983 7984 7985 7986 7987 7988 7989 7990 7991 7992 7993 7994 7995 7996 7997 7998 7999 8000 8001 8002 8003 8004 8005 8006 8007 8008 8009 8010 8011 8012 8013 8014 8015 8016 8017 8018 8019 8020 8021 8022 8023 8024 8025 8026 8027 8028 8029 8030 8031 8032 8033 8034 8035 8036 8037 8038 8039 8040 8041 8042 8043 8044 8045 8046 8047 8048 8049 8050 8051 8052 8053 8054 8055 8056 8057 8058 8059 8060 8061 8062 8063 8064 8065 8066 8067 8068 8069 8070 8071 8072 8073 8074 8075 8076 8077 8078 8079 8080 8081 8082 8083 8084 8085 8086 8087 8088 8089 8090 8091 8092 8093 8094 8095 8096 8097 8098 8099 8100 8101 8102 8103 8104 8105 8106 8107 8108 8109 8110 8111 8112 8113 8114 8115 8116 8117 8118 8119 8120 8121 8122 8123 8124 8125 8126 8127 8128 8129 8130 8131 8132 8133 8134 8135 8136 8137 8138 8139 8140 8141 8142 8143 8144 8145 8146 8147 8148 8149 8150 8151 8152 8153 8154 8155 8156 8157 8158 8159 8160 8161 8162 8163 8164 8165 8166 8167 8168 8169 8170 8171 8172 8173 8174 8175 8176 8177 8178 8179 8180 8181 8182 8183 8184 8185 8186 8187 8188 8189 8190 8191 8192 8193 8194 8195 8196 8197 8198 8199 8200 8201 8202 8203 8204 8205 8206 8207 8208 8209 8210 8211 8212 8213 8214 8215 8216 8217 8218 8219 8220 8221 8222 8223 8224 8225 8226 8227 8228 8229 8230 8231 8232 8233 8234 8235 8236 8237 8238 8239 8240 8241 8242 8243 8244 8245 8246 8247 8248 8249 8250 8251 8252 8253 8254 8255 8256 8257 8258 8259 8260 8261 8262 8263 8264 8265 8266 8267 8268 8269 8270 8271 8272 8273 8274 8275 8276 8277 8278 8279 8280 8281 8282 8283 8284 8285 8286 8287 8288 8289 8290 8291 8292 8293 8294 8295 8296 8297 8298 8299 8300 8301 8302 8303 8304 8305 8306 8307 8308 8309 8310 8311 8312 8313 8314 8315 8316 8317 8318 8319 8320 8321 8322 8323 8324 8325 8326 8327 8328 8329 8330 8331 8332 8333 8334 8335 8336 8337 8338 8339 8340 8341 8342 8343 8344 8345 8346 8347 8348 8349 8350 8351 8352 8353 8354 8355 8356 8357 8358 8359 8360 8361 8362 8363 8364 8365 8366 8367 8368 8369 8370 8371 8372 8373 8374 8375 8376 8377 8378 8379 8380 8381 8382 8383 8384 8385 8386 8387 8388 8389 8390 8391 8392 8393 8394 8395 8396 8397 8398 8399 8400 8401 8402 8403 8404 8405 8406 8407 8408 8409 8410 8411 8412 8413 8414 8415 8416 8417 8418 8419 8420 8421 8422 8423 8424 8425 8426 8427 8428 8429 8430 8431 8432 8433 8434 8435 8436 8437 8438 8439 8440 8441 8442 8443 8444 8445 8446 8447 8448 8449 8450 8451 8452 8453 8454 8455 8456 8457 8458 8459 8460 8461 8462 8463 8464 8465 8466 8467 8468 8469 8470 8471 8472 8473 8474 8475 8476 8477 8478 8479 8480 8481 8482 8483 8484 8485 8486 8487 8488 8489 8490 8491 8492 8493 8494 8495 8496 8497 8498 8499 8500 8501 8502 8503 8504 8505 8506 8507 8508 8509 8510 8511 8512 8513 8514 8515 8516 8517 8518 8519 8520 8521 8522 8523 8524 8525 8526 8527 8528 8529 8530 8531 8532 8533 8534 8535 8536 8537 8538 8539 8540 8541 8542 8543 8544 8545 8546 8547 8548 8549 8550 8551 8552 8553 8554 8555 8556 8557 8558 8559 8560 8561 8562 8563 8564 8565 8566 8567 8568 8569 8570 8571 8572 8573 8574 8575 8576 8577 8578 8579 8580 8581 8582 8583 8584 8585 8586 8587 8588 8589 8590 8591 8592 8593 8594 8595 8596 8597 8598 8599 8600 8601 8602 8603 8604 8605 8606 8607 8608 8609 8610 8611 8612 8613 8614 8615 8616 8617 8618 8619 8620 8621 8622 8623 8624 8625 8626 8627 8628 8629 8630 8631 8632 8633 8634 8635 8636 8637 8638 8639 8640 8641 8642 8643 8644 8645 8646 8647 8648 8649 8650 8651 8652 8653 8654 8655 8656 8657 8658 8659 8660 8661 8662 8663 8664 8665 8666 8667 8668 8669 8670 8671 8672 8673 8674 8675 8676 8677 8678 8679 8680 8681 8682 8683 8684 8685 8686 8687 8688 8689 8690 8691 8692 8693 8694 8695 8696 8697 8698 8699 8700 8701 8702 8703 8704 8705 8706 8707 8708 8709 8710 8711 8712
|
// Copyright 2013 The Chromium Authors
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "chrome/browser/extensions/extension_service.h"
#include <stddef.h>
#include <stdint.h>
#include <algorithm>
#include <array>
#include <map>
#include <memory>
#include <optional>
#include <set>
#include <string>
#include <utility>
#include <vector>
#include "base/command_line.h"
#include "base/containers/contains.h"
#include "base/files/file_util.h"
#include "base/files/scoped_temp_dir.h"
#include "base/functional/bind.h"
#include "base/json/json_file_value_serializer.h"
#include "base/json/json_reader.h"
#include "base/location.h"
#include "base/memory/ptr_util.h"
#include "base/one_shot_event.h"
#include "base/path_service.h"
#include "base/run_loop.h"
#include "base/strings/pattern.h"
#include "base/strings/string_number_conversions.h"
#include "base/strings/string_util.h"
#include "base/strings/stringprintf.h"
#include "base/strings/to_string.h"
#include "base/strings/utf_string_conversions.h"
#include "base/task/single_thread_task_runner.h"
#include "base/test/bind.h"
#include "base/test/gmock_expected_support.h"
#include "base/test/metrics/histogram_tester.h"
#include "base/test/test_future.h"
#include "base/time/time.h"
#include "base/values.h"
#include "base/version.h"
#include "build/build_config.h"
#include "build/chromeos_buildflags.h"
#include "chrome/browser/browser_process.h"
#include "chrome/browser/enterprise/browser_management/management_service_factory.h"
#include "chrome/browser/extensions/blocklist.h"
#include "chrome/browser/extensions/chrome_extension_cookies.h"
#include "chrome/browser/extensions/chrome_test_extension_loader.h"
#include "chrome/browser/extensions/chrome_zipfile_installer.h"
#include "chrome/browser/extensions/component_loader.h"
#include "chrome/browser/extensions/crx_installer.h"
#include "chrome/browser/extensions/extension_error_ui.h"
#include "chrome/browser/extensions/extension_management_test_util.h"
#include "chrome/browser/extensions/extension_service_test_base.h"
#include "chrome/browser/extensions/extension_service_test_with_install.h"
#include "chrome/browser/extensions/extension_special_storage_policy.h"
#include "chrome/browser/extensions/extension_util.h"
#include "chrome/browser/extensions/external_install_error.h"
#include "chrome/browser/extensions/external_install_manager.h"
#include "chrome/browser/extensions/external_policy_loader.h"
#include "chrome/browser/extensions/external_pref_loader.h"
#include "chrome/browser/extensions/external_provider_impl.h"
#include "chrome/browser/extensions/external_provider_manager.h"
#include "chrome/browser/extensions/external_testing_loader.h"
#include "chrome/browser/extensions/fake_safe_browsing_database_manager.h"
#include "chrome/browser/extensions/installed_loader.h"
#include "chrome/browser/extensions/load_error_reporter.h"
#include "chrome/browser/extensions/managed_installation_mode.h"
#include "chrome/browser/extensions/pack_extension_job.h"
#include "chrome/browser/extensions/permissions/permissions_test_util.h"
#include "chrome/browser/extensions/permissions/permissions_updater.h"
#include "chrome/browser/extensions/plugin_manager.h"
#include "chrome/browser/extensions/preinstalled_apps.h"
#include "chrome/browser/extensions/scoped_database_manager_for_test.h"
#include "chrome/browser/extensions/test_blocklist.h"
#include "chrome/browser/extensions/test_extension_system.h"
#include "chrome/browser/extensions/unpacked_installer.h"
#include "chrome/browser/extensions/updater/extension_updater.h"
#include "chrome/browser/notifications/notification_display_service_tester.h"
#include "chrome/browser/policy/policy_test_utils.h"
#include "chrome/browser/policy/profile_policy_connector.h"
#include "chrome/common/chrome_constants.h"
#include "chrome/common/chrome_paths.h"
#include "chrome/common/chrome_switches.h"
#include "chrome/common/extensions/manifest_handlers/app_launch_info.h"
#include "chrome/common/pref_names.h"
#include "chrome/common/url_constants.h"
#include "chrome/grit/browser_resources.h"
#include "chrome/grit/generated_resources.h"
#include "chrome/test/base/scoped_browser_locale.h"
#include "components/crx_file/id_util.h"
#include "components/policy/core/common/management/scoped_management_service_override_for_testing.h"
#include "components/policy/core/common/policy_pref_names.h"
#include "components/pref_registry/pref_registry_syncable.h"
#include "components/prefs/scoped_user_pref_update.h"
#include "components/safe_browsing/buildflags.h"
#include "components/services/storage/privileged/mojom/indexed_db_control.mojom.h"
#include "components/services/storage/privileged/mojom/indexed_db_control_test.mojom.h"
#include "components/services/storage/public/mojom/local_storage_control.mojom.h"
#include "components/services/storage/public/mojom/storage_usage_info.mojom.h"
#include "components/sync/model/string_ordinal.h"
#include "components/sync_preferences/pref_service_syncable.h"
#include "components/sync_preferences/testing_pref_service_syncable.h"
#include "content/public/browser/browser_thread.h"
#include "content/public/browser/dom_storage_context.h"
#include "content/public/browser/gpu_data_manager.h"
#include "content/public/browser/render_process_host.h"
#include "content/public/browser/storage_partition.h"
#include "content/public/common/buildflags.h"
#include "content/public/common/content_constants.h"
#include "content/public/test/browser_task_environment.h"
#include "extensions/browser/app_sorting.h"
#include "extensions/browser/blocklist_extension_prefs.h"
#include "extensions/browser/blocklist_state.h"
#include "extensions/browser/disable_reason.h"
#include "extensions/browser/extension_creator.h"
#include "extensions/browser/extension_file_task_runner.h"
#include "extensions/browser/extension_prefs.h"
#include "extensions/browser/extension_registrar.h"
#include "extensions/browser/extension_registry.h"
#include "extensions/browser/extension_system.h"
#include "extensions/browser/extension_util.h"
#include "extensions/browser/external_install_info.h"
#include "extensions/browser/external_provider_interface.h"
#include "extensions/browser/install_flag.h"
#include "extensions/browser/management_policy.h"
#include "extensions/browser/mock_external_provider.h"
#include "extensions/browser/pending_extension_info.h"
#include "extensions/browser/pending_extension_manager.h"
#include "extensions/browser/pref_names.h"
#include "extensions/browser/test_extension_registry_observer.h"
#include "extensions/browser/test_management_policy.h"
#include "extensions/browser/uninstall_reason.h"
#include "extensions/browser/updater/extension_downloader_test_helper.h"
#include "extensions/browser/updater/null_extension_cache.h"
#include "extensions/browser/zipfile_installer.h"
#include "extensions/common/extension.h"
#include "extensions/common/extension_builder.h"
#include "extensions/common/extension_features.h"
#include "extensions/common/extension_l10n_util.h"
#include "extensions/common/extension_resource.h"
#include "extensions/common/extension_urls.h"
#include "extensions/common/file_util.h"
#include "extensions/common/manifest_constants.h"
#include "extensions/common/manifest_handlers/background_info.h"
#include "extensions/common/manifest_handlers/content_scripts_handler.h"
#include "extensions/common/manifest_handlers/permissions_parser.h"
#include "extensions/common/manifest_url_handlers.h"
#include "extensions/common/permissions/permission_set.h"
#include "extensions/common/permissions/permissions_data.h"
#include "extensions/common/switches.h"
#include "extensions/common/url_pattern.h"
#include "extensions/common/verifier_formats.h"
#include "extensions/test/test_extension_dir.h"
#include "mojo/public/cpp/bindings/remote.h"
#include "net/cookies/canonical_cookie.h"
#include "net/cookies/cookie_access_result.h"
#include "net/cookies/cookie_options.h"
#include "net/cookies/cookie_store.h"
#include "net/cookies/cookie_util.h"
#include "services/network/public/mojom/cookie_manager.mojom.h"
#include "services/network/public/mojom/network_context.mojom.h"
#include "services/network/public/mojom/network_service.mojom.h"
#include "storage/browser/quota/quota_manager.h"
#include "storage/browser/quota/quota_manager_proxy.h"
#include "storage/common/database/database_identifier.h"
#include "testing/gmock/include/gmock/gmock.h"
#include "testing/gtest/include/gtest/gtest.h"
#include "testing/platform_test.h"
#include "third_party/blink/public/common/storage_key/storage_key.h"
#include "third_party/blink/public/mojom/dom_storage/storage_area.mojom.h"
#include "ui/base/l10n/l10n_util.h"
#include "url/gurl.h"
#include "url/origin.h"
#if BUILDFLAG(ENABLE_EXTENSIONS)
#include "chrome/browser/background/background_contents_service.h"
#include "chrome/browser/themes/theme_service.h"
#include "chrome/browser/ui/global_error/global_error.h"
#include "chrome/browser/ui/global_error/global_error_service.h"
#include "chrome/browser/ui/global_error/global_error_service_factory.h"
#include "chrome/browser/ui/global_error/global_error_waiter.h"
#include "chrome/browser/web_applications/preinstalled_app_install_features.h"
#endif
#if BUILDFLAG(ENABLE_PLUGINS)
#include "content/public/browser/plugin_service.h"
#endif
// The blocklist tests rely on the safe-browsing database.
#if BUILDFLAG(SAFE_BROWSING_DB_LOCAL)
#define ENABLE_BLOCKLIST_TESTS
#endif
using base::ScopedObservation;
using content::BrowserContext;
using content::BrowserThread;
using content::DOMStorageContext;
using extensions::mojom::APIPermissionID;
using extensions::mojom::ManifestLocation;
namespace extensions {
namespace keys = manifest_keys;
namespace {
// Extension ids used during testing.
const char good0[] = "behllobkkfkfnphdnhnkndlbkcpglgmj";
const char good1[] = "hpiknbiabeeppbpihjehijgoemciehgk";
const char good2[] = "bjafgdebaacbbbecmhlhpofkepfkgcpa";
const char all_zero[] = "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa";
const char good2048[] = "dfhpodpjggiioolfhoimofdbfjibmedp";
const char good_crx[] = "ldnnhddmnhbkjipkidpdiheffobcpfmf";
const char page_action[] = "dpfmafkdlbmopmcepgpjkpldjbghdibm";
const char theme_crx[] = "idlfhncioikpdnlhnmcjogambnefbbfp";
const char theme2_crx[] = "ibcijncamhmjjdodjamgiipcgnnaeagd";
const char permissions_crx[] = "eagpmdpfmaekmmcejjbmjoecnejeiiin";
const char permissions_blocklist[] = "noffkehfcaggllbcojjbopcmlhcnhcdn";
const char video_player_app[] = "jcgeabjmjgoblfofpppfkcoakmfobdko";
#if BUILDFLAG(ENABLE_EXTENSIONS)
const char minimal_platform_app_crx[] = "jjeoclcdfjddkdjokiejckgcildcflpp";
const char hosted_app[] = "kbmnembihfiondgfjekmnmcbddelicoi";
const char updates_from_webstore[] = "akjooamlhcgeopfifcmlggaebeocgokj";
const char updates_from_webstore2[] = "oolblhbomdbcpmafphaodhjfcgbihcdg";
const char updates_from_webstore3[] = "bmfoocgfinpmkmlbjhcbofejhkhlbchk";
#endif // BUILDFLAG(ENABLE_EXTENSIONS)
#if defined(ENABLE_BLOCKLIST_TESTS)
const char kPrefBlocklistState[] = "blacklist_state";
// A helper value to cast the malware blocklist state to an integer.
static constexpr int kBlocklistedMalwareInteger =
static_cast<int>(BitMapBlocklistState::BLOCKLISTED_MALWARE);
#endif // defined(ENABLE_BLOCKLIST_TESTS)
struct BubbleErrorsTestData {
BubbleErrorsTestData(const std::string& id,
const std::string& version,
const base::FilePath& crx_path,
size_t expected_bubble_error_count)
: id(id),
version(version),
crx_path(crx_path),
expected_bubble_error_count(expected_bubble_error_count) {}
std::string id;
std::string version;
base::FilePath crx_path;
size_t expected_bubble_error_count;
bool expect_has_shown_bubble_view;
};
static void AddPattern(URLPatternSet* extent, const std::string& pattern) {
int schemes = URLPattern::SCHEME_ALL;
extent->AddPattern(URLPattern(schemes, pattern));
}
base::FilePath GetTemporaryFile() {
base::FilePath temp_file;
CHECK(base::CreateTemporaryFile(&temp_file));
return temp_file;
}
#if BUILDFLAG(ENABLE_EXTENSIONS)
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
bool HasExternalInstallErrors(Profile* profile) {
return !ExternalInstallManager::Get(profile)->GetErrorsForTesting().empty();
}
bool HasExternalInstallBubble(Profile* profile) {
return base::Contains(
ExternalInstallManager::Get(profile)->GetErrorsForTesting(),
ExternalInstallError::BUBBLE_ALERT, &ExternalInstallError::alert_type);
}
size_t GetExternalInstallBubbleCount(Profile* profile) {
size_t bubble_count = 0u;
std::vector<ExternalInstallError*> errors =
ExternalInstallManager::Get(profile)->GetErrorsForTesting();
for (auto* error : errors)
bubble_count += error->alert_type() == ExternalInstallError::BUBBLE_ALERT;
return bubble_count;
}
#endif // BUILDFLAG(ENABLE_EXTENSIONS)
scoped_refptr<const Extension> CreateExtension(const std::string& name,
const base::FilePath& path,
ManifestLocation location) {
return ExtensionBuilder(name).SetPath(path).SetLocation(location).Build();
}
std::unique_ptr<ExternalInstallInfoFile> CreateExternalExtension(
const ExtensionId& extension_id,
const std::string& version_str,
const base::FilePath& path,
ManifestLocation location,
Extension::InitFromValueFlags flags) {
return std::make_unique<ExternalInstallInfoFile>(
extension_id, base::Version(version_str), path, location, flags, false,
false);
}
// Helper function to persist the passed directories and file paths in
// |extension_dir|. Also, writes a generic manifest file.
void PersistExtensionWithPaths(
const base::FilePath& extension_dir,
const std::vector<base::FilePath>& directory_paths,
const std::vector<base::FilePath>& file_paths) {
for (const auto& directory : directory_paths)
EXPECT_TRUE(base::CreateDirectory(directory));
std::string data = "file_data";
for (const auto& file : file_paths) {
EXPECT_TRUE(base::WriteFile(file, data));
}
base::Value::Dict manifest = base::Value::Dict()
.Set(keys::kName, "Test extension")
.Set(keys::kVersion, "1.0")
.Set(keys::kManifestVersion, 2);
// Persist manifest file.
base::FilePath manifest_path = extension_dir.Append(kManifestFilename);
JSONFileValueSerializer(manifest_path).Serialize(manifest);
EXPECT_TRUE(base::PathExists(manifest_path));
}
} // namespace
class MockProviderVisitor : public ExternalProviderInterface::VisitorInterface {
public:
// The provider will return |fake_base_path| from
// GetBaseCrxFilePath(). User can test the behavior with
// and without an empty path using this parameter.
explicit MockProviderVisitor(base::FilePath fake_base_path)
: ids_found_(0),
fake_base_path_(fake_base_path),
expected_creation_flags_(Extension::NO_FLAGS) {
profile_ = std::make_unique<TestingProfile>();
}
MockProviderVisitor(base::FilePath fake_base_path,
int expected_creation_flags)
: ids_found_(0),
fake_base_path_(fake_base_path),
expected_creation_flags_(expected_creation_flags) {
profile_ = std::make_unique<TestingProfile>();
}
MockProviderVisitor(const MockProviderVisitor&) = delete;
MockProviderVisitor& operator=(const MockProviderVisitor&) = delete;
int Visit(const std::string& json_data) {
return Visit(json_data, ManifestLocation::kExternalPref,
ManifestLocation::kExternalPrefDownload);
}
int Visit(const std::string& json_data,
ManifestLocation crx_location,
ManifestLocation download_location) {
SetUp(json_data, crx_location, download_location);
// We also parse the file into a dictionary to compare what we get back
// from the provider.
prefs_ = GetDictionaryFromJSON(json_data);
// Reset our counter.
ids_found_ = 0;
// Ask the provider to look up all extensions and return them.
provider_->VisitRegisteredExtension();
return ids_found_;
}
int ReinstallProviderExtensions(const std::string& json_data) {
return ReinstallProviderExtensions(json_data,
ManifestLocation::kExternalPref,
ManifestLocation::kExternalPrefDownload);
}
int ReinstallProviderExtensions(const std::string& json_data,
ManifestLocation crx_location,
ManifestLocation download_location) {
// Don't recreate the provider_ because that way we will never have any
// saved prefs inside.
if (!provider_)
SetUp(json_data, crx_location, download_location);
// We also parse the file into a dictionary to compare what we get back
// from the provider.
prefs_ = GetDictionaryFromJSON(json_data);
// Reset our counter.
ids_found_ = 0;
// Ask the provider to look up all extensions and notify the visitor.
provider_->TriggerOnExternalExtensionFound();
return ids_found_;
}
bool OnExternalExtensionFileFound(
const ExternalInstallInfoFile& info) override {
EXPECT_EQ(expected_creation_flags_, info.creation_flags);
++ids_found_;
base::Value::Dict* pref = prefs_->FindDict(info.extension_id);
// This tests is to make sure that the provider only notifies us of the
// values we gave it. So if the id we doesn't exist in our internal
// dictionary then something is wrong.
EXPECT_TRUE(pref) << "Got back ID (" << info.extension_id
<< ") we weren't expecting";
EXPECT_TRUE(info.path.IsAbsolute());
if (!fake_base_path_.empty())
EXPECT_TRUE(fake_base_path_.IsParent(info.path));
if (pref) {
EXPECT_TRUE(provider_->HasExtension(info.extension_id));
// Ask provider if the extension we got back is registered.
ManifestLocation location = ManifestLocation::kInvalidLocation;
std::unique_ptr<base::Version> v1;
base::FilePath crx_path;
EXPECT_TRUE(
provider_->GetExtensionDetails(info.extension_id, nullptr, &v1));
EXPECT_EQ(info.version.GetString(), v1->GetString());
std::unique_ptr<base::Version> v2;
EXPECT_TRUE(
provider_->GetExtensionDetails(info.extension_id, &location, &v2));
EXPECT_EQ(info.version.GetString(), v1->GetString());
EXPECT_EQ(info.version.GetString(), v2->GetString());
EXPECT_EQ(crx_location_, location);
// Remove it so we won't count it ever again.
prefs_->Remove(info.extension_id);
}
return true;
}
bool OnExternalExtensionUpdateUrlFound(
const ExternalInstallInfoUpdateUrl& info,
bool force_update) override {
++ids_found_;
base::Value::Dict* pref = prefs_->FindDict(info.extension_id);
// This tests is to make sure that the provider only notifies us of the
// values we gave it. So if the id we doesn't exist in our internal
// dictionary then something is wrong.
EXPECT_TRUE(pref) << "Got back ID (" << info.extension_id
<< ") we weren't expecting";
EXPECT_EQ(ManifestLocation::kExternalPrefDownload, info.download_location);
if (pref) {
EXPECT_TRUE(provider_->HasExtension(info.extension_id));
// External extensions with update URLs do not have versions.
std::unique_ptr<base::Version> v1;
ManifestLocation location1 = ManifestLocation::kInvalidLocation;
EXPECT_TRUE(
provider_->GetExtensionDetails(info.extension_id, &location1, &v1));
EXPECT_FALSE(v1.get());
EXPECT_EQ(ManifestLocation::kExternalPrefDownload, location1);
const std::string* parsed_install_parameter =
pref->FindString("install_parameter");
EXPECT_TRUE(parsed_install_parameter);
EXPECT_EQ(*parsed_install_parameter, info.install_parameter);
// Remove it so we won't count it again.
prefs_->Remove(info.extension_id);
}
return true;
}
void OnExternalProviderUpdateComplete(
const ExternalProviderInterface* provider,
const std::vector<ExternalInstallInfoUpdateUrl>& update_url_extensions,
const std::vector<ExternalInstallInfoFile>& file_extensions,
const std::set<std::string>& removed_extensions) override {
ADD_FAILURE() << "MockProviderVisitor does not provide incremental updates,"
" use MockUpdateProviderVisitor instead.";
}
void OnExternalProviderReady(
const ExternalProviderInterface* provider) override {
EXPECT_EQ(provider, provider_.get());
EXPECT_TRUE(provider->IsReady());
}
Profile* profile() { return profile_.get(); }
ExternalProviderImpl* provider() { return provider_.get(); }
protected:
void SetUp(const std::string& json_data,
ManifestLocation crx_location,
ManifestLocation download_location) {
crx_location_ = crx_location;
// Give the test json file to the provider for parsing.
provider_ = std::make_unique<ExternalProviderImpl>(
this, new ExternalTestingLoader(json_data, fake_base_path_),
profile_.get(), crx_location, download_location, Extension::NO_FLAGS);
if (crx_location == ManifestLocation::kExternalRegistry)
provider_->set_allow_updates(true);
}
std::optional<base::Value::Dict> GetDictionaryFromJSON(
const std::string& json_data) {
// We also parse the file into a dictionary to compare what we get back
// from the provider.
std::optional<base::Value::Dict> json_value =
base::JSONReader::ReadDict(json_data);
if (!json_value) {
ADD_FAILURE() << "Unable to deserialize json data";
return std::nullopt;
}
return json_value;
}
private:
int ids_found_;
base::FilePath fake_base_path_;
int expected_creation_flags_;
ManifestLocation crx_location_;
std::optional<base::Value::Dict> prefs_;
std::unique_ptr<TestingProfile> profile_;
std::unique_ptr<ExternalProviderImpl> provider_;
};
// Mock provider that can simulate incremental update like
// ExternalRegistryLoader.
class MockUpdateProviderVisitor : public MockProviderVisitor {
public:
// The provider will return |fake_base_path| from
// GetBaseCrxFilePath(). User can test the behavior with
// and without an empty path using this parameter.
explicit MockUpdateProviderVisitor(base::FilePath fake_base_path)
: MockProviderVisitor(fake_base_path) {}
MockUpdateProviderVisitor(const MockUpdateProviderVisitor&) = delete;
MockUpdateProviderVisitor& operator=(const MockUpdateProviderVisitor&) =
delete;
void VisitDueToUpdate(const std::string& json_data) {
update_url_extension_ids_.clear();
file_extension_ids_.clear();
removed_extension_ids_.clear();
auto new_prefs = GetDictionaryFromJSON(json_data);
if (!new_prefs)
return;
provider()->UpdatePrefs(std::move(*new_prefs));
}
void OnExternalProviderUpdateComplete(
const ExternalProviderInterface* provider,
const std::vector<ExternalInstallInfoUpdateUrl>& update_url_extensions,
const std::vector<ExternalInstallInfoFile>& file_extensions,
const std::set<std::string>& removed_extensions) override {
for (const auto& extension_info : update_url_extensions)
update_url_extension_ids_.insert(extension_info.extension_id);
EXPECT_EQ(update_url_extension_ids_.size(), update_url_extensions.size());
for (const auto& extension_info : file_extensions)
file_extension_ids_.insert(extension_info.extension_id);
EXPECT_EQ(file_extension_ids_.size(), file_extensions.size());
for (const auto& extension_id : removed_extensions)
removed_extension_ids_.insert(extension_id);
}
size_t GetUpdateURLExtensionCount() {
return update_url_extension_ids_.size();
}
size_t GetFileExtensionCount() { return file_extension_ids_.size(); }
size_t GetRemovedExtensionCount() { return removed_extension_ids_.size(); }
bool HasSeenUpdateWithUpdateUrl(const std::string& extension_id) {
return update_url_extension_ids_.count(extension_id) > 0u;
}
bool HasSeenUpdateWithFile(const std::string& extension_id) {
return file_extension_ids_.count(extension_id) > 0u;
}
bool HasSeenRemoval(const std::string& extension_id) {
return removed_extension_ids_.count(extension_id) > 0u;
}
private:
std::set<std::string> update_url_extension_ids_;
std::set<std::string> file_extension_ids_;
std::set<std::string> removed_extension_ids_;
};
struct MockExtensionRegistryObserver : public ExtensionRegistryObserver {
MockExtensionRegistryObserver() = default;
MockExtensionRegistryObserver(const MockExtensionRegistryObserver&) = delete;
MockExtensionRegistryObserver& operator=(
const MockExtensionRegistryObserver&) = delete;
~MockExtensionRegistryObserver() override = default;
// ExtensionRegistryObserver:
void OnExtensionLoaded(content::BrowserContext* browser_context,
const Extension* extension) override {
last_extension_loaded = extension->id();
}
void OnExtensionUnloaded(content::BrowserContext* browser_context,
const Extension* extension,
UnloadedExtensionReason reason) override {
last_extension_unloaded = extension->id();
}
void OnExtensionWillBeInstalled(content::BrowserContext* browser_context,
const Extension* extension,
bool is_update,
const std::string& old_name) override {
last_extension_installed = extension->id();
}
void OnExtensionUninstalled(content::BrowserContext* browser_context,
const Extension* extension,
UninstallReason reason) override {
last_extension_uninstalled = extension->id();
last_extension_uninstalled_path = extension->path();
}
std::string last_extension_loaded;
std::string last_extension_unloaded;
std::string last_extension_installed;
std::string last_extension_uninstalled;
base::FilePath last_extension_uninstalled_path;
};
class ExtensionLoadedObserver : public ExtensionRegistryObserver {
public:
ExtensionLoadedObserver(ExtensionRegistry* registry, const std::string& id)
: id_(id) {
observation_.Observe(registry);
}
void Wait() { run_loop_.Run(); }
protected:
void OnExtensionLoaded(content::BrowserContext* browser_context,
const Extension* extension) override {
if (extension->id() == id_) {
run_loop_.Quit();
}
}
private:
const std::string id_;
ScopedObservation<ExtensionRegistry, ExtensionRegistryObserver> observation_{
this};
base::RunLoop run_loop_;
};
class PendingRemovalObserver : public PendingExtensionManager::Observer {
public:
PendingRemovalObserver(PendingExtensionManager* pending,
const std::string& id)
: observed_id_(id) {
observation_.Observe(pending);
}
void WaitForRemoval() { run_loop_.Run(); }
protected:
void OnExtensionRemoved(const std::string& id) override {
if (id == observed_id_) {
run_loop_.Quit();
}
}
private:
const std::string observed_id_;
ScopedObservation<PendingExtensionManager, PendingExtensionManager::Observer>
observation_{this};
base::RunLoop run_loop_;
};
class ExtensionServiceTest : public ExtensionServiceTestWithInstall {
public:
ExtensionServiceTest() = default;
MockExternalProvider* AddMockExternalProvider(ManifestLocation location) {
auto provider = std::make_unique<MockExternalProvider>(
external_provider_manager(), location);
MockExternalProvider* provider_ptr = provider.get();
external_provider_manager()->AddProviderForTesting(std::move(provider));
return provider_ptr;
}
// Checks for external extensions and waits for the one with the given `id` to
// successfully complete installing.
void WaitForExternalExtensionInstalled(const std::string& id) {
ExtensionLoadedObserver observer(registry(), id);
external_provider_manager()->CheckForExternalUpdates();
observer.Wait();
}
// Waits for an installation attempt of the extension with the given id
// to complete (successfully or not).
void WaitForInstallationAttemptToComplete(const std::string& id) {
external_provider_manager()->CheckForExternalUpdates();
PendingRemovalObserver observer(PendingExtensionManager::Get(profile()),
id);
observer.WaitForRemoval();
}
protected:
void TestExternalProvider(MockExternalProvider* provider,
ManifestLocation location);
// Grants all optional permissions stated in manifest to active permission
// set for extension |id|.
void GrantAllOptionalPermissions(const std::string& id) {
const Extension* extension = registry()->GetInstalledExtension(id);
const PermissionSet& all_optional_permissions =
PermissionsParser::GetOptionalPermissions(extension);
permissions_test_util::GrantOptionalPermissionsAndWaitForCompletion(
profile(), *extension, all_optional_permissions);
}
testing::AssertionResult IsBlocked(const std::string& id) {
const ExtensionSet all_unblocked_extensions =
registry()->GenerateInstalledExtensionsSet(
ExtensionRegistry::EVERYTHING & ~ExtensionRegistry::BLOCKED);
if (all_unblocked_extensions.Contains(id)) {
return testing::AssertionFailure() << id << " is still unblocked!";
}
if (!registry()->blocked_extensions().Contains(id)) {
return testing::AssertionFailure() << id << " is not blocked!";
}
return testing::AssertionSuccess();
}
// Helper method to test that an extension moves through being blocked and
// unblocked as appropriate for its type.
void AssertExtensionBlocksAndUnblocks(bool should_block,
const std::string& extension_id) {
// Assume we start in an unblocked state.
EXPECT_FALSE(IsBlocked(extension_id));
// Block the extensions.
registrar()->BlockAllExtensions();
task_environment()->RunUntilIdle();
if (should_block)
ASSERT_TRUE(IsBlocked(extension_id));
else
ASSERT_FALSE(IsBlocked(extension_id));
registrar()->UnblockAllExtensions();
task_environment()->RunUntilIdle();
ASSERT_FALSE(IsBlocked(extension_id));
}
// Test that certain histograms are emitted for user and non-user profiles
// (users for ChromeOS Ash).
void RunEmitUserHistogramsTest(int nonuser_expected_total_count,
int user_expected_total_count) {
base::HistogramTester histograms;
TestExtensionDir good_extension_dir;
good_extension_dir.WriteManifest(
R"({
"name": "Good Extension",
"version": "0.1",
"manifest_version": 2
})");
ChromeTestExtensionLoader loader(profile());
loader.set_pack_extension(false);
loader.LoadExtension(good_extension_dir.UnpackedPath());
histograms.ExpectTotalCount("Extensions.InstallType.NonUser",
nonuser_expected_total_count);
histograms.ExpectTotalCount("Extensions.InstallType.User",
user_expected_total_count);
histograms.ExpectTotalCount("Extensions.InstallSource.NonUser2",
nonuser_expected_total_count);
histograms.ExpectTotalCount("Extensions.InstallSource.User2",
user_expected_total_count);
}
const base::Value::Dict* GetExtensionPref(const std::string& extension_id) {
const base::Value::Dict& dict =
profile()->GetPrefs()->GetDict(pref_names::kExtensions);
const base::Value::Dict* pref = dict.FindDict(extension_id);
if (!pref) {
return nullptr;
}
return pref;
}
bool IsPrefExist(const std::string& extension_id,
const std::string& pref_path) {
const base::Value::Dict* pref = GetExtensionPref(extension_id);
return pref && pref->FindBoolByDottedPath(pref_path).has_value();
}
bool DoesIntegerPrefExist(const std::string& extension_id,
const std::string& pref_path) {
const base::Value::Dict* pref = GetExtensionPref(extension_id);
if (!pref) {
return false;
}
return pref->FindIntByDottedPath(pref_path).has_value();
}
void SetPref(const std::string& extension_id,
const std::string& pref_path,
std::unique_ptr<base::Value> value,
const std::string& msg) {
ScopedDictPrefUpdate update(profile()->GetPrefs(), pref_names::kExtensions);
base::Value::Dict& dict = update.Get();
base::Value::Dict* pref = dict.FindDict(extension_id);
ASSERT_TRUE(pref) << msg;
pref->SetByDottedPath(pref_path,
base::Value::FromUniquePtrValue(std::move(value)));
}
void SetPrefList(const std::string& extension_id,
const std::string& pref_path,
base::Value::List& value,
const std::string& msg) {
ScopedDictPrefUpdate update(profile()->GetPrefs(), pref_names::kExtensions);
base::Value::Dict& dict = update.Get();
base::Value::Dict* pref = dict.FindDict(extension_id);
ASSERT_TRUE(pref) << msg;
pref->SetByDottedPath(pref_path, std::move(value));
}
void SetPrefInteg(const std::string& extension_id,
const std::string& pref_path,
int value) {
std::string msg = " while setting: ";
msg += extension_id;
msg += " ";
msg += pref_path;
msg += " = ";
msg += base::NumberToString(value);
SetPref(extension_id, pref_path, std::make_unique<base::Value>(value), msg);
}
void SetPrefBool(const std::string& extension_id,
const std::string& pref_path,
bool value) {
std::string msg = " while setting: ";
msg += extension_id + " " + pref_path;
msg += " = ";
msg += base::ToString(value);
SetPref(extension_id, pref_path, std::make_unique<base::Value>(value), msg);
}
void ClearPref(const std::string& extension_id,
const std::string& pref_path) {
std::string msg = " while clearing: ";
msg += extension_id + " " + pref_path;
ScopedDictPrefUpdate update(profile()->GetPrefs(), pref_names::kExtensions);
base::Value::Dict& dict = update.Get();
base::Value::Dict* pref = dict.FindDict(extension_id);
ASSERT_TRUE(pref) << msg;
pref->RemoveByDottedPath(pref_path);
}
void SetPrefStringSet(const std::string& extension_id,
const std::string& pref_path,
const std::set<std::string>& value) {
std::string msg = " while setting: ";
msg += extension_id + " " + pref_path;
base::Value::List list_value;
for (const auto& item : value) {
list_value.Append(item);
}
SetPrefList(extension_id, pref_path, list_value, msg);
}
void InitPluginService() {
#if BUILDFLAG(ENABLE_PLUGINS)
content::PluginService::GetInstance()->Init();
#endif
}
void InitializeEmptyExtensionServiceWithTestingPrefs() {
InitializeExtensionService(ExtensionServiceInitParams());
}
ManagementPolicy* GetManagementPolicy() {
return ExtensionSystem::Get(browser_context())->management_policy();
}
ExtensionPrefs* prefs() { return ExtensionPrefs::Get(browser_context()); }
ExternalInstallError* GetError(const std::string& extension_id) {
std::vector<ExternalInstallError*> errors =
external_install_manager()->GetErrorsForTesting();
auto found = std::ranges::find(errors, extension_id,
&ExternalInstallError::extension_id);
return found == errors.end() ? nullptr : *found;
}
storage::QuotaErrorOr<storage::BucketLocator> GetStorageBucket(
const blink::StorageKey& storage_key) {
base::test::TestFuture<storage::QuotaErrorOr<storage::BucketInfo>> future;
profile()
->GetDefaultStoragePartition()
->GetQuotaManager()
->proxy()
->UpdateOrCreateBucket(
storage::BucketInitParams::ForDefaultBucket(storage_key),
base::SingleThreadTaskRunner::GetCurrentDefault(),
future.GetCallback());
return future.Take().transform(&storage::BucketInfo::ToBucketLocator);
}
PendingExtensionManager* pending_extension_manager() {
return PendingExtensionManager::Get(profile());
}
ExternalProviderManager* external_provider_manager() {
return ExternalProviderManager::Get(profile());
}
ExternalInstallManager* external_install_manager() {
return ExternalInstallManager::Get(profile());
}
typedef ExtensionManagementPrefUpdater<
sync_preferences::TestingPrefServiceSyncable>
ManagementPrefUpdater;
};
// Receives notifications from a PackExtensionJob, indicating either that
// packing succeeded or that there was some error.
class PackExtensionTestClient : public PackExtensionJob::Client {
public:
PackExtensionTestClient(const base::FilePath& expected_crx_path,
const base::FilePath& expected_private_key_path,
base::OnceClosure quit_closure);
PackExtensionTestClient(const PackExtensionTestClient&) = delete;
PackExtensionTestClient& operator=(const PackExtensionTestClient&) = delete;
void OnPackSuccess(const base::FilePath& crx_path,
const base::FilePath& private_key_path) override;
void OnPackFailure(const std::string& error_message,
ExtensionCreator::ErrorType type) override;
private:
const base::FilePath expected_crx_path_;
const base::FilePath expected_private_key_path_;
base::OnceClosure quit_closure_;
};
PackExtensionTestClient::PackExtensionTestClient(
const base::FilePath& expected_crx_path,
const base::FilePath& expected_private_key_path,
base::OnceClosure quit_closure)
: expected_crx_path_(expected_crx_path),
expected_private_key_path_(expected_private_key_path),
quit_closure_(std::move(quit_closure)) {}
// If packing succeeded, we make sure that the package names match our
// expectations.
void PackExtensionTestClient::OnPackSuccess(
const base::FilePath& crx_path,
const base::FilePath& private_key_path) {
// We got the notification and processed it; we don't expect any further tasks
// to be posted to the current thread, so we should stop blocking and continue
// on with the rest of the test.
// This call to |Quit()| matches the call to |Run()| in the
// |PackPunctuatedExtension| test.
std::move(quit_closure_).Run();
EXPECT_EQ(expected_crx_path_.value(), crx_path.value());
EXPECT_EQ(expected_private_key_path_.value(), private_key_path.value());
ASSERT_TRUE(base::PathExists(private_key_path));
}
// The tests are designed so that we never expect to see a packing error.
void PackExtensionTestClient::OnPackFailure(const std::string& error_message,
ExtensionCreator::ErrorType type) {
if (type == ExtensionCreator::kCRXExists)
FAIL() << "Packing should not fail.";
else
FAIL() << "Existing CRX should have been overwritten.";
}
// Test loading good extensions from the profile directory.
TEST_F(ExtensionServiceTest, LoadAllExtensionsFromDirectorySuccess) {
InitPluginService();
InitializeGoodInstalledExtensionService();
service()->Init();
uint32_t expected_num_extensions = 3u;
ASSERT_EQ(expected_num_extensions, loaded_extensions().size());
EXPECT_EQ(std::string(good0), loaded_extensions()[0]->id());
EXPECT_EQ(std::string("My extension 1"), loaded_extensions()[0]->name());
EXPECT_EQ(std::string("The first extension that I made."),
loaded_extensions()[0]->description());
EXPECT_EQ(ManifestLocation::kInternal, loaded_extensions()[0]->location());
EXPECT_TRUE(
registry()->enabled_extensions().GetByID(loaded_extensions()[0]->id()));
EXPECT_EQ(expected_num_extensions, registry()->enabled_extensions().size());
ValidatePrefKeyCount(4);
EXPECT_FALSE(prefs()->IsExtensionDisabled(good0));
ValidateIntegerPref(good0, "location",
static_cast<int>(ManifestLocation::kInternal));
EXPECT_FALSE(prefs()->IsExtensionDisabled(good1));
ValidateIntegerPref(good1, "location",
static_cast<int>(ManifestLocation::kInternal));
EXPECT_FALSE(prefs()->IsExtensionDisabled(good2));
ValidateIntegerPref(good2, "location",
static_cast<int>(ManifestLocation::kInternal));
URLPatternSet expected_patterns;
AddPattern(&expected_patterns, "file:///*");
AddPattern(&expected_patterns, "http://*.google.com/*");
AddPattern(&expected_patterns, "https://*.google.com/*");
const Extension* extension = loaded_extensions()[0].get();
const UserScriptList& scripts =
ContentScriptsInfo::GetContentScripts(extension);
ASSERT_EQ(2u, scripts.size());
EXPECT_EQ(expected_patterns, scripts[0]->url_patterns());
EXPECT_EQ(2u, scripts[0]->js_scripts().size());
ExtensionResource resource00(extension->id(),
scripts[0]->js_scripts()[0]->extension_root(),
scripts[0]->js_scripts()[0]->relative_path());
base::FilePath expected_path =
base::MakeAbsoluteFilePath(extension->path().AppendASCII("script1.js"));
EXPECT_EQ(expected_path.NormalizePathSeparators(),
resource00.GetFilePath().NormalizePathSeparators());
ExtensionResource resource01(extension->id(),
scripts[0]->js_scripts()[1]->extension_root(),
scripts[0]->js_scripts()[1]->relative_path());
expected_path =
base::MakeAbsoluteFilePath(extension->path().AppendASCII("script2.js"));
EXPECT_EQ(expected_path.NormalizePathSeparators(),
resource01.GetFilePath().NormalizePathSeparators());
EXPECT_EQ(1u, scripts[1]->url_patterns().patterns().size());
EXPECT_EQ("http://*.news.com/*",
scripts[1]->url_patterns().begin()->GetAsString());
ExtensionResource resource10(extension->id(),
scripts[1]->js_scripts()[0]->extension_root(),
scripts[1]->js_scripts()[0]->relative_path());
expected_path =
extension->path().AppendASCII("js_files").AppendASCII("script3.js");
expected_path = base::MakeAbsoluteFilePath(expected_path);
EXPECT_EQ(expected_path.NormalizePathSeparators(),
resource10.GetFilePath().NormalizePathSeparators());
expected_patterns.ClearPatterns();
AddPattern(&expected_patterns, "http://*.google.com/*");
AddPattern(&expected_patterns, "https://*.google.com/*");
EXPECT_EQ(
expected_patterns,
extension->permissions_data()->active_permissions().explicit_hosts());
EXPECT_EQ(std::string(good1), loaded_extensions()[1]->id());
EXPECT_EQ(std::string("My extension 2"), loaded_extensions()[1]->name());
EXPECT_EQ(std::string(), loaded_extensions()[1]->description());
EXPECT_EQ(loaded_extensions()[1]->GetResourceURL("background.html"),
BackgroundInfo::GetBackgroundURL(loaded_extensions()[1].get()));
EXPECT_TRUE(
ContentScriptsInfo::GetContentScripts(loaded_extensions()[1].get())
.empty());
EXPECT_EQ(ManifestLocation::kInternal, loaded_extensions()[1]->location());
int index = expected_num_extensions - 1;
EXPECT_EQ(std::string(good2), loaded_extensions()[index]->id());
EXPECT_EQ(std::string("My extension 3"), loaded_extensions()[index]->name());
EXPECT_EQ(std::string(), loaded_extensions()[index]->description());
EXPECT_TRUE(
ContentScriptsInfo::GetContentScripts(loaded_extensions()[index].get())
.empty());
EXPECT_EQ(ManifestLocation::kInternal,
loaded_extensions()[index]->location());
}
// Test loading bad extensions from the profile directory.
TEST_F(ExtensionServiceTest, LoadAllExtensionsFromDirectoryFail) {
// Initialize the test dir with a bad Preferences/extensions.
ExtensionServiceInitParams params;
ASSERT_TRUE(
params.ConfigureByTestDataDirectory(data_dir().AppendASCII("bad")));
InitializeExtensionService(std::move(params));
service()->Init();
ASSERT_EQ(4u, GetErrors().size());
ASSERT_EQ(0u, loaded_extensions().size());
EXPECT_TRUE(base::MatchPattern(
base::UTF16ToUTF8(GetErrors()[0]),
l10n_util::GetStringUTF8(IDS_EXTENSIONS_LOAD_ERROR_MESSAGE) + " *. " +
manifest_errors::kManifestUnreadable))
<< base::UTF16ToUTF8(GetErrors()[0]);
EXPECT_TRUE(base::MatchPattern(
base::UTF16ToUTF8(GetErrors()[1]),
l10n_util::GetStringUTF8(IDS_EXTENSIONS_LOAD_ERROR_MESSAGE) + " *. " +
manifest_errors::kManifestUnreadable))
<< base::UTF16ToUTF8(GetErrors()[1]);
EXPECT_TRUE(base::MatchPattern(
base::UTF16ToUTF8(GetErrors()[2]),
l10n_util::GetStringUTF8(IDS_EXTENSIONS_LOAD_ERROR_MESSAGE) + " *. " +
manifest_errors::kMissingFile))
<< base::UTF16ToUTF8(GetErrors()[2]);
EXPECT_TRUE(base::MatchPattern(
base::UTF16ToUTF8(GetErrors()[3]),
l10n_util::GetStringUTF8(IDS_EXTENSIONS_LOAD_ERROR_MESSAGE) + " *. " +
manifest_errors::kManifestUnreadable))
<< base::UTF16ToUTF8(GetErrors()[3]);
}
// Test various cases for delayed install because of missing imports.
TEST_F(ExtensionServiceTest, PendingImports) {
InitPluginService();
ExtensionServiceInitParams params;
ASSERT_TRUE(params.ConfigureByTestDataDirectory(
data_dir().AppendASCII("pending_updates_with_imports")));
InitializeExtensionService(std::move(params));
// Verify there are no pending extensions initially.
EXPECT_FALSE(pending_extension_manager()->HasPendingExtensions());
service()->Init();
// Wait for GarbageCollectExtensions task to complete.
task_environment()->RunUntilIdle();
// These extensions are used by the extensions we test below, they must be
// installed.
EXPECT_TRUE(base::PathExists(extensions_install_dir().AppendASCII(
"bjafgdebaacbbbecmhlhpofkepfkgcpa/1.0")));
EXPECT_TRUE(base::PathExists(extensions_install_dir().AppendASCII(
"hpiknbiabeeppbpihjehijgoemciehgk/2")));
// Each of these extensions should have been rejected because of dependencies
// that cannot be satisfied.
EXPECT_FALSE(
prefs()->GetDelayedInstallInfo("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"));
EXPECT_FALSE(
prefs()->GetInstalledExtensionInfo("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"));
EXPECT_FALSE(
prefs()->GetDelayedInstallInfo("bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb"));
EXPECT_FALSE(
prefs()->GetInstalledExtensionInfo("bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb"));
EXPECT_FALSE(
prefs()->GetDelayedInstallInfo("cccccccccccccccccccccccccccccccc"));
EXPECT_FALSE(
prefs()->GetInstalledExtensionInfo("cccccccccccccccccccccccccccccccc"));
// Make sure the import started for the extension with a dependency.
EXPECT_TRUE(
prefs()->GetDelayedInstallInfo("behllobkkfkfnphdnhnkndlbkcpglgmj"));
EXPECT_EQ(
ExtensionPrefs::DelayReason::kWaitForImports,
prefs()->GetDelayedInstallReason("behllobkkfkfnphdnhnkndlbkcpglgmj"));
EXPECT_FALSE(base::PathExists(extensions_install_dir().AppendASCII(
"behllobkkfkfnphdnhnkndlbkcpglgmj/1.0.0.0")));
EXPECT_TRUE(pending_extension_manager()->HasPendingExtensions());
std::string pending_id("eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee");
EXPECT_TRUE(pending_extension_manager()->IsIdPending(pending_id));
// Remove it because we are not testing the pending extension manager's
// ability to download and install extensions.
EXPECT_TRUE(pending_extension_manager()->Remove(pending_id));
}
// Tests that reloading extension with a install delayed due to pending imports
// reloads currently installed extension version, rather than installing the
// delayed install.
TEST_F(ExtensionServiceTest, ReloadExtensionWithPendingImports) {
InitializeEmptyExtensionService();
// Wait for GarbageCollectExtensions task to complete.
task_environment()->RunUntilIdle();
const base::FilePath base_path =
data_dir()
.AppendASCII("pending_updates_with_imports")
.AppendASCII("updated_with_imports");
const base::FilePath pem_path = base_path.AppendASCII("update.pem");
// Initially installed version - the version with no imports.
const base::FilePath installed_path = base_path.AppendASCII("1.0.0");
// The updated version - has import that is not satisfied (due to the imported
// extension not being installed).
const base::FilePath updated_path = base_path.AppendASCII("2.0.0");
ASSERT_TRUE(base::PathExists(pem_path));
ASSERT_TRUE(base::PathExists(installed_path));
ASSERT_TRUE(base::PathExists(updated_path));
// Install version 1.
const Extension* extension = PackAndInstallCRX(
installed_path, pem_path, INSTALL_NEW, Extension::FROM_WEBSTORE,
mojom::ManifestLocation::kInternal);
task_environment()->RunUntilIdle();
ASSERT_TRUE(extension);
const std::string id = extension->id();
ASSERT_TRUE(registry()->enabled_extensions().Contains(id));
EXPECT_EQ("1.0.0", extension->VersionString());
// No pending extensions at this point.
EXPECT_FALSE(pending_extension_manager()->HasPendingExtensions());
// Update to version 2 that adds an unsatisfied import.
PackCRXAndUpdateExtension(id, updated_path, pem_path, ENABLED);
task_environment()->RunUntilIdle();
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
// The extension update should be delayed at this point - the old version
// should still be installed.
EXPECT_EQ("1.0.0", extension->VersionString());
// Make sure the import started for the extension with a dependency.
EXPECT_TRUE(prefs()->GetDelayedInstallInfo(id));
EXPECT_EQ(ExtensionPrefs::DelayReason::kWaitForImports,
prefs()->GetDelayedInstallReason(id));
const std::string pending_id(32, 'e');
EXPECT_TRUE(pending_extension_manager()->IsIdPending(pending_id));
MockExtensionRegistryObserver reload_observer;
registry()->AddObserver(&reload_observer);
// Reload the extension, and verify that the installed version does not
// change.
registrar()->ReloadExtension(id);
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
EXPECT_EQ(id, reload_observer.last_extension_loaded);
EXPECT_EQ(id, reload_observer.last_extension_unloaded);
registry()->RemoveObserver(&reload_observer);
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
EXPECT_EQ("1.0.0", extension->VersionString());
// The update should remain delayed, with the import pending.
EXPECT_TRUE(prefs()->GetDelayedInstallInfo(id));
EXPECT_EQ(ExtensionPrefs::DelayReason::kWaitForImports,
prefs()->GetDelayedInstallReason(id));
// Attempt delayed installed - similar to reloading the extension, the update
// should remain delayed.
EXPECT_FALSE(service()->FinishDelayedInstallationIfReady(id, true));
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
EXPECT_EQ("1.0.0", extension->VersionString());
EXPECT_EQ(ExtensionPrefs::DelayReason::kWaitForImports,
prefs()->GetDelayedInstallReason(id));
EXPECT_TRUE(pending_extension_manager()->IsIdPending(pending_id));
// Remove the pending install because the pending extension manager's
// ability to download and install extensions is not important for this test.
EXPECT_TRUE(pending_extension_manager()->Remove(pending_id));
}
// Tests that installation fails with extensions disabled.
TEST_F(ExtensionServiceTest, InstallExtensionsWithExtensionsDisabled) {
InitializeExtensionServiceWithExtensionsDisabled();
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_FAILED);
}
// Test installing extensions. This test tries to install few extensions using
// crx files. If you need to change those crx files, feel free to repackage
// them, throw away the key used and change the id's above.
TEST_F(ExtensionServiceTest, InstallExtension) {
InitializeEmptyExtensionService();
ValidatePrefKeyCount(0);
// A simple extension that should install without error.
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_NEW);
// TODO(erikkay): verify the contents of the installed extension.
int pref_count = 0;
ValidatePrefKeyCount(++pref_count);
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location",
static_cast<int>(ManifestLocation::kInternal));
// An extension with page actions.
path = data_dir().AppendASCII("page_action.crx");
InstallCRX(path, INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
EXPECT_FALSE(prefs()->IsExtensionDisabled(page_action));
ValidateIntegerPref(page_action, "location",
static_cast<int>(ManifestLocation::kInternal));
// Bad signature.
path = data_dir().AppendASCII("bad_signature.crx");
InstallCRX(path, INSTALL_FAILED);
ValidatePrefKeyCount(pref_count);
// 0-length extension file.
path = data_dir().AppendASCII("not_an_extension.crx");
InstallCRX(path, INSTALL_FAILED);
ValidatePrefKeyCount(pref_count);
// Bad magic number.
path = data_dir().AppendASCII("bad_magic.crx");
InstallCRX(path, INSTALL_FAILED);
ValidatePrefKeyCount(pref_count);
// Packed extensions may have folders or files that have underscores.
// This will only cause a warning, rather than a fatal error.
path = data_dir().AppendASCII("bad_underscore.crx");
InstallCRX(path, INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
// A test for an extension with a 2048-bit public key.
path = data_dir().AppendASCII("good2048.crx");
InstallCRX(path, INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
EXPECT_FALSE(prefs()->IsExtensionDisabled(good2048));
ValidateIntegerPref(good2048, "location",
static_cast<int>(ManifestLocation::kInternal));
// TODO(erikkay): add more tests for many of the failure cases.
// TODO(erikkay): add tests for upgrade cases.
}
TEST_F(ExtensionServiceTest, InstallExtension_EmitUserHistograms) {
InitializeEmptyExtensionService();
ASSERT_NO_FATAL_FAILURE(MaybeSetUpTestUser(
/*is_guest=*/false));
RunEmitUserHistogramsTest(
/*nonuser_expected_total_count=*/0,
/*user_expected_total_count=*/1);
}
TEST_F(ExtensionServiceTest, InstallExtension_NonUserEmitHistograms) {
InitializeEmptyExtensionService();
ASSERT_NO_FATAL_FAILURE(MaybeSetUpTestUser(
/*is_guest=*/true));
RunEmitUserHistogramsTest(
/*nonuser_expected_total_count=*/1,
/*user_expected_total_count=*/0);
}
// Test that correct notifications are sent to ExtensionRegistryObserver on
// extension install and uninstall.
TEST_F(ExtensionServiceTest, InstallObserverNotified) {
InitializeEmptyExtensionService();
ExtensionRegistry* registry(ExtensionRegistry::Get(profile()));
MockExtensionRegistryObserver observer;
registry->AddObserver(&observer);
// A simple extension that should install without error.
ASSERT_TRUE(observer.last_extension_installed.empty());
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_NEW);
ASSERT_EQ(good_crx, observer.last_extension_installed);
// Uninstall the extension.
ASSERT_TRUE(observer.last_extension_uninstalled.empty());
UninstallExtension(good_crx);
ASSERT_EQ(good_crx, observer.last_extension_uninstalled);
registry->RemoveObserver(&observer);
}
// Test the handling of uninstalling external extensions.
TEST_F(ExtensionServiceTest, UninstallingExternalExtensions) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
std::string version_str = "1.0.0.0";
// Install an external extension.
std::unique_ptr<ExternalInstallInfoFile> info = CreateExternalExtension(
good_crx, version_str, path, ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(std::move(info));
WaitForExternalExtensionInstalled(good_crx);
ASSERT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
// Uninstall it and check that its killbit gets set.
UninstallExtension(good_crx);
EXPECT_TRUE(prefs()->IsExternalExtensionUninstalled(good_crx));
// Try to re-install it externally. This should fail because of the killbit.
info = CreateExternalExtension(good_crx, version_str, path,
ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
provider->UpdateOrAddExtension(std::move(info));
task_environment()->RunUntilIdle();
ASSERT_FALSE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_TRUE(prefs()->IsExternalExtensionUninstalled(good_crx));
std::string newer_version = "1.0.0.1";
// Repeat the same thing with a newer version of the extension.
path = data_dir().AppendASCII("good2.crx");
info = CreateExternalExtension(good_crx, newer_version, path,
ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
provider->UpdateOrAddExtension(std::move(info));
task_environment()->RunUntilIdle();
ASSERT_FALSE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_TRUE(prefs()->IsExternalExtensionUninstalled(good_crx));
// Try adding the same extension from an external update URL.
ASSERT_FALSE(pending_extension_manager()->AddFromExternalUpdateUrl(
good_crx, std::string(), GURL("http:://fake.update/url"),
ManifestLocation::kExternalPrefDownload, Extension::NO_FLAGS, false));
// Installation of the same extension through the policy should be successful.
ASSERT_TRUE(pending_extension_manager()->AddFromExternalUpdateUrl(
good_crx, std::string(), GURL("http:://fake.update/url"),
ManifestLocation::kExternalPolicyDownload, Extension::NO_FLAGS, false));
EXPECT_TRUE(pending_extension_manager()->IsIdPending(good_crx));
EXPECT_TRUE(pending_extension_manager()->Remove(good_crx));
ASSERT_FALSE(pending_extension_manager()->IsIdPending(good_crx));
}
// Tests that uninstalling an external extension, and then reinstalling the
// extension as a user install (e.g. from the webstore) succeeds.
TEST_F(ExtensionServiceTest, UninstallExternalExtensionAndReinstallAsUser) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
std::string version_str = "1.0.0.0";
// Install an external extension.
std::unique_ptr<ExternalInstallInfoFile> info = CreateExternalExtension(
good_crx, version_str, path, ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(std::move(info));
WaitForExternalExtensionInstalled(good_crx);
ASSERT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
// Uninstall the extension.
UninstallExtension(good_crx);
EXPECT_TRUE(prefs()->IsExternalExtensionUninstalled(good_crx));
// Reinstall the extension as a user-space extension. This should succeed.
scoped_refptr<CrxInstaller> installer(CrxInstaller::CreateSilent(profile()));
installer->set_allow_silent_install(true);
base::RunLoop run_loop;
installer->AddInstallerCallback(base::BindOnce(
[](base::OnceClosure quit_closure,
const std::optional<CrxInstallError>& result) {
ASSERT_FALSE(result) << result->message();
std::move(quit_closure).Run();
},
run_loop.QuitWhenIdleClosure()));
installer->InstallCrx(path);
run_loop.Run();
ASSERT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
}
// Tests uninstalling an external extension from a higher version, and then
// installing a lower version as a user. This should succeed.
// Regression test for https://crbug.com/795026.
TEST_F(ExtensionServiceTest,
UninstallExternalExtensionAndReinstallAsUserWithLowerVersion) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good2.crx");
constexpr char kExternalVersion[] = "1.0.0.1";
// Install an external extension.
std::unique_ptr<ExternalInstallInfoFile> info = CreateExternalExtension(
good_crx, kExternalVersion, path, ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(std::move(info));
WaitForExternalExtensionInstalled(good_crx);
ASSERT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
// Uninstall the extension.
UninstallExtension(good_crx);
EXPECT_TRUE(prefs()->IsExternalExtensionUninstalled(good_crx));
// Reinstall the extension as a user-space extension with a lower version.
// This should succeed.
scoped_refptr<CrxInstaller> installer(CrxInstaller::CreateSilent(profile()));
installer->set_allow_silent_install(true);
base::RunLoop run_loop;
installer->AddInstallerCallback(base::BindOnce(
[](base::OnceClosure quit_closure,
const std::optional<CrxInstallError>& result) {
ASSERT_FALSE(result) << result->message();
std::move(quit_closure).Run();
},
run_loop.QuitWhenIdleClosure()));
installer->InstallCrx(data_dir().AppendASCII("good.crx"));
run_loop.Run();
const Extension* extension =
registry()->enabled_extensions().GetByID(good_crx);
ASSERT_TRUE(extension);
constexpr char kLowerVersion[] = "1.0.0.0";
EXPECT_EQ(kLowerVersion, extension->version().GetString());
}
// Test that uninstalling an external extension does not crash when
// the extension could not be loaded.
// This extension shown in preferences file requires an experimental permission.
// It could not be loaded without such permission.
TEST_F(ExtensionServiceTest, UninstallingNotLoadedExtension) {
base::FilePath test_data_dir = data_dir().AppendASCII("good");
ExtensionServiceInitParams params;
// The preference contains an external extension
// that requires 'experimental' permission.
ASSERT_TRUE(params.SetPrefsContentFromFile(
test_data_dir.AppendASCII("PreferencesExperimental")));
params.extensions_dir = test_data_dir.AppendASCII("Extensions");
// Aforementioned extension will not be loaded if
// there is no '--enable-experimental-extension-apis' command line flag.
InitializeExtensionService(std::move(params));
service()->Init();
// Check and try to uninstall it.
// If we don't check whether the extension is loaded before we uninstall it
// in CheckExternalUninstall, a crash will happen here because we will get or
// dereference a NULL pointer (extension) inside UninstallExtension.
MockExternalProvider provider(nullptr, ManifestLocation::kExternalRegistry);
external_provider_manager()->OnExternalProviderReady(&provider);
}
// Test that external extensions with incorrect IDs are not installed.
// TODO(b/300670172): This test is extremely flaky.
TEST_F(ExtensionServiceTest, DISABLED_FailOnWrongId) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
std::string version_str = "1.0.0.0";
const std::string wrong_id = all_zero;
const std::string correct_id = good_crx;
ASSERT_NE(correct_id, wrong_id);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
// Install an external extension with an ID from the external
// source that is not equal to the ID in the extension manifest.
std::unique_ptr<ExternalInstallInfoFile> info = CreateExternalExtension(
wrong_id, version_str, path, ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
provider->UpdateOrAddExtension(std::move(info));
WaitForInstallationAttemptToComplete(wrong_id);
ASSERT_FALSE(registry()->enabled_extensions().GetByID(good_crx));
// Try again with the right ID. Expect success.
info = CreateExternalExtension(correct_id, version_str, path,
ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
provider->UpdateOrAddExtension(std::move(info));
WaitForExternalExtensionInstalled(good_crx);
ASSERT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
}
// Test that external extensions with incorrect versions are not installed.
TEST_F(ExtensionServiceTest, FailOnWrongVersion) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
// Install an external extension with a version from the external
// source that is not equal to the version in the extension manifest.
std::string wrong_version_str = "1.2.3.4";
std::unique_ptr<ExternalInstallInfoFile> wrong_info = CreateExternalExtension(
good_crx, wrong_version_str, path, ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
provider->UpdateOrAddExtension(std::move(wrong_info));
WaitForInstallationAttemptToComplete(good_crx);
ASSERT_FALSE(registry()->enabled_extensions().GetByID(good_crx));
// Try again with the right version. Expect success.
pending_extension_manager()->Remove(good_crx);
std::unique_ptr<ExternalInstallInfoFile> correct_info =
CreateExternalExtension(good_crx, "1.0.0.0", path,
ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
provider->UpdateOrAddExtension(std::move(correct_info));
WaitForExternalExtensionInstalled(good_crx);
ASSERT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
}
// Install a user script (they get converted automatically to an extension)
TEST_F(ExtensionServiceTest, InstallUserScript) {
// The details of script conversion are tested elsewhere, this just tests
// integration with ExtensionService.
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("user_script_basic.user.js");
ASSERT_TRUE(base::PathExists(path));
scoped_refptr<CrxInstaller> installer(CrxInstaller::CreateSilent(profile()));
installer->set_allow_silent_install(true);
installer->InstallUserScript(
path,
GURL("http://www.aaronboodman.com/scripts/user_script_basic.user.js"));
task_environment()->RunUntilIdle();
std::vector<std::u16string> errors = GetErrors();
EXPECT_TRUE(installed_extension()) << "Nothing was installed.";
EXPECT_FALSE(was_update()) << path.value();
ASSERT_EQ(1u, loaded_extensions().size()) << "Nothing was loaded.";
EXPECT_EQ(0u, errors.size())
<< "There were errors: " << base::JoinString(errors, u",");
EXPECT_TRUE(
registry()->enabled_extensions().GetByID(loaded_extensions()[0]->id()))
<< path.value();
}
// Extensions don't install during shutdown.
TEST_F(ExtensionServiceTest, InstallExtensionDuringShutdown) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
scoped_refptr<CrxInstaller> installer(CrxInstaller::CreateSilent(profile()));
// Simulate shutdown.
installer->set_browser_terminating_for_test(true);
installer->set_allow_silent_install(true);
installer->InstallCrx(path);
task_environment()->RunUntilIdle();
EXPECT_FALSE(installed_extension()) << "Extension installed during shutdown.";
ASSERT_EQ(0u, loaded_extensions().size())
<< "Extension loaded during shutdown.";
}
// This tests that the granted permissions preferences are correctly set when
// installing an extension.
TEST_F(ExtensionServiceTest, GrantedPermissions) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("permissions");
base::FilePath pem_path = path.AppendASCII("unknown.pem");
path = path.AppendASCII("unknown");
ASSERT_TRUE(base::PathExists(pem_path));
ASSERT_TRUE(base::PathExists(path));
APIPermissionSet expected_api_perms;
URLPatternSet expected_host_perms;
// Make sure there aren't any granted permissions before the
// extension is installed.
EXPECT_FALSE(prefs()->GetGrantedPermissions(permissions_crx).get());
const Extension* extension = PackAndInstallCRX(path, pem_path, INSTALL_NEW);
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(permissions_crx, extension->id());
// Verify that the valid API permissions have been recognized.
expected_api_perms.insert(APIPermissionID::kTab);
AddPattern(&expected_host_perms, "http://*.google.com/*");
AddPattern(&expected_host_perms, "https://*.google.com/*");
AddPattern(&expected_host_perms, "http://*.google.com.hk/*");
AddPattern(&expected_host_perms, "http://www.example.com/*");
std::unique_ptr<const PermissionSet> known_perms =
prefs()->GetGrantedPermissions(extension->id());
ASSERT_TRUE(known_perms.get());
EXPECT_FALSE(known_perms->IsEmpty());
EXPECT_EQ(expected_api_perms, known_perms->apis());
EXPECT_EQ(expected_host_perms, known_perms->effective_hosts());
}
// This tests that the granted permissions stored in prefs ignore internal
// permissions specified in the extension manifest.
TEST_F(ExtensionServiceTest,
GrantedPermissionsIgnoreInternalPermissionsFromManifest) {
InitializeEmptyExtensionService();
// Load an extension that tries to include an internal permission in its
// manifest. The internal permission should be ignored on the resulting
// extension object and should not be included in persisted permissions in
// preferences.
constexpr char kManifest[] =
R"({
"name": "Test",
"manifest_version": 3,
"version": "1.2.3",
"permissions": ["searchProvider", "storage"]
})";
TestExtensionDir test_dir;
test_dir.WriteManifest(kManifest);
const Extension* extension = InstallCRX(test_dir.Pack(), INSTALL_NEW);
ASSERT_TRUE(extension);
EXPECT_FALSE(extension->permissions_data()->HasAPIPermission(
mojom::APIPermissionID::kSearchProvider));
EXPECT_TRUE(extension->permissions_data()->HasAPIPermission(
mojom::APIPermissionID::kStorage));
std::unique_ptr<const PermissionSet> granted_perms =
prefs()->GetGrantedPermissions(extension->id());
ASSERT_TRUE(granted_perms);
EXPECT_EQ(1u, granted_perms->apis().size());
EXPECT_TRUE(
granted_perms->HasAPIPermission(mojom::APIPermissionID::kStorage));
EXPECT_FALSE(
granted_perms->HasAPIPermission(mojom::APIPermissionID::kSearchProvider));
}
// This tests that the granted permissions preferences are correctly set when
// updating an extension, and the extension is disabled in case of a permission
// escalation.
TEST_F(ExtensionServiceTest, GrantedPermissionsOnUpdate) {
InitializeEmptyExtensionService();
const base::FilePath base_path = data_dir().AppendASCII("permissions");
const base::FilePath pem_path = base_path.AppendASCII("update.pem");
const base::FilePath path1 = base_path.AppendASCII("update_1");
const base::FilePath path2 = base_path.AppendASCII("update_2");
const base::FilePath path3 = base_path.AppendASCII("update_3");
const base::FilePath path4 = base_path.AppendASCII("update_4");
const base::FilePath path5 = base_path.AppendASCII("update_5");
ASSERT_TRUE(base::PathExists(pem_path));
ASSERT_TRUE(base::PathExists(path1));
ASSERT_TRUE(base::PathExists(path2));
ASSERT_TRUE(base::PathExists(path3));
ASSERT_TRUE(base::PathExists(path4));
ASSERT_TRUE(base::PathExists(path5));
// Install version 1, which has the kHistory permission.
const Extension* extension = PackAndInstallCRX(path1, pem_path, INSTALL_NEW);
const std::string id = extension->id();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_TRUE(registry()->enabled_extensions().Contains(id));
// Verify that the history permission has been recognized.
APIPermissionSet expected_api_perms;
expected_api_perms.insert(APIPermissionID::kHistory);
{
std::unique_ptr<const PermissionSet> known_perms =
prefs()->GetGrantedPermissions(id);
ASSERT_TRUE(known_perms.get());
EXPECT_EQ(expected_api_perms, known_perms->apis());
}
// Update to version 2 that adds the kTopSites permission, which has a
// separate message, but is implied by kHistory. The extension should remain
// enabled.
PackCRXAndUpdateExtension(id, path2, pem_path, ENABLED);
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
// The extra permission should have been granted automatically.
expected_api_perms.insert(APIPermissionID::kTopSites);
{
std::unique_ptr<const PermissionSet> known_perms =
prefs()->GetGrantedPermissions(id);
ASSERT_TRUE(known_perms.get());
EXPECT_EQ(expected_api_perms, known_perms->apis());
}
// Update to version 3 that adds the kStorage permission, which does not have
// a message. The extension should remain enabled.
PackCRXAndUpdateExtension(id, path3, pem_path, ENABLED);
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
// The extra permission should have been granted automatically.
expected_api_perms.insert(APIPermissionID::kStorage);
{
std::unique_ptr<const PermissionSet> known_perms =
prefs()->GetGrantedPermissions(id);
ASSERT_TRUE(known_perms.get());
EXPECT_EQ(expected_api_perms, known_perms->apis());
}
// Update to version 4 that adds the kNotifications permission, which has a
// message and hence is considered a permission increase. Now the extension
// should get disabled.
PackCRXAndUpdateExtension(id, path4, pem_path, DISABLED);
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
EXPECT_TRUE(registry()->disabled_extensions().Contains(id));
// No new permissions should have been granted.
{
std::unique_ptr<const PermissionSet> known_perms =
prefs()->GetGrantedPermissions(id);
ASSERT_TRUE(known_perms.get());
EXPECT_EQ(expected_api_perms, known_perms->apis());
}
}
TEST_F(ExtensionServiceTest, ReenableWithAllPermissionsGranted) {
InitializeEmptyExtensionService();
const base::FilePath base_path = data_dir().AppendASCII("permissions");
const base::FilePath pem_path = base_path.AppendASCII("update.pem");
const base::FilePath path1 = base_path.AppendASCII("update_1");
const base::FilePath path4 = base_path.AppendASCII("update_4");
const base::FilePath path5 = base_path.AppendASCII("update_5");
ASSERT_TRUE(base::PathExists(pem_path));
ASSERT_TRUE(base::PathExists(path1));
ASSERT_TRUE(base::PathExists(path4));
ASSERT_TRUE(base::PathExists(path5));
// Install version 1, which has the kHistory permission.
const Extension* extension = PackAndInstallCRX(path1, pem_path, INSTALL_NEW);
const std::string id = extension->id();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_TRUE(registry()->enabled_extensions().Contains(id));
// Update to version 4 that adds the kNotifications permission, which has a
// message and hence is considered a permission increase. The extension
// should get disabled due to a permissions increase.
PackCRXAndUpdateExtension(id, path4, pem_path, DISABLED);
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
EXPECT_TRUE(registry()->disabled_extensions().Contains(id));
EXPECT_TRUE(prefs()->HasDisableReason(
id, disable_reason::DISABLE_PERMISSIONS_INCREASE));
// Update to version 5 that removes the kNotifications permission again.
// The extension should get re-enabled.
PackCRXAndUpdateExtension(id, path5, pem_path, ENABLED);
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
}
TEST_F(ExtensionServiceTest, ReenableWithAllPermissionsGrantedOnStartup) {
InitializeEmptyExtensionService();
const base::FilePath base_path = data_dir().AppendASCII("permissions");
const base::FilePath pem_path = base_path.AppendASCII("update.pem");
const base::FilePath path1 = base_path.AppendASCII("update_1");
ASSERT_TRUE(base::PathExists(pem_path));
ASSERT_TRUE(base::PathExists(path1));
// Install an extension which has the kHistory permission.
const Extension* extension = PackAndInstallCRX(path1, pem_path, INSTALL_NEW);
const std::string id = extension->id();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_TRUE(registry()->enabled_extensions().Contains(id));
// Disable the extension due to a supposed permission increase, but retain its
// granted permissions.
registrar()->DisableExtension(id,
{disable_reason::DISABLE_PERMISSIONS_INCREASE});
EXPECT_TRUE(registry()->disabled_extensions().Contains(id));
EXPECT_TRUE(prefs()->HasDisableReason(
id, disable_reason::DISABLE_PERMISSIONS_INCREASE));
// Simulate a Chrome restart. Since the extension has all required
// permissions, it should get re-enabled.
service()->ReloadExtensionsForTest();
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
EXPECT_FALSE(prefs()->HasDisableReason(
id, disable_reason::DISABLE_PERMISSIONS_INCREASE));
}
TEST_F(ExtensionServiceTest,
DontReenableWithAllPermissionsGrantedButOtherReason) {
InitializeEmptyExtensionService();
const base::FilePath base_path = data_dir().AppendASCII("permissions");
const base::FilePath pem_path = base_path.AppendASCII("update.pem");
const base::FilePath path1 = base_path.AppendASCII("update_1");
const base::FilePath path4 = base_path.AppendASCII("update_4");
const base::FilePath path5 = base_path.AppendASCII("update_5");
ASSERT_TRUE(base::PathExists(pem_path));
ASSERT_TRUE(base::PathExists(path1));
ASSERT_TRUE(base::PathExists(path4));
ASSERT_TRUE(base::PathExists(path5));
// Install version 1, which has the kHistory permission.
const Extension* extension = PackAndInstallCRX(path1, pem_path, INSTALL_NEW);
const std::string id = extension->id();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_TRUE(registry()->enabled_extensions().Contains(id));
// Disable the extension.
registrar()->DisableExtension(id, {disable_reason::DISABLE_USER_ACTION});
EXPECT_TRUE(registry()->disabled_extensions().Contains(id));
EXPECT_TRUE(
prefs()->HasDisableReason(id, disable_reason::DISABLE_USER_ACTION));
// Update to version 4 that adds the kNotifications permission, which has a
// message and hence is considered a permission increase. The extension
// should get disabled due to a permissions increase.
PackCRXAndUpdateExtension(id, path4, pem_path, DISABLED);
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
EXPECT_TRUE(registry()->disabled_extensions().Contains(id));
EXPECT_TRUE(prefs()->HasDisableReason(
id, disable_reason::DISABLE_PERMISSIONS_INCREASE));
// The USER_ACTION reason should also still be there.
EXPECT_TRUE(
prefs()->HasDisableReason(id, disable_reason::DISABLE_USER_ACTION));
// Update to version 5 that removes the kNotifications permission again.
// The PERMISSIONS_INCREASE should be removed, but the extension should stay
// disabled since USER_ACTION is still there.
PackCRXAndUpdateExtension(id, path5, pem_path, DISABLED);
extension = registry()->GetInstalledExtension(id);
ASSERT_TRUE(extension);
EXPECT_TRUE(registry()->disabled_extensions().Contains(id));
EXPECT_THAT(
prefs()->GetDisableReasons(id),
testing::UnorderedElementsAre(disable_reason::DISABLE_USER_ACTION));
}
TEST_F(ExtensionServiceTest,
DontReenableWithAllPermissionsGrantedOnStartupButOtherReason) {
InitializeEmptyExtensionService();
const base::FilePath base_path = data_dir().AppendASCII("permissions");
const base::FilePath pem_path = base_path.AppendASCII("update.pem");
const base::FilePath path1 = base_path.AppendASCII("update_1");
ASSERT_TRUE(base::PathExists(pem_path));
ASSERT_TRUE(base::PathExists(path1));
// Install an extension which has the kHistory permission.
const Extension* extension = PackAndInstallCRX(path1, pem_path, INSTALL_NEW);
const std::string id = extension->id();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_TRUE(registry()->enabled_extensions().Contains(id));
// Disable the extension due to a supposed permission increase, but retain its
// granted permissions.
registrar()->DisableExtension(id,
{disable_reason::DISABLE_PERMISSIONS_INCREASE,
disable_reason::DISABLE_USER_ACTION});
EXPECT_TRUE(registry()->disabled_extensions().Contains(id));
EXPECT_TRUE(prefs()->HasDisableReason(
id, disable_reason::DISABLE_PERMISSIONS_INCREASE));
// Simulate a Chrome restart. Since the extension has all required
// permissions, the DISABLE_PERMISSIONS_INCREASE should get removed, but it
// should stay disabled due to the remaining DISABLE_USER_ACTION reason.
service()->ReloadExtensionsForTest();
EXPECT_TRUE(registry()->disabled_extensions().Contains(id));
EXPECT_THAT(
prefs()->GetDisableReasons(id),
testing::UnorderedElementsAre(disable_reason::DISABLE_USER_ACTION));
}
// Tests that installing an extension with a permission adds it to the granted
// permissions, so that if it is later removed and then re-added the extension
// is not disabled.
TEST_F(ExtensionServiceTest,
ReaddingOldPermissionInUpdateDoesntDisableExtension) {
InitializeEmptyExtensionService();
// Borrow a PEM for consistent IDs.
const base::FilePath pem_path =
data_dir().AppendASCII("permissions/update.pem");
ASSERT_TRUE(base::PathExists(pem_path));
constexpr char kManifestTemplate[] =
R"({
"name": "Test",
"description": "Test permissions update flow",
"manifest_version": 2,
"version": "%s",
"permissions": [%s]
})";
// Install version 1, which includes the tabs permission.
TestExtensionDir version1;
version1.WriteManifest(
base::StringPrintf(kManifestTemplate, "1", R"("tabs")"));
const Extension* extension =
PackAndInstallCRX(version1.UnpackedPath(), pem_path, INSTALL_NEW);
ASSERT_TRUE(extension);
const std::string id = extension->id();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_TRUE(registry()->enabled_extensions().Contains(id));
auto get_granted_permissions = [this, id]() {
return prefs()->GetGrantedPermissions(id);
};
auto get_active_permissions = [this, id]() {
return prefs()->GetDesiredActivePermissions(id);
};
APIPermissionSet tabs_permission_set;
tabs_permission_set.insert(APIPermissionID::kTab);
EXPECT_EQ(tabs_permission_set, get_granted_permissions()->apis());
EXPECT_EQ(tabs_permission_set, get_active_permissions()->apis());
// Version 2 removes the tabs permission. The tabs permission should be
// gone from the active permissions, but retained in the granted permissions.
TestExtensionDir version2;
version2.WriteManifest(base::StringPrintf(kManifestTemplate, "2", ""));
PackCRXAndUpdateExtension(id, version2.UnpackedPath(), pem_path, ENABLED);
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
EXPECT_EQ(tabs_permission_set, get_granted_permissions()->apis());
EXPECT_TRUE(get_active_permissions()->IsEmpty());
// Version 3 re-adds the tabs permission. Even though this is an increase in
// privilege from version 2, it's not from the granted permissions (which
// include the permission from version 1). Therefore, the extension should
// remain enabled.
TestExtensionDir version3;
version3.WriteManifest(
base::StringPrintf(kManifestTemplate, "3", R"("tabs")"));
PackCRXAndUpdateExtension(id, version3.UnpackedPath(), pem_path, ENABLED);
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
EXPECT_EQ(tabs_permission_set, get_granted_permissions()->apis());
EXPECT_EQ(tabs_permission_set, get_active_permissions()->apis());
}
// Tests that updating incognito to not_allowed revokes extension's permission
// to run in incognito.
TEST_F(ExtensionServiceTest, UpdateIncognitoMode) {
InitializeEmptyExtensionService();
// Borrow a PEM for consistent IDs.
const base::FilePath path = data_dir().AppendASCII("permissions/update.pem");
ASSERT_TRUE(base::PathExists(path));
constexpr char kManifestTemplate[] =
R"({
"name": "Test",
"description": "Test incognito mode update flow",
"manifest_version": 2,
"version": "%s",
"incognito": "%s"
})";
// Install version 1, which has incognito set to split.
TestExtensionDir version1;
version1.WriteManifest(base::StringPrintf(kManifestTemplate, "1", "split"));
const Extension* extension =
PackAndInstallCRX(version1.UnpackedPath(), path, INSTALL_NEW);
ASSERT_TRUE(extension);
const std::string id = extension->id();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_TRUE(registry()->enabled_extensions().Contains(id));
util::SetIsIncognitoEnabled(id, profile(), true);
EXPECT_TRUE(util::IsIncognitoEnabled(id, profile()));
// Version 2 updates the incognito mode to not_allowed. This should revoke its
// permissions, i.e., the extension should not be allowed to run in incognito.
TestExtensionDir version2;
version2.WriteManifest(
base::StringPrintf(kManifestTemplate, "2", "not_allowed"));
PackCRXAndUpdateExtension(id, version2.UnpackedPath(), path, ENABLED);
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
EXPECT_FALSE(util::IsIncognitoEnabled(id, profile()));
// Version 3 updates the incognito mode to split. The extension should not
// have the permissions.
TestExtensionDir version3;
version3.WriteManifest(base::StringPrintf(kManifestTemplate, "3", "split"));
registrar()->EnableExtension(id);
PackCRXAndUpdateExtension(id, version3.UnpackedPath(), path, ENABLED);
EXPECT_TRUE(registry()->enabled_extensions().Contains(id));
EXPECT_FALSE(util::IsIncognitoEnabled(id, profile()));
}
#if !BUILDFLAG(IS_CHROMEOS)
// This tests that the granted permissions preferences are correctly set for
// pre-installed apps.
TEST_F(ExtensionServiceTest, PreinstalledAppsGrantedPermissions) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("permissions");
base::FilePath pem_path = path.AppendASCII("unknown.pem");
path = path.AppendASCII("unknown");
ASSERT_TRUE(base::PathExists(pem_path));
ASSERT_TRUE(base::PathExists(path));
APIPermissionSet expected_api_perms;
URLPatternSet expected_host_perms;
// Make sure there aren't any granted permissions before the
// extension is installed.
EXPECT_FALSE(prefs()->GetGrantedPermissions(permissions_crx).get());
const Extension* extension = PackAndInstallCRX(
path, pem_path, INSTALL_NEW, Extension::WAS_INSTALLED_BY_DEFAULT,
mojom::ManifestLocation::kInternal);
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(permissions_crx, extension->id());
// Verify that the valid API permissions have been recognized.
expected_api_perms.insert(APIPermissionID::kTab);
std::unique_ptr<const PermissionSet> known_perms =
prefs()->GetGrantedPermissions(extension->id());
EXPECT_TRUE(known_perms.get());
EXPECT_FALSE(known_perms->IsEmpty());
EXPECT_EQ(expected_api_perms, known_perms->apis());
}
#endif
// Tests that the extension is disabled when permissions are missing from
// the extension's granted permissions preferences. (This simulates updating
// the browser to a version which recognizes more permissions).
TEST_F(ExtensionServiceTest, GrantedAPIAndHostPermissions) {
InitializeEmptyExtensionService();
base::FilePath path =
data_dir().AppendASCII("permissions").AppendASCII("unknown");
ASSERT_TRUE(base::PathExists(path));
const Extension* extension = PackAndInstallCRX(path, INSTALL_NEW);
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
std::string extension_id = extension->id();
APIPermissionSet expected_api_permissions;
URLPatternSet expected_host_permissions;
expected_api_permissions.insert(APIPermissionID::kTab);
AddPattern(&expected_host_permissions, "http://*.google.com/*");
AddPattern(&expected_host_permissions, "https://*.google.com/*");
AddPattern(&expected_host_permissions, "http://*.google.com.hk/*");
AddPattern(&expected_host_permissions, "http://www.example.com/*");
std::set<std::string> host_permissions;
// Test that the extension is disabled when an API permission is missing from
// the extension's granted api permissions preference. (This simulates
// updating the browser to a version which recognizes a new API permission).
base::Value::List empty_list;
SetPrefList(extension_id, "granted_permissions.api", empty_list,
"granted_permissions.api");
service()->ReloadExtensionsForTest();
EXPECT_EQ(1u, registry()->disabled_extensions().size());
extension = registry()->disabled_extensions().begin()->get();
ASSERT_TRUE(prefs()->IsExtensionDisabled(extension_id));
ASSERT_FALSE(registrar()->IsExtensionEnabled(extension_id));
ASSERT_TRUE(prefs()->DidExtensionEscalatePermissions(extension_id));
// Now grant and re-enable the extension, making sure the prefs are updated.
registrar()->GrantPermissionsAndEnableExtension(*extension);
ASSERT_FALSE(prefs()->IsExtensionDisabled(extension_id));
ASSERT_TRUE(registrar()->IsExtensionEnabled(extension_id));
ASSERT_FALSE(prefs()->DidExtensionEscalatePermissions(extension_id));
std::unique_ptr<const PermissionSet> current_perms =
prefs()->GetGrantedPermissions(extension_id);
ASSERT_TRUE(current_perms.get());
ASSERT_FALSE(current_perms->IsEmpty());
ASSERT_EQ(expected_api_permissions, current_perms->apis());
ASSERT_EQ(expected_host_permissions, current_perms->effective_hosts());
// Tests that the extension is disabled when a host permission is missing from
// the extension's granted host permissions preference. (This simulates
// updating the browser to a version which recognizes additional host
// permissions).
host_permissions.clear();
current_perms = nullptr;
host_permissions.insert("http://*.google.com/*");
host_permissions.insert("https://*.google.com/*");
host_permissions.insert("http://*.google.com.hk/*");
auto api_permissions = base::Value::List().Append("tabs");
SetPrefList(extension_id, "granted_permissions.api", api_permissions,
"granted_permissions.api");
SetPrefStringSet(
extension_id, "granted_permissions.scriptable_host", host_permissions);
service()->ReloadExtensionsForTest();
EXPECT_EQ(1u, registry()->disabled_extensions().size());
extension = registry()->disabled_extensions().begin()->get();
ASSERT_TRUE(prefs()->IsExtensionDisabled(extension_id));
ASSERT_FALSE(registrar()->IsExtensionEnabled(extension_id));
ASSERT_TRUE(prefs()->DidExtensionEscalatePermissions(extension_id));
// Now grant and re-enable the extension, making sure the prefs are updated.
registrar()->GrantPermissionsAndEnableExtension(*extension);
ASSERT_TRUE(registrar()->IsExtensionEnabled(extension_id));
ASSERT_FALSE(prefs()->DidExtensionEscalatePermissions(extension_id));
current_perms = prefs()->GetGrantedPermissions(extension_id);
ASSERT_TRUE(current_perms.get());
ASSERT_FALSE(current_perms->IsEmpty());
ASSERT_EQ(expected_api_permissions, current_perms->apis());
ASSERT_EQ(expected_host_permissions, current_perms->effective_hosts());
}
// Test Packaging and installing an extension.
TEST_F(ExtensionServiceTest, PackExtension) {
InitializeEmptyExtensionService();
base::FilePath input_directory =
data_dir()
.AppendASCII("good")
.AppendASCII("Extensions")
.AppendASCII("behllobkkfkfnphdnhnkndlbkcpglgmj")
.AppendASCII("1.0.0.0");
base::ScopedTempDir temp_dir;
ASSERT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath output_directory = temp_dir.GetPath();
base::FilePath crx_path(output_directory.AppendASCII("ex1.crx"));
base::FilePath privkey_path(output_directory.AppendASCII("privkey.pem"));
std::unique_ptr<ExtensionCreator> creator(new ExtensionCreator());
ASSERT_TRUE(creator->Run(input_directory, crx_path, base::FilePath(),
privkey_path, ExtensionCreator::kNoRunFlags));
ASSERT_TRUE(base::PathExists(crx_path));
ASSERT_TRUE(base::PathExists(privkey_path));
// Repeat the run with the pem file gone, and no special flags
// Should refuse to overwrite the existing crx.
base::DeleteFile(privkey_path);
ASSERT_FALSE(creator->Run(input_directory, crx_path, base::FilePath(),
privkey_path, ExtensionCreator::kNoRunFlags));
// OK, now try it with a flag to overwrite existing crx. Should work.
ASSERT_TRUE(creator->Run(input_directory, crx_path, base::FilePath(),
privkey_path, ExtensionCreator::kOverwriteCRX));
// Repeat the run allowing existing crx, but the existing pem is still
// an error. Should fail.
ASSERT_FALSE(creator->Run(input_directory, crx_path, base::FilePath(),
privkey_path, ExtensionCreator::kOverwriteCRX));
ASSERT_TRUE(base::PathExists(privkey_path));
InstallCRX(crx_path, INSTALL_NEW);
// Try packing with invalid paths.
creator = std::make_unique<ExtensionCreator>();
ASSERT_FALSE(
creator->Run(base::FilePath(), base::FilePath(), base::FilePath(),
base::FilePath(), ExtensionCreator::kOverwriteCRX));
// Try packing an empty directory. Should fail because an empty directory is
// not a valid extension.
base::ScopedTempDir temp_dir2;
ASSERT_TRUE(temp_dir2.CreateUniqueTempDir());
creator = std::make_unique<ExtensionCreator>();
ASSERT_FALSE(creator->Run(temp_dir2.GetPath(), crx_path, privkey_path,
base::FilePath(), ExtensionCreator::kOverwriteCRX));
// Try packing with an invalid manifest.
std::string invalid_manifest_content = "I am not a manifest.";
ASSERT_TRUE(base::WriteFile(temp_dir2.GetPath().Append(kManifestFilename),
invalid_manifest_content));
creator = std::make_unique<ExtensionCreator>();
ASSERT_FALSE(creator->Run(temp_dir2.GetPath(), crx_path, privkey_path,
base::FilePath(), ExtensionCreator::kOverwriteCRX));
// Try packing with a private key that is a valid key, but invalid for the
// extension.
base::FilePath bad_private_key_dir =
data_dir().AppendASCII("bad_private_key");
crx_path = output_directory.AppendASCII("bad_private_key.crx");
privkey_path = data_dir().AppendASCII("bad_private_key.pem");
ASSERT_FALSE(creator->Run(bad_private_key_dir, crx_path, base::FilePath(),
privkey_path, ExtensionCreator::kOverwriteCRX));
}
// Test Packaging and installing an extension whose name contains punctuation.
TEST_F(ExtensionServiceTest, PackPunctuatedExtension) {
InitializeEmptyExtensionService();
base::FilePath input_directory = data_dir()
.AppendASCII("good")
.AppendASCII("Extensions")
.AppendASCII(good0)
.AppendASCII("1.0.0.0");
base::ScopedTempDir temp_dir;
ASSERT_TRUE(temp_dir.CreateUniqueTempDir());
// Extension names containing punctuation, and the expected names for the
// packed extensions.
const auto punctuated_names = std::to_array<base::FilePath>({
base::FilePath(FILE_PATH_LITERAL("this.extensions.name.has.periods")),
base::FilePath(FILE_PATH_LITERAL(".thisextensionsnamestartswithaperiod")),
base::FilePath(FILE_PATH_LITERAL("thisextensionhasaslashinitsname/"))
.NormalizePathSeparators(),
});
const auto expected_crx_names = std::to_array<base::FilePath>({
base::FilePath(FILE_PATH_LITERAL("this.extensions.name.has.periods.crx")),
base::FilePath(
FILE_PATH_LITERAL(".thisextensionsnamestartswithaperiod.crx")),
base::FilePath(FILE_PATH_LITERAL("thisextensionhasaslashinitsname.crx")),
});
const auto expected_private_key_names = std::to_array<base::FilePath>({
base::FilePath(FILE_PATH_LITERAL("this.extensions.name.has.periods.pem")),
base::FilePath(
FILE_PATH_LITERAL(".thisextensionsnamestartswithaperiod.pem")),
base::FilePath(FILE_PATH_LITERAL("thisextensionhasaslashinitsname.pem")),
});
for (size_t i = 0; i < std::size(punctuated_names); ++i) {
SCOPED_TRACE(punctuated_names[i].value().c_str());
base::FilePath output_dir = temp_dir.GetPath().Append(punctuated_names[i]);
base::RunLoop loop;
// Copy the extension into the output directory, as PackExtensionJob doesn't
// let us choose where to output the packed extension.
ASSERT_TRUE(base::CopyDirectory(input_directory, output_dir, true));
base::FilePath expected_crx_path =
temp_dir.GetPath().Append(expected_crx_names[i]);
base::FilePath expected_private_key_path =
temp_dir.GetPath().Append(expected_private_key_names[i]);
PackExtensionTestClient pack_client(expected_crx_path,
expected_private_key_path,
loop.QuitWhenIdleClosure());
{
PackExtensionJob packer(&pack_client, output_dir, base::FilePath(),
ExtensionCreator::kOverwriteCRX);
packer.Start();
// The packer will post a notification task to the current thread's
// message loop when it is finished. We manually run the loop here so
// that we block and catch the notification; otherwise, the process would
// exit.
// This call to |Run()| is matched by a call to |Quit()| in the
// |PackExtensionTestClient|'s notification handling code.
loop.Run();
}
if (HasFatalFailure())
return;
InstallCRX(expected_crx_path, INSTALL_NEW);
}
}
TEST_F(ExtensionServiceTest, PackExtensionContainingKeyFails) {
InitializeEmptyExtensionService();
base::ScopedTempDir extension_temp_dir;
ASSERT_TRUE(extension_temp_dir.CreateUniqueTempDir());
base::FilePath input_directory =
extension_temp_dir.GetPath().AppendASCII("ext");
ASSERT_TRUE(
base::CopyDirectory(data_dir()
.AppendASCII("good")
.AppendASCII("Extensions")
.AppendASCII("behllobkkfkfnphdnhnkndlbkcpglgmj")
.AppendASCII("1.0.0.0"),
input_directory,
/*recursive=*/true));
base::ScopedTempDir output_temp_dir;
ASSERT_TRUE(output_temp_dir.CreateUniqueTempDir());
base::FilePath output_directory = output_temp_dir.GetPath();
base::FilePath crx_path(output_directory.AppendASCII("ex1.crx"));
base::FilePath privkey_path(output_directory.AppendASCII("privkey.pem"));
// Pack the extension once to get a private key.
std::unique_ptr<ExtensionCreator> creator(new ExtensionCreator());
ASSERT_TRUE(creator->Run(input_directory, crx_path, base::FilePath(),
privkey_path, ExtensionCreator::kNoRunFlags))
<< creator->error_message();
ASSERT_TRUE(base::PathExists(crx_path));
ASSERT_TRUE(base::PathExists(privkey_path));
base::DeleteFile(crx_path);
// Move the pem file into the extension.
base::Move(privkey_path,
input_directory.AppendASCII("privkey.pem"));
// This pack should fail because of the contained private key.
EXPECT_FALSE(creator->Run(input_directory, crx_path, base::FilePath(),
privkey_path, ExtensionCreator::kNoRunFlags));
EXPECT_THAT(creator->error_message(),
testing::ContainsRegex(
"extension includes the key file.*privkey.pem"));
}
// Test Packaging and installing an extension using an openssl generated key.
// The openssl is generated with the following:
// > openssl genrsa -out privkey.pem 1024
// > openssl pkcs8 -topk8 -nocrypt -in privkey.pem -out privkey_asn1.pem
// The privkey.pem is a PrivateKey, and the pcks8 -topk8 creates a
// PrivateKeyInfo ASN.1 structure, we our RSAPrivateKey expects.
TEST_F(ExtensionServiceTest, PackExtensionOpenSSLKey) {
InitializeEmptyExtensionService();
base::FilePath input_directory =
data_dir()
.AppendASCII("good")
.AppendASCII("Extensions")
.AppendASCII("behllobkkfkfnphdnhnkndlbkcpglgmj")
.AppendASCII("1.0.0.0");
base::FilePath privkey_path(
data_dir().AppendASCII("openssl_privkey_asn1.pem"));
ASSERT_TRUE(base::PathExists(privkey_path));
base::ScopedTempDir temp_dir;
ASSERT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath output_directory = temp_dir.GetPath();
base::FilePath crx_path(output_directory.AppendASCII("ex1.crx"));
std::unique_ptr<ExtensionCreator> creator(new ExtensionCreator());
ASSERT_TRUE(creator->Run(input_directory, crx_path, privkey_path,
base::FilePath(), ExtensionCreator::kOverwriteCRX));
InstallCRX(crx_path, INSTALL_NEW);
}
TEST_F(ExtensionServiceTest, TestInstallThemeWithExtensionsDisabled) {
// Themes can be installed, even when extensions are disabled.
InitializeExtensionServiceWithExtensionsDisabled();
base::FilePath path = data_dir().AppendASCII("theme.crx");
InstallCRX(path, INSTALL_NEW);
ValidatePrefKeyCount(1);
EXPECT_FALSE(prefs()->IsExtensionDisabled(theme_crx));
ValidateIntegerPref(theme_crx, "location",
static_cast<int>(ManifestLocation::kInternal));
}
#if BUILDFLAG(IS_MAC) || BUILDFLAG(IS_WIN)
// Flaky on these platforms. http://crbug.com/1148894
#define MAYBE_InstallTheme DISABLED_InstallTheme
#else
#define MAYBE_InstallTheme InstallTheme
#endif
TEST_F(ExtensionServiceTest, MAYBE_InstallTheme) {
InitializeEmptyExtensionService();
service()->Init();
// A theme.
base::FilePath path = data_dir().AppendASCII("theme.crx");
InstallCRX(path, INSTALL_NEW);
int pref_count = 0;
ValidatePrefKeyCount(++pref_count);
EXPECT_FALSE(prefs()->IsExtensionDisabled(theme_crx));
ValidateIntegerPref(theme_crx, "location",
static_cast<int>(ManifestLocation::kInternal));
path = data_dir().AppendASCII("theme2.crx");
InstallCRX(path, INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
EXPECT_FALSE(prefs()->IsExtensionDisabled(theme2_crx));
ValidateIntegerPref(theme2_crx, "location",
static_cast<int>(ManifestLocation::kInternal));
// A theme with extension elements. Themes cannot have extension elements,
// so any such elements (like content scripts) should be ignored.
{
path = data_dir().AppendASCII("theme_with_extension.crx");
const Extension* extension = InstallCRX(path, INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
ASSERT_TRUE(extension);
EXPECT_TRUE(extension->is_theme());
EXPECT_TRUE(ContentScriptsInfo::GetContentScripts(extension).empty());
}
// A theme with image resources missing (misspelt path).
path = data_dir().AppendASCII("theme_missing_image.crx");
InstallCRX(path, INSTALL_FAILED);
ValidatePrefKeyCount(pref_count);
}
#if BUILDFLAG(ENABLE_EXTENSIONS)
// TODO(crbug.com/408507365): Figure out theme support on Android.
TEST_F(ExtensionServiceTest, LoadLocalizedTheme) {
// Load.
InitializeEmptyExtensionService();
service()->Init();
base::FilePath extension_path = data_dir().AppendASCII("theme_i18n");
// Don't create "Cached Theme.pak" in the extension directory, so as not to
// modify the source tree.
ThemeService::DisableThemePackForTesting();
UnpackedInstaller::Create(profile())->Load(extension_path);
task_environment()->RunUntilIdle();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
const Extension* theme = registry()->enabled_extensions().begin()->get();
EXPECT_EQ("name", theme->name());
EXPECT_EQ("description", theme->description());
}
#endif // BUILDFLAG(ENABLE_EXTENSIONS)
#if BUILDFLAG(IS_POSIX)
TEST_F(ExtensionServiceTest, UnpackedExtensionMayContainSymlinkedFiles) {
base::FilePath source_data_dir =
data_dir().AppendASCII("unpacked").AppendASCII("symlinks_allowed");
// Paths to test data files.
base::FilePath source_manifest = source_data_dir.AppendASCII("manifest.json");
ASSERT_TRUE(base::PathExists(source_manifest));
base::FilePath source_icon = source_data_dir.AppendASCII("icon.png");
ASSERT_TRUE(base::PathExists(source_icon));
// Set up the temporary extension directory.
base::ScopedTempDir temp;
ASSERT_TRUE(temp.CreateUniqueTempDir());
base::FilePath extension_path = temp.GetPath();
base::FilePath manifest = extension_path.Append(kManifestFilename);
base::FilePath icon_symlink = extension_path.AppendASCII("icon.png");
base::CopyFile(source_manifest, manifest);
base::CreateSymbolicLink(source_icon, icon_symlink);
// Load extension.
InitializeEmptyExtensionService();
UnpackedInstaller::Create(profile())->Load(extension_path);
task_environment()->RunUntilIdle();
EXPECT_TRUE(GetErrors().empty());
ASSERT_EQ(1u, loaded_extensions().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
}
#endif
// Tests than an unpacked extension with an empty kMetadataFolder loads
// successfully.
TEST_F(ExtensionServiceTest, UnpackedExtensionWithEmptyMetadataFolder) {
InitializeEmptyExtensionService();
base::ScopedTempDir temp_dir;
ASSERT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath extension_dir = base::MakeAbsoluteFilePath(temp_dir.GetPath());
base::FilePath metadata_dir = extension_dir.Append(kMetadataFolder);
PersistExtensionWithPaths(extension_dir, {metadata_dir}, {});
EXPECT_TRUE(base::DirectoryExists(metadata_dir));
UnpackedInstaller::Create(profile())->Load(extension_dir);
task_environment()->RunUntilIdle();
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
// The kMetadataFolder should have been deleted since it did not contain
// any non-reserved filenames.
EXPECT_FALSE(base::DirectoryExists(metadata_dir));
}
// Tests that an unpacked extension with only reserved filenames in the
// kMetadataFolder loads successfully.
TEST_F(ExtensionServiceTest, UnpackedExtensionWithReservedMetadataFiles) {
InitializeEmptyExtensionService();
base::ScopedTempDir temp_dir;
ASSERT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath extension_dir = base::MakeAbsoluteFilePath(temp_dir.GetPath());
base::FilePath metadata_dir = extension_dir.Append(kMetadataFolder);
PersistExtensionWithPaths(
extension_dir, {metadata_dir},
file_util::GetReservedMetadataFilePaths(extension_dir));
EXPECT_TRUE(base::DirectoryExists(metadata_dir));
UnpackedInstaller::Create(profile())->Load(extension_dir);
task_environment()->RunUntilIdle();
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
// The kMetadataFolder should have been deleted since it did not contain
// any non-reserved filenames.
EXPECT_FALSE(base::DirectoryExists(metadata_dir));
}
// Tests that an unpacked extension with non-reserved files in the
// kMetadataFolder fails to load.
TEST_F(ExtensionServiceTest, UnpackedExtensionWithUserMetadataFiles) {
InitializeEmptyExtensionService();
base::ScopedTempDir temp_dir;
ASSERT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath extension_dir = base::MakeAbsoluteFilePath(temp_dir.GetPath());
base::FilePath metadata_dir = extension_dir.Append(kMetadataFolder);
base::FilePath non_reserved_file =
metadata_dir.Append(FILE_PATH_LITERAL("a.txt"));
PersistExtensionWithPaths(
extension_dir, {metadata_dir},
{file_util::GetVerifiedContentsPath(extension_dir), non_reserved_file});
EXPECT_TRUE(base::PathExists(non_reserved_file));
UnpackedInstaller::Create(profile())->Load(extension_dir);
task_environment()->RunUntilIdle();
ASSERT_EQ(1u, GetErrors().size());
// Format expected error string.
std::string expected("Failed to load extension from: ");
expected.append(extension_dir.MaybeAsASCII())
.append(
". Cannot load extension with file or directory name _metadata. "
"Filenames starting with \"_\" are reserved for use by the system.");
EXPECT_EQ(base::UTF8ToUTF16(expected), GetErrors()[0]);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
// Non-reserved filepaths inside the kMetadataFolder should not have been
// deleted.
EXPECT_TRUE(base::PathExists(non_reserved_file));
}
// Tests than an unpacked extension with an empty kMetadataFolder and a folder
// beginning with "_" fails to load.
TEST_F(ExtensionServiceTest,
UnpackedExtensionWithEmptyMetadataAndUnderscoreFolders) {
InitializeEmptyExtensionService();
base::ScopedTempDir temp_dir;
ASSERT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath extension_dir = base::MakeAbsoluteFilePath(temp_dir.GetPath());
base::FilePath metadata_dir = extension_dir.Append(kMetadataFolder);
PersistExtensionWithPaths(
extension_dir,
{metadata_dir, extension_dir.Append(FILE_PATH_LITERAL("_badfolder"))},
{});
UnpackedInstaller::Create(profile())->Load(extension_dir);
task_environment()->RunUntilIdle();
EXPECT_EQ(1u, GetErrors().size());
// Format expected error string.
std::string expected("Failed to load extension from: ");
expected.append(extension_dir.MaybeAsASCII())
.append(
". Cannot load extension with file or directory name _badfolder. "
"Filenames starting with \"_\" are reserved for use by the system.");
EXPECT_EQ(base::UTF8ToUTF16(expected), GetErrors()[0]);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
// The kMetadataFolder should have been deleted since it did not contain any
// non-reserved filenames.
EXPECT_FALSE(base::DirectoryExists(metadata_dir));
}
// Tests that an unpacked extension with an arbitrary folder beginning with an
// underscore can't load.
TEST_F(ExtensionServiceTest, UnpackedExtensionMayNotHaveUnderscore) {
InitializeEmptyExtensionService();
base::ScopedTempDir temp_dir;
ASSERT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath extension_dir = base::MakeAbsoluteFilePath(temp_dir.GetPath());
base::FilePath underscore_folder =
extension_dir.Append(FILE_PATH_LITERAL("_badfolder"));
PersistExtensionWithPaths(
extension_dir, {underscore_folder},
{underscore_folder.Append(FILE_PATH_LITERAL("a.js"))});
EXPECT_TRUE(base::DirectoryExists(underscore_folder));
UnpackedInstaller::Create(profile())->Load(extension_dir);
task_environment()->RunUntilIdle();
EXPECT_EQ(1u, GetErrors().size());
// Format expected error string.
std::string expected("Failed to load extension from: ");
expected.append(extension_dir.MaybeAsASCII())
.append(
". Cannot load extension with file or directory name _badfolder. "
"Filenames starting with \"_\" are reserved for use by the system.");
EXPECT_EQ(base::UTF8ToUTF16(expected), GetErrors()[0]);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
}
// Tests that an unpacked extension with a malformed manifest can't reload.
// Reload succeeds after fixing the manifest.
TEST_F(ExtensionServiceTest,
ReloadExtensionWithMalformedManifestAndCorrectManifest) {
InitializeEmptyExtensionService();
base::ScopedTempDir temp_dir;
ASSERT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath extension_dir = base::MakeAbsoluteFilePath(temp_dir.GetPath());
base::FilePath manifest_dir = extension_dir.Append(kManifestFilename);
ASSERT_FALSE(base::PathExists(manifest_dir));
// First create a correct manifest and Load the extension successfully.
auto manifest = base::Value::Dict().Set("version", "1.0");
manifest.Set("name", "malformed manifest reload test");
manifest.Set("manifest_version", 2);
JSONFileValueSerializer serializer(manifest_dir);
ASSERT_TRUE(serializer.Serialize(manifest));
// Load the extension successfully.
UnpackedInstaller::Create(profile())->Load(extension_dir);
task_environment()->RunUntilIdle();
// Verify that Load was successful
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
EXPECT_EQ(ManifestLocation::kUnpacked, loaded_extensions()[0]->location());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ("1.0", loaded_extensions()[0]->VersionString());
// Change the version to a malformed version.
manifest.Set("version", "2.0b");
ASSERT_TRUE(serializer.Serialize(manifest));
std::string extension_id = loaded_extensions()[0]->id();
// Reload the extension.
registrar()->ReloadExtension(extension_id);
task_environment()->RunUntilIdle();
// An error is generated.
ASSERT_EQ(1u, GetErrors().size());
EXPECT_THAT(
base::UTF16ToUTF8(GetErrors()[0]),
::testing::HasSubstr("Required value 'version' is missing or invalid."));
// Verify that ReloadExtension() was not successful.
ASSERT_EQ(0u, loaded_extensions().size());
EXPECT_TRUE(registry()->disabled_extensions().Contains(extension_id));
// Fix the version.
manifest.Set("version", "2.0");
ASSERT_TRUE(serializer.Serialize(manifest));
// Reload the extension.
registrar()->ReloadExtension(extension_id);
task_environment()->RunUntilIdle();
// No new error is generated. Since the error generated above is still there,
// the error size is 1.
EXPECT_EQ(1u, GetErrors().size());
// Verify that ReloadExtension() was successful.
ASSERT_EQ(1u, loaded_extensions().size());
EXPECT_EQ(ManifestLocation::kUnpacked, loaded_extensions()[0]->location());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ("2.0", loaded_extensions()[0]->VersionString());
}
TEST_F(ExtensionServiceTest, InstallLocalizedTheme) {
InitializeEmptyExtensionService();
service()->Init();
base::FilePath theme_path = data_dir().AppendASCII("theme_i18n");
const Extension* theme = PackAndInstallCRX(theme_path, INSTALL_NEW);
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ("name", theme->name());
EXPECT_EQ("description", theme->description());
}
TEST_F(ExtensionServiceTest, InstallApps) {
InitializeEmptyExtensionService();
// An empty app.
const Extension* app =
PackAndInstallCRX(data_dir().AppendASCII("app1"), INSTALL_NEW);
int pref_count = 0;
ValidatePrefKeyCount(++pref_count);
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_FALSE(prefs()->IsExtensionDisabled(app->id()));
ValidateIntegerPref(app->id(), "location",
static_cast<int>(ManifestLocation::kInternal));
// Another app with non-overlapping extent. Should succeed.
PackAndInstallCRX(data_dir().AppendASCII("app2"), INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
// A third app whose extent overlaps the first. Should fail.
PackAndInstallCRX(data_dir().AppendASCII("app3"), INSTALL_FAILED);
ValidatePrefKeyCount(pref_count);
}
// Tests that file access is OFF by default for normal packed extensions.
TEST_F(ExtensionServiceTest, DefaultPackedFileAccess) {
InitializeEmptyExtensionService();
GURL file_url("file:///etc/passwd");
const Extension* extension = PackAndInstallCRX(
data_dir().AppendASCII("permissions").AppendASCII("files"), INSTALL_NEW);
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_FALSE(prefs()->HasAllowFileAccessSetting(extension->id()));
EXPECT_FALSE(prefs()->AllowFileAccess(extension->id()));
EXPECT_FALSE(prefs()->GetCreationFlags(extension->id()) &
Extension::ALLOW_FILE_ACCESS);
EXPECT_FALSE(extension->creation_flags() & Extension::ALLOW_FILE_ACCESS);
EXPECT_FALSE(
extension->permissions_data()->CanAccessPage(file_url, -1, nullptr));
}
// Tests that file access is ON by default for unpacked extensions and the
// associated pref is added.
TEST_F(ExtensionServiceTest, DefaultUnpackedFileAccess) {
InitializeEmptyExtensionService();
GURL file_url("file:///etc/passwd");
ChromeTestExtensionLoader loader(profile());
loader.set_pack_extension(false);
scoped_refptr<const Extension> extension = loader.LoadExtension(
data_dir().AppendASCII("permissions").AppendASCII("files"));
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(prefs()->HasAllowFileAccessSetting(extension->id()));
EXPECT_TRUE(prefs()->AllowFileAccess(extension->id()));
EXPECT_TRUE(prefs()->GetCreationFlags(extension->id()) &
Extension::ALLOW_FILE_ACCESS);
EXPECT_TRUE(extension->creation_flags() & Extension::ALLOW_FILE_ACCESS);
EXPECT_TRUE(
extension->permissions_data()->CanAccessPage(file_url, -1, nullptr));
}
// Tests that adding a packed extension grants file access if the appropriate
// creation flag is set. Note: This doesn't normally happen in practice but it
// is tested here to document the behavior.
// TODO(crbug.com/40263865): The weird behavior here should be cleared up and we
// should simplify how we're storing and checking if file access has been
// granted to an extension.
TEST_F(ExtensionServiceTest, DefaultPackedFileAccessWithCreationFlag) {
InitializeEmptyExtensionService();
GURL file_url("file:///etc/passwd");
const Extension* extension = PackAndInstallCRX(
/*dir_path=*/data_dir().AppendASCII("permissions").AppendASCII("files"),
/*pem_path=*/base::FilePath(),
/*install_state=*/INSTALL_NEW,
/*creation_flags=*/Extension::ALLOW_FILE_ACCESS,
/*install_location=*/ManifestLocation::kInternal);
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
std::string id = extension->id();
EXPECT_FALSE(prefs()->HasAllowFileAccessSetting(id));
EXPECT_FALSE(prefs()->AllowFileAccess(id));
// Even though there is no file access pref, the stored creation flags and the
// computed creation flags on the extension will mean that it does have file
// access. This is weird.
EXPECT_TRUE(prefs()->GetCreationFlags(extension->id()) &
Extension::ALLOW_FILE_ACCESS);
EXPECT_TRUE(extension->creation_flags() & Extension::ALLOW_FILE_ACCESS);
EXPECT_TRUE(
extension->permissions_data()->CanAccessPage(file_url, -1, nullptr));
// If the extension gets reloaded in this state, the (lack of) pref will take
// precedence and the computed creation flags on the extension object will
// mean that it will not longer have file access. Again this is weird.
service()->ReloadExtensionsForTest();
extension = registry()->GetInstalledExtension(id);
EXPECT_FALSE(prefs()->HasAllowFileAccessSetting(id));
EXPECT_FALSE(prefs()->AllowFileAccess(id));
EXPECT_TRUE(prefs()->GetCreationFlags(extension->id()) &
Extension::ALLOW_FILE_ACCESS);
EXPECT_FALSE(extension->creation_flags() & Extension::ALLOW_FILE_ACCESS);
EXPECT_FALSE(
extension->permissions_data()->CanAccessPage(file_url, -1, nullptr));
}
// Tests that if an extension is created with creation flags granting file
// access, but the associated pref for file access becomes mismatched to say
// that the extension shouldn't have file access, then on the next reload of the
// extension (e.g. on Chrome startup) the pref will take precedence.
// Regression test for crbug.com/1414398.
TEST_F(ExtensionServiceTest, FileAccessFlagAndPrefMismatch) {
InitializeEmptyExtensionService();
GURL file_url("file:///etc/passwd");
// Note: We use an unpacked extension here in order to start with creation
// flags that say the extension was installed with file access as well as
// having the file access pref explicitly set to true (which we do for
// unpacked extensions on install)
ChromeTestExtensionLoader loader(profile());
loader.set_pack_extension(false);
scoped_refptr<const Extension> extension = loader.LoadExtension(
data_dir().AppendASCII("permissions").AppendASCII("files"));
std::string id = extension->id();
EXPECT_TRUE(prefs()->HasAllowFileAccessSetting(id));
EXPECT_TRUE(prefs()->AllowFileAccess(id));
EXPECT_TRUE(prefs()->GetCreationFlags(extension->id()) &
Extension::ALLOW_FILE_ACCESS);
EXPECT_TRUE(extension->creation_flags() & Extension::ALLOW_FILE_ACCESS);
EXPECT_TRUE(
extension->permissions_data()->CanAccessPage(file_url, -1, nullptr));
// If we cause a mismatch with the pref saying the extension doesn't have file
// access, on installed extension reload (i.e. browser restart) it will have
// lost file access.
prefs()->SetAllowFileAccess(id, false);
service()->ReloadExtensionsForTest();
extension = registry()->GetInstalledExtension(id);
EXPECT_FALSE(prefs()->AllowFileAccess(id));
EXPECT_TRUE(prefs()->GetCreationFlags(extension->id()) &
Extension::ALLOW_FILE_ACCESS);
EXPECT_FALSE(extension->creation_flags() & Extension::ALLOW_FILE_ACCESS);
EXPECT_FALSE(
extension->permissions_data()->CanAccessPage(file_url, -1, nullptr));
// Similarly, if the pref is mismatched to say the extension does have file
// access, on installed extension reload (i.e. browser restart) file access
// will be granted.
prefs()->SetAllowFileAccess(id, true);
service()->ReloadExtensionsForTest();
extension = registry()->GetInstalledExtension(id);
EXPECT_TRUE(prefs()->AllowFileAccess(id));
EXPECT_TRUE(prefs()->GetCreationFlags(extension->id()) &
Extension::ALLOW_FILE_ACCESS);
EXPECT_TRUE(extension->creation_flags() & Extension::ALLOW_FILE_ACCESS);
EXPECT_TRUE(
extension->permissions_data()->CanAccessPage(file_url, -1, nullptr));
}
TEST_F(ExtensionServiceTest, UpdateApps) {
InitializeEmptyExtensionService();
base::FilePath extensions_path = data_dir().AppendASCII("app_update");
// First install v1 of a hosted app.
const Extension* extension =
InstallCRX(extensions_path.AppendASCII("v1.crx"), INSTALL_NEW);
ASSERT_EQ(1u, registry()->enabled_extensions().size());
std::string id = extension->id();
ASSERT_EQ(std::string("1"), extension->version().GetString());
// Now try updating to v2.
UpdateExtension(id,
extensions_path.AppendASCII("v2.crx"),
ENABLED);
ASSERT_EQ(
std::string("2"),
registry()->enabled_extensions().GetByID(id)->version().GetString());
}
#if BUILDFLAG(ENABLE_EXTENSIONS)
// Verifies that the NTP page and launch ordinals are kept when updating apps.
// Skipped on desktop Android as there's no app sorting.
TEST_F(ExtensionServiceTest, UpdateAppsRetainOrdinals) {
InitializeEmptyExtensionService();
AppSorting* sorting = ExtensionSystem::Get(profile())->app_sorting();
base::FilePath extensions_path = data_dir().AppendASCII("app_update");
// First install v1 of a hosted app.
const Extension* extension =
InstallCRX(extensions_path.AppendASCII("v1.crx"), INSTALL_NEW);
ASSERT_EQ(1u, registry()->enabled_extensions().size());
std::string id = extension->id();
ASSERT_EQ(std::string("1"), extension->version().GetString());
// Modify the ordinals so we can distinguish them from the defaults.
syncer::StringOrdinal new_page_ordinal =
sorting->GetPageOrdinal(id).CreateAfter();
syncer::StringOrdinal new_launch_ordinal =
sorting->GetAppLaunchOrdinal(id).CreateBefore();
sorting->SetPageOrdinal(id, new_page_ordinal);
sorting->SetAppLaunchOrdinal(id, new_launch_ordinal);
// Now try updating to v2.
UpdateExtension(id, extensions_path.AppendASCII("v2.crx"), ENABLED);
ASSERT_EQ(
std::string("2"),
registry()->enabled_extensions().GetByID(id)->version().GetString());
// Verify that the ordinals match.
ASSERT_TRUE(new_page_ordinal.Equals(sorting->GetPageOrdinal(id)));
ASSERT_TRUE(new_launch_ordinal.Equals(sorting->GetAppLaunchOrdinal(id)));
}
// Ensures that the CWS has properly initialized ordinals.
// Skipped on desktop Android as there's no app sorting.
TEST_F(ExtensionServiceTest, EnsureCWSOrdinalsInitialized) {
InitializeEmptyExtensionService();
ComponentLoader::Get(profile())->Add(
IDR_WEBSTORE_MANIFEST, base::FilePath(FILE_PATH_LITERAL("web_store")));
service()->Init();
AppSorting* sorting = ExtensionSystem::Get(profile())->app_sorting();
EXPECT_TRUE(sorting->GetPageOrdinal(kWebStoreAppId).IsValid());
EXPECT_TRUE(sorting->GetAppLaunchOrdinal(kWebStoreAppId).IsValid());
}
#endif // BUILDFLAG(ENABLE_EXTENSIONS)
TEST_F(ExtensionServiceTest, InstallAppsWithUnlimitedStorage) {
InitializeEmptyExtensionService();
EXPECT_TRUE(registry()->enabled_extensions().empty());
int pref_count = 0;
// Install app1 with unlimited storage.
const Extension* extension =
PackAndInstallCRX(data_dir().AppendASCII("app1"), INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
ASSERT_EQ(1u, registry()->enabled_extensions().size());
const std::string id1 = extension->id();
EXPECT_TRUE(extension->permissions_data()->HasAPIPermission(
APIPermissionID::kUnlimitedStorage));
EXPECT_TRUE(extension->web_extent().MatchesURL(
AppLaunchInfo::GetFullLaunchURL(extension)));
const GURL origin1(
AppLaunchInfo::GetFullLaunchURL(extension).DeprecatedGetOriginAsURL());
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
origin1));
// Install app2 from the same origin with unlimited storage.
extension = PackAndInstallCRX(data_dir().AppendASCII("app2"), INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
ASSERT_EQ(2u, registry()->enabled_extensions().size());
const std::string id2 = extension->id();
EXPECT_TRUE(extension->permissions_data()->HasAPIPermission(
APIPermissionID::kUnlimitedStorage));
EXPECT_TRUE(extension->web_extent().MatchesURL(
AppLaunchInfo::GetFullLaunchURL(extension)));
const GURL origin2(
AppLaunchInfo::GetFullLaunchURL(extension).DeprecatedGetOriginAsURL());
EXPECT_EQ(origin1, origin2);
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
origin2));
// Uninstall one of them, unlimited storage should still be granted
// to the origin.
UninstallExtension(id1);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
origin1));
// Uninstall the other, unlimited storage should be revoked.
UninstallExtension(id2);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_FALSE(
profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
origin2));
}
TEST_F(ExtensionServiceTest, InstallAppsAndCheckStorageProtection) {
InitializeEmptyExtensionService();
EXPECT_TRUE(registry()->enabled_extensions().empty());
int pref_count = 0;
const Extension* extension =
PackAndInstallCRX(data_dir().AppendASCII("app1"), INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(extension->is_app());
const std::string id1 = extension->id();
const GURL origin1(
AppLaunchInfo::GetFullLaunchURL(extension).DeprecatedGetOriginAsURL());
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageProtected(
origin1));
// App 4 has a different origin (maps.google.com).
extension = PackAndInstallCRX(data_dir().AppendASCII("app4"), INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
ASSERT_EQ(2u, registry()->enabled_extensions().size());
const std::string id2 = extension->id();
const GURL origin2(
AppLaunchInfo::GetFullLaunchURL(extension).DeprecatedGetOriginAsURL());
ASSERT_NE(origin1, origin2);
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageProtected(
origin2));
UninstallExtension(id1);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
UninstallExtension(id2);
EXPECT_TRUE(registry()->enabled_extensions().empty());
EXPECT_FALSE(
profile()->GetExtensionSpecialStoragePolicy()->IsStorageProtected(
origin1));
EXPECT_FALSE(
profile()->GetExtensionSpecialStoragePolicy()->IsStorageProtected(
origin2));
}
// Test that when an extension version is reinstalled, nothing happens.
TEST_F(ExtensionServiceTest, Reinstall) {
InitializeEmptyExtensionService();
// A simple extension that should install without error.
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_NEW);
ValidatePrefKeyCount(1);
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location",
static_cast<int>(ManifestLocation::kInternal));
// Reinstall the same version, it should overwrite the previous one.
InstallCRX(path, INSTALL_UPDATED);
ValidatePrefKeyCount(1);
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location",
static_cast<int>(ManifestLocation::kInternal));
}
// Test that we can determine if extensions came from the
// Chrome web store.
TEST_F(ExtensionServiceTest, FromWebStore) {
InitializeEmptyExtensionService();
// A simple extension that should install without error.
base::FilePath path = data_dir().AppendASCII("good.crx");
// Not from web store.
const Extension* extension = InstallCRX(path, INSTALL_NEW);
std::string id = extension->id();
ValidatePrefKeyCount(1);
ASSERT_TRUE(ValidateBooleanPref(good_crx, "from_webstore", false));
ASSERT_FALSE(extension->from_webstore());
// Test install from web store.
InstallCRXFromWebStore(path, INSTALL_UPDATED); // From web store.
ValidatePrefKeyCount(1);
ASSERT_TRUE(ValidateBooleanPref(good_crx, "from_webstore", true));
// Reload so extension gets reinitialized with new value.
service()->ReloadExtensionsForTest();
extension = registry()->enabled_extensions().GetByID(id);
ASSERT_TRUE(extension->from_webstore());
// Upgrade to version 2.0
path = data_dir().AppendASCII("good2.crx");
UpdateExtension(good_crx, path, ENABLED);
ValidatePrefKeyCount(1);
ASSERT_TRUE(ValidateBooleanPref(good_crx, "from_webstore", true));
}
// Test upgrading a signed extension.
TEST_F(ExtensionServiceTest, UpgradeSignedGood) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* extension = InstallCRX(path, INSTALL_NEW);
std::string id = extension->id();
ASSERT_EQ("1.0.0.0", extension->version().GetString());
ASSERT_EQ(0u, GetErrors().size());
// Upgrade to version 1.0.0.1.
// Also test that the extension's old and new title are correctly retrieved.
path = data_dir().AppendASCII("good2.crx");
InstallCRX(path, INSTALL_UPDATED, Extension::NO_FLAGS, "My extension 1");
extension = registry()->enabled_extensions().GetByID(id);
ASSERT_EQ("1.0.0.1", extension->version().GetString());
ASSERT_EQ("My updated extension 1", extension->name());
ASSERT_EQ(0u, GetErrors().size());
}
// Test upgrading a signed extension with a bad signature.
TEST_F(ExtensionServiceTest, UpgradeSignedBad) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_NEW);
// Try upgrading with a bad signature. This should fail during the unpack,
// because the key will not match the signature.
path = data_dir().AppendASCII("bad_signature.crx");
InstallCRX(path, INSTALL_FAILED);
}
// Test a normal update via the UpdateExtension API
TEST_F(ExtensionServiceTest, UpdateExtension) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* good = InstallCRX(path, INSTALL_NEW);
ASSERT_EQ("1.0.0.0", good->VersionString());
ASSERT_EQ(good_crx, good->id());
path = data_dir().AppendASCII("good2.crx");
UpdateExtension(good_crx, path, ENABLED);
ASSERT_EQ("1.0.0.1", registry()
->enabled_extensions()
.GetByID(good_crx)
->version()
.GetString());
}
// Extensions should not be updated during browser shutdown.
TEST_F(ExtensionServiceTest, UpdateExtensionDuringShutdown) {
InitializeEmptyExtensionService();
// Install an extension.
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* good = InstallCRX(path, INSTALL_NEW);
ASSERT_EQ(good_crx, good->id());
// Simulate shutdown.
ExtensionUpdater updater(profile());
updater.InitAndEnable(prefs(), prefs()->pref_service(), base::Minutes(10),
/*cache=*/nullptr, ExtensionDownloader::Factory());
updater.set_browser_terminating_for_test(true);
// Update should fail and extension should not be updated.
path = data_dir().AppendASCII("good2.crx");
CRXFileInfo crx_info(path, GetTestVerifierFormat());
crx_info.extension_id = good_crx;
scoped_refptr<extensions::CrxInstaller> installer =
updater.CreateUpdateInstaller(crx_info, true);
ASSERT_FALSE(installer);
ASSERT_EQ("1.0.0.0", registry()
->enabled_extensions()
.GetByID(good_crx)
->version()
.GetString());
}
// Test updating a not-already-installed extension - this should fail
TEST_F(ExtensionServiceTest, UpdateNotInstalledExtension) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
UpdateExtension(good_crx, path, UPDATED);
task_environment()->RunUntilIdle();
ASSERT_EQ(0u, registry()->enabled_extensions().size());
ASSERT_FALSE(installed_extension());
ASSERT_EQ(0u, loaded_extensions().size());
}
// Makes sure you can't downgrade an extension via UpdateExtension
TEST_F(ExtensionServiceTest, UpdateWillNotDowngrade) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good2.crx");
const Extension* good = InstallCRX(path, INSTALL_NEW);
ASSERT_EQ("1.0.0.1", good->VersionString());
ASSERT_EQ(good_crx, good->id());
// Change path from good2.crx -> good.crx
path = data_dir().AppendASCII("good.crx");
UpdateExtension(good_crx, path, FAILED);
ASSERT_EQ("1.0.0.1", registry()
->enabled_extensions()
.GetByID(good_crx)
->version()
.GetString());
}
// Make sure calling update with an identical version does nothing
TEST_F(ExtensionServiceTest, UpdateToSameVersionIsNoop) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* good = InstallCRX(path, INSTALL_NEW);
ASSERT_EQ(good_crx, good->id());
UpdateExtension(good_crx, path, FAILED_SILENTLY);
}
// Tests that updating an extension does not clobber old state.
TEST_F(ExtensionServiceTest, UpdateExtensionPreservesState) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* goodext = InstallCRX(path, INSTALL_NEW);
ASSERT_EQ("1.0.0.0", goodext->VersionString());
ASSERT_EQ(good_crx, goodext->id());
// Disable it and allow it to run in incognito. These settings should carry
// over to the updated version.
registrar()->DisableExtension(goodext->id(),
{disable_reason::DISABLE_USER_ACTION});
util::SetIsIncognitoEnabled(goodext->id(), profile(), true);
path = data_dir().AppendASCII("good2.crx");
UpdateExtension(good_crx, path, INSTALLED);
ASSERT_EQ(1u, registry()->disabled_extensions().size());
const Extension* goodext2 =
registry()->disabled_extensions().GetByID(good_crx);
ASSERT_EQ("1.0.0.1", goodext2->version().GetString());
EXPECT_TRUE(util::IsIncognitoEnabled(goodext2->id(), profile()));
EXPECT_THAT(
prefs()->GetDisableReasons(goodext2->id()),
testing::UnorderedElementsAre(disable_reason::DISABLE_USER_ACTION));
}
// Tests that updating preserves extension location.
TEST_F(ExtensionServiceTest, UpdateExtensionPreservesLocation) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* goodext =
InstallCRX(path, mojom::ManifestLocation::kExternalPref, INSTALL_NEW,
Extension::NO_FLAGS);
ASSERT_EQ("1.0.0.0", goodext->VersionString());
ASSERT_EQ(good_crx, goodext->id());
path = data_dir().AppendASCII("good2.crx");
UpdateExtension(good_crx, path, ENABLED);
const Extension* goodext2 =
registry()->enabled_extensions().GetByID(good_crx);
ASSERT_EQ("1.0.0.1", goodext2->version().GetString());
EXPECT_EQ(goodext2->location(), ManifestLocation::kExternalPref);
}
// Makes sure that LOAD extension types can downgrade.
TEST_F(ExtensionServiceTest, LoadExtensionsCanDowngrade) {
InitializeEmptyExtensionService();
base::ScopedTempDir temp;
ASSERT_TRUE(temp.CreateUniqueTempDir());
// We'll write the extension manifest dynamically to a temporary path
// to make it easier to change the version number.
base::FilePath extension_path = temp.GetPath();
base::FilePath manifest_path = extension_path.Append(kManifestFilename);
ASSERT_FALSE(base::PathExists(manifest_path));
// Start with version 2.0.
base::Value::Dict manifest;
manifest.Set("version", "2.0");
manifest.Set("name", "LOAD Downgrade Test");
manifest.Set("manifest_version", 2);
JSONFileValueSerializer serializer(manifest_path);
ASSERT_TRUE(serializer.Serialize(manifest));
UnpackedInstaller::Create(profile())->Load(extension_path);
task_environment()->RunUntilIdle();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
EXPECT_EQ(ManifestLocation::kUnpacked, loaded_extensions()[0]->location());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ("2.0", loaded_extensions()[0]->VersionString());
// Now set the version number to 1.0, reload the extensions and verify that
// the downgrade was accepted.
manifest.Set("version", "1.0");
ASSERT_TRUE(serializer.Serialize(manifest));
UnpackedInstaller::Create(profile())->Load(extension_path);
task_environment()->RunUntilIdle();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
EXPECT_EQ(ManifestLocation::kUnpacked, loaded_extensions()[0]->location());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ("1.0", loaded_extensions()[0]->VersionString());
}
namespace {
bool IsExtension(const Extension* extension, content::BrowserContext* context) {
return extension->GetType() == Manifest::TYPE_EXTENSION;
}
#if defined(ENABLE_BLOCKLIST_TESTS)
std::set<std::string> StringSet(const std::string& s) {
std::set<std::string> set;
set.insert(s);
return set;
}
std::set<std::string> StringSet(const std::string& s1, const std::string& s2) {
std::set<std::string> set = StringSet(s1);
set.insert(s2);
return set;
}
#endif // defined(ENABLE_BLOCKLIST_TESTS)
} // namespace
// Test adding a pending extension.
TEST_F(ExtensionServiceTest, AddPendingExtensionFromSync) {
InitializeEmptyExtensionService();
const std::string kFakeId(all_zero);
const GURL kFakeUpdateURL("http:://fake.update/url");
const bool kFakeRemoteInstall(false);
EXPECT_TRUE(
pending_extension_manager()->AddFromSync(
kFakeId,
kFakeUpdateURL,
base::Version(),
&IsExtension,
kFakeRemoteInstall));
const PendingExtensionInfo* pending_extension_info;
ASSERT_TRUE((pending_extension_info =
pending_extension_manager()->GetById(kFakeId)));
EXPECT_EQ(kFakeUpdateURL, pending_extension_info->update_url());
EXPECT_EQ(&IsExtension, pending_extension_info->should_allow_install_);
// Use
// EXPECT_TRUE(kFakeRemoteInstall == pending_extension_info->remote_install())
// instead of
// EXPECT_EQ(kFakeRemoteInstall, pending_extension_info->remote_install())
// as gcc 4.7 issues the following warning on EXPECT_EQ(false, x), which is
// turned into an error with -Werror=conversion-null:
// converting 'false' to pointer type for argument 1 of
// 'char testing::internal::IsNullLiteralHelper(testing::internal::Secret*)'
// https://code.google.com/p/googletest/issues/detail?id=458
EXPECT_TRUE(kFakeRemoteInstall == pending_extension_info->remote_install());
}
namespace {
const char kGoodId[] = "ldnnhddmnhbkjipkidpdiheffobcpfmf";
const char kGoodUpdateURL[] = "http://good.update/url";
const char kGoodVersion[] = "1";
const bool kGoodIsFromSync = true;
const bool kGoodRemoteInstall = false;
} // namespace
// Test installing a pending extension (this goes through
// ExtensionService::UpdateExtension).
TEST_F(ExtensionServiceTest, UpdatePendingExtension) {
InitializeEmptyExtensionService();
EXPECT_TRUE(
pending_extension_manager()->AddFromSync(
kGoodId,
GURL(kGoodUpdateURL),
base::Version(kGoodVersion),
&IsExtension,
kGoodRemoteInstall));
EXPECT_TRUE(pending_extension_manager()->IsIdPending(kGoodId));
base::FilePath path = data_dir().AppendASCII("good.crx");
UpdateExtension(kGoodId, path, ENABLED);
EXPECT_FALSE(pending_extension_manager()->IsIdPending(kGoodId));
const Extension* extension =
registry()->enabled_extensions().GetByID(kGoodId);
EXPECT_TRUE(extension);
}
TEST_F(ExtensionServiceTest, UpdatePendingExtensionWrongVersion) {
InitializeEmptyExtensionService();
base::Version other_version("0.1");
ASSERT_TRUE(other_version.IsValid());
ASSERT_NE(other_version, base::Version(kGoodVersion));
EXPECT_TRUE(
pending_extension_manager()->AddFromSync(
kGoodId,
GURL(kGoodUpdateURL),
other_version,
&IsExtension,
kGoodRemoteInstall));
EXPECT_TRUE(pending_extension_manager()->IsIdPending(kGoodId));
base::FilePath path = data_dir().AppendASCII("good.crx");
// After installation, the extension should be disabled, because it's missing
// permissions.
UpdateExtension(kGoodId, path, DISABLED);
EXPECT_TRUE(prefs()->DidExtensionEscalatePermissions(kGoodId));
// It should still have been installed though.
EXPECT_FALSE(pending_extension_manager()->IsIdPending(kGoodId));
const Extension* extension =
registry()->disabled_extensions().GetByID(kGoodId);
EXPECT_TRUE(extension);
}
namespace {
bool IsTheme(const Extension* extension, content::BrowserContext* context) {
return extension->is_theme();
}
} // namespace
// Test updating a pending theme.
TEST_F(ExtensionServiceTest, UpdatePendingTheme) {
InitializeEmptyExtensionService();
EXPECT_TRUE(pending_extension_manager()->AddFromSync(
theme_crx, GURL(), base::Version(), &IsTheme, false));
EXPECT_TRUE(pending_extension_manager()->IsIdPending(theme_crx));
base::FilePath path = data_dir().AppendASCII("theme.crx");
UpdateExtension(theme_crx, path, ENABLED);
EXPECT_FALSE(pending_extension_manager()->IsIdPending(theme_crx));
const Extension* extension =
registry()->enabled_extensions().GetByID(theme_crx);
ASSERT_TRUE(extension);
EXPECT_FALSE(prefs()->IsExtensionDisabled(extension->id()));
EXPECT_TRUE(registrar()->IsExtensionEnabled(theme_crx));
}
// Test updating a pending CRX as if the source is an external extension
// with an update URL. In this case we don't know if the CRX is a theme
// or not.
TEST_F(ExtensionServiceTest, UpdatePendingExternalCrx) {
InitializeEmptyExtensionService();
EXPECT_TRUE(pending_extension_manager()->AddFromExternalUpdateUrl(
theme_crx, std::string(), GURL(), ManifestLocation::kExternalPrefDownload,
Extension::NO_FLAGS, false));
EXPECT_TRUE(pending_extension_manager()->IsIdPending(theme_crx));
base::FilePath path = data_dir().AppendASCII("theme.crx");
UpdateExtension(theme_crx, path, ENABLED);
EXPECT_FALSE(pending_extension_manager()->IsIdPending(theme_crx));
const Extension* extension =
registry()->enabled_extensions().GetByID(theme_crx);
ASSERT_TRUE(extension);
EXPECT_FALSE(prefs()->IsExtensionDisabled(extension->id()));
EXPECT_TRUE(registrar()->IsExtensionEnabled(extension->id()));
EXPECT_FALSE(util::IsIncognitoEnabled(extension->id(), profile()));
}
// Test updating a pending CRX as if the source is an external extension
// with an update URL. The external update should overwrite a sync update,
// but a sync update should not overwrite a non-sync update.
TEST_F(ExtensionServiceTest, UpdatePendingExternalCrxWinsOverSync) {
InitializeEmptyExtensionService();
// Add a crx to be installed from the update mechanism.
EXPECT_TRUE(
pending_extension_manager()->AddFromSync(
kGoodId,
GURL(kGoodUpdateURL),
base::Version(),
&IsExtension,
kGoodRemoteInstall));
// Check that there is a pending crx, with is_from_sync set to true.
const PendingExtensionInfo* pending_extension_info;
ASSERT_TRUE((pending_extension_info =
pending_extension_manager()->GetById(kGoodId)));
EXPECT_TRUE(pending_extension_info->is_from_sync());
// Add a crx to be updated, with the same ID, from a non-sync source.
EXPECT_TRUE(pending_extension_manager()->AddFromExternalUpdateUrl(
kGoodId, std::string(), GURL(kGoodUpdateURL),
ManifestLocation::kExternalPrefDownload, Extension::NO_FLAGS, false));
// Check that there is a pending crx, with is_from_sync set to false.
ASSERT_TRUE((pending_extension_info =
pending_extension_manager()->GetById(kGoodId)));
EXPECT_FALSE(pending_extension_info->is_from_sync());
EXPECT_EQ(ManifestLocation::kExternalPrefDownload,
pending_extension_info->install_source());
// Add a crx to be installed from the update mechanism.
EXPECT_FALSE(
pending_extension_manager()->AddFromSync(
kGoodId,
GURL(kGoodUpdateURL),
base::Version(),
&IsExtension,
kGoodRemoteInstall));
// Check that the external, non-sync update was not overridden.
ASSERT_TRUE((pending_extension_info =
pending_extension_manager()->GetById(kGoodId)));
EXPECT_FALSE(pending_extension_info->is_from_sync());
EXPECT_EQ(ManifestLocation::kExternalPrefDownload,
pending_extension_info->install_source());
}
// Updating a theme should fail if the updater is explicitly told that
// the CRX is not a theme.
TEST_F(ExtensionServiceTest, UpdatePendingCrxThemeMismatch) {
InitializeEmptyExtensionService();
EXPECT_TRUE(pending_extension_manager()->AddFromSync(
theme_crx, GURL(), base::Version(), &IsExtension, false));
EXPECT_TRUE(pending_extension_manager()->IsIdPending(theme_crx));
base::FilePath path = data_dir().AppendASCII("theme.crx");
UpdateExtension(theme_crx, path, FAILED_SILENTLY);
EXPECT_FALSE(pending_extension_manager()->IsIdPending(theme_crx));
const Extension* extension =
registry()->GetExtensionById(theme_crx, ExtensionRegistry::EVERYTHING);
ASSERT_FALSE(extension);
}
// TODO(akalin): Test updating a pending extension non-silently once
// we can mock out ExtensionInstallUI and inject our version into
// UpdateExtension().
// Test updating a pending extension which fails the should-install test.
TEST_F(ExtensionServiceTest, UpdatePendingExtensionFailedShouldInstallTest) {
InitializeEmptyExtensionService();
// Add pending extension with a flipped is_theme.
EXPECT_TRUE(
pending_extension_manager()->AddFromSync(
kGoodId,
GURL(kGoodUpdateURL),
base::Version(),
&IsTheme,
kGoodRemoteInstall));
EXPECT_TRUE(pending_extension_manager()->IsIdPending(kGoodId));
base::FilePath path = data_dir().AppendASCII("good.crx");
UpdateExtension(kGoodId, path, UPDATED);
// TODO(akalin): Figure out how to check that the extensions
// directory is cleaned up properly in OnExtensionInstalled().
EXPECT_FALSE(pending_extension_manager()->IsIdPending(kGoodId));
}
// TODO(akalin): Figure out how to test that installs of pending
// unsyncable extensions are blocked.
// Test updating a pending extension for one that is not pending.
TEST_F(ExtensionServiceTest, UpdatePendingExtensionNotPending) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
UpdateExtension(kGoodId, path, UPDATED);
EXPECT_FALSE(pending_extension_manager()->IsIdPending(kGoodId));
}
// Test updating a pending extension for one that is already
// installed.
TEST_F(ExtensionServiceTest, UpdatePendingExtensionAlreadyInstalled) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* good = InstallCRX(path, INSTALL_NEW);
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_FALSE(good->is_theme());
// Use AddExtensionImpl() as AddFrom*() would balk.
pending_extension_manager()->AddExtensionImpl(
good->id(), std::string(), ManifestURL::GetUpdateURL(good),
base::Version(), &IsExtension, kGoodIsFromSync,
ManifestLocation::kInternal, Extension::NO_FLAGS, false,
kGoodRemoteInstall);
UpdateExtension(good->id(), path, ENABLED);
EXPECT_FALSE(pending_extension_manager()->IsIdPending(kGoodId));
}
#if defined(ENABLE_BLOCKLIST_TESTS)
// Tests blocklisting then unblocklisting extensions after the service has been
// initialized.
TEST_F(ExtensionServiceTest, SetUnsetBlocklistInPrefs) {
TestBlocklist test_blocklist;
// A profile with 3 extensions installed: good0, good1, and good2.
InitializeGoodInstalledExtensionService();
test_blocklist.Attach(service()->blocklist_);
service()->Init();
const ExtensionSet& enabled_extensions = registry()->enabled_extensions();
const ExtensionSet& blocklisted_extensions =
registry()->blocklisted_extensions();
EXPECT_TRUE(enabled_extensions.Contains(good0) &&
!blocklisted_extensions.Contains(good0));
EXPECT_TRUE(enabled_extensions.Contains(good1) &&
!blocklisted_extensions.Contains(good1));
EXPECT_TRUE(enabled_extensions.Contains(good2) &&
!blocklisted_extensions.Contains(good2));
EXPECT_FALSE(DoesIntegerPrefExist(good0, kPrefBlocklistState));
EXPECT_FALSE(DoesIntegerPrefExist(good1, kPrefBlocklistState));
EXPECT_FALSE(DoesIntegerPrefExist(good2, kPrefBlocklistState));
EXPECT_FALSE(DoesIntegerPrefExist("invalid_id", kPrefBlocklistState));
// Blocklist good0 and good1 (and an invalid extension ID).
test_blocklist.SetBlocklistState(good0, BLOCKLISTED_MALWARE, true);
test_blocklist.SetBlocklistState(good1, BLOCKLISTED_MALWARE, true);
test_blocklist.SetBlocklistState("invalid_id", BLOCKLISTED_MALWARE, true);
task_environment()->RunUntilIdle();
EXPECT_TRUE(!enabled_extensions.Contains(good0) &&
blocklisted_extensions.Contains(good0));
EXPECT_TRUE(!enabled_extensions.Contains(good1) &&
blocklisted_extensions.Contains(good1));
EXPECT_TRUE(enabled_extensions.Contains(good2) &&
!blocklisted_extensions.Contains(good2));
ValidateIntegerPref(good0, kPrefBlocklistState, kBlocklistedMalwareInteger);
ValidateIntegerPref(good1, kPrefBlocklistState, kBlocklistedMalwareInteger);
EXPECT_FALSE(DoesIntegerPrefExist(good2, kPrefBlocklistState));
EXPECT_FALSE(DoesIntegerPrefExist("invalid_id", kPrefBlocklistState));
// Un-blocklist good1 and blocklist good2.
test_blocklist.Clear(false);
test_blocklist.SetBlocklistState(good0, BLOCKLISTED_MALWARE, true);
test_blocklist.SetBlocklistState(good2, BLOCKLISTED_MALWARE, true);
test_blocklist.SetBlocklistState("invalid_id", BLOCKLISTED_MALWARE, true);
task_environment()->RunUntilIdle();
EXPECT_TRUE(!enabled_extensions.Contains(good0) &&
blocklisted_extensions.Contains(good0));
EXPECT_TRUE(enabled_extensions.Contains(good1) &&
!blocklisted_extensions.Contains(good1));
EXPECT_TRUE(!enabled_extensions.Contains(good2) &&
blocklisted_extensions.Contains(good2));
ValidateIntegerPref(good0, kPrefBlocklistState, kBlocklistedMalwareInteger);
EXPECT_FALSE(DoesIntegerPrefExist(good1, kPrefBlocklistState));
ValidateIntegerPref(good2, kPrefBlocklistState, kBlocklistedMalwareInteger);
EXPECT_FALSE(DoesIntegerPrefExist("invalid_id", kPrefBlocklistState));
}
// Tests that an extension that was disabled through Omaha won't be
// re-enabled if it's not present in the Safe Browsing blocklist.
// Regression test for https://crbug.com/1107040.
TEST_F(ExtensionServiceTest, NoUnsetBlocklistInPrefs) {
TestBlocklist test_blocklist;
// A profile with 3 extensions installed: good0, good1, and good2.
// We really only care about good0 for this test since the other
// functionality is already tested in the above test.
InitializeGoodInstalledExtensionService();
test_blocklist.Attach(service()->blocklist_);
service()->Init();
EXPECT_TRUE(registry()->enabled_extensions().Contains(good0));
EXPECT_FALSE(registry()->blocklisted_extensions().Contains(good0));
auto attributes = base::Value::Dict().Set("_malware", true);
service()->PerformActionBasedOnOmahaAttributes(good0, attributes);
EXPECT_TRUE(blocklist_prefs::HasOmahaBlocklistState(
good0, BitMapBlocklistState::BLOCKLISTED_MALWARE, prefs()));
EXPECT_FALSE(registry()->enabled_extensions().Contains(good0));
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(good0));
// Un-blocklist all extensions from the Safe Browsing blocklist.
test_blocklist.Clear(false);
task_environment()->RunUntilIdle();
// If the extension has a BLOCKLISTED_MALWARE state in the Omaha blocklist
// pref, the extension should still not be enabled even if it's not on the SB
// blocklist. This state needs to be removed prior to
// unblocklisting/re-enabling.
EXPECT_FALSE(registry()->enabled_extensions().Contains(good0));
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(good0));
EXPECT_TRUE(blocklist_prefs::HasOmahaBlocklistState(
good0, BitMapBlocklistState::BLOCKLISTED_MALWARE, prefs()));
EXPECT_FALSE(DoesIntegerPrefExist(good1, kPrefBlocklistState));
}
#endif // defined(ENABLE_BLOCKLIST_TESTS)
#if defined(ENABLE_BLOCKLIST_TESTS)
// Tests trying to install a blocklisted extension.
TEST_F(ExtensionServiceTest, BlocklistedExtensionWillNotInstall) {
scoped_refptr<FakeSafeBrowsingDatabaseManager> blocklist_db(
new FakeSafeBrowsingDatabaseManager(true));
ScopedDatabaseManagerForTest scoped_blocklist_db(blocklist_db);
InitializeEmptyExtensionService();
service()->Init();
// After blocklisting good_crx, we cannot install it.
blocklist_db->SetUnsafe(good_crx).NotifyUpdate();
task_environment()->RunUntilIdle();
base::FilePath path = data_dir().AppendASCII("good.crx");
// HACK: specify WAS_INSTALLED_BY_DEFAULT so that test machinery doesn't
// decide to install this silently. Somebody should fix these tests, all
// 6,000 lines of them. Hah!
InstallCRX(path, INSTALL_FAILED, Extension::WAS_INSTALLED_BY_DEFAULT);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
}
#endif // defined(ENABLE_BLOCKLIST_TESTS)
#if defined(ENABLE_BLOCKLIST_TESTS)
// Tests that previously blocklisted extension will be enabled if it is removed
// from the blocklist. Also checks that all blocklisted preferences will be
// cleared in that case.
TEST_F(ExtensionServiceTest, RemoveExtensionFromBlocklist) {
TestBlocklist test_blocklist;
// A profile with 3 extensions installed: good0, good1, and good2.
InitializeGoodInstalledExtensionService();
test_blocklist.Attach(service()->blocklist_);
service()->Init();
ASSERT_TRUE(registry()->enabled_extensions().Contains(good0));
TestExtensionRegistryObserver observer(ExtensionRegistry::Get(profile()),
good0);
// Add the extension to the blocklist.
test_blocklist.SetBlocklistState(good0, BLOCKLISTED_MALWARE, true);
observer.WaitForExtensionUnloaded();
// The extension should be disabled, "blocklist_state" prefs should be set.
EXPECT_FALSE(registry()->enabled_extensions().Contains(good0));
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(good0, prefs()));
EXPECT_EQ(
BitMapBlocklistState::BLOCKLISTED_MALWARE,
blocklist_prefs::GetSafeBrowsingExtensionBlocklistState(good0, prefs()));
// Remove the extension from the blocklist.
test_blocklist.SetBlocklistState(good0, NOT_BLOCKLISTED, true);
observer.WaitForExtensionLoaded()->id();
// The extension should be enabled, "blocklist_state" should be cleared.
EXPECT_TRUE(registry()->enabled_extensions().Contains(good0));
EXPECT_FALSE(blocklist_prefs::IsExtensionBlocklisted(good0, prefs()));
EXPECT_EQ(
BitMapBlocklistState::NOT_BLOCKLISTED,
blocklist_prefs::GetSafeBrowsingExtensionBlocklistState(good0, prefs()));
}
#endif // defined(ENABLE_BLOCKLIST_TESTS)
#if defined(ENABLE_BLOCKLIST_TESTS)
// Unload blocklisted extension on policy change.
TEST_F(ExtensionServiceTest, UnloadBlocklistedExtensionPolicy) {
TestBlocklist test_blocklist;
// A profile with no extensions installed.
InitializeEmptyExtensionServiceWithTestingPrefs();
test_blocklist.Attach(service()->blocklist_);
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* good = InstallCRX(path, INSTALL_NEW);
EXPECT_EQ(good_crx, good->id());
UpdateExtension(good_crx, path, FAILED_SILENTLY);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.SetIndividualExtensionInstallationAllowed(good_crx, true);
}
test_blocklist.SetBlocklistState(good_crx, BLOCKLISTED_MALWARE, true);
task_environment()->RunUntilIdle();
// The good_crx is blocklisted and the allowlist doesn't negate it.
ValidateIntegerPref(good_crx, kPrefBlocklistState,
kBlocklistedMalwareInteger);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
}
#endif // defined(ENABLE_BLOCKLIST_TESTS)
#if defined(ENABLE_BLOCKLIST_TESTS)
// Tests that a blocklisted extension is eventually unloaded on startup, if it
// wasn't already.
TEST_F(ExtensionServiceTest, WillNotLoadBlocklistedExtensionsFromDirectory) {
TestBlocklist test_blocklist;
// A profile with 3 extensions installed: good0, good1, and good2.
InitializeGoodInstalledExtensionService();
test_blocklist.Attach(service()->blocklist_);
// Blocklist good1 before the service initializes.
test_blocklist.SetBlocklistState(good1, BLOCKLISTED_MALWARE, false);
// Load extensions and verify they haven't been blocklisted yet.
service()->Init();
ASSERT_EQ(3u, loaded_extensions().size());
// Notify service about new extension is blocklisted.
test_blocklist.NotifyUpdate();
task_environment()->RunUntilIdle();
ASSERT_EQ(1u, registry()->blocklisted_extensions().size());
ASSERT_EQ(2u, registry()->enabled_extensions().size());
ASSERT_TRUE(registry()->enabled_extensions().Contains(good0));
ASSERT_TRUE(registry()->blocklisted_extensions().Contains(good1));
ASSERT_TRUE(registry()->enabled_extensions().Contains(good2));
}
#endif // defined(ENABLE_BLOCKLIST_TESTS)
#if defined(ENABLE_BLOCKLIST_TESTS)
// Tests extensions blocklisted in prefs on startup; one still blocklisted by
// safe browsing, the other not. The not-blocklisted one should recover.
TEST_F(ExtensionServiceTest, BlocklistedInPrefsFromStartup) {
TestBlocklist test_blocklist;
InitializeGoodInstalledExtensionService();
test_blocklist.Attach(service()->blocklist_);
blocklist_prefs::SetSafeBrowsingExtensionBlocklistState(
good0, BitMapBlocklistState::BLOCKLISTED_MALWARE, prefs());
blocklist_prefs::SetSafeBrowsingExtensionBlocklistState(
good1, BitMapBlocklistState::BLOCKLISTED_MALWARE, prefs());
// Extension service hasn't loaded yet, but IsExtensionEnabled reads out of
// prefs. Ensure it takes into account the blocklist state (crbug.com/373842).
EXPECT_FALSE(registrar()->IsExtensionEnabled(good0));
EXPECT_FALSE(registrar()->IsExtensionEnabled(good1));
EXPECT_TRUE(registrar()->IsExtensionEnabled(good2));
service()->Init();
// Give time for state to update
// Ensure that extension is loaded.
task_environment()->RunUntilIdle();
EXPECT_EQ(2u, registry()->blocklisted_extensions().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(good0));
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(good1));
EXPECT_TRUE(registry()->enabled_extensions().Contains(good2));
test_blocklist.SetBlocklistState(good1, BLOCKLISTED_MALWARE, true);
// Give time for the blocklist to update.
task_environment()->RunUntilIdle();
EXPECT_EQ(1u, registry()->blocklisted_extensions().size());
EXPECT_EQ(2u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().Contains(good0));
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(good1));
EXPECT_TRUE(registry()->enabled_extensions().Contains(good2));
}
#endif // defined(ENABLE_BLOCKLIST_TESTS)
#if defined(ENABLE_BLOCKLIST_TESTS)
// Tests that blocklisted extensions cannot be reloaded, both those loaded
// before and after extension service startup.
TEST_F(ExtensionServiceTest, ReloadBlocklistedExtension) {
TestBlocklist test_blocklist;
InitializeGoodInstalledExtensionService();
test_blocklist.Attach(service()->blocklist_);
test_blocklist.SetBlocklistState(good1, BLOCKLISTED_MALWARE, false);
service()->Init();
test_blocklist.SetBlocklistState(good2, BLOCKLISTED_MALWARE, true);
task_environment()->RunUntilIdle();
EXPECT_EQ(StringSet(good0), registry()->enabled_extensions().GetIDs());
EXPECT_EQ(StringSet(good1, good2),
registry()->blocklisted_extensions().GetIDs());
registrar()->ReloadExtension(good1);
registrar()->ReloadExtension(good2);
task_environment()->RunUntilIdle();
EXPECT_EQ(StringSet(good0), registry()->enabled_extensions().GetIDs());
EXPECT_EQ(StringSet(good1, good2),
registry()->blocklisted_extensions().GetIDs());
}
#endif // defined(ENABLE_BLOCKLIST_TESTS)
// Tests blocking then unblocking enabled extensions after the service has been
// initialized.
TEST_F(ExtensionServiceTest, BlockAndUnblockEnabledExtension) {
InitializeGoodInstalledExtensionService();
service()->Init();
AssertExtensionBlocksAndUnblocks(true, good0);
}
// Tests blocking then unblocking disabled extensions after the service has been
// initialized.
TEST_F(ExtensionServiceTest, BlockAndUnblockDisabledExtension) {
InitializeGoodInstalledExtensionService();
service()->Init();
registrar()->DisableExtension(good0, {disable_reason::DISABLE_RELOAD});
AssertExtensionBlocksAndUnblocks(true, good0);
}
// Tests blocking then unblocking terminated extensions after the service has
// been initialized.
TEST_F(ExtensionServiceTest, BlockAndUnblockTerminatedExtension) {
InitializeGoodInstalledExtensionService();
service()->Init();
TerminateExtension(good0);
AssertExtensionBlocksAndUnblocks(true, good0);
}
// Tests blocking then unblocking policy-forced extensions after the service has
// been initialized.
TEST_F(ExtensionServiceTest, BlockAndUnblockPolicyExtension) {
// Mark as enterprise managed.
policy::ScopedDomainEnterpriseManagement scoped_domain;
InitializeEmptyExtensionServiceWithTestingPrefs();
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
// Blocklist everything.
pref.SetBlocklistedByDefault(true);
// Mark good.crx for force-installation.
pref.SetIndividualExtensionAutoInstalled(
good_crx, "http://example.com/update_url", true);
}
// Have policy force-install an extension.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPolicyDownload);
provider->UpdateOrAddExtension(good_crx, "1.0.0.0",
data_dir().AppendASCII("good.crx"));
// Reloading extensions should find our externally registered extension
// and install it.
WaitForExternalExtensionInstalled(good_crx);
AssertExtensionBlocksAndUnblocks(false, good_crx);
}
#if defined(ENABLE_BLOCKLIST_TESTS)
// Tests blocking then unblocking extensions that are blocklisted both before
// and after Init().
TEST_F(ExtensionServiceTest, BlockAndUnblockBlocklistedExtension) {
TestBlocklist test_blocklist;
InitializeGoodInstalledExtensionService();
test_blocklist.Attach(service()->blocklist_);
test_blocklist.SetBlocklistState(good0, BLOCKLISTED_MALWARE, true);
task_environment()->RunUntilIdle();
service()->Init();
test_blocklist.SetBlocklistState(good1, BLOCKLISTED_MALWARE, true);
task_environment()->RunUntilIdle();
// Blocklisted extensions stay blocklisted.
AssertExtensionBlocksAndUnblocks(false, good0);
AssertExtensionBlocksAndUnblocks(false, good1);
registrar()->BlockAllExtensions();
// Remove an extension from the blocklist while the service is blocked.
test_blocklist.SetBlocklistState(good0, NOT_BLOCKLISTED, true);
// Add an extension to the blocklist while the service is blocked.
test_blocklist.SetBlocklistState(good2, BLOCKLISTED_MALWARE, true);
task_environment()->RunUntilIdle();
// Go directly to blocked, do not pass go, do not collect $200.
ASSERT_TRUE(IsBlocked(good0));
// Get on the blocklist - even if you were blocked!
ASSERT_FALSE(IsBlocked(good2));
}
#endif // defined(ENABLE_BLOCKLIST_TESTS)
// Tests blocking then unblocking enabled component extensions after the service
// has been initialized.
TEST_F(ExtensionServiceTest, BlockAndUnblockEnabledComponentExtension) {
InitializeEmptyExtensionServiceWithTestingPrefs();
// Install a component extension.
base::FilePath path = data_dir()
.AppendASCII("good")
.AppendASCII("Extensions")
.AppendASCII(good0)
.AppendASCII("1.0.0.0");
std::string manifest;
ASSERT_TRUE(
base::ReadFileToString(path.Append(kManifestFilename), &manifest));
ComponentLoader::Get(profile())->Add(manifest, path);
service()->Init();
// Component extension should never block.
AssertExtensionBlocksAndUnblocks(false, good0);
}
// Tests blocking then unblocking a theme after the service has been
// initialized.
TEST_F(ExtensionServiceTest, BlockAndUnblockTheme) {
InitializeEmptyExtensionService();
service()->Init();
base::FilePath path = data_dir().AppendASCII("theme.crx");
InstallCRX(path, INSTALL_NEW);
AssertExtensionBlocksAndUnblocks(true, theme_crx);
}
// Tests that blocking extensions before Init() results in loading blocked
// extensions.
TEST_F(ExtensionServiceTest, WillNotLoadExtensionsWhenBlocked) {
InitializeGoodInstalledExtensionService();
registrar()->BlockAllExtensions();
service()->Init();
ASSERT_TRUE(IsBlocked(good0));
ASSERT_TRUE(IsBlocked(good0));
ASSERT_TRUE(IsBlocked(good0));
}
// Tests that IsEnabledExtension won't crash on an uninstalled extension.
TEST_F(ExtensionServiceTest, IsEnabledExtensionBlockedAndNotInstalled) {
InitializeEmptyExtensionService();
registrar()->BlockAllExtensions();
registrar()->IsExtensionEnabled(theme_crx);
}
// Will not install extension blocklisted by policy.
TEST_F(ExtensionServiceTest, BlocklistedByPolicyWillNotInstall) {
InitializeEmptyExtensionServiceWithTestingPrefs();
// Blocklist everything.
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.SetBlocklistedByDefault(true);
}
// Blocklist prevents us from installing good_crx.
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_FAILED);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
// Now allowlist this particular extension.
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.SetIndividualExtensionInstallationAllowed(good_crx, true);
}
// Ensure we can now install good_crx.
InstallCRX(path, INSTALL_NEW);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
}
// Extension blocklisted by policy get unloaded after installing.
TEST_F(ExtensionServiceTest, BlocklistedByPolicyRemovedIfRunning) {
InitializeEmptyExtensionServiceWithTestingPrefs();
// Install good_crx.
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_NEW);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
// Blocklist this extension.
pref.SetIndividualExtensionInstallationAllowed(good_crx, false);
}
// Extension should not be running now.
task_environment()->RunUntilIdle();
EXPECT_EQ(0u, registry()->enabled_extensions().size());
}
// Tests that component extensions are not blocklisted by policy.
TEST_F(ExtensionServiceTest, ComponentExtensionAllowlisted) {
InitializeEmptyExtensionServiceWithTestingPrefs();
// Blocklist everything.
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.SetBlocklistedByDefault(true);
}
// Install a component extension.
base::FilePath path = data_dir()
.AppendASCII("good")
.AppendASCII("Extensions")
.AppendASCII(good0)
.AppendASCII("1.0.0.0");
std::string manifest;
ASSERT_TRUE(
base::ReadFileToString(path.Append(kManifestFilename), &manifest));
ComponentLoader::Get(profile())->Add(manifest, path);
service()->Init();
// Extension should be installed despite blocklist.
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good0));
// Poke external providers and make sure the extension is still present.
external_provider_manager()->CheckForExternalUpdates();
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good0));
// Extension should not be uninstalled on blocklist changes.
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.SetIndividualExtensionInstallationAllowed(good0, false);
}
task_environment()->RunUntilIdle();
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good0));
}
// Tests that active permissions are not revoked from component extensions
// by policy when the policy is updated. https://crbug.com/746017.
TEST_F(ExtensionServiceTest, ComponentExtensionAllowlistedPermission) {
InitializeEmptyExtensionServiceWithTestingPrefs();
// Install a component extension.
base::FilePath path = data_dir()
.AppendASCII("good")
.AppendASCII("Extensions")
.AppendASCII(good0)
.AppendASCII("1.0.0.0");
std::string manifest;
ASSERT_TRUE(
base::ReadFileToString(path.Append(kManifestFilename), &manifest));
ComponentLoader::Get(profile())->Add(manifest, path);
service()->Init();
// Extension should have the "tabs" permission.
EXPECT_TRUE(registry()
->enabled_extensions()
.GetByID(good0)
->permissions_data()
->active_permissions()
.HasAPIPermission(APIPermissionID::kTab));
// Component should not lose permissions on policy change.
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.AddBlockedPermission(good0, "tabs");
}
service()->OnExtensionManagementSettingsChanged();
task_environment()->RunUntilIdle();
EXPECT_TRUE(registry()
->enabled_extensions()
.GetByID(good0)
->permissions_data()
->active_permissions()
.HasAPIPermission(APIPermissionID::kTab));
}
// Tests that policy-installed extensions are not blocklisted by policy.
TEST_F(ExtensionServiceTest, PolicyInstalledExtensionsAllowlisted) {
// Mark as enterprise managed.
policy::ScopedDomainEnterpriseManagement scoped_domain;
InitializeEmptyExtensionServiceWithTestingPrefs();
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
// Blocklist everything.
pref.SetBlocklistedByDefault(true);
// Mark good.crx for force-installation.
pref.SetIndividualExtensionAutoInstalled(
good_crx, "http://example.com/update_url", true);
}
// Have policy force-install an extension.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPolicyDownload);
provider->UpdateOrAddExtension(
good_crx, "1.0.0.0", data_dir().AppendASCII("good.crx"));
// Reloading extensions should find our externally registered extension
// and install it.
WaitForExternalExtensionInstalled(good_crx);
// Extension should be installed despite blocklist.
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
// Blocklist update should not uninstall the extension.
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.SetIndividualExtensionInstallationAllowed(good0, false);
}
task_environment()->RunUntilIdle();
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
}
// These tests are restricted to Windows and Mac platforms because the disable
// logic for off-store force-installed extensions in low-trust environments
// (non-domain-joined) is only implemented on these platforms as per the changes
// in `standard_management_policy_provider.cc`.
#if BUILDFLAG(IS_WIN) || BUILDFLAG(IS_MAC)
// Tests that non-CWS extensions are disabled when force-installed in a non
// domain-join environment.
TEST_F(ExtensionServiceTest, NonCWSForceInstalledDisabledOnNonDomainJoin) {
// Mark the environment as non-enterprise managed.
policy::ScopedManagementServiceOverrideForTesting browser_management(
policy::ManagementServiceFactory::GetForPlatform(),
policy::EnterpriseManagementAuthority::NONE);
InitializeEmptyExtensionServiceWithTestingPrefs();
// Add a policy-installed extension.
scoped_refptr<const Extension> extension =
CreateExtension("policy_installed", data_dir().AppendASCII("good.crx"),
ManifestLocation::kExternalPolicyDownload);
registrar()->AddExtension(extension);
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
// Mark good.crx for force-installation.
pref.SetIndividualExtensionAutoInstalled(
extension->id(), "http://example.com/update_url", true);
}
// The extension should be disabled because it is force-installed from a
// non-CWS source in a non-domain-joined (low-trust) environment.
EXPECT_TRUE(registry()->disabled_extensions().GetByID(extension->id()));
EXPECT_THAT(
prefs()->GetDisableReasons(extension->id()),
testing::UnorderedElementsAre(disable_reason::DISABLE_NOT_VERIFIED));
}
// Tests that non-CWS extensions are enabled when force-installed in a domain-
// join environment.
TEST_F(ExtensionServiceTest, NonCWSForceInstalledEnabledOnDomainJoin) {
// Mark the environment as enterprise managed.
policy::ScopedDomainEnterpriseManagement scoped_domain;
InitializeEmptyExtensionServiceWithTestingPrefs();
// Add a policy-installed extension.
scoped_refptr<const Extension> extension =
CreateExtension("policy_installed", data_dir().AppendASCII("good.crx"),
ManifestLocation::kExternalPolicyDownload);
registrar()->AddExtension(extension);
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
// Mark good.crx for force-installation.
pref.SetIndividualExtensionAutoInstalled(
extension->id(), "http://example.com/update_url", true);
}
// The extension should be enabled because it is force-installed from a
// non-CWS source in a domain-joined (trusted) environment.
EXPECT_TRUE(registry()->enabled_extensions().GetByID(extension->id()));
}
#endif
// Tests that extensions cannot be installed if the policy provider prohibits
// it. This functionality is implemented in CrxInstaller::ConfirmInstall().
TEST_F(ExtensionServiceTest, ManagementPolicyProhibitsInstall) {
InitializeEmptyExtensionService();
GetManagementPolicy()->UnregisterAllProviders();
TestManagementPolicyProvider provider_(
TestManagementPolicyProvider::PROHIBIT_LOAD);
GetManagementPolicy()->RegisterProvider(&provider_);
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_FAILED);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
}
// Tests that extensions cannot be loaded from prefs if the policy provider
// prohibits it. This functionality is implemented in InstalledLoader::Load().
TEST_F(ExtensionServiceTest, ManagementPolicyProhibitsLoadFromPrefs) {
InitializeEmptyExtensionService();
// Create a fake extension to be loaded as though it were read from prefs.
base::FilePath path =
data_dir().AppendASCII("management").AppendASCII("simple_extension");
base::Value::Dict manifest;
manifest.Set(keys::kName, "simple_extension");
manifest.Set(keys::kVersion, "1");
manifest.Set(keys::kManifestVersion, 2);
// UNPACKED is for extensions loaded from a directory. We use it here, even
// though we're testing loading from prefs, so that we don't need to provide
// an extension key.
ExtensionInfo extension_info(&manifest, std::string(), path,
ManifestLocation::kUnpacked);
// Ensure we can load it with no management policy in place.
GetManagementPolicy()->UnregisterAllProviders();
EXPECT_EQ(0u, registry()->enabled_extensions().size());
InstalledLoader(profile()).Load(extension_info, false);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
const Extension* extension =
(registry()->enabled_extensions().begin())->get();
EXPECT_TRUE(registrar()->UninstallExtension(
extension->id(), UNINSTALL_REASON_FOR_TESTING, nullptr));
EXPECT_EQ(0u, registry()->enabled_extensions().size());
// Ensure we cannot load it if management policy prohibits installation.
TestManagementPolicyProvider provider_(
TestManagementPolicyProvider::PROHIBIT_LOAD);
GetManagementPolicy()->RegisterProvider(&provider_);
InstalledLoader(profile()).Load(extension_info, false);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
}
// Tests disabling an extension when prohibited by the ManagementPolicy.
TEST_F(ExtensionServiceTest, ManagementPolicyProhibitsDisable) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
GetManagementPolicy()->UnregisterAllProviders();
TestManagementPolicyProvider provider(
TestManagementPolicyProvider::PROHIBIT_MODIFY_STATUS);
GetManagementPolicy()->RegisterProvider(&provider);
// Attempt to disable it.
registrar()->DisableExtension(good_crx,
{disable_reason::DISABLE_USER_ACTION});
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_EQ(0u, registry()->disabled_extensions().size());
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
// Internal disable reasons are allowed.
registrar()->DisableExtension(
good_crx,
{disable_reason::DISABLE_CORRUPTED, disable_reason::DISABLE_USER_ACTION});
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(1u, registry()->disabled_extensions().size());
EXPECT_TRUE(registry()->disabled_extensions().GetByID(good_crx));
EXPECT_FALSE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_THAT(prefs()->GetDisableReasons(good_crx),
testing::UnorderedElementsAre(disable_reason::DISABLE_CORRUPTED));
}
// Tests uninstalling an extension when prohibited by the ManagementPolicy.
TEST_F(ExtensionServiceTest, ManagementPolicyProhibitsUninstall) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
GetManagementPolicy()->UnregisterAllProviders();
TestManagementPolicyProvider provider(
TestManagementPolicyProvider::PROHIBIT_MODIFY_STATUS);
GetManagementPolicy()->RegisterProvider(&provider);
// Attempt to uninstall it.
EXPECT_FALSE(registrar()->UninstallExtension(
good_crx, UNINSTALL_REASON_FOR_TESTING, nullptr));
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
}
// Tests that previously installed extensions that are now prohibited from
// being installed are disabled.
TEST_F(ExtensionServiceTest, ManagementPolicyUnloadsAllProhibited) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
InstallCRX(data_dir().AppendASCII("page_action.crx"), INSTALL_NEW);
EXPECT_EQ(2u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
GetManagementPolicy()->UnregisterAllProviders();
TestManagementPolicyProvider provider(
TestManagementPolicyProvider::PROHIBIT_LOAD);
GetManagementPolicy()->RegisterProvider(&provider);
// Run the policy check.
service()->CheckManagementPolicy();
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(2u, registry()->disabled_extensions().size());
EXPECT_THAT(
prefs()->GetDisableReasons(good_crx),
testing::UnorderedElementsAre(disable_reason::DISABLE_BLOCKED_BY_POLICY));
EXPECT_THAT(
prefs()->GetDisableReasons(page_action),
testing::UnorderedElementsAre(disable_reason::DISABLE_BLOCKED_BY_POLICY));
// Removing the extensions from policy blocklist should re-enable them.
GetManagementPolicy()->UnregisterAllProviders();
service()->CheckManagementPolicy();
EXPECT_EQ(2u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
}
// Tests that previously disabled extensions that are now required to be
// enabled are re-enabled on reinstall.
TEST_F(ExtensionServiceTest, ManagementPolicyRequiresEnable) {
InitializeEmptyExtensionService();
// Install, then disable, an extension.
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
registrar()->DisableExtension(good_crx,
{disable_reason::DISABLE_USER_ACTION});
EXPECT_EQ(1u, registry()->disabled_extensions().size());
// Register an ExtensionManagementPolicy that requires the extension to remain
// enabled.
GetManagementPolicy()->UnregisterAllProviders();
TestManagementPolicyProvider provider(
TestManagementPolicyProvider::MUST_REMAIN_ENABLED);
GetManagementPolicy()->RegisterProvider(&provider);
// Reinstall the extension.
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_UPDATED);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
}
// Tests that extensions disabled by management policy can be installed but
// will get disabled after installing.
TEST_F(ExtensionServiceTest, ManagementPolicyProhibitsEnableOnInstalled) {
InitializeEmptyExtensionService();
// Register an ExtensionManagementPolicy that disables all extensions, with
// a specified disable_reason::DisableReason.
GetManagementPolicy()->UnregisterAllProviders();
TestManagementPolicyProvider provider(
TestManagementPolicyProvider::MUST_REMAIN_DISABLED);
provider.SetDisableReason(disable_reason::DISABLE_NOT_VERIFIED);
GetManagementPolicy()->RegisterProvider(&provider);
// Attempts to install an extensions, it should be installed but disabled.
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_WITHOUT_LOAD);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(1u, registry()->disabled_extensions().size());
// Verifies that the disable reason is set properly.
EXPECT_THAT(
service()->extension_prefs_->GetDisableReasons(kGoodId),
testing::UnorderedElementsAre(disable_reason::DISABLE_NOT_VERIFIED));
}
// Tests that extensions with conflicting required permissions by enterprise
// policy cannot be installed.
TEST_F(ExtensionServiceTest, PolicyBlockedPermissionNewExtensionInstall) {
InitializeEmptyExtensionServiceWithTestingPrefs();
base::FilePath path = data_dir().AppendASCII("permissions_blocklist");
{
// Update policy to block one of the required permissions of target.
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.AddBlockedPermission("*", "tabs");
}
// The extension should be failed to install.
PackAndInstallCRX(path, INSTALL_FAILED);
{
// Update policy to block one of the optional permissions instead.
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.ClearBlockedPermissions("*");
pref.AddBlockedPermission("*", "history");
}
// The extension should succeed to install this time.
std::string id = PackAndInstallCRX(path, INSTALL_NEW)->id();
// Uninstall the extension and update policy to block some arbitrary
// unknown permission.
UninstallExtension(id);
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.ClearBlockedPermissions("*");
pref.AddBlockedPermission("*", "unknown.permission.for.testing");
}
// The extension should succeed to install as well.
PackAndInstallCRX(path, INSTALL_NEW);
}
// Tests that extension supposed to be force installed but with conflicting
// required permissions cannot be installed.
TEST_F(ExtensionServiceTest, PolicyBlockedPermissionConflictsWithForceInstall) {
InitializeEmptyExtensionServiceWithTestingPrefs();
// Pack the crx file.
base::FilePath path = data_dir().AppendASCII("permissions_blocklist");
base::FilePath pem_path = data_dir().AppendASCII("permissions_blocklist.pem");
base::ScopedTempDir temp_dir;
EXPECT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath crx_path = temp_dir.GetPath().AppendASCII("temp.crx");
PackCRX(path, pem_path, crx_path);
{
// Block one of the required permissions.
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.AddBlockedPermission("*", "tabs");
}
// Use MockExternalProvider to simulate force installing extension.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPolicyDownload);
provider->UpdateOrAddExtension(permissions_blocklist, "1.0", crx_path);
// Attempts to force install this extension.
WaitForInstallationAttemptToComplete(permissions_blocklist);
// The extension should not be installed.
ASSERT_FALSE(registry()->GetInstalledExtension(permissions_blocklist));
// Remove this extension from pending extension manager as we would like to
// give another attempt later.
pending_extension_manager()->Remove(permissions_blocklist);
{
// Clears the permission block list.
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.ClearBlockedPermissions("*");
}
// Attempts to force install this extension again.
WaitForInstallationAttemptToComplete(permissions_blocklist);
const Extension* installed =
registry()->GetInstalledExtension(permissions_blocklist);
ASSERT_TRUE(installed);
EXPECT_EQ(installed->location(), ManifestLocation::kExternalPolicyDownload);
}
// Tests that newer versions of an extension with conflicting required
// permissions by enterprise policy cannot be updated to.
TEST_F(ExtensionServiceTest, PolicyBlockedPermissionExtensionUpdate) {
InitializeEmptyExtensionServiceWithTestingPrefs();
base::FilePath path = data_dir().AppendASCII("permissions_blocklist");
base::FilePath path2 = data_dir().AppendASCII("permissions_blocklist2");
base::FilePath pem_path = data_dir().AppendASCII("permissions_blocklist.pem");
// Install 'permissions_blocklist'.
const Extension* installed = PackAndInstallCRX(path, pem_path, INSTALL_NEW);
EXPECT_EQ(installed->id(), permissions_blocklist);
{
// Block one of the required permissions of 'permissions_blocklist2'.
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.AddBlockedPermission("*", "cookies");
}
// Install 'permissions_blocklist' again, should be updated.
const Extension* updated = PackAndInstallCRX(path, pem_path, INSTALL_UPDATED);
EXPECT_EQ(updated->id(), permissions_blocklist);
std::string old_version = updated->VersionString();
// Attempts to update to 'permissions_blocklist2' should fail.
PackAndInstallCRX(path2, pem_path, INSTALL_FAILED);
// Verify that the old version is still enabled.
updated = registry()->enabled_extensions().GetByID(permissions_blocklist);
ASSERT_TRUE(updated);
EXPECT_EQ(old_version, updated->VersionString());
}
// Tests that policy update with additional permissions blocked revoke
// conflicting granted optional permissions and unload extensions with
// conflicting required permissions, including the force installed ones.
TEST_F(ExtensionServiceTest, PolicyBlockedPermissionPolicyUpdate) {
InitializeEmptyExtensionServiceWithTestingPrefs();
base::FilePath path = data_dir().AppendASCII("permissions_blocklist");
base::FilePath path2 = data_dir().AppendASCII("permissions_blocklist2");
base::FilePath pem_path = data_dir().AppendASCII("permissions_blocklist.pem");
// Pack the crx file.
base::ScopedTempDir temp_dir;
EXPECT_TRUE(temp_dir.CreateUniqueTempDir());
base::FilePath crx_path = temp_dir.GetPath().AppendASCII("temp.crx");
PackCRX(path2, pem_path, crx_path);
// Install two arbitrary extensions with specified manifest.
std::string ext1 = PackAndInstallCRX(path, INSTALL_NEW)->id();
std::string ext2 = PackAndInstallCRX(path2, INSTALL_NEW)->id();
ASSERT_NE(ext1, permissions_blocklist);
ASSERT_NE(ext2, permissions_blocklist);
ASSERT_NE(ext1, ext2);
// Force install another extension with known id and same manifest as 'ext2'.
std::string ext2_forced = permissions_blocklist;
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPolicyDownload);
provider->UpdateOrAddExtension(ext2_forced, "2.0", crx_path);
WaitForExternalExtensionInstalled(ext2_forced);
ExtensionRegistry* registry = ExtensionRegistry::Get(profile());
// Verify all three extensions are installed and enabled.
ASSERT_TRUE(registry->enabled_extensions().GetByID(ext1));
ASSERT_TRUE(registry->enabled_extensions().GetByID(ext2));
ASSERT_TRUE(registry->enabled_extensions().GetByID(ext2_forced));
// Grant all optional permissions to each extension.
GrantAllOptionalPermissions(ext1);
GrantAllOptionalPermissions(ext2);
GrantAllOptionalPermissions(ext2_forced);
std::unique_ptr<const PermissionSet> active_permissions =
prefs()->GetDesiredActivePermissions(ext1);
EXPECT_TRUE(active_permissions->HasAPIPermission(APIPermissionID::kCookie));
// Set policy to block 'cookies' permission.
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
pref.AddBlockedPermission("*", "cookies");
}
task_environment()->RunUntilIdle();
// 'ext1' should still be enabled, but with 'cookies' permission revoked.
EXPECT_TRUE(registry->enabled_extensions().GetByID(ext1));
active_permissions = prefs()->GetDesiredActivePermissions(ext1);
EXPECT_FALSE(active_permissions->HasAPIPermission(APIPermissionID::kCookie));
// 'ext2' should be disabled because one of its required permissions is
// blocked.
EXPECT_FALSE(registry->enabled_extensions().GetByID(ext2));
// 'ext2_forced' should be handled the same as 'ext2'
EXPECT_FALSE(registry->enabled_extensions().GetByID(ext2_forced));
}
// Flaky on windows; http://crbug.com/309833
#if BUILDFLAG(IS_WIN)
#define MAYBE_ExternalExtensionAutoAcknowledgement DISABLED_ExternalExtensionAutoAcknowledgement
#else
#define MAYBE_ExternalExtensionAutoAcknowledgement ExternalExtensionAutoAcknowledgement
#endif
TEST_F(ExtensionServiceTest, MAYBE_ExternalExtensionAutoAcknowledgement) {
InitializeEmptyExtensionService();
{
// Register and install an external extension.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(
good_crx, "1.0.0.0", data_dir().AppendASCII("good.crx"));
}
{
// Have policy force-install an extension.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPolicyDownload);
provider->UpdateOrAddExtension(
page_action, "1.0.0.0", data_dir().AppendASCII("page_action.crx"));
}
// Providers are set up. Let them run.
{
ExtensionLoadedObserver good_crx_loaded(registry(), good_crx);
ExtensionLoadedObserver page_action_loaded(registry(), page_action);
external_provider_manager()->CheckForExternalUpdates();
good_crx_loaded.Wait();
page_action_loaded.Wait();
}
ASSERT_EQ(2u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_TRUE(registry()->enabled_extensions().GetByID(page_action));
ASSERT_TRUE(!prefs()->IsExternalExtensionAcknowledged(good_crx));
ASSERT_TRUE(prefs()->IsExternalExtensionAcknowledged(page_action));
}
// Tests that an extension added through an external source is initially
// disabled with the "prompt for external extensions" feature.
TEST_F(ExtensionServiceTest, ExternalExtensionDisabledOnInstallation) {
FeatureSwitch::ScopedOverride external_prompt_override(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionService();
// Register and install an external extension.
MockExternalProvider* provider = AddMockExternalProvider(
ManifestLocation::kExternalPref); // Takes ownership.
provider->UpdateOrAddExtension(good_crx, "1.0.0.0",
data_dir().AppendASCII("good.crx"));
WaitForInstallationAttemptToComplete(good_crx);
EXPECT_TRUE(registry()->disabled_extensions().Contains(good_crx));
EXPECT_FALSE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_THAT(prefs()->GetDisableReasons(good_crx),
testing::UnorderedElementsAre(
disable_reason::DISABLE_EXTERNAL_EXTENSION));
// Updating the extension shouldn't cause it to be enabled.
provider->UpdateOrAddExtension(good_crx, "1.0.0.1",
data_dir().AppendASCII("good2.crx"));
WaitForInstallationAttemptToComplete(good_crx);
EXPECT_TRUE(registry()->disabled_extensions().Contains(good_crx));
EXPECT_FALSE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_THAT(prefs()->GetDisableReasons(good_crx),
testing::UnorderedElementsAre(
disable_reason::DISABLE_EXTERNAL_EXTENSION));
const Extension* extension =
registry()->disabled_extensions().GetByID(good_crx);
ASSERT_TRUE(extension);
// Double check that we did, in fact, update the extension.
EXPECT_EQ("1.0.0.1", extension->version().GetString());
}
// Test that if an extension is installed before the "prompt for external
// extensions" feature is enabled, but is updated when the feature is
// enabled, the extension is not disabled.
TEST_F(ExtensionServiceTest, ExternalExtensionIsNotDisabledOnUpdate) {
auto external_prompt_override =
std::make_unique<FeatureSwitch::ScopedOverride>(
FeatureSwitch::prompt_for_external_extensions(), false);
InitializeEmptyExtensionService();
// Register and install an external extension.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(good_crx, "1.0.0.0",
data_dir().AppendASCII("good.crx"));
WaitForExternalExtensionInstalled(good_crx);
EXPECT_TRUE(registry()->enabled_extensions().Contains(good_crx));
EXPECT_FALSE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
provider->UpdateOrAddExtension(good_crx, "1.0.0.1",
data_dir().AppendASCII("good2.crx"));
// We explicitly reset the override first. ScopedOverrides reset the value
// to the original value on destruction, but if we reset by passing a new
// object, the new object is constructed (overriding the current value)
// before the old is destructed (which will immediately reset to the
// original).
external_prompt_override.reset();
external_prompt_override = std::make_unique<FeatureSwitch::ScopedOverride>(
FeatureSwitch::prompt_for_external_extensions(), true);
WaitForExternalExtensionInstalled(good_crx);
EXPECT_TRUE(registry()->enabled_extensions().Contains(good_crx));
{
const Extension* extension =
registry()->enabled_extensions().GetByID(good_crx);
ASSERT_TRUE(extension);
EXPECT_EQ("1.0.0.1", extension->version().GetString());
}
EXPECT_FALSE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
}
#if BUILDFLAG(ENABLE_EXTENSIONS)
// Test that if an external extension warning is ignored three times, the
// extension no longer prompts
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
TEST_F(ExtensionServiceTest, ExternalExtensionRemainsDisabledIfIgnored) {
FeatureSwitch::ScopedOverride prompt_override(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionService();
// Register and install an external extension.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(good_crx, "1.0.0.0",
data_dir().AppendASCII("good.crx"));
WaitForInstallationAttemptToComplete(good_crx);
EXPECT_TRUE(registry()->disabled_extensions().Contains(good_crx));
EXPECT_FALSE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_THAT(prefs()->GetDisableReasons(good_crx),
testing::UnorderedElementsAre(
disable_reason::DISABLE_EXTERNAL_EXTENSION));
for (int i = 0; i < 3; ++i) {
std::vector<ExternalInstallError*> errors =
external_install_manager()->GetErrorsForTesting();
ASSERT_EQ(1u, errors.size());
errors[0]->OnInstallPromptDone(ExtensionInstallPrompt::DoneCallbackPayload(
ExtensionInstallPrompt::Result::ABORTED));
base::RunLoop().RunUntilIdle();
// Note: Calling OnInstallPromptDone() can result in the removal of the
// error by the manager (which owns the object), so the contents |errors|
// are invalidated now!
EXPECT_TRUE(external_install_manager()->GetErrorsForTesting().empty());
external_install_manager()->ClearShownIdsForTesting();
external_install_manager()->UpdateExternalExtensionAlert();
}
// We should have stopped prompting, since the user was shown the warning
// three times.
EXPECT_TRUE(external_install_manager()->GetErrorsForTesting().empty());
EXPECT_TRUE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_TRUE(registry()->disabled_extensions().Contains(good_crx));
EXPECT_THAT(prefs()->GetDisableReasons(good_crx),
testing::UnorderedElementsAre(
disable_reason::DISABLE_EXTERNAL_EXTENSION));
// The extension should remain disabled.
service()->ReloadExtensionsForTest();
EXPECT_TRUE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_TRUE(registry()->disabled_extensions().Contains(good_crx));
EXPECT_THAT(prefs()->GetDisableReasons(good_crx),
testing::UnorderedElementsAre(
disable_reason::DISABLE_EXTERNAL_EXTENSION));
// Then re-enabling the extension (or otherwise causing the alert to be
// updated again) should work. Regression test for https://crbug.com/736292.
{
TestExtensionRegistryObserver registry_observer(registry());
registrar()->EnableExtension(good_crx);
registry_observer.WaitForExtensionLoaded();
base::RunLoop().RunUntilIdle();
}
}
#endif
// Test that if an external extension becomes force-installed, it's enabled
// (even if the user hasn't acknowledged the prompt).
TEST_F(ExtensionServiceTest, ExternalExtensionBecomesEnabledIfForceInstalled) {
FeatureSwitch::ScopedOverride prompt_override(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionServiceWithTestingPrefs();
// Initially, the extension is installed externally and is disabled.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(good_crx, "1.0.0.0",
data_dir().AppendASCII("good.crx"));
WaitForInstallationAttemptToComplete(good_crx);
EXPECT_TRUE(registry()->disabled_extensions().Contains(good_crx));
EXPECT_FALSE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_THAT(prefs()->GetDisableReasons(good_crx),
testing::UnorderedElementsAre(
disable_reason::DISABLE_EXTERNAL_EXTENSION));
// Make the extension force-installed now. It should flip from disabled to
// enabled.
TestManagementPolicyProvider policy_provider(
TestManagementPolicyProvider::MUST_REMAIN_ENABLED);
GetManagementPolicy()->RegisterProvider(&policy_provider);
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
// Mark good.crx for force-installation.
pref.SetIndividualExtensionAutoInstalled(
good_crx, "http://example.com/update_url", true);
}
EXPECT_TRUE(registry()->enabled_extensions().Contains(good_crx));
EXPECT_TRUE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
}
#if !BUILDFLAG(IS_CHROMEOS) && BUILDFLAG(ENABLE_EXTENSIONS)
// This tests if pre-installed apps are installed correctly.
TEST_F(ExtensionServiceTest, PreinstalledAppsInstall) {
InitializeEmptyExtensionService();
{
// Initializing the ExtensionService will have set the pre-installed app
// state; reset it for the sake of testing.
profile()->GetPrefs()->SetInteger(prefs::kPreinstalledAppsInstallState,
preinstalled_apps::kUnknown);
std::string json_data =
"{"
" \"ldnnhddmnhbkjipkidpdiheffobcpfmf\" : {"
" \"external_crx\": \"good.crx\","
" \"external_version\": \"1.0.0.0\","
" \"is_bookmark_app\": false"
" }"
"}";
preinstalled_apps::Provider* provider = new preinstalled_apps::Provider(
profile(), external_provider_manager(),
new ExternalTestingLoader(json_data, data_dir()),
ManifestLocation::kInternal, ManifestLocation::kInvalidLocation,
Extension::FROM_WEBSTORE | Extension::WAS_INSTALLED_BY_DEFAULT);
external_provider_manager()->AddProviderForTesting(
base::WrapUnique(provider));
}
ASSERT_EQ(0u, registry()->enabled_extensions().size());
WaitForExternalExtensionInstalled(good_crx);
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
const Extension* extension =
registry()->enabled_extensions().GetByID(good_crx);
EXPECT_TRUE(extension->from_webstore());
EXPECT_TRUE(extension->was_installed_by_default());
}
#endif
// Tests disabling extensions
TEST_F(ExtensionServiceTest, DisableExtension) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
EXPECT_EQ(0u, registry()->terminated_extensions().size());
EXPECT_EQ(0u, registry()->blocklisted_extensions().size());
// Disable it.
registrar()->DisableExtension(good_crx,
{disable_reason::DISABLE_USER_ACTION});
EXPECT_TRUE(registry()->disabled_extensions().GetByID(good_crx));
EXPECT_FALSE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(1u, registry()->disabled_extensions().size());
EXPECT_EQ(0u, registry()->terminated_extensions().size());
EXPECT_EQ(0u, registry()->blocklisted_extensions().size());
}
// Tests the malware Omaha attributes to remotely disable an extension for
// malware.
TEST_F(ExtensionServiceTest, DisableRemotelyForMalware) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
auto attributes = base::Value::Dict().Set("_malware", true);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
service()->PerformActionBasedOnOmahaAttributes(good_crx, attributes);
EXPECT_TRUE(blocklist_prefs::HasOmahaBlocklistState(
good_crx, BitMapBlocklistState::BLOCKLISTED_MALWARE, prefs()));
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(good_crx, prefs()));
attributes.Set("_malware", false);
service()->PerformActionBasedOnOmahaAttributes(good_crx, attributes);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
EXPECT_FALSE(blocklist_prefs::IsExtensionBlocklisted(good_crx, prefs()));
}
// Tests not re-enabling previously remotely disabled extension if it's not the
// only reason but the disable reasons should be gone.
TEST_F(ExtensionServiceTest, NoEnableRemotelyDisabledExtension) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
auto attributes = base::Value::Dict().Set("_malware", true);
registrar()->DisableExtension(good_crx,
{disable_reason::DISABLE_USER_ACTION});
EXPECT_TRUE(registry()->disabled_extensions().GetByID(good_crx));
service()->PerformActionBasedOnOmahaAttributes(good_crx, attributes);
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(good_crx, prefs()));
attributes.Set("_malware", false);
service()->PerformActionBasedOnOmahaAttributes(good_crx, attributes);
EXPECT_TRUE(registry()->disabled_extensions().GetByID(good_crx));
EXPECT_FALSE(blocklist_prefs::HasOmahaBlocklistState(
good_crx, BitMapBlocklistState::BLOCKLISTED_MALWARE, prefs()));
EXPECT_FALSE(blocklist_prefs::IsExtensionBlocklisted(good_crx, prefs()));
}
TEST_F(ExtensionServiceTest, CanAddDisableReasonToBlocklistedExtension) {
InitializeGoodInstalledExtensionService();
TestBlocklist blocklist;
blocklist.Attach(service()->blocklist_);
service()->Init();
blocklist.SetBlocklistState(good0, BLOCKLISTED_MALWARE, true);
blocklist.SetBlocklistState(good1, BLOCKLISTED_MALWARE, true);
task_environment()->RunUntilIdle();
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(good0, prefs()));
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(good1, prefs()));
// Test that a blocklisted extension can be disabled.
registrar()->DisableExtension(good1, {disable_reason::DISABLE_USER_ACTION});
EXPECT_TRUE(
prefs()->HasDisableReason(good1, disable_reason::DISABLE_USER_ACTION));
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(good1, prefs()));
// Even though the extension was disabled with a new disable reason, it should
// remain in the blocklisted set (which can't be re-enabled by the user).
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(good1));
// Since the extension is blocklisted, it should not be in the disabled set.
EXPECT_FALSE(registry()->disabled_extensions().Contains(good1));
// Extensions should remain in the appropriate sets after being reloaded (as
// in a profile restart).
service()->ReloadExtensionsForTest();
EXPECT_TRUE(
prefs()->HasDisableReason(good1, disable_reason::DISABLE_USER_ACTION));
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(good1, prefs()));
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(good1));
EXPECT_FALSE(registry()->disabled_extensions().Contains(good1));
// Test that the extension is disabled when unblocklisted.
blocklist.SetBlocklistState(good1, NOT_BLOCKLISTED, true);
task_environment()->RunUntilIdle();
EXPECT_FALSE(blocklist_prefs::IsExtensionBlocklisted(good1, prefs()));
EXPECT_TRUE(prefs()->IsExtensionDisabled(good1));
EXPECT_FALSE(registry()->blocklisted_extensions().Contains(good1));
EXPECT_TRUE(registry()->disabled_extensions().Contains(good1));
EXPECT_TRUE(
prefs()->HasDisableReason(good1, disable_reason::DISABLE_USER_ACTION));
}
// Tests the Extension Telemetry service verdict to remotely disable an
// extension for malware.
TEST_F(ExtensionServiceTest,
DisableRemotelyForMalwareFromExtensionTelemetryServiceVerdict) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_EQ(1u, registry()->enabled_extensions().size());
Blocklist::BlocklistStateMap state_map;
state_map[good_crx] = BlocklistState::BLOCKLISTED_MALWARE;
service()->PerformActionBasedOnExtensionTelemetryServiceVerdicts(state_map);
EXPECT_EQ(blocklist_prefs::GetExtensionTelemetryServiceBlocklistState(
good_crx, prefs()),
BitMapBlocklistState::BLOCKLISTED_MALWARE);
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(good_crx, prefs()));
state_map[good_crx] = BlocklistState::NOT_BLOCKLISTED;
service()->PerformActionBasedOnExtensionTelemetryServiceVerdicts(state_map);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
EXPECT_FALSE(blocklist_prefs::IsExtensionBlocklisted(good_crx, prefs()));
}
TEST_F(ExtensionServiceTest,
DisableAndReenableUnpackedExtensionBasedOnDeveloperMode) {
base::test::ScopedFeatureList feature_list(
extensions_features::kExtensionDisableUnsupportedDeveloper);
InitializeEmptyExtensionService();
// Turn developer mode ON.
util::SetDeveloperModeForProfile(profile(), true);
// Load an unpacked extension and verify enablement.
scoped_refptr<const Extension> unpacked_crx =
ChromeTestExtensionLoader(profile()).LoadExtension(
data_dir().AppendASCII("simple_with_file"));
EXPECT_EQ(ManifestLocation::kUnpacked, unpacked_crx->location());
EXPECT_TRUE(registry()->enabled_extensions().Contains(unpacked_crx->id()));
EXPECT_FALSE(registry()->disabled_extensions().Contains(unpacked_crx->id()));
// Turn developer mode OFF. Verify that the unpacked extension is disabled.
util::SetDeveloperModeForProfile(profile(), false);
EXPECT_FALSE(registry()->enabled_extensions().Contains(unpacked_crx->id()));
EXPECT_TRUE(registry()->disabled_extensions().Contains(unpacked_crx->id()));
EXPECT_THAT(prefs()->GetDisableReasons(unpacked_crx->id()),
testing::UnorderedElementsAre(
disable_reason::DISABLE_UNSUPPORTED_DEVELOPER_EXTENSION));
// Turn developer mode ON. The unpacked extension should now be enabled.
util::SetDeveloperModeForProfile(profile(), true);
EXPECT_TRUE(registry()->enabled_extensions().Contains(unpacked_crx->id()));
EXPECT_FALSE(registry()->disabled_extensions().Contains(unpacked_crx->id()));
}
TEST_F(ExtensionServiceTest,
UnpackedExtensionStatusUnaffectedWhenFeatureIsOff) {
base::test::ScopedFeatureList feature_list;
feature_list.InitAndDisableFeature(
extensions_features::kExtensionDisableUnsupportedDeveloper);
InitializeEmptyExtensionService();
// Turn developer mode ON.
util::SetDeveloperModeForProfile(profile(), true);
// Load an unpacked extension and verify enablement.
scoped_refptr<const Extension> unpacked_crx =
ChromeTestExtensionLoader(profile()).LoadExtension(
data_dir().AppendASCII("simple_with_file"));
EXPECT_EQ(ManifestLocation::kUnpacked, unpacked_crx->location());
EXPECT_TRUE(registry()->enabled_extensions().Contains(unpacked_crx->id()));
EXPECT_FALSE(registry()->disabled_extensions().Contains(unpacked_crx->id()));
// Turn developer mode OFF. Verify that the unpacked extension is still
// enabled.
util::SetDeveloperModeForProfile(profile(), false);
EXPECT_TRUE(registry()->enabled_extensions().Contains(unpacked_crx->id()));
EXPECT_FALSE(registry()->disabled_extensions().Contains(unpacked_crx->id()));
}
TEST_F(ExtensionServiceTest, TerminateExtension) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
EXPECT_EQ(0u, registry()->terminated_extensions().size());
EXPECT_EQ(0u, registry()->blocklisted_extensions().size());
TerminateExtension(good_crx);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
EXPECT_EQ(1u, registry()->terminated_extensions().size());
EXPECT_EQ(0u, registry()->blocklisted_extensions().size());
}
TEST_F(ExtensionServiceTest, DisableTerminatedExtension) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
TerminateExtension(good_crx);
EXPECT_TRUE(registry()->terminated_extensions().GetByID(good_crx));
// Disable it.
registrar()->DisableExtension(good_crx,
{disable_reason::DISABLE_USER_ACTION});
EXPECT_FALSE(registry()->terminated_extensions().GetByID(good_crx));
EXPECT_TRUE(registry()->disabled_extensions().GetByID(good_crx));
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(1u, registry()->disabled_extensions().size());
EXPECT_EQ(0u, registry()->terminated_extensions().size());
EXPECT_EQ(0u, registry()->blocklisted_extensions().size());
}
// Tests that with the kDisableExtensions flag, extensions are not loaded by
// the ExtensionService...
TEST_F(ExtensionServiceTest, PRE_DisableAllExtensions) {
base::CommandLine::ForCurrentProcess()->AppendSwitch(
extensions::switches::kDisableExtensions);
InitializeGoodInstalledExtensionService();
service()->Init();
EXPECT_TRUE(registry()->GenerateInstalledExtensionsSet().empty());
}
// ... But, if we remove the switch, they are.
TEST_F(ExtensionServiceTest, DisableAllExtensions) {
EXPECT_FALSE(base::CommandLine::ForCurrentProcess()->HasSwitch(
switches::kDisableExtensions));
InitializeGoodInstalledExtensionService();
service()->Init();
EXPECT_FALSE(registry()->GenerateInstalledExtensionsSet().empty());
EXPECT_FALSE(registry()->enabled_extensions().empty());
}
// Tests reloading extensions.
TEST_F(ExtensionServiceTest, ReloadExtensions) {
InitializeEmptyExtensionService();
// Simple extension that should install without error.
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_NEW,
Extension::FROM_WEBSTORE | Extension::WAS_INSTALLED_BY_DEFAULT);
const char* const extension_id = good_crx;
registrar()->DisableExtension(extension_id,
{disable_reason::DISABLE_USER_ACTION});
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(1u, registry()->disabled_extensions().size());
service()->ReloadExtensionsForTest();
// The creation flags should not change when reloading the extension.
const Extension* extension =
registry()->disabled_extensions().GetByID(good_crx);
EXPECT_TRUE(extension->from_webstore());
EXPECT_TRUE(extension->was_installed_by_default());
// Extension counts shouldn't change.
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(1u, registry()->disabled_extensions().size());
registrar()->EnableExtension(extension_id);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
// Need to clear |loaded_| manually before reloading as the
// EnableExtension() call above inserted into it and
// UnloadAllExtensions() doesn't send out notifications.
ClearLoadedExtensions();
service()->ReloadExtensionsForTest();
// Extension counts shouldn't change.
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
}
// Tests reloading an extension.
TEST_F(ExtensionServiceTest, ReloadExtension) {
InitializeEmptyExtensionService();
// Simple extension that should install without error.
const char extension_id[] = "behllobkkfkfnphdnhnkndlbkcpglgmj";
base::FilePath ext = data_dir()
.AppendASCII("good")
.AppendASCII("Extensions")
.AppendASCII(extension_id)
.AppendASCII("1.0.0.0");
UnpackedInstaller::Create(profile())->Load(ext);
task_environment()->RunUntilIdle();
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
registrar()->ReloadExtension(extension_id);
// Extension should be disabled now, waiting to be reloaded.
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(1u, registry()->disabled_extensions().size());
EXPECT_THAT(prefs()->GetDisableReasons(extension_id),
testing::UnorderedElementsAre(disable_reason::DISABLE_RELOAD));
// Reloading again should not crash.
registrar()->ReloadExtension(extension_id);
// Finish reloading
task_environment()->RunUntilIdle();
// Extension should be enabled again.
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
}
// TODO(jlulejian): Reuse this in other places in this file.
// Test class that sets up an empty extension service before the test starts.
class ExtensionServiceWithEmptyServiceTest : public ExtensionServiceTest {
public:
void SetUp() override {
ExtensionServiceTest::SetUp();
InitializeEmptyExtensionService();
}
};
TEST_F(ExtensionServiceWithEmptyServiceTest, UninstallExtensionFromWebstore) {
const Extension* extension =
InstallCRXFromWebStore(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_TRUE(registry()->enabled_extensions().Contains(extension->id()));
EXPECT_EQ(1u, registry()->enabled_extensions().size());
UninstallExtension(good_crx);
EXPECT_TRUE(registry()->enabled_extensions().empty());
EXPECT_EQ(UnloadedExtensionReason::UNINSTALL, unloaded_reason());
}
TEST_F(ExtensionServiceWithEmptyServiceTest, UninstallExtensionFromCrx) {
const Extension* extension =
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_TRUE(registry()->enabled_extensions().Contains(extension->id()));
EXPECT_EQ(1u, registry()->enabled_extensions().size());
UninstallExtension(good_crx);
EXPECT_TRUE(registry()->enabled_extensions().empty());
EXPECT_EQ(UnloadedExtensionReason::UNINSTALL, unloaded_reason());
}
TEST_F(ExtensionServiceWithEmptyServiceTest,
UninstallExtensionFromUnpackedFolder_DoNotDeleteExtensionFolder) {
TestExtensionDir test_dir;
test_dir.WriteManifest(
R"({
"name": "Good Extension",
"version": "0.1",
"manifest_version": 3
})");
ChromeTestExtensionLoader loader(profile());
loader.set_pack_extension(false);
scoped_refptr<const Extension> extension =
loader.LoadExtension(test_dir.UnpackedPath());
EXPECT_TRUE(registry()->enabled_extensions().Contains(extension->id()));
EXPECT_EQ(1u, registry()->enabled_extensions().size());
UninstallExtension(extension->id(), /*delete_type=*/kDoNotDelete);
EXPECT_TRUE(registry()->enabled_extensions().empty());
EXPECT_EQ(UnloadedExtensionReason::UNINSTALL, unloaded_reason());
}
// Test uninstall to profile dir for .zip file installs.
class ExtensionServiceZipUninstallProfileFeatureTest
: public ExtensionServiceWithEmptyServiceTest {
public:
void SetUp() override {
ExtensionServiceWithEmptyServiceTest::SetUp();
expected_extension_install_directory_ =
registrar()->unpacked_install_directory();
}
protected:
base::FilePath expected_extension_install_directory_;
};
#if BUILDFLAG(ENABLE_EXTENSIONS)
// TODO(crbug.com/414911435): Fix this test on desktop Android. During uninstall
// the unpacked extension directory is not deleted, probably due to path
// differences on Android. See bug for details.
TEST_F(ExtensionServiceZipUninstallProfileFeatureTest,
UninstallExtensionFromZip) {
MockExtensionRegistryObserver observer;
// Install the extension from .zip.
base::FilePath original_path;
ASSERT_TRUE(base::PathService::Get(chrome::DIR_TEST_DATA, &original_path));
original_path = original_path.AppendASCII("extensions")
.AppendASCII("zipfile_installer")
.AppendASCII("good.zip");
ASSERT_TRUE(base::PathExists(original_path)) << original_path.value();
scoped_refptr<ZipFileInstaller> zipfile_installer = ZipFileInstaller::Create(
GetExtensionFileTaskRunner(),
MakeRegisterInExtensionServiceCallback(profile()));
registry()->AddObserver(&observer);
base::SingleThreadTaskRunner::GetCurrentDefault()->PostTask(
FROM_HERE,
base::BindOnce(&ZipFileInstaller::InstallZipFileToUnpackedExtensionsDir,
zipfile_installer, original_path,
registrar()->unpacked_install_directory()));
task_environment()->RunUntilIdle();
std::string extension_id = std::string(observer.last_extension_installed);
EXPECT_EQ(observer.last_extension_installed, extension_id);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
UninstallExtension(extension_id, /*delete_type=*/kDeletePath);
EXPECT_FALSE(registry()->enabled_extensions().Contains(
observer.last_extension_installed));
EXPECT_TRUE(registry()->enabled_extensions().empty());
EXPECT_EQ(observer.last_extension_uninstalled, extension_id);
EXPECT_EQ(UnloadedExtensionReason::UNINSTALL, unloaded_reason());
registry()->RemoveObserver(&observer);
}
#endif // BUILDFLAG(ENABLE_EXTENSIONS)
TEST_F(ExtensionServiceWithEmptyServiceTest, UninstallTerminatedExtension) {
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
TerminateExtension(good_crx);
UninstallExtension(good_crx);
EXPECT_EQ(UnloadedExtensionReason::TERMINATE, unloaded_reason());
}
TEST_F(ExtensionServiceWithEmptyServiceTest, UninstallBlockedExtension) {
MockExtensionRegistryObserver observer;
registry()->AddObserver(&observer);
ASSERT_TRUE(observer.last_extension_installed.empty());
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
ASSERT_EQ(good_crx, observer.last_extension_installed);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
BlockAllExtensions();
EXPECT_EQ(UnloadedExtensionReason::LOCK_ALL, unloaded_reason());
EXPECT_EQ(1u, registry()->blocked_extensions().size());
ASSERT_TRUE(observer.last_extension_uninstalled.empty());
UninstallExtension(good_crx);
ASSERT_EQ(good_crx, observer.last_extension_uninstalled);
EXPECT_EQ(0u, registry()->blocked_extensions().size());
registry()->RemoveObserver(&observer);
}
// An extension disabled because of unsupported requirements should re-enabled
// if updated to a version with supported requirements as long as there are no
// other disable reasons.
TEST_F(ExtensionServiceTest, UpgradingRequirementsEnabled) {
InitializeEmptyExtensionService();
content::GpuDataManager::GetInstance()->BlocklistWebGLForTesting();
base::FilePath path = data_dir().AppendASCII("requirements");
base::FilePath pem_path =
data_dir().AppendASCII("requirements").AppendASCII("v1_good.pem");
const Extension* extension_v1 = PackAndInstallCRX(path.AppendASCII("v1_good"),
pem_path,
INSTALL_NEW);
std::string id = extension_v1->id();
EXPECT_TRUE(registrar()->IsExtensionEnabled(id));
base::FilePath v2_bad_requirements_crx = GetTemporaryFile();
PackCRX(path.AppendASCII("v2_bad_requirements"),
pem_path,
v2_bad_requirements_crx);
UpdateExtension(id, v2_bad_requirements_crx, INSTALLED);
EXPECT_FALSE(registrar()->IsExtensionEnabled(id));
base::FilePath v3_good_crx = GetTemporaryFile();
PackCRX(path.AppendASCII("v3_good"), pem_path, v3_good_crx);
UpdateExtension(id, v3_good_crx, ENABLED);
EXPECT_TRUE(registrar()->IsExtensionEnabled(id));
}
// Extensions disabled through user action should stay disabled.
TEST_F(ExtensionServiceTest, UpgradingRequirementsDisabled) {
InitializeEmptyExtensionService();
content::GpuDataManager::GetInstance()->BlocklistWebGLForTesting();
base::FilePath path = data_dir().AppendASCII("requirements");
base::FilePath pem_path =
data_dir().AppendASCII("requirements").AppendASCII("v1_good.pem");
const Extension* extension_v1 = PackAndInstallCRX(path.AppendASCII("v1_good"),
pem_path,
INSTALL_NEW);
std::string id = extension_v1->id();
registrar()->DisableExtension(id, {disable_reason::DISABLE_USER_ACTION});
EXPECT_FALSE(registrar()->IsExtensionEnabled(id));
base::FilePath v2_bad_requirements_crx = GetTemporaryFile();
PackCRX(path.AppendASCII("v2_bad_requirements"),
pem_path,
v2_bad_requirements_crx);
UpdateExtension(id, v2_bad_requirements_crx, INSTALLED);
EXPECT_FALSE(registrar()->IsExtensionEnabled(id));
base::FilePath v3_good_crx = GetTemporaryFile();
PackCRX(path.AppendASCII("v3_good"), pem_path, v3_good_crx);
UpdateExtension(id, v3_good_crx, INSTALLED);
EXPECT_FALSE(registrar()->IsExtensionEnabled(id));
}
// The extension should not re-enabled because it was disabled from a
// permission increase.
TEST_F(ExtensionServiceTest, UpgradingRequirementsPermissions) {
InitializeEmptyExtensionService();
content::GpuDataManager::GetInstance()->BlocklistWebGLForTesting();
base::FilePath path = data_dir().AppendASCII("requirements");
base::FilePath pem_path =
data_dir().AppendASCII("requirements").AppendASCII("v1_good.pem");
const Extension* extension_v1 = PackAndInstallCRX(path.AppendASCII("v1_good"),
pem_path,
INSTALL_NEW);
std::string id = extension_v1->id();
EXPECT_TRUE(registrar()->IsExtensionEnabled(id));
base::FilePath v2_bad_requirements_and_permissions_crx = GetTemporaryFile();
PackCRX(path.AppendASCII("v2_bad_requirements_and_permissions"),
pem_path,
v2_bad_requirements_and_permissions_crx);
UpdateExtension(id, v2_bad_requirements_and_permissions_crx, INSTALLED);
EXPECT_FALSE(registrar()->IsExtensionEnabled(id));
base::FilePath v3_bad_permissions_crx = GetTemporaryFile();
PackCRX(path.AppendASCII("v3_bad_permissions"),
pem_path,
v3_bad_permissions_crx);
UpdateExtension(id, v3_bad_permissions_crx, INSTALLED);
EXPECT_FALSE(registrar()->IsExtensionEnabled(id));
}
// Unpacked extensions are not allowed to be installed if they have unsupported
// requirements.
TEST_F(ExtensionServiceTest, UnpackedRequirements) {
InitializeEmptyExtensionService();
content::GpuDataManager::GetInstance()->BlocklistWebGLForTesting();
base::FilePath path =
data_dir().AppendASCII("requirements").AppendASCII("v2_bad_requirements");
UnpackedInstaller::Create(profile())->Load(path);
task_environment()->RunUntilIdle();
EXPECT_EQ(1u, GetErrors().size());
EXPECT_EQ(0u, registry()->enabled_extensions().size());
}
class ExtensionCookieCallback {
public:
ExtensionCookieCallback() = default;
void SetCookieCallback(net::CookieAccessResult result) {
result_ = result.status.IsInclude();
}
void GetAllCookiesCallback(const net::CookieAccessResultList& list,
const net::CookieAccessResultList& excluded_list) {
list_ = net::cookie_util::StripAccessResults(list);
}
net::CookieList list_;
bool result_ = false;
};
// Verifies extension state is removed upon uninstall.
TEST_F(ExtensionServiceTest, ClearExtensionData) {
InitializeEmptyExtensionService();
ExtensionCookieCallback callback;
// Load a test extension.
base::FilePath path = data_dir();
path = path.AppendASCII("good.crx");
const Extension* extension = InstallCRX(path, INSTALL_NEW);
ASSERT_TRUE(extension);
GURL ext_url(extension->url());
std::string origin_id = storage::GetIdentifierFromOrigin(ext_url);
// Set a cookie for the extension.
net::CookieStore* cookie_store =
extensions::ChromeExtensionCookies::Get(profile())
->GetCookieStoreForTesting();
ASSERT_TRUE(cookie_store);
auto cookie = net::CanonicalCookie::CreateForTesting(ext_url, "dummy=value",
base::Time::Now());
cookie_store->SetCanonicalCookieAsync(
std::move(cookie), ext_url, net::CookieOptions::MakeAllInclusive(),
base::BindOnce(&ExtensionCookieCallback::SetCookieCallback,
base::Unretained(&callback)));
task_environment()->RunUntilIdle();
EXPECT_TRUE(callback.result_);
cookie_store->GetCookieListWithOptionsAsync(
ext_url, net::CookieOptions::MakeAllInclusive(),
net::CookiePartitionKeyCollection(),
base::BindOnce(&ExtensionCookieCallback::GetAllCookiesCallback,
base::Unretained(&callback)));
task_environment()->RunUntilIdle();
EXPECT_EQ(1U, callback.list_.size());
// Create local storage.
auto* local_storage_control =
profile()->GetDefaultStoragePartition()->GetLocalStorageControl();
mojo::Remote<blink::mojom::StorageArea> area;
local_storage_control->BindStorageArea(
blink::StorageKey::CreateFirstParty(url::Origin::Create(ext_url)),
area.BindNewPipeAndPassReceiver());
{
base::test::TestFuture<bool> future;
area->Put({'k', 'e', 'y'}, {'v', 'a', 'l', 'u', 'e'}, std::nullopt,
"source", future.GetCallback());
ASSERT_TRUE(future.Get());
}
// Create indexed db. It is enough to only simulate this by
// creating the directory on the disk, and resetting the caches of
// "known" origins.
auto& idb_control =
profile()->GetDefaultStoragePartition()->GetIndexedDBControl();
mojo::Remote<storage::mojom::IndexedDBControlTest> idb_control_test;
idb_control.BindTestInterfaceForTesting(
idb_control_test.BindNewPipeAndPassReceiver());
base::FilePath idb_path;
{
ASSERT_OK_AND_ASSIGN(auto bucket_locator,
GetStorageBucket(blink::StorageKey::CreateFirstParty(
url::Origin::Create(ext_url))));
base::RunLoop run_loop;
idb_control_test->GetFilePathForTesting(
bucket_locator,
base::BindLambdaForTesting([&](const base::FilePath& path) {
idb_path = path;
EXPECT_TRUE(base::CreateDirectory(idb_path));
EXPECT_TRUE(base::DirectoryExists(idb_path));
idb_control_test->ResetCachesForTesting(run_loop.QuitClosure());
}));
run_loop.Run();
}
// Uninstall the extension.
ASSERT_TRUE(registrar()->UninstallExtension(
good_crx, UNINSTALL_REASON_FOR_TESTING, nullptr));
// The data deletion happens on the IO thread; since we use a
// BrowserTaskEnvironment (without REAL_IO_THREAD), the IO and UI threads are
// the same, and RunAllTasksUntilIdle() should run IO thread tasks.
task_environment()->RunUntilIdle();
// Check that the cookie is gone.
cookie_store->GetCookieListWithOptionsAsync(
ext_url, net::CookieOptions::MakeAllInclusive(),
net::CookiePartitionKeyCollection(),
base::BindOnce(&ExtensionCookieCallback::GetAllCookiesCallback,
base::Unretained(&callback)));
task_environment()->RunUntilIdle();
EXPECT_EQ(0U, callback.list_.size());
// Check that the localStorage data been removed.
{
base::test::TestFuture<std::vector<storage::mojom::StorageUsageInfoPtr>>
future;
local_storage_control->GetUsage(future.GetCallback());
EXPECT_TRUE(future.Get().empty());
}
// Check if the indexed db has disappeared too.
EXPECT_FALSE(base::DirectoryExists(idb_path));
}
std::vector<net::CanonicalCookie> IncludedCookies(
const net::CookieAccessResultList& result,
const net::CookieAccessResultList& excluded) {
return net::cookie_util::StripAccessResults(result);
}
// Verifies app state is removed upon uninstall.
TEST_F(ExtensionServiceTest, ClearAppData) {
InitializeEmptyExtensionService();
ExtensionCookieCallback callback;
int pref_count = 0;
// Install app1 with unlimited storage.
const Extension* extension =
PackAndInstallCRX(data_dir().AppendASCII("app1"), INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
ASSERT_EQ(1u, registry()->enabled_extensions().size());
const std::string id1 = extension->id();
EXPECT_TRUE(extension->permissions_data()->HasAPIPermission(
APIPermissionID::kUnlimitedStorage));
const GURL origin1(
AppLaunchInfo::GetFullLaunchURL(extension).DeprecatedGetOriginAsURL());
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
origin1));
std::string origin_id = storage::GetIdentifierFromOrigin(origin1);
// Install app2 from the same origin with unlimited storage.
extension = PackAndInstallCRX(data_dir().AppendASCII("app2"), INSTALL_NEW);
ValidatePrefKeyCount(++pref_count);
ASSERT_EQ(2u, registry()->enabled_extensions().size());
const std::string id2 = extension->id();
EXPECT_TRUE(extension->permissions_data()->HasAPIPermission(
APIPermissionID::kUnlimitedStorage));
EXPECT_TRUE(extension->web_extent().MatchesURL(
AppLaunchInfo::GetFullLaunchURL(extension)));
const GURL origin2(
AppLaunchInfo::GetFullLaunchURL(extension).DeprecatedGetOriginAsURL());
EXPECT_EQ(origin1, origin2);
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
origin2));
network::mojom::NetworkContext* network_context =
profile()->GetDefaultStoragePartition()->GetNetworkContext();
mojo::Remote<network::mojom::CookieManager> cookie_manager_remote;
network_context->GetCookieManager(
cookie_manager_remote.BindNewPipeAndPassReceiver());
std::unique_ptr<net::CanonicalCookie> cc(
net::CanonicalCookie::CreateForTesting(origin1, "dummy=value",
base::Time::Now()));
ASSERT_TRUE(cc.get());
{
base::test::TestFuture<bool> future;
cookie_manager_remote->SetCanonicalCookie(
*cc.get(), origin1, net::CookieOptions::MakeAllInclusive(),
base::BindOnce([](net::CookieAccessResult result) {
return result.status.IsInclude();
}).Then(future.GetCallback()));
EXPECT_TRUE(future.Get());
}
{
base::test::TestFuture<std::vector<net::CanonicalCookie>> future;
cookie_manager_remote->GetCookieList(
origin1, net::CookieOptions::MakeAllInclusive(),
net::CookiePartitionKeyCollection(),
base::BindOnce(IncludedCookies).Then(future.GetCallback()));
EXPECT_EQ(1U, future.Get().size());
}
// Create local storage.
auto* local_storage_control =
profile()->GetDefaultStoragePartition()->GetLocalStorageControl();
mojo::Remote<blink::mojom::StorageArea> area;
local_storage_control->BindStorageArea(
blink::StorageKey::CreateFirstParty(url::Origin::Create(origin1)),
area.BindNewPipeAndPassReceiver());
{
base::test::TestFuture<bool> future;
area->Put({'k', 'e', 'y'}, {'v', 'a', 'l', 'u', 'e'}, std::nullopt,
"source", future.GetCallback());
ASSERT_TRUE(future.Get());
}
// Create indexed db. It is enough to only simulate this by
// creating the directory on the disk, and resetting the caches of
// "known" origins.
auto& idb_control =
profile()->GetDefaultStoragePartition()->GetIndexedDBControl();
mojo::Remote<storage::mojom::IndexedDBControlTest> idb_control_test;
idb_control.BindTestInterfaceForTesting(
idb_control_test.BindNewPipeAndPassReceiver());
base::FilePath idb_path;
{
ASSERT_OK_AND_ASSIGN(auto bucket_locator,
GetStorageBucket(blink::StorageKey::CreateFirstParty(
url::Origin::Create(origin1))));
base::RunLoop run_loop;
idb_control_test->GetFilePathForTesting(
bucket_locator,
base::BindLambdaForTesting([&](const base::FilePath& path) {
idb_path = path;
EXPECT_TRUE(base::CreateDirectory(idb_path));
EXPECT_TRUE(base::DirectoryExists(idb_path));
idb_control_test->ResetCachesForTesting(run_loop.QuitClosure());
}));
run_loop.Run();
}
// Uninstall one of them, unlimited storage should still be granted
// to the origin.
UninstallExtension(id1);
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
origin1));
{
// Check that the cookie is still there.
base::test::TestFuture<std::vector<net::CanonicalCookie>> future;
cookie_manager_remote->GetCookieList(
origin1, net::CookieOptions::MakeAllInclusive(),
net::CookiePartitionKeyCollection(),
base::BindOnce(IncludedCookies).Then(future.GetCallback()));
EXPECT_EQ(1U, future.Get().size());
}
// Now uninstall the other. Storage should be cleared for the apps.
UninstallExtension(id2);
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_FALSE(
profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
origin1));
{
// Check that the cookie is gone.
base::test::TestFuture<std::vector<net::CanonicalCookie>> future;
cookie_manager_remote->GetCookieList(
origin1, net::CookieOptions::MakeAllInclusive(),
net::CookiePartitionKeyCollection(),
base::BindOnce(IncludedCookies).Then(future.GetCallback()));
EXPECT_EQ(0U, future.Get().size());
}
// Check that the localStorage data been removed.
{
base::test::TestFuture<std::vector<storage::mojom::StorageUsageInfoPtr>>
future;
local_storage_control->GetUsage(future.GetCallback());
EXPECT_TRUE(future.Get().empty());
}
// Check if the indexed db has disappeared too.
EXPECT_FALSE(base::DirectoryExists(idb_path));
}
// Tests loading single extensions (like --load-extension)
TEST_F(ExtensionServiceTest, LoadExtension) {
InitializeEmptyExtensionService();
TestExtensionDir good_extension_dir;
good_extension_dir.WriteManifest(
R"({
"name": "Good Extension",
"version": "0.1",
"manifest_version": 3
})");
{
ChromeTestExtensionLoader loader(profile());
loader.set_pack_extension(false);
loader.LoadExtension(good_extension_dir.UnpackedPath());
}
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
ValidatePrefKeyCount(1);
auto get_extension_by_name = [](const ExtensionSet& extensions,
const std::string& name) {
// NOTE: lambda type deduction doesn't recognize returning
// const Extension* in one place and nullptr in another as the same type, so
// we have to make sure to return an explicit type here.
const Extension* result = nullptr;
for (const auto& extension : extensions) {
if (extension->name() == name) {
result = extension.get();
break;
}
}
return result;
};
constexpr const char kGoodExtension[] = "Good Extension";
{
const Extension* extension =
get_extension_by_name(registry()->enabled_extensions(), kGoodExtension);
ASSERT_TRUE(extension);
EXPECT_EQ(ManifestLocation::kUnpacked, extension->location());
}
// Try loading an extension with no manifest. It should fail.
TestExtensionDir bad_extension_dir;
bad_extension_dir.WriteFile(FILE_PATH_LITERAL("background.js"), "// some JS");
{
ChromeTestExtensionLoader loader(profile());
loader.set_pack_extension(false);
loader.set_should_fail(true);
loader.LoadExtension(bad_extension_dir.UnpackedPath());
}
EXPECT_EQ(1u, GetErrors().size());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(1u, registry()->GenerateInstalledExtensionsSet().size());
EXPECT_TRUE(
get_extension_by_name(registry()->enabled_extensions(), kGoodExtension));
// Test uninstalling the good extension.
const ExtensionId good_id =
get_extension_by_name(registry()->enabled_extensions(), kGoodExtension)
->id();
registrar()->UninstallExtension(good_id, UNINSTALL_REASON_FOR_TESTING,
nullptr);
task_environment()->RunUntilIdle();
EXPECT_TRUE(registry()->GenerateInstalledExtensionsSet().empty());
}
// Tests that --load-extension is ignored for users opted in to Enhanced Safe
// Browsing (ESB).
TEST_F(ExtensionServiceTest, WillNotLoadFromCommandLineForESBUsers) {
base::HistogramTester histograms;
InitializeEmptyExtensionServiceWithTestingPrefs();
// Enable ESB.
profile()->GetPrefs()->SetBoolean(prefs::kSafeBrowsingEnabled, true);
profile()->GetPrefs()->SetBoolean(prefs::kSafeBrowsingEnhanced, true);
// Try to load an extension from command line.
base::FilePath path =
base::MakeAbsoluteFilePath(data_dir().AppendASCII("good_unpacked"));
base::CommandLine::ForCurrentProcess()->AppendSwitchPath(
switches::kLoadExtension, path);
service()->Init();
task_environment()->RunUntilIdle();
ASSERT_EQ(0u, loaded_extensions().size());
ValidatePrefKeyCount(0);
histograms.ExpectTotalCount("Extensions.LoadingFromCommandLine", 0);
}
// Tests --load-extension works for non-ESB users.
// --load-extension was disabled in https://crbug.com/401529219
#if BUILDFLAG(GOOGLE_CHROME_BRANDING) && !BUILDFLAG(IS_CHROMEOS)
#define MAYBE_LoadsFromCommandLineForNonESBUsers DISABLED_LoadsFromCommandLineForNonESBUsers
#else
#define MAYBE_LoadsFromCommandLineForNonESBUsers LoadsFromCommandLineForNonESBUsers
#endif
TEST_F(ExtensionServiceTest, MAYBE_LoadsFromCommandLineForNonESBUsers) {
base::HistogramTester histograms;
InitializeEmptyExtensionServiceWithTestingPrefs();
// Disable ESB.
profile()->GetPrefs()->SetBoolean(prefs::kSafeBrowsingEnabled, false);
profile()->GetPrefs()->SetBoolean(prefs::kSafeBrowsingEnhanced, false);
// Try to load an extension from command line.
base::FilePath path =
base::MakeAbsoluteFilePath(data_dir().AppendASCII("good_unpacked"));
base::CommandLine::ForCurrentProcess()->AppendSwitchPath(
switches::kLoadExtension, path);
service()->Init();
task_environment()->RunUntilIdle();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
ValidatePrefKeyCount(1);
histograms.ExpectUniqueSample(
"Extensions.LoadingFromCommandLine",
ExtensionService::LoadExtensionFlag::kLoadExtension, 1);
}
// Tests that --load-extension is ignored for users with policy
// ExtensionInstallTypeBlocklist containing command_line.
TEST_F(ExtensionServiceTest,
WillNotLoadFromCommandLineForUsersWithPolicyFalse) {
base::HistogramTester histograms;
InitializeEmptyExtensionServiceWithTestingPrefs();
profile()->GetPrefs()->SetList(pref_names::kExtensionInstallTypeBlocklist,
base::Value::List().Append("command_line"));
// Try to load an extension from command line.
base::FilePath path =
base::MakeAbsoluteFilePath(data_dir().AppendASCII("good_unpacked"));
base::CommandLine::ForCurrentProcess()->AppendSwitchPath(
switches::kLoadExtension, path);
service()->Init();
task_environment()->RunUntilIdle();
ASSERT_EQ(0u, loaded_extensions().size());
ValidatePrefKeyCount(0);
histograms.ExpectTotalCount("Extensions.LoadingFromCommandLine", 0);
}
// Tests --load-extension and --disable-extensions-except work for users with
// policy ExtensionInstallTypeBlocklist not containing "command_line" (default
// value)
// --load-extension was disabled in https://crbug.com/401529219
#if BUILDFLAG(GOOGLE_CHROME_BRANDING) && !BUILDFLAG(IS_CHROMEOS)
#define MAYBE_LoadsFromCommandLineForUsersWithoutPolicy DISABLED_LoadsFromCommandLineForUsersWithoutPolicy
#else
#define MAYBE_LoadsFromCommandLineForUsersWithoutPolicy LoadsFromCommandLineForUsersWithoutPolicy
#endif
TEST_F(ExtensionServiceTest, MAYBE_LoadsFromCommandLineForUsersWithoutPolicy) {
base::HistogramTester histograms;
InitializeEmptyExtensionServiceWithTestingPrefs();
// Not setting pref as false is default value.
// Try to load an extension from command line.
base::FilePath path =
base::MakeAbsoluteFilePath(data_dir().AppendASCII("good_unpacked"));
base::CommandLine::ForCurrentProcess()->AppendSwitchPath(
switches::kLoadExtension, path);
base::CommandLine::ForCurrentProcess()->AppendSwitchPath(
switches::kDisableExtensionsExcept, path);
service()->Init();
task_environment()->RunUntilIdle();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
ValidatePrefKeyCount(1);
histograms.ExpectBucketCount(
"Extensions.LoadingFromCommandLine",
ExtensionService::LoadExtensionFlag::kLoadExtension, 1);
histograms.ExpectBucketCount(
"Extensions.LoadingFromCommandLine",
ExtensionService::LoadExtensionFlag::kDisableExtensionsExcept, 1);
}
TEST_F(ExtensionServiceTest, DisableLoadExtensionCommandLineSwitch) {
base::HistogramTester histograms;
base::test::ScopedFeatureList feature_list(
/*enable_feature=*/extensions_features::
kDisableLoadExtensionCommandLineSwitch);
InitializeEmptyExtensionServiceWithTestingPrefs();
// Try to load an extension from command line.
base::FilePath path =
base::MakeAbsoluteFilePath(data_dir().AppendASCII("good_unpacked"));
base::CommandLine::ForCurrentProcess()->AppendSwitchPath(
switches::kLoadExtension, path);
service()->Init();
ExtensionSystem* extension_system = ExtensionSystem::Get(profile());
// Wait until the extension system is ready.
base::RunLoop run_loop;
extension_system->ready().Post(FROM_HERE, run_loop.QuitClosure());
run_loop.Run();
ASSERT_EQ(0u, loaded_extensions().size());
ValidatePrefKeyCount(0);
histograms.ExpectTotalCount("Extensions.LoadingFromCommandLine", 0);
}
TEST_F(ExtensionServiceTest, DisableDisableExtensionsExceptCommandLineSwitch) {
base::test::ScopedFeatureList feature_list(
/*enable_feature=*/extensions_features::
kDisableDisableExtensionsExceptCommandLineSwitch);
InitializeEmptyExtensionServiceWithTestingPrefs();
// Try to load an extension from command line.
base::FilePath path =
base::MakeAbsoluteFilePath(data_dir().AppendASCII("good_unpacked"));
base::CommandLine::ForCurrentProcess()->AppendSwitchPath(
switches::kDisableExtensionsExcept, path);
service()->Init();
ExtensionSystem* extension_system = ExtensionSystem::Get(profile());
// Wait until the extension system is ready.
base::RunLoop run_loop;
extension_system->ready().Post(FROM_HERE, run_loop.QuitClosure());
run_loop.Run();
ASSERT_EQ(0u, loaded_extensions().size());
ValidatePrefKeyCount(0);
}
// Tests that we generate IDs when they are not specified in the manifest for
// --load-extension.
TEST_F(ExtensionServiceTest, GenerateID) {
InitializeEmptyExtensionService();
base::FilePath no_id_ext = data_dir().AppendASCII("no_id");
UnpackedInstaller::Create(profile())->Load(no_id_ext);
task_environment()->RunUntilIdle();
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
ASSERT_TRUE(crx_file::id_util::IdIsValid(loaded_extensions()[0]->id()));
EXPECT_EQ(loaded_extensions()[0]->location(), ManifestLocation::kUnpacked);
ValidatePrefKeyCount(1);
std::string previous_id = loaded_extensions()[0]->id();
// If we reload the same path, we should get the same extension ID.
UnpackedInstaller::Create(profile())->Load(no_id_ext);
task_environment()->RunUntilIdle();
ASSERT_EQ(1u, loaded_extensions().size());
ASSERT_EQ(previous_id, loaded_extensions()[0]->id());
}
TEST_F(ExtensionServiceTest, UnpackedValidatesLocales) {
InitializeEmptyExtensionService();
base::FilePath bad_locale =
data_dir().AppendASCII("unpacked").AppendASCII("bad_messages_file");
UnpackedInstaller::Create(profile())->Load(bad_locale);
task_environment()->RunUntilIdle();
EXPECT_EQ(1u, GetErrors().size());
base::FilePath ms_messages_file = bad_locale.AppendASCII("_locales")
.AppendASCII("ms")
.AppendASCII("messages.json");
EXPECT_THAT(base::UTF16ToUTF8(GetErrors()[0]),
testing::HasSubstr(
base::UTF16ToUTF8(ms_messages_file.LossyDisplayName())));
ASSERT_EQ(0u, loaded_extensions().size());
}
void ExtensionServiceTest::TestExternalProvider(MockExternalProvider* provider,
ManifestLocation location) {
// Verify that starting with no providers loads no extensions.
service()->Init();
ASSERT_EQ(0u, loaded_extensions().size());
provider->set_visit_count(0);
// Register a test extension externally using the mock registry provider.
base::FilePath source_path = data_dir().AppendASCII("good.crx");
// Add the extension.
provider->UpdateOrAddExtension(good_crx, "1.0.0.0", source_path);
// Reloading extensions should find our externally registered extension
// and install it.
WaitForExternalExtensionInstalled(good_crx);
ASSERT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
ASSERT_EQ(location, loaded_extensions()[0]->location());
ASSERT_EQ("1.0.0.0", loaded_extensions()[0]->version().GetString());
EXPECT_TRUE(prefs()->GetInstalledExtensionInfo(good_crx));
// TODO(devlin): Testing the underlying values of the prefs for extensions
// should be done in an ExtensionPrefs test, not here. This should only be
// using the public ExtensionPrefs interfaces.
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location", static_cast<int>(location));
// Reload extensions without changing anything. The extension should be
// loaded again. Note that Reload doesn't trigger 'OnExtensionUnloaded`, so we
// have to manually clear the loaded extensions.
ClearLoadedExtensions();
service()->ReloadExtensionsForTest();
task_environment()->RunUntilIdle();
ASSERT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
EXPECT_TRUE(prefs()->GetInstalledExtensionInfo(good_crx));
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location", static_cast<int>(location));
// Now update the extension with a new version. We should get upgraded.
source_path = source_path.DirName().AppendASCII("good2.crx");
provider->UpdateOrAddExtension(good_crx, "1.0.0.1", source_path);
WaitForExternalExtensionInstalled(good_crx);
ASSERT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
ASSERT_EQ("1.0.0.1", loaded_extensions()[0]->version().GetString());
EXPECT_TRUE(prefs()->GetInstalledExtensionInfo(good_crx));
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location", static_cast<int>(location));
// Uninstall the extension and reload. Nothing should happen because the
// preference should prevent us from reinstalling.
std::string id = loaded_extensions()[0]->id();
EXPECT_EQ(id, good_crx);
bool no_uninstall = GetManagementPolicy()->MustRemainEnabled(
loaded_extensions()[0].get(), nullptr);
registrar()->UninstallExtension(id, UNINSTALL_REASON_FOR_TESTING, nullptr);
task_environment()->RunUntilIdle();
base::FilePath install_path = extensions_install_dir().AppendASCII(id);
if (no_uninstall) {
// Policy controlled extensions should not have been touched by uninstall.
ASSERT_TRUE(base::PathExists(install_path));
EXPECT_TRUE(prefs()->GetInstalledExtensionInfo(good_crx));
EXPECT_FALSE(prefs()->IsExternalExtensionUninstalled(good_crx));
} else {
// The extension should also be gone from the install directory.
ASSERT_FALSE(base::PathExists(install_path));
external_provider_manager()->CheckForExternalUpdates();
task_environment()->RunUntilIdle();
ASSERT_EQ(0u, loaded_extensions().size());
EXPECT_TRUE(prefs()->IsExternalExtensionUninstalled(good_crx));
EXPECT_FALSE(prefs()->GetInstalledExtensionInfo(good_crx));
// Now clear the preference and reinstall.
prefs()->ClearExternalExtensionUninstalled(good_crx);
WaitForExternalExtensionInstalled(good_crx);
ASSERT_EQ(1u, loaded_extensions().size());
}
EXPECT_TRUE(prefs()->GetInstalledExtensionInfo(good_crx));
EXPECT_FALSE(prefs()->IsExternalExtensionUninstalled(good_crx));
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location", static_cast<int>(location));
if (GetManagementPolicy()->MustRemainEnabled(loaded_extensions()[0].get(),
nullptr)) {
EXPECT_EQ(2, provider->visit_count());
} else {
// Now test an externally triggered uninstall (deleting the registry key or
// the pref entry).
provider->RemoveExtension(good_crx);
external_provider_manager()->OnExternalProviderReady(provider);
task_environment()->RunUntilIdle();
ASSERT_EQ(0u, loaded_extensions().size());
EXPECT_FALSE(prefs()->IsExternalExtensionUninstalled(good_crx));
EXPECT_FALSE(prefs()->GetInstalledExtensionInfo(good_crx));
// The extension should also be gone from the install directory.
ASSERT_FALSE(base::PathExists(install_path));
// Now test the case where user uninstalls and then the extension is removed
// from the external provider.
provider->UpdateOrAddExtension(good_crx, "1.0.0.1", source_path);
WaitForExternalExtensionInstalled(good_crx);
ASSERT_EQ(1u, loaded_extensions().size());
ASSERT_EQ(0u, GetErrors().size());
// User uninstalls.
registrar()->UninstallExtension(id, UNINSTALL_REASON_FOR_TESTING, nullptr);
task_environment()->RunUntilIdle();
ASSERT_EQ(0u, loaded_extensions().size());
// Then remove the extension from the extension provider.
provider->RemoveExtension(good_crx);
// Should still be at 0.
ClearLoadedExtensions();
service()->ReloadExtensionsForTest();
task_environment()->RunUntilIdle();
ASSERT_EQ(0u, loaded_extensions().size());
EXPECT_FALSE(prefs()->GetInstalledExtensionInfo(good_crx));
EXPECT_TRUE(prefs()->IsExternalExtensionUninstalled(good_crx));
EXPECT_EQ(5, provider->visit_count());
}
}
// Tests the external installation feature
#if BUILDFLAG(IS_WIN)
TEST_F(ExtensionServiceTest, ExternalInstallRegistry) {
// This should all work, even when normal extension installation is disabled.
InitializeExtensionServiceWithExtensionsDisabled();
// Now add providers. Extension system takes ownership of the objects.
MockExternalProvider* reg_provider =
AddMockExternalProvider(ManifestLocation::kExternalRegistry);
TestExternalProvider(reg_provider, ManifestLocation::kExternalRegistry);
}
#endif
TEST_F(ExtensionServiceTest, ExternalInstallPref) {
InitializeEmptyExtensionService();
// Now add providers. Extension system takes ownership of the objects.
MockExternalProvider* pref_provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
TestExternalProvider(pref_provider, ManifestLocation::kExternalPref);
}
TEST_F(ExtensionServiceTest, ExternalInstallPrefUpdateUrl) {
// This should all work, even when normal extension installation is disabled.
InitializeExtensionServiceWithExtensionsDisabled();
// TODO(skerner): The mock provider is not a good model of a provider
// that works with update URLs, because it adds file and version info.
// Extend the mock to work with update URLs. This test checks the
// behavior that is common to all external extension visitors. The
// browser test ExtensionManagementTest.ExternalUrlUpdate tests that
// what the visitor does results in an extension being downloaded and
// installed.
MockExternalProvider* pref_provider =
AddMockExternalProvider(ManifestLocation::kExternalPrefDownload);
TestExternalProvider(pref_provider, ManifestLocation::kExternalPrefDownload);
}
TEST_F(ExtensionServiceTest, ExternalInstallPolicyUpdateUrl) {
// This should all work, even when normal extension installation is disabled.
InitializeExtensionServiceWithExtensionsDisabled();
// TODO(skerner): The mock provider is not a good model of a provider
// that works with update URLs, because it adds file and version info.
// Extend the mock to work with update URLs. This test checks the
// behavior that is common to all external extension visitors. The
// browser test ExtensionManagementTest.ExternalUrlUpdate tests that
// what the visitor does results in an extension being downloaded and
// installed.
MockExternalProvider* pref_provider =
AddMockExternalProvider(ManifestLocation::kExternalPolicyDownload);
TestExternalProvider(pref_provider,
ManifestLocation::kExternalPolicyDownload);
}
// Tests that external extensions get uninstalled when the external extension
// providers can't account for them.
TEST_F(ExtensionServiceTest, ExternalUninstall) {
// Start the extensions service with one external extension already installed.
base::FilePath test_data_dir = data_dir().AppendASCII("good");
ExtensionServiceInitParams params;
ASSERT_TRUE(params.SetPrefsContentFromFile(
test_data_dir.AppendASCII("PreferencesExternalPref")));
params.extensions_dir = test_data_dir.AppendASCII("Extensions");
InitializeExtensionService(std::move(params));
service()->Init();
ASSERT_EQ(0u, GetErrors().size());
ASSERT_EQ(0u, loaded_extensions().size());
}
// Tests that external extensions get uninstalled when the external extension
// providers can't account for them, even if other provides can, but with a
// different location value. Regression test for https://crbug.com/397903880.
TEST_F(ExtensionServiceTest, ExternalUninstallDifferentLocation) {
// Start the extensions service with one external extension already installed.
// The extension's location is set to kExternalComponent, although no provider
// acknowledges it.
base::FilePath test_data_dir = data_dir().AppendASCII("good");
ExtensionServiceInitParams params;
ASSERT_TRUE(params.SetPrefsContentFromFile(
test_data_dir.AppendASCII("PreferencesExternalComponent")));
params.extensions_dir = test_data_dir.AppendASCII("Extensions");
InitializeExtensionService(std::move(params));
// Install an external extension as ManifestLocation::kExternalPref with the
// same id. It's expected that the extension will be uninstalled regardless of
// this provider, since the location doesn't match.
base::FilePath path = data_dir().AppendASCII("good.crx");
std::string version_str = "1.0.0.0";
std::unique_ptr<ExternalInstallInfoFile> info = CreateExternalExtension(
good_crx, version_str, path, ManifestLocation::kExternalPref,
Extension::NO_FLAGS);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(std::move(info));
service()->Init();
ASSERT_EQ(0u, GetErrors().size());
ASSERT_EQ(0u, loaded_extensions().size());
}
// Test that running multiple update checks simultaneously does not
// keep the update from succeeding.
TEST_F(ExtensionServiceTest, MultipleExternalUpdateCheck) {
InitializeEmptyExtensionService();
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
// Verify that starting with no providers loads no extensions.
service()->Init();
ASSERT_EQ(0u, loaded_extensions().size());
// Start two checks for updates.
provider->set_visit_count(0);
external_provider_manager()->CheckForExternalUpdates();
external_provider_manager()->CheckForExternalUpdates();
task_environment()->RunUntilIdle();
// Two calls should cause two checks for external extensions.
EXPECT_EQ(2, provider->visit_count());
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(0u, loaded_extensions().size());
// Register a test extension externally using the mock registry provider.
base::FilePath source_path = data_dir().AppendASCII("good.crx");
provider->UpdateOrAddExtension(good_crx, "1.0.0.0", source_path);
// Two checks for external updates should find the extension, and install it
// once.
provider->set_visit_count(0);
{
ExtensionLoadedObserver good_crx_loaded(registry(), good_crx);
external_provider_manager()->CheckForExternalUpdates();
external_provider_manager()->CheckForExternalUpdates();
good_crx_loaded.Wait();
}
EXPECT_EQ(2, provider->visit_count());
ASSERT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
ASSERT_EQ(ManifestLocation::kExternalPref,
loaded_extensions()[0]->location());
ASSERT_EQ("1.0.0.0", loaded_extensions()[0]->version().GetString());
ValidatePrefKeyCount(1);
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location",
static_cast<int>(ManifestLocation::kExternalPref));
provider->RemoveExtension(good_crx);
provider->set_visit_count(0);
external_provider_manager()->CheckForExternalUpdates();
external_provider_manager()->CheckForExternalUpdates();
task_environment()->RunUntilIdle();
// Two calls should cause two checks for external extensions.
// Because the external source no longer includes good_crx,
// good_crx will be uninstalled. So, expect that no extensions
// are loaded.
EXPECT_EQ(2, provider->visit_count());
EXPECT_EQ(0u, GetErrors().size());
EXPECT_EQ(0u, loaded_extensions().size());
}
TEST_F(ExtensionServiceTest, ExternalPrefProvider) {
InitializeEmptyExtensionService();
// Test some valid extension records.
// Set a base path to avoid erroring out on relative paths.
// Paths starting with // are absolute on every platform we support.
base::FilePath base_path(FILE_PATH_LITERAL("//base/path"));
ASSERT_TRUE(base_path.IsAbsolute());
MockProviderVisitor visitor(base_path);
std::string json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\""
" },"
" \"bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"2.0\""
" },"
" \"cccccccccccccccccccccccccccccccc\": {"
" \"external_update_url\": \"http:\\\\foo.com/update\","
" \"install_parameter\": \"id\""
" }"
"}";
EXPECT_EQ(3, visitor.Visit(json_data));
// Simulate an external_extensions.json file that contains seven invalid
// records:
// - One that is missing the 'external_crx' key.
// - One that is missing the 'external_version' key.
// - One that is specifying .. in the path.
// - One that specifies both a file and update URL.
// - One that specifies no file or update URL.
// - One that has an update URL that is not well formed.
// - One that contains a malformed version.
// - One that has an invalid id.
// - One that has a non-dictionary value.
// - One that has an integer 'external_version' instead of a string.
// The final extension is valid, and we check that it is read to make sure
// failures don't stop valid records from being read.
json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_version\": \"1.0\""
" },"
" \"bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb\": {"
" \"external_crx\": \"RandomExtension.crx\""
" },"
" \"cccccccccccccccccccccccccccccccc\": {"
" \"external_crx\": \"..\\\\foo\\\\RandomExtension2.crx\","
" \"external_version\": \"2.0\""
" },"
" \"dddddddddddddddddddddddddddddddd\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"2.0\","
" \"external_update_url\": \"http:\\\\foo.com/update\""
" },"
" \"eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee\": {"
" },"
" \"ffffffffffffffffffffffffffffffff\": {"
" \"external_update_url\": \"This string is not a valid URL\""
" },"
" \"gggggggggggggggggggggggggggggggg\": {"
" \"external_crx\": \"RandomExtension3.crx\","
" \"external_version\": \"This is not a valid version!\""
" },"
" \"This is not a valid id!\": {},"
" \"hhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhh\": true,"
" \"iiiiiiiiiiiiiiiiiiiiiiiiiiiiiiii\": {"
" \"external_crx\": \"RandomExtension4.crx\","
" \"external_version\": 1.0"
" },"
" \"pppppppppppppppppppppppppppppppp\": {"
" \"external_crx\": \"RandomValidExtension.crx\","
" \"external_version\": \"1.0\""
" }"
"}";
EXPECT_EQ(1, visitor.Visit(json_data));
// Check that if a base path is not provided, use of a relative
// path fails.
base::FilePath empty;
MockProviderVisitor visitor_no_relative_paths(empty);
// Use absolute paths. Expect success.
json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"//RandomExtension1.crx\","
" \"external_version\": \"3.0\""
" },"
" \"bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb\": {"
" \"external_crx\": \"//path/to/RandomExtension2.crx\","
" \"external_version\": \"3.0\""
" }"
"}";
EXPECT_EQ(2, visitor_no_relative_paths.Visit(json_data));
// Use a relative path. Expect that it will error out.
json_data =
"{"
" \"cccccccccccccccccccccccccccccccc\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"3.0\""
" }"
"}";
EXPECT_EQ(0, visitor_no_relative_paths.Visit(json_data));
// Test supported_locales.
json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\","
" \"supported_locales\": [ \"en\" ]"
" },"
" \"bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"2.0\","
" \"supported_locales\": [ \"en-GB\" ]"
" },"
" \"cccccccccccccccccccccccccccccccc\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"3.0\","
" \"supported_locales\": [ \"en_US\", \"fr\" ]"
" }"
"}";
{
ScopedBrowserLocale guard("en-US");
EXPECT_EQ(2, visitor.Visit(json_data));
}
#if BUILDFLAG(ENABLE_EXTENSIONS)
// Test web_app_migration_flag.
{
json_data = R"(
{
"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa": {
"external_crx": "RandomExtension.crx",
"external_version": "1.0",
"web_app_migration_flag": "TestFeature"
}
})";
{
base::AutoReset<bool> testing_scope =
web_app::SetPreinstalledAppInstallFeatureAlwaysEnabledForTesting();
EXPECT_EQ(0, visitor.Visit(json_data));
visitor.provider()->HasExtension("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa");
}
{
EXPECT_EQ(1, visitor.Visit(json_data));
visitor.provider()->HasExtension("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa");
}
}
#endif // BUILDFLAG(ENABLE_EXTENSIONS)
// Test keep_if_present.
json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\","
" \"keep_if_present\": true"
" }"
"}";
{
EXPECT_EQ(0, visitor.Visit(json_data));
}
// Test is_bookmark_app.
// Bookmark apps are deprecated and should no longer be loaded.
json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\","
" \"is_bookmark_app\": true"
" }"
"}";
EXPECT_EQ(0, visitor.Visit(json_data));
// Test is_from_webstore.
MockProviderVisitor from_webstore_visitor(
base_path, Extension::FROM_WEBSTORE);
json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\","
" \"is_from_webstore\": true"
" }"
"}";
EXPECT_EQ(1, from_webstore_visitor.Visit(json_data));
// Test was_installed_by_eom.
MockProviderVisitor was_installed_by_eom_visitor(
base_path, Extension::WAS_INSTALLED_BY_OEM);
json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\","
" \"was_installed_by_oem\": true"
" }"
"}";
EXPECT_EQ(1, was_installed_by_eom_visitor.Visit(json_data));
// Test min_profile_created_by_version.
MockProviderVisitor min_profile_created_by_version_visitor(base_path);
json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\","
" \"min_profile_created_by_version\": \"42.0.0.1\""
" },"
" \"bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"1.0\","
" \"min_profile_created_by_version\": \"43.0.0.1\""
" },"
" \"cccccccccccccccccccccccccccccccc\": {"
" \"external_crx\": \"RandomExtension3.crx\","
" \"external_version\": \"3.0\","
" \"min_profile_created_by_version\": \"44.0.0.1\""
" }"
"}";
min_profile_created_by_version_visitor.profile()->GetPrefs()->SetString(
prefs::kProfileCreatedByVersion, "40.0.0.1");
EXPECT_EQ(0, min_profile_created_by_version_visitor.Visit(json_data));
min_profile_created_by_version_visitor.profile()->GetPrefs()->SetString(
prefs::kProfileCreatedByVersion, "43.0.0.1");
EXPECT_EQ(2, min_profile_created_by_version_visitor.Visit(json_data));
min_profile_created_by_version_visitor.profile()->GetPrefs()->SetString(
prefs::kProfileCreatedByVersion, "45.0.0.1");
EXPECT_EQ(3, min_profile_created_by_version_visitor.Visit(json_data));
}
TEST_F(ExtensionServiceTest, ReinstallProviderExtensions) {
InitializeEmptyExtensionService();
// Check that ReinstallProviderExtensions() will not return any extensions if
// no prefs are already stored in the provider.
base::FilePath base_path(FILE_PATH_LITERAL("//base/path"));
ASSERT_TRUE(base_path.IsAbsolute());
MockProviderVisitor visitor(base_path);
std::string json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\""
" },"
" \"bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"2.0\""
" },"
" \"cccccccccccccccccccccccccccccccc\": {"
" \"external_update_url\": \"http:\\\\foo.com/update\","
" \"install_parameter\": \"id\""
" }"
"}";
EXPECT_EQ(0, visitor.ReinstallProviderExtensions(json_data));
// Add the extension records to the provider's prefs.
visitor.provider()->VisitRegisteredExtension();
// Check that ReinstallProviderExtensions() returns the extensions from the
// saved prefs.
EXPECT_EQ(3, visitor.ReinstallProviderExtensions(json_data));
}
TEST_F(ExtensionServiceTest, DoNotInstallForEnterprise) {
InitializeEmptyExtensionService();
const base::FilePath base_path(FILE_PATH_LITERAL("//base/path"));
ASSERT_TRUE(base_path.IsAbsolute());
MockProviderVisitor visitor(base_path);
policy::ProfilePolicyConnector* const connector =
visitor.profile()->GetProfilePolicyConnector();
connector->OverrideIsManagedForTesting(true);
EXPECT_TRUE(connector->IsManaged());
std::string json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\","
" \"do_not_install_for_enterprise\": true"
" },"
" \"bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"1.0\""
" }"
"}";
EXPECT_EQ(1, visitor.Visit(json_data));
}
TEST_F(ExtensionServiceTest, IncrementalUpdateThroughRegistry) {
InitializeEmptyExtensionService();
// Test some valid extension records.
// Set a base path to avoid erroring out on relative paths.
// Paths starting with // are absolute on every platform we support.
base::FilePath base_path(FILE_PATH_LITERAL("//base/path"));
ASSERT_TRUE(base_path.IsAbsolute());
MockUpdateProviderVisitor visitor(base_path);
std::string json_data =
"{"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\""
" },"
" \"bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"2.0\""
" },"
" \"cccccccccccccccccccccccccccccccc\": {"
" \"external_update_url\": \"http:\\\\foo.com/update\","
" \"install_parameter\": \"id\""
" }"
"}";
EXPECT_EQ(3, visitor.Visit(json_data, ManifestLocation::kExternalRegistry,
ManifestLocation::kExternalPrefDownload));
// c* removed and d*, e*, f* added, a*, b* existing.
json_data =
"{"
" \"dddddddddddddddddddddddddddddddd\": {"
" \"external_crx\": \"RandomExtension3.crx\","
" \"external_version\": \"1.0\""
" },"
" \"eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee\": {"
" \"external_update_url\": \"http:\\\\foo.com/update\","
" \"install_parameter\": \"id\""
" },"
" \"ffffffffffffffffffffffffffffffff\": {"
" \"external_update_url\": \"http:\\\\bar.com/update\","
" \"install_parameter\": \"id\""
" },"
" \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\": {"
" \"external_crx\": \"RandomExtension.crx\","
" \"external_version\": \"1.0\""
" },"
" \"bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb\": {"
" \"external_crx\": \"RandomExtension2.crx\","
" \"external_version\": \"2.0\""
" }"
"}";
// This will simulate registry loader observing new changes in registry and
// hence will discover new extensions.
visitor.VisitDueToUpdate(json_data);
// UpdateUrl.
EXPECT_EQ(2u, visitor.GetUpdateURLExtensionCount());
EXPECT_TRUE(
visitor.HasSeenUpdateWithUpdateUrl("eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee"));
EXPECT_TRUE(
visitor.HasSeenUpdateWithUpdateUrl("ffffffffffffffffffffffffffffffff"));
// File.
EXPECT_EQ(3u, visitor.GetFileExtensionCount());
EXPECT_TRUE(
visitor.HasSeenUpdateWithFile("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"));
EXPECT_TRUE(
visitor.HasSeenUpdateWithFile("bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb"));
EXPECT_TRUE(
visitor.HasSeenUpdateWithFile("dddddddddddddddddddddddddddddddd"));
// Removed extensions.
EXPECT_EQ(1u, visitor.GetRemovedExtensionCount());
EXPECT_TRUE(visitor.HasSeenRemoval("cccccccccccccccccccccccccccccccc"));
// Simulate all 5 extensions being removed.
json_data = "{}";
visitor.VisitDueToUpdate(json_data);
EXPECT_EQ(0u, visitor.GetUpdateURLExtensionCount());
EXPECT_EQ(0u, visitor.GetFileExtensionCount());
EXPECT_EQ(5u, visitor.GetRemovedExtensionCount());
}
// Test loading good extensions from the profile directory.
TEST_F(ExtensionServiceTest, LoadAndRelocalizeExtensions) {
// Ensure we're testing in "en" and leave global state untouched.
extension_l10n_util::ScopedLocaleForTest testLocale("en");
// Initialize the test dir with a good Preferences/extensions.
base::FilePath test_data_dir = data_dir().AppendASCII("l10n");
ExtensionServiceInitParams params;
ASSERT_TRUE(params.SetPrefsContentFromFile(
test_data_dir.Append(chrome::kPreferencesFilename)));
params.extensions_dir = test_data_dir;
InitializeExtensionService(std::move(params));
service()->Init();
ASSERT_EQ(3u, loaded_extensions().size());
// This was equal to "sr" on load.
ValidateStringPref(loaded_extensions()[0]->id(), keys::kCurrentLocale, "en");
// These are untouched by re-localization.
ValidateStringPref(loaded_extensions()[1]->id(), keys::kCurrentLocale, "en");
EXPECT_FALSE(IsPrefExist(loaded_extensions()[1]->id(), keys::kCurrentLocale));
// This one starts with Serbian name, and gets re-localized into English.
EXPECT_EQ("My name is simple.", loaded_extensions()[0]->name());
// These are untouched by re-localization.
EXPECT_EQ("My name is simple.", loaded_extensions()[1]->name());
EXPECT_EQ("no l10n", loaded_extensions()[2]->name());
}
// Test that we get enabled/disabled correctly for all the pref/command-line
// combinations. We don't want to derive from the ExtensionServiceTest class
// for this test, so we use ExtensionServiceTestSimple.
//
// Also tests that we always fire EXTENSIONS_READY, no matter whether we are
// enabled or not.
class ExtensionServiceTestSimple : public testing::Test {
public:
content::BrowserTaskEnvironment* task_environment() {
return &task_environment_;
}
private:
content::BrowserTaskEnvironment task_environment_;
};
TEST_F(ExtensionServiceTestSimple, Enabledness) {
#if BUILDFLAG(ENABLE_PLUGINS)
content::PluginService::GetInstance()->Init();
#endif
LoadErrorReporter::Init(false); // no noisy errors
std::unique_ptr<base::CommandLine> command_line;
// The profile lifetimes must not overlap: services may use global variables.
{
auto profile = std::make_unique<TestingProfile>();
bool ready = false;
auto on_ready = [](bool* ready) { *ready = true; };
ExtensionSystem::Get(profile.get())
->ready()
.Post(FROM_HERE, base::BindOnce(on_ready, &ready));
base::FilePath install_dir =
profile->GetPath().AppendASCII(kInstallDirectoryName);
// By default, we are enabled.
command_line =
std::make_unique<base::CommandLine>(base::CommandLine::NO_PROGRAM);
ExtensionService* service =
static_cast<TestExtensionSystem*>(ExtensionSystem::Get(profile.get()))
->CreateExtensionService(command_line.get(), install_dir, false);
// TODO(crbug.com/403283690): Move the logic that parses the command line to
// ExtensionRegistrar and move this test to extension_registrar_unittest.cc.
EXPECT_TRUE(ExtensionRegistrar::Get(profile.get())->extensions_enabled());
service->Init();
task_environment()->RunUntilIdle();
EXPECT_TRUE(ready);
}
{
auto profile = std::make_unique<TestingProfile>();
bool ready = false;
auto on_ready = [](bool* ready) { *ready = true; };
ExtensionSystem::Get(profile.get())
->ready()
.Post(FROM_HERE, base::BindOnce(on_ready, &ready));
base::FilePath install_dir =
profile->GetPath().AppendASCII(kInstallDirectoryName);
command_line->AppendSwitch(switches::kDisableExtensions);
ExtensionService* service =
static_cast<TestExtensionSystem*>(ExtensionSystem::Get(profile.get()))
->CreateExtensionService(command_line.get(), install_dir, false);
// NOTE: See ExtensionRegistrar comment above.
EXPECT_FALSE(ExtensionRegistrar::Get(profile.get())->extensions_enabled());
service->Init();
task_environment()->RunUntilIdle();
EXPECT_TRUE(ready);
}
{
auto profile = std::make_unique<TestingProfile>();
bool ready = false;
auto on_ready = [](bool* ready) { *ready = true; };
ExtensionSystem::Get(profile.get())
->ready()
.Post(FROM_HERE, base::BindOnce(on_ready, &ready));
base::FilePath install_dir =
profile->GetPath().AppendASCII(kInstallDirectoryName);
profile->GetPrefs()->SetBoolean(prefs::kDisableExtensions, true);
ExtensionService* service =
static_cast<TestExtensionSystem*>(ExtensionSystem::Get(profile.get()))
->CreateExtensionService(command_line.get(), install_dir, false);
// NOTE: See ExtensionRegistrar comment above.
EXPECT_FALSE(ExtensionRegistrar::Get(profile.get())->extensions_enabled());
service->Init();
task_environment()->RunUntilIdle();
EXPECT_TRUE(ready);
}
{
auto profile = std::make_unique<TestingProfile>();
bool ready = false;
auto on_ready = [](bool* ready) { *ready = true; };
ExtensionSystem::Get(profile.get())
->ready()
.Post(FROM_HERE, base::BindOnce(on_ready, &ready));
base::FilePath install_dir =
profile->GetPath().AppendASCII(kInstallDirectoryName);
profile->GetPrefs()->SetBoolean(prefs::kDisableExtensions, true);
command_line =
std::make_unique<base::CommandLine>(base::CommandLine::NO_PROGRAM);
ExtensionService* service =
static_cast<TestExtensionSystem*>(ExtensionSystem::Get(profile.get()))
->CreateExtensionService(command_line.get(), install_dir, false);
// NOTE: See ExtensionRegistrar comment above.
EXPECT_FALSE(ExtensionRegistrar::Get(profile.get())->extensions_enabled());
service->Init();
task_environment()->RunUntilIdle();
EXPECT_TRUE(ready);
}
// Execute any pending deletion tasks.
task_environment()->RunUntilIdle();
}
// Test loading extensions that require limited and unlimited storage quotas.
TEST_F(ExtensionServiceTest, StorageQuota) {
InitializeEmptyExtensionService();
base::FilePath extensions_path = data_dir().AppendASCII("storage_quota");
base::FilePath limited_quota_ext =
extensions_path.AppendASCII("limited_quota")
.AppendASCII("1.0");
// The old permission name for unlimited quota was "unlimited_storage", but
// we changed it to "unlimitedStorage". This tests both versions.
base::FilePath unlimited_quota_ext =
extensions_path.AppendASCII("unlimited_quota")
.AppendASCII("1.0");
base::FilePath unlimited_quota_ext2 =
extensions_path.AppendASCII("unlimited_quota")
.AppendASCII("2.0");
UnpackedInstaller::Create(profile())->Load(limited_quota_ext);
UnpackedInstaller::Create(profile())->Load(unlimited_quota_ext);
UnpackedInstaller::Create(profile())->Load(unlimited_quota_ext2);
task_environment()->RunUntilIdle();
ASSERT_EQ(3u, loaded_extensions().size());
EXPECT_TRUE(profile());
EXPECT_FALSE(profile()->IsOffTheRecord());
EXPECT_FALSE(
profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
loaded_extensions()[0]->url()));
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
loaded_extensions()[1]->url()));
EXPECT_TRUE(profile()->GetExtensionSpecialStoragePolicy()->IsStorageUnlimited(
loaded_extensions()[2]->url()));
}
// Tests ComponentLoader::Add().
TEST_F(ExtensionServiceTest, ComponentExtensions) {
// Component extensions should work even when extensions are disabled.
InitializeExtensionServiceWithExtensionsDisabled();
base::FilePath path = data_dir()
.AppendASCII("good")
.AppendASCII("Extensions")
.AppendASCII("behllobkkfkfnphdnhnkndlbkcpglgmj")
.AppendASCII("1.0.0.0");
std::string manifest;
ASSERT_TRUE(
base::ReadFileToString(path.Append(kManifestFilename), &manifest));
ComponentLoader::Get(profile())->Add(manifest, path);
service()->Init();
// Note that we do not pump messages -- the extension should be loaded
// immediately.
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, loaded_extensions().size());
EXPECT_EQ(ManifestLocation::kComponent, loaded_extensions()[0]->location());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
// Component extensions get a prefs entry on first install.
ValidatePrefKeyCount(1);
// Reload all extensions, and make sure it comes back.
std::string extension_id = (*registry()->enabled_extensions().begin())->id();
ClearLoadedExtensions();
service()->ReloadExtensionsForTest();
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(extension_id, (*registry()->enabled_extensions().begin())->id());
}
TEST_F(ExtensionServiceTest, InstallPriorityExternalUpdateUrl) {
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_NEW);
ValidatePrefKeyCount(1u);
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location",
static_cast<int>(ManifestLocation::kInternal));
PendingExtensionManager* pending = pending_extension_manager();
EXPECT_FALSE(pending->IsIdPending(kGoodId));
// Skip install when the location is the same.
GURL good_update_url(kGoodUpdateURL);
ExternalInstallInfoUpdateUrl info(
kGoodId, std::string(), std::move(good_update_url),
ManifestLocation::kInternal, Extension::NO_FLAGS, false);
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionUpdateUrlFound(
info, true));
EXPECT_FALSE(pending->IsIdPending(kGoodId));
// Update the download location when install is requested from higher priority
// location.
info.download_location = ManifestLocation::kExternalPolicyDownload;
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionUpdateUrlFound(
info, true));
EXPECT_FALSE(pending->IsIdPending(kGoodId));
// Try the low priority again. Should be rejected.
info.download_location = ManifestLocation::kExternalPrefDownload;
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionUpdateUrlFound(
info, true));
// The existing record should still be present in the pending extension
// manager.
EXPECT_FALSE(pending->IsIdPending(kGoodId));
// Skip install when the location has the same priority as the installed
// location.
info.download_location = ManifestLocation::kExternalPolicyDownload;
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionUpdateUrlFound(
info, true));
EXPECT_FALSE(pending->IsIdPending(kGoodId));
}
TEST_F(ExtensionServiceTest, FailedLocalFileInstallIsNotPending) {
base::Version version("1.0.0.0");
// We don't want the extension to be installed. A path that doesn't
// point to a valid CRX ensures this.
const base::FilePath kInvalidPathToCrx(FILE_PATH_LITERAL("invalid_path"));
const int kCreationFlags = 0;
const bool kDontMarkAcknowledged = false;
const bool kDontInstallImmediately = false;
InitializeEmptyExtensionService();
PendingExtensionManager* pending = pending_extension_manager();
EXPECT_FALSE(pending->IsIdPending(kGoodId));
ExternalInstallInfoFile info(kGoodId, version, kInvalidPathToCrx,
ManifestLocation::kInternal, kCreationFlags,
kDontMarkAcknowledged, kDontInstallImmediately);
{
PendingRemovalObserver observer(pending, kGoodId);
// Simulate an external source adding the extension.
EXPECT_TRUE(
external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
observer.WaitForRemoval();
EXPECT_FALSE(pending->IsIdPending(kGoodId));
}
}
TEST_F(ExtensionServiceTest, InstallPriorityExternalLocalFile) {
base::Version older_version("0.1.0.0");
base::Version newer_version("2.0.0.0");
// We don't want the extension to be installed. A path that doesn't
// point to a valid CRX ensures this.
const base::FilePath kInvalidPathToCrx(FILE_PATH_LITERAL("invalid_path"));
const int kCreationFlags = 0;
const bool kDontMarkAcknowledged = false;
const bool kDontInstallImmediately = false;
InitializeEmptyExtensionService();
// The test below uses install source constants to test that
// priority is enforced. It assumes a specific ranking of install
// sources: Registry (kExternalRegistry) overrides external pref
// (kExternalPref), and external pref overrides user install (kInternal).
// The following assertions verify these assumptions:
ASSERT_EQ(
ManifestLocation::kExternalRegistry,
Manifest::GetHigherPriorityLocation(ManifestLocation::kExternalRegistry,
ManifestLocation::kExternalPref));
ASSERT_EQ(
ManifestLocation::kExternalRegistry,
Manifest::GetHigherPriorityLocation(ManifestLocation::kExternalRegistry,
ManifestLocation::kInternal));
ASSERT_EQ(ManifestLocation::kExternalPref,
Manifest::GetHigherPriorityLocation(ManifestLocation::kExternalPref,
ManifestLocation::kInternal));
PendingExtensionManager* pending = pending_extension_manager();
EXPECT_FALSE(pending->IsIdPending(kGoodId));
ExternalInstallInfoFile info(kGoodId, older_version, kInvalidPathToCrx,
ManifestLocation::kInternal, kCreationFlags,
kDontMarkAcknowledged, kDontInstallImmediately);
{
// Simulate an external source adding the extension as kInternal.
PendingRemovalObserver observer(pending, kGoodId);
EXPECT_TRUE(
external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
observer.WaitForRemoval();
VerifyCrxInstall(kInvalidPathToCrx, INSTALL_FAILED);
}
{
// Simulate an external source adding the extension as kExternalPref.
PendingRemovalObserver observer(pending, kGoodId);
info.crx_location = ManifestLocation::kExternalPref;
EXPECT_TRUE(
external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
// Simulate an external source adding as EXTERNAL_PREF again.
// This is rejected because the version and the location are the same as
// the previous installation, which is still pending.
EXPECT_FALSE(
external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
// Try INTERNAL again. Should fail.
info.crx_location = ManifestLocation::kInternal;
EXPECT_FALSE(
external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
observer.WaitForRemoval();
VerifyCrxInstall(kInvalidPathToCrx, INSTALL_FAILED);
}
{
// Now the registry adds the extension.
PendingRemovalObserver observer(pending, kGoodId);
info.crx_location = ManifestLocation::kExternalRegistry;
EXPECT_TRUE(
external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
// Registry outranks both external pref and internal, so both fail.
info.crx_location = ManifestLocation::kExternalPref;
EXPECT_FALSE(
external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
info.crx_location = ManifestLocation::kInternal;
EXPECT_FALSE(
external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
observer.WaitForRemoval();
VerifyCrxInstall(kInvalidPathToCrx, INSTALL_FAILED);
}
// Install the extension.
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* ext = InstallCRX(path, INSTALL_NEW);
ValidatePrefKeyCount(1u);
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
ValidateIntegerPref(good_crx, "location",
static_cast<int>(ManifestLocation::kInternal));
// Now test the logic of OnExternalExtensionFileFound() when the extension
// being added is already installed.
// Tests assume |older_version| is less than the installed version, and
// |newer_version| is greater. Verify this:
ASSERT_LT(older_version, ext->version());
ASSERT_GT(newer_version, ext->version());
// An external install for the same location should fail if the version is
// older, or the same, and succeed if the version is newer.
// Older than the installed version...
info.version = older_version;
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_FALSE(pending->IsIdPending(kGoodId));
// Same version as the installed version...
info.version = ext->version();
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_FALSE(pending->IsIdPending(kGoodId));
// Newer than the installed version...
info.version = newer_version;
EXPECT_TRUE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
// An external install for a higher priority install source should succeed
// if the version is greater. |older_version| is not...
info.version = older_version;
info.crx_location = ManifestLocation::kExternalPref;
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
// |newer_version| is newer.
info.version = newer_version;
EXPECT_TRUE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
// An external install for an even higher priority install source should
// succeed if the version is greater.
info.crx_location = ManifestLocation::kExternalRegistry;
EXPECT_TRUE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
// Because kExternalPref is a lower priority source than kExternalRegistry,
// adding from external pref will now fail.
info.crx_location = ManifestLocation::kExternalPref;
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE(pending->IsIdPending(kGoodId));
}
TEST_F(ExtensionServiceTest, ConcurrentExternalLocalFile) {
base::Version kVersion123("1.2.3");
base::Version kVersion124("1.2.4");
base::Version kVersion125("1.2.5");
const base::FilePath kInvalidPathToCrx(FILE_PATH_LITERAL("invalid_path"));
const int kCreationFlags = 0;
const bool kDontMarkAcknowledged = false;
const bool kDontInstallImmediately = false;
InitializeEmptyExtensionService();
PendingExtensionManager* pending = pending_extension_manager();
EXPECT_FALSE(pending->IsIdPending(kGoodId));
// An external provider starts installing from a local crx.
ExternalInstallInfoFile info(kGoodId, kVersion123, kInvalidPathToCrx,
ManifestLocation::kExternalPref, kCreationFlags,
kDontMarkAcknowledged, kDontInstallImmediately);
EXPECT_TRUE(external_provider_manager()->OnExternalExtensionFileFound(info));
const PendingExtensionInfo* pending_info;
EXPECT_TRUE((pending_info = pending->GetById(kGoodId)));
EXPECT_TRUE(pending_info->version().IsValid());
EXPECT_EQ(pending_info->version(), kVersion123);
// Adding a newer version overrides the currently pending version.
info.version = base::Version(kVersion124);
EXPECT_TRUE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE((pending_info = pending->GetById(kGoodId)));
EXPECT_TRUE(pending_info->version().IsValid());
EXPECT_EQ(pending_info->version(), kVersion124);
// Adding an older version fails.
info.version = kVersion123;
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE((pending_info = pending->GetById(kGoodId)));
EXPECT_TRUE(pending_info->version().IsValid());
EXPECT_EQ(pending_info->version(), kVersion124);
// Adding an older version fails even when coming from a higher-priority
// location.
info.crx_location = ManifestLocation::kExternalRegistry;
EXPECT_FALSE(external_provider_manager()->OnExternalExtensionFileFound(info));
EXPECT_TRUE((pending_info = pending->GetById(kGoodId)));
EXPECT_TRUE(pending_info->version().IsValid());
EXPECT_EQ(pending_info->version(), kVersion124);
// Adding the latest version from the webstore overrides a specific version.
GURL kUpdateUrl("http://example.com/update");
ExternalInstallInfoUpdateUrl update_info(
kGoodId, std::string(), kUpdateUrl,
ManifestLocation::kExternalPolicyDownload, Extension::NO_FLAGS, false);
EXPECT_TRUE(external_provider_manager()->OnExternalExtensionUpdateUrlFound(
update_info, true));
EXPECT_TRUE((pending_info = pending->GetById(kGoodId)));
EXPECT_FALSE(pending_info->version().IsValid());
}
// This makes sure we can package and install CRX files that use allowlisted
// permissions.
TEST_F(ExtensionServiceTest, InstallAllowlistedExtension) {
std::string test_id = "hdkklepkcpckhnpgjnmbdfhehckloojk";
base::CommandLine::ForCurrentProcess()->AppendSwitchASCII(
switches::kAllowlistedExtensionID, test_id);
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("permissions");
base::FilePath pem_path = path.AppendASCII("allowlist.pem");
path = path.AppendASCII("allowlist");
const Extension* extension = PackAndInstallCRX(path, pem_path, INSTALL_NEW);
EXPECT_EQ(0u, GetErrors().size());
ASSERT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(test_id, extension->id());
}
// Test that when multiple sources try to install an extension,
// we consistently choose the right one. To make tests easy to read,
// methods that fake requests to install crx files in several ways
// are provided.
class ExtensionSourcePriorityTest : public ExtensionServiceTest {
public:
void SetUp() override {
ExtensionServiceTest::SetUp();
// All tests use a single extension. Put the id and path in member vars
// that all methods can read.
crx_id_ = kGoodId;
crx_path_ = data_dir().AppendASCII("good.crx");
}
// Fake an external source adding a URL to fetch an extension from.
bool AddPendingExternalPrefUrl() {
return pending_extension_manager()->AddFromExternalUpdateUrl(
crx_id_, std::string(), GURL(), ManifestLocation::kExternalPrefDownload,
Extension::NO_FLAGS, false);
}
// Fake an external file from external_extensions.json.
bool AddPendingExternalPrefFileInstall() {
ExternalInstallInfoFile info(crx_id_, base::Version("1.0.0.0"), crx_path_,
ManifestLocation::kExternalPref,
Extension::NO_FLAGS, false, false);
return external_provider_manager()->OnExternalExtensionFileFound(info);
}
// Fake a request from sync to install an extension.
bool AddPendingSyncInstall() {
return pending_extension_manager()->AddFromSync(
crx_id_,
GURL(kGoodUpdateURL),
base::Version(),
&IsExtension,
kGoodRemoteInstall);
}
// Fake a policy install.
bool AddPendingPolicyInstall() {
// Get path to the CRX with id |kGoodId|.
ExternalInstallInfoUpdateUrl info(crx_id_, std::string(), GURL(),
ManifestLocation::kExternalPolicyDownload,
Extension::NO_FLAGS, false);
return external_provider_manager()->OnExternalExtensionUpdateUrlFound(info,
true);
}
// Get the install source of a pending extension.
ManifestLocation GetPendingLocation() {
const PendingExtensionInfo* info;
EXPECT_TRUE(
(info = pending_extension_manager()->GetById(crx_id_)));
return info->install_source();
}
// Is an extension pending from a sync request?
bool GetPendingIsFromSync() {
const PendingExtensionInfo* info;
EXPECT_TRUE(
(info = pending_extension_manager()->GetById(crx_id_)));
return info->is_from_sync();
}
// Is the CRX id these tests use pending?
bool IsCrxPending() {
return pending_extension_manager()->IsIdPending(crx_id_);
}
// Is an extension installed?
bool IsCrxInstalled() {
return (registry()->GetExtensionById(
crx_id_, ExtensionRegistry::EVERYTHING) != nullptr);
}
protected:
// All tests use a single extension. Making the id and path member
// vars avoids passing the same argument to every method.
std::string crx_id_;
base::FilePath crx_path_;
};
// Test that a pending request for installation of an external CRX from
// an update URL overrides a pending request to install the same extension
// from sync.
TEST_F(ExtensionSourcePriorityTest, PendingExternalFileOverSync) {
InitializeEmptyExtensionService();
ASSERT_FALSE(IsCrxInstalled());
// Install pending extension from sync.
EXPECT_TRUE(AddPendingSyncInstall());
ASSERT_EQ(ManifestLocation::kInternal, GetPendingLocation());
EXPECT_TRUE(GetPendingIsFromSync());
ASSERT_FALSE(IsCrxInstalled());
// Install pending as external prefs json would.
AddPendingExternalPrefFileInstall();
ASSERT_EQ(ManifestLocation::kExternalPref, GetPendingLocation());
ASSERT_FALSE(IsCrxInstalled());
// Another request from sync should be ignored.
EXPECT_FALSE(AddPendingSyncInstall());
ASSERT_EQ(ManifestLocation::kExternalPref, GetPendingLocation());
ASSERT_FALSE(IsCrxInstalled());
WaitForExternalExtensionInstalled(crx_id_);
VerifyCrxInstall(crx_path_, INSTALL_NEW);
ASSERT_TRUE(IsCrxInstalled());
}
// Test that an install of an external CRX from an update overrides
// an install of the same extension from sync.
TEST_F(ExtensionSourcePriorityTest, PendingExternalUrlOverSync) {
InitializeEmptyExtensionService();
ASSERT_FALSE(IsCrxInstalled());
EXPECT_TRUE(AddPendingSyncInstall());
ASSERT_EQ(ManifestLocation::kInternal, GetPendingLocation());
EXPECT_TRUE(GetPendingIsFromSync());
ASSERT_FALSE(IsCrxInstalled());
ASSERT_TRUE(AddPendingExternalPrefUrl());
ASSERT_EQ(ManifestLocation::kExternalPrefDownload, GetPendingLocation());
EXPECT_FALSE(GetPendingIsFromSync());
ASSERT_FALSE(IsCrxInstalled());
EXPECT_FALSE(AddPendingSyncInstall());
ASSERT_EQ(ManifestLocation::kExternalPrefDownload, GetPendingLocation());
EXPECT_FALSE(GetPendingIsFromSync());
ASSERT_FALSE(IsCrxInstalled());
}
// Test that an external install request stops sync from installing
// the same extension.
TEST_F(ExtensionSourcePriorityTest, InstallExternalBlocksSyncRequest) {
InitializeEmptyExtensionService();
ASSERT_FALSE(IsCrxInstalled());
// External prefs starts an install.
AddPendingExternalPrefFileInstall();
// Crx installer was made, but has not yet run.
ASSERT_FALSE(IsCrxInstalled());
// Before the CRX installer runs, Sync requests that the same extension
// be installed. Should fail, because an external source is pending.
ASSERT_FALSE(AddPendingSyncInstall());
// Wait for the external source to install.
WaitForExternalExtensionInstalled(crx_id_);
VerifyCrxInstall(crx_path_, INSTALL_NEW);
ASSERT_TRUE(IsCrxInstalled());
// Now that the extension is installed, sync request should fail
// because the extension is already installed.
ASSERT_FALSE(AddPendingSyncInstall());
}
#if BUILDFLAG(ENABLE_EXTENSIONS)
// Test that the blocked pending external extension should be ignored until
// it's unblocked. (crbug.com/797369)
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
TEST_F(ExtensionServiceTest, BlockedExternalExtension) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionService();
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
external_install_manager()->UpdateExternalExtensionAlert();
EXPECT_FALSE(HasExternalInstallErrors(profile()));
registrar()->BlockAllExtensions();
provider->UpdateOrAddExtension(page_action, "1.0.0.0",
data_dir().AppendASCII("page_action.crx"));
WaitForInstallationAttemptToComplete(page_action);
EXPECT_FALSE(HasExternalInstallErrors(profile()));
registrar()->UnblockAllExtensions();
EXPECT_TRUE(HasExternalInstallErrors(profile()));
}
// Test that installing an external extension displays a GlobalError.
TEST_F(ExtensionServiceTest, ExternalInstallGlobalError) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionService();
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
external_install_manager()->UpdateExternalExtensionAlert();
// Should return false, meaning there aren't any extensions that the user
// needs to know about.
EXPECT_FALSE(HasExternalInstallErrors(profile()));
// This is a normal extension, installed normally.
// This should NOT trigger an alert.
base::FilePath path = data_dir().AppendASCII("good.crx");
InstallCRX(path, INSTALL_NEW);
external_provider_manager()->CheckForExternalUpdates();
task_environment()->RunUntilIdle();
EXPECT_FALSE(HasExternalInstallErrors(profile()));
// A hosted app, installed externally.
// This should NOT trigger an alert.
provider->UpdateOrAddExtension(
hosted_app, "1.0.0.0", data_dir().AppendASCII("hosted_app.crx"));
WaitForExternalExtensionInstalled(hosted_app);
EXPECT_FALSE(HasExternalInstallErrors(profile()));
// Another normal extension, but installed externally.
// This SHOULD trigger an alert.
provider->UpdateOrAddExtension(
page_action, "1.0.0.0", data_dir().AppendASCII("page_action.crx"));
WaitForInstallationAttemptToComplete(page_action);
EXPECT_TRUE(HasExternalInstallErrors(profile()));
}
// Test that external extensions are initially disabled, and that enabling
// them clears the prompt.
TEST_F(ExtensionServiceTest, ExternalInstallInitiallyDisabled) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionService();
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(
page_action, "1.0.0.0", data_dir().AppendASCII("page_action.crx"));
WaitForInstallationAttemptToComplete(page_action);
EXPECT_TRUE(HasExternalInstallErrors(profile()));
EXPECT_FALSE(registrar()->IsExtensionEnabled(page_action));
const Extension* extension =
registry()->disabled_extensions().GetByID(page_action);
EXPECT_TRUE(extension);
EXPECT_EQ(page_action, extension->id());
registrar()->EnableExtension(page_action);
EXPECT_FALSE(HasExternalInstallErrors(profile()));
EXPECT_TRUE(registrar()->IsExtensionEnabled(page_action));
}
#endif // BUILDFLAG(ENABLE_EXTENSIONS)
// As for components, only external component extensions can be disabled.
TEST_F(ExtensionServiceTest, DisablingComponentExtensions) {
InitializeEmptyExtensionService();
service_->Init();
scoped_refptr<const Extension> external_component_extension = CreateExtension(
"external_component_extension",
base::FilePath(FILE_PATH_LITERAL("//external_component_extension")),
ManifestLocation::kExternalComponent);
registrar()->AddExtension(external_component_extension);
EXPECT_TRUE(registry()->enabled_extensions().Contains(
external_component_extension->id()));
registrar()->DisableExtension(external_component_extension->id(),
{disable_reason::DISABLE_USER_ACTION});
EXPECT_TRUE(registry()->disabled_extensions().Contains(
external_component_extension->id()));
scoped_refptr<const Extension> component_extension = CreateExtension(
"component_extension",
base::FilePath(FILE_PATH_LITERAL("//component_extension")),
ManifestLocation::kComponent);
registrar()->AddExtension(component_extension);
EXPECT_TRUE(
registry()->enabled_extensions().Contains(component_extension->id()));
registrar()->DisableExtension(component_extension->id(),
{disable_reason::DISABLE_USER_ACTION});
EXPECT_FALSE(
registry()->disabled_extensions().Contains(component_extension->id()));
}
#if BUILDFLAG(ENABLE_EXTENSIONS)
// Test that installing multiple external extensions works.
// Flaky on windows; http://crbug.com/295757 .
// Causes race conditions with an in-process utility thread, so disable under
// TSan: https://crbug.com/518957
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
#if BUILDFLAG(IS_WIN) || defined(THREAD_SANITIZER)
#define MAYBE_ExternalInstallMultiple DISABLED_ExternalInstallMultiple
#else
#define MAYBE_ExternalInstallMultiple ExternalInstallMultiple
#endif
TEST_F(ExtensionServiceTest, MAYBE_ExternalInstallMultiple) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionService();
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(
page_action, "1.0.0.0", data_dir().AppendASCII("page_action.crx"));
provider->UpdateOrAddExtension(
good_crx, "1.0.0.0", data_dir().AppendASCII("good.crx"));
provider->UpdateOrAddExtension(
theme_crx, "2.0", data_dir().AppendASCII("theme.crx"));
{
PendingExtensionManager* pending = pending_extension_manager();
PendingRemovalObserver page_action_observer(pending, page_action);
PendingRemovalObserver good_crx_observer(pending, good_crx);
PendingRemovalObserver theme_crx_observer(pending, theme_crx);
external_provider_manager()->CheckForExternalUpdates();
page_action_observer.WaitForRemoval();
good_crx_observer.WaitForRemoval();
theme_crx_observer.WaitForRemoval();
EXPECT_TRUE(HasExternalInstallErrors(profile()));
EXPECT_FALSE(registrar()->IsExtensionEnabled(page_action));
EXPECT_FALSE(registrar()->IsExtensionEnabled(good_crx));
EXPECT_FALSE(registrar()->IsExtensionEnabled(theme_crx));
}
registrar()->EnableExtension(page_action);
EXPECT_FALSE(GetError(page_action));
EXPECT_TRUE(GetError(good_crx));
EXPECT_TRUE(GetError(theme_crx));
EXPECT_TRUE(HasExternalInstallErrors(profile()));
EXPECT_FALSE(HasExternalInstallBubble(profile()));
registrar()->EnableExtension(theme_crx);
EXPECT_FALSE(GetError(page_action));
EXPECT_FALSE(GetError(theme_crx));
EXPECT_TRUE(GetError(good_crx));
EXPECT_TRUE(HasExternalInstallErrors(profile()));
EXPECT_FALSE(HasExternalInstallBubble(profile()));
registrar()->EnableExtension(good_crx);
EXPECT_FALSE(GetError(page_action));
EXPECT_FALSE(GetError(good_crx));
EXPECT_FALSE(GetError(theme_crx));
EXPECT_FALSE(HasExternalInstallErrors(profile()));
EXPECT_FALSE(HasExternalInstallBubble(profile()));
}
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
TEST_F(ExtensionServiceTest, MultipleExternalInstallErrors) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionService();
MockExternalProvider* reg_provider =
AddMockExternalProvider(ManifestLocation::kExternalRegistry);
auto extension_info = std::to_array<std::array<std::string, 3>>({
// {id, path, version}
{good_crx, "1.0.0.0", "good.crx"},
{page_action, "1.0.0.0", "page_action.crx"},
{minimal_platform_app_crx, "0.1", "minimal_platform_app.crx"},
});
for (size_t i = 0; i < std::size(extension_info); ++i) {
reg_provider->UpdateOrAddExtension(
extension_info[i][0], extension_info[i][1],
data_dir().AppendASCII(extension_info[i][2]));
WaitForInstallationAttemptToComplete(extension_info[i][0]);
const size_t expected_error_count = i + 1u;
EXPECT_EQ(expected_error_count,
external_install_manager()->GetErrorsForTesting().size());
EXPECT_FALSE(registrar()->IsExtensionEnabled(extension_info[i][0]));
}
auto extension_ids = std::to_array<std::string>({
extension_info[0][0],
extension_info[1][0],
extension_info[2][0],
});
// Each extension should end up in error.
ASSERT_TRUE(GetError(extension_ids[0]));
EXPECT_TRUE(GetError(extension_ids[1]));
EXPECT_TRUE(GetError(extension_ids[2]));
// Accept the first extension, this will remove the error associated with
// this extension. Also verify the other errors still exist.
GetError(extension_ids[0])
->OnInstallPromptDone(ExtensionInstallPrompt::DoneCallbackPayload(
ExtensionInstallPrompt::Result::ACCEPTED));
EXPECT_FALSE(GetError(extension_ids[0]));
ASSERT_TRUE(GetError(extension_ids[1]));
EXPECT_TRUE(GetError(extension_ids[2]));
// Abort the second extension.
GetError(extension_ids[1])
->OnInstallPromptDone(ExtensionInstallPrompt::DoneCallbackPayload(
ExtensionInstallPrompt::Result::USER_CANCELED));
EXPECT_FALSE(GetError(extension_ids[0]));
EXPECT_FALSE(GetError(extension_ids[1]));
ASSERT_TRUE(GetError(extension_ids[2]));
// Finally, re-enable the third extension, all errors should be removed.
registrar()->EnableExtension(extension_ids[2]);
EXPECT_FALSE(GetError(extension_ids[0]));
EXPECT_FALSE(GetError(extension_ids[1]));
EXPECT_FALSE(GetError(extension_ids[2]));
EXPECT_FALSE(HasExternalInstallErrors(profile()));
}
// Regression test for crbug.com/739142. Verifies that no UAF occurs when
// ExternalInstallError needs to be deleted asynchronously.
TEST_F(ExtensionServiceTest, InstallPromptAborted) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionService();
MockExternalProvider* reg_provider =
AddMockExternalProvider(ManifestLocation::kExternalRegistry);
reg_provider->UpdateOrAddExtension(good_crx, "1.0.0.0",
data_dir().AppendASCII("good.crx"));
WaitForInstallationAttemptToComplete(good_crx);
EXPECT_EQ(1u, external_install_manager()->GetErrorsForTesting().size());
EXPECT_FALSE(registrar()->IsExtensionEnabled(good_crx));
EXPECT_TRUE(GetError(good_crx));
// Abort the extension install prompt. This should cause the
// ExternalInstallError to be deleted asynchronously.
GetError(good_crx)->OnInstallPromptDone(
ExtensionInstallPrompt::DoneCallbackPayload(
ExtensionInstallPrompt::Result::ABORTED));
EXPECT_TRUE(GetError(good_crx));
base::RunLoop().RunUntilIdle();
EXPECT_FALSE(GetError(good_crx));
EXPECT_FALSE(HasExternalInstallErrors(profile()));
}
// GlobalErrorService is only used on Win/Mac/Linux.
TEST_F(ExtensionServiceTest, MultipleExternalInstallBubbleErrors) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
// This sets up the ExtensionPrefs used by our ExtensionService to be
// post-first run.
ExtensionServiceInitParams params;
params.is_first_run = false;
InitializeExtensionService(std::move(params));
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
std::vector<BubbleErrorsTestData> data;
data.emplace_back(updates_from_webstore, "1",
temp_dir().GetPath().AppendASCII("webstore.crx"), 1u);
data.emplace_back(updates_from_webstore2, "1",
temp_dir().GetPath().AppendASCII("webstore2.crx"), 2u);
data.emplace_back(good_crx, "1.0.0.0", data_dir().AppendASCII("good.crx"),
2u);
PackCRX(data_dir().AppendASCII("update_from_webstore"),
data_dir().AppendASCII("update_from_webstore.pem"), data[0].crx_path);
PackCRX(data_dir().AppendASCII("update_from_webstore2"),
data_dir().AppendASCII("update_from_webstore2.pem"),
data[1].crx_path);
// Install extensions from |data| one by one and expect each of them to result
// in an error. The first two extensions are from webstore, so they will
// trigger BUBBLE_ALERT type errors. After each step, we verify that we got
// the expected number of errors in external_install_manager(). We also verify
// that only the first BUBBLE_ALERT error is shown.
for (size_t i = 0; i < data.size(); ++i) {
test::GlobalErrorWaiter error_waiter(profile());
provider->UpdateOrAddExtension(data[i].id, data[i].version,
data[i].crx_path);
WaitForInstallationAttemptToComplete(data[i].id);
// Make sure ExternalInstallError::OnDialogReady() fires.
error_waiter.Wait();
const size_t expected_error_count = i + 1u;
std::vector<ExternalInstallError*> errors =
external_install_manager()->GetErrorsForTesting();
EXPECT_EQ(expected_error_count, errors.size());
EXPECT_EQ(data[i].expected_bubble_error_count,
GetExternalInstallBubbleCount(profile()));
EXPECT_TRUE(
external_install_manager()->has_currently_visible_install_alert());
// Make sure that the first error is only being shown.
EXPECT_EQ(errors[0], external_install_manager()
->currently_visible_install_alert_for_testing());
EXPECT_FALSE(registrar()->IsExtensionEnabled(data[i].id));
}
// Cancel all the install prompts.
for (const auto& item : data) {
const std::string& extension_id = item.id;
EXPECT_TRUE(GetError(extension_id));
GetError(extension_id)
->OnInstallPromptDone(ExtensionInstallPrompt::DoneCallbackPayload(
ExtensionInstallPrompt::Result::USER_CANCELED));
EXPECT_FALSE(GetError(extension_id));
}
EXPECT_FALSE(
external_install_manager()->has_currently_visible_install_alert());
EXPECT_EQ(0u, GetExternalInstallBubbleCount(profile()));
EXPECT_FALSE(HasExternalInstallErrors(profile()));
// Add a new webstore install. Verify that this shows an error bubble since
// there are no error bubbles pending at this point. Also verify that the
// error bubble is for this newly added extension.
{
base::FilePath webstore_crx_three =
temp_dir().GetPath().AppendASCII("webstore3.crx");
PackCRX(data_dir().AppendASCII("update_from_webstore3"),
data_dir().AppendASCII("update_from_webstore3.pem"),
webstore_crx_three);
test::GlobalErrorWaiter error_waiter(profile());
provider->UpdateOrAddExtension(
updates_from_webstore3, "1",
temp_dir().GetPath().AppendASCII("webstore3.crx"));
WaitForInstallationAttemptToComplete(updates_from_webstore3);
// Make sure ExternalInstallError::OnDialogReady() fires.
error_waiter.Wait();
std::vector<ExternalInstallError*> errors =
external_install_manager()->GetErrorsForTesting();
EXPECT_EQ(1u, errors.size());
EXPECT_EQ(1u, GetExternalInstallBubbleCount(profile()));
EXPECT_TRUE(
external_install_manager()->has_currently_visible_install_alert());
// Verify that the visible alert is for the current error.
EXPECT_EQ(errors[0], external_install_manager()
->currently_visible_install_alert_for_testing());
EXPECT_FALSE(registrar()->IsExtensionEnabled(updates_from_webstore3));
}
}
// Verifies that an error alert of type BUBBLE_ALERT does not replace an
// existing visible alert that was previously opened by clicking menu item.
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
TEST_F(ExtensionServiceTest, BubbleAlertDoesNotHideAnotherAlertFromMenu) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
// This sets up the ExtensionPrefs used by our ExtensionService to be
// post-first run.
ExtensionServiceInitParams params;
params.is_first_run = false;
InitializeExtensionService(std::move(params));
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
std::vector<BubbleErrorsTestData> data;
data.emplace_back(updates_from_webstore, "1",
temp_dir().GetPath().AppendASCII("webstore.crx"), 1u);
data.emplace_back(updates_from_webstore2, "1",
temp_dir().GetPath().AppendASCII("webstore2.crx"), 2u);
PackCRX(data_dir().AppendASCII("update_from_webstore"),
data_dir().AppendASCII("update_from_webstore.pem"), data[0].crx_path);
PackCRX(data_dir().AppendASCII("update_from_webstore2"),
data_dir().AppendASCII("update_from_webstore2.pem"),
data[1].crx_path);
{
test::GlobalErrorWaiter error_waiter(profile());
provider->UpdateOrAddExtension(data[0].id, data[0].version,
data[0].crx_path);
WaitForInstallationAttemptToComplete(data[0].id);
// Make sure ExternalInstallError::OnDialogReady() fires.
error_waiter.Wait();
std::vector<ExternalInstallError*> errors =
external_install_manager()->GetErrorsForTesting();
EXPECT_EQ(1u, errors.size());
EXPECT_EQ(1u, GetExternalInstallBubbleCount(profile()));
EXPECT_TRUE(
external_install_manager()->has_currently_visible_install_alert());
// Verify that the visible alert is for the current error.
EXPECT_EQ(errors[0], external_install_manager()
->currently_visible_install_alert_for_testing());
}
ExternalInstallError* first_extension_error = GetError(data[0].id);
// Close the bubble alert.
GlobalError* global_error =
GlobalErrorServiceFactory::GetForProfile(profile())
->GetHighestSeverityGlobalErrorWithAppMenuItem();
first_extension_error->DidCloseBubbleView();
// Bring the bubble alert error again by clicking its menu item.
global_error->ExecuteMenuItem(nullptr);
// Install another webstore extension that will trigger an error of type
// BUBBLE_ALERT.
// Make sure that this bubble alert does not replace the current bubble alert.
{
test::GlobalErrorWaiter error_waiter(profile());
provider->UpdateOrAddExtension(data[1].id, data[1].version,
data[1].crx_path);
WaitForInstallationAttemptToComplete(data[1].id);
// Make sure ExternalInstallError::OnDialogReady() fires.
error_waiter.Wait();
std::vector<ExternalInstallError*> errors =
external_install_manager()->GetErrorsForTesting();
EXPECT_EQ(2u, errors.size());
EXPECT_EQ(2u, GetExternalInstallBubbleCount(profile()));
EXPECT_TRUE(
external_install_manager()->has_currently_visible_install_alert());
// Verify that the old bubble alert was *not* replaced by the new alert.
EXPECT_EQ(first_extension_error,
external_install_manager()
->currently_visible_install_alert_for_testing());
}
}
// Test that there is a bubble for external extensions that update
// from the webstore if the profile is not new.
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
TEST_F(ExtensionServiceTest, ExternalInstallUpdatesFromWebstoreOldProfile) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
// This sets up the ExtensionPrefs used by our ExtensionService to be
// post-first run.
ExtensionServiceInitParams params;
params.is_first_run = false;
InitializeExtensionService(std::move(params));
base::FilePath crx_path = temp_dir().GetPath().AppendASCII("webstore.crx");
PackCRX(data_dir().AppendASCII("update_from_webstore"),
data_dir().AppendASCII("update_from_webstore.pem"),
crx_path);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(updates_from_webstore, "1", crx_path);
WaitForInstallationAttemptToComplete(updates_from_webstore);
EXPECT_TRUE(HasExternalInstallErrors(profile()));
ASSERT_TRUE(GetError(updates_from_webstore));
EXPECT_EQ(ExternalInstallError::BUBBLE_ALERT,
GetError(updates_from_webstore)->alert_type());
EXPECT_FALSE(registrar()->IsExtensionEnabled(updates_from_webstore));
}
// Test that there is no bubble for external extensions if the profile is new.
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
TEST_F(ExtensionServiceTest, ExternalInstallUpdatesFromWebstoreNewProfile) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
InitializeEmptyExtensionService();
base::FilePath crx_path = temp_dir().GetPath().AppendASCII("webstore.crx");
PackCRX(data_dir().AppendASCII("update_from_webstore"),
data_dir().AppendASCII("update_from_webstore.pem"),
crx_path);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(updates_from_webstore, "1", crx_path);
WaitForInstallationAttemptToComplete(updates_from_webstore);
EXPECT_TRUE(HasExternalInstallErrors(profile()));
ASSERT_TRUE(GetError(updates_from_webstore));
EXPECT_NE(ExternalInstallError::BUBBLE_ALERT,
GetError(updates_from_webstore)->alert_type());
EXPECT_FALSE(registrar()->IsExtensionEnabled(updates_from_webstore));
}
// Test that clicking to remove the extension on an external install warning
// uninstalls the extension.
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
TEST_F(ExtensionServiceTest, ExternalInstallClickToRemove) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
ExtensionServiceInitParams params;
params.is_first_run = false;
InitializeExtensionService(std::move(params));
base::FilePath crx_path = temp_dir().GetPath().AppendASCII("webstore.crx");
PackCRX(data_dir().AppendASCII("update_from_webstore"),
data_dir().AppendASCII("update_from_webstore.pem"),
crx_path);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(updates_from_webstore, "1", crx_path);
WaitForInstallationAttemptToComplete(updates_from_webstore);
EXPECT_TRUE(HasExternalInstallErrors(profile()));
// We check both enabled and disabled, since these are "eventually exclusive"
// sets.
EXPECT_TRUE(registry()->disabled_extensions().GetByID(updates_from_webstore));
EXPECT_FALSE(registry()->enabled_extensions().GetByID(updates_from_webstore));
// Click the negative response.
external_install_manager()->GetErrorsForTesting()[0]->OnInstallPromptDone(
ExtensionInstallPrompt::DoneCallbackPayload(
ExtensionInstallPrompt::Result::USER_CANCELED));
// The Extension should be uninstalled.
EXPECT_FALSE(registry()->GetExtensionById(updates_from_webstore,
ExtensionRegistry::EVERYTHING));
// The error should be removed.
EXPECT_FALSE(HasExternalInstallErrors(profile()));
}
// Test that clicking to keep the extension on an external install warning
// re-enables the extension.
// TODO(crbug.com/405391110): Enable when the install error UI exists on desktop
// Android.
TEST_F(ExtensionServiceTest, ExternalInstallClickToKeep) {
FeatureSwitch::ScopedOverride prompt(
FeatureSwitch::prompt_for_external_extensions(), true);
ExtensionServiceInitParams params;
params.is_first_run = false;
InitializeExtensionService(std::move(params));
base::FilePath crx_path = temp_dir().GetPath().AppendASCII("webstore.crx");
PackCRX(data_dir().AppendASCII("update_from_webstore"),
data_dir().AppendASCII("update_from_webstore.pem"),
crx_path);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(updates_from_webstore, "1", crx_path);
WaitForInstallationAttemptToComplete(updates_from_webstore);
EXPECT_TRUE(HasExternalInstallErrors(profile()));
// We check both enabled and disabled, since these are "eventually exclusive"
// sets.
EXPECT_TRUE(registry()->disabled_extensions().GetByID(updates_from_webstore));
EXPECT_FALSE(registry()->enabled_extensions().GetByID(updates_from_webstore));
// Accept the extension.
external_install_manager()->GetErrorsForTesting()[0]->OnInstallPromptDone(
ExtensionInstallPrompt::DoneCallbackPayload(
ExtensionInstallPrompt::Result::ACCEPTED));
// It should be enabled again.
EXPECT_TRUE(registry()->enabled_extensions().GetByID(updates_from_webstore));
EXPECT_FALSE(
registry()->disabled_extensions().GetByID(updates_from_webstore));
// The error should be removed.
EXPECT_FALSE(HasExternalInstallErrors(profile()));
}
#endif // BUILDFlAG(ENABLE_EXTENSIONS)
// Test that the external install bubble only takes disabled extensions into
// account - enabled extensions, even those that weren't acknowledged, should
// not be warned about. This lets us grandfather extensions in.
TEST_F(ExtensionServiceTest,
ExternalInstallBubbleDoesntShowForEnabledExtensions) {
auto external_prompt_override =
std::make_unique<FeatureSwitch::ScopedOverride>(
FeatureSwitch::prompt_for_external_extensions(), false);
InitializeEmptyExtensionService();
// Register and install an external extension.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPref);
provider->UpdateOrAddExtension(good_crx, "1.0.0.0",
data_dir().AppendASCII("good.crx"));
WaitForExternalExtensionInstalled(good_crx);
EXPECT_TRUE(registry()->enabled_extensions().Contains(good_crx));
EXPECT_FALSE(prefs()->IsExternalExtensionAcknowledged(good_crx));
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
// We explicitly reset the override first. ScopedOverrides reset the value
// to the original value on destruction, but if we reset by passing a new
// object, the new object is constructed (overriding the current value)
// before the old is destructed (which will immediately reset to the
// original).
external_prompt_override.reset();
external_prompt_override = std::make_unique<FeatureSwitch::ScopedOverride>(
FeatureSwitch::prompt_for_external_extensions(), true);
external_install_manager()->UpdateExternalExtensionAlert();
EXPECT_FALSE(
external_install_manager()->has_currently_visible_install_alert());
EXPECT_TRUE(external_install_manager()->GetErrorsForTesting().empty());
provider->UpdateOrAddExtension(good_crx, "1.0.0.1",
data_dir().AppendASCII("good2.crx"));
WaitForExternalExtensionInstalled(good_crx);
external_install_manager()->UpdateExternalExtensionAlert();
EXPECT_FALSE(
external_install_manager()->has_currently_visible_install_alert());
EXPECT_TRUE(external_install_manager()->GetErrorsForTesting().empty());
}
TEST_F(ExtensionServiceTest, InstallBlocklistedExtension) {
InitializeEmptyExtensionService();
scoped_refptr<const Extension> extension =
ExtensionBuilder("extension").Build();
ASSERT_TRUE(extension.get());
const std::string& id = extension->id();
std::set<std::string> id_set;
id_set.insert(id);
TestExtensionRegistryObserver observer(ExtensionRegistry::Get(profile()));
// Installation should be allowed but the extension should never have been
// loaded and it should be blocklisted in prefs.
registrar()->OnExtensionInstalled(
extension.get(), syncer::StringOrdinal(),
(kInstallFlagIsBlocklistedForMalware | kInstallFlagInstallImmediately));
task_environment()->RunUntilIdle();
// Extension was installed but not loaded.
observer.WaitForExtensionWillBeInstalled();
EXPECT_TRUE(registry()->GetInstalledExtension(id));
EXPECT_FALSE(registry()->enabled_extensions().Contains(id));
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(id));
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(id, prefs()));
EXPECT_TRUE(prefs()->IsBlocklistedExtensionAcknowledged(id));
}
// Test that we won't allow enabling a blocklisted extension.
TEST_F(ExtensionServiceTest, CannotEnableBlocklistedExtension) {
InitializeGoodInstalledExtensionService();
service()->Init();
ASSERT_FALSE(registry()->enabled_extensions().empty());
// Blocklist the first extension; then try enabling it.
std::string id = (*(registry()->enabled_extensions().begin()))->id();
service()->BlocklistExtensionForTest(id);
EXPECT_FALSE(registry()->enabled_extensions().Contains(id));
EXPECT_FALSE(registry()->disabled_extensions().Contains(id));
registrar()->EnableExtension(id);
EXPECT_FALSE(registry()->enabled_extensions().Contains(id));
EXPECT_FALSE(registry()->disabled_extensions().Contains(id));
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(id));
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(id, prefs()));
registrar()->DisableExtension(id, {disable_reason::DISABLE_USER_ACTION});
EXPECT_FALSE(registry()->enabled_extensions().Contains(id));
EXPECT_FALSE(registry()->disabled_extensions().Contains(id));
EXPECT_TRUE(registry()->blocklisted_extensions().Contains(id));
EXPECT_TRUE(blocklist_prefs::IsExtensionBlocklisted(id, prefs()));
}
// Test that calls to disable Shared Modules do not work.
TEST_F(ExtensionServiceTest, CannotDisableSharedModules) {
InitializeEmptyExtensionService();
scoped_refptr<const Extension> extension =
ExtensionBuilder("Shared Module")
.SetManifestPath("export.resources",
base::Value::List().Append("foo.js"))
.AddFlags(Extension::FROM_WEBSTORE)
.Build();
registrar()->OnExtensionInstalled(extension.get(), syncer::StringOrdinal(),
kInstallFlagInstallImmediately);
ASSERT_TRUE(registry()->enabled_extensions().Contains(extension->id()));
// Try to disable the extension.
registrar()->DisableExtension(extension->id(),
{disable_reason::DISABLE_USER_ACTION});
// Shared Module should still be enabled.
EXPECT_TRUE(registry()->enabled_extensions().Contains(extension->id()));
}
// Make sure we can uninstall a blocklisted extension
TEST_F(ExtensionServiceTest, UninstallBlocklistedExtension) {
InitializeGoodInstalledExtensionService();
service()->Init();
ASSERT_FALSE(registry()->enabled_extensions().empty());
// Blocklist the first extension; then try uninstalling it.
std::string id = (*(registry()->enabled_extensions().begin()))->id();
service()->BlocklistExtensionForTest(id);
EXPECT_NE(nullptr, registry()->GetInstalledExtension(id));
std::u16string error;
EXPECT_TRUE(registrar()->UninstallExtension(
id, UNINSTALL_REASON_USER_INITIATED, nullptr));
EXPECT_EQ(nullptr, registry()->GetInstalledExtension(id));
}
// Tests a profile being destroyed correctly disables extensions.
TEST_F(ExtensionServiceTest, DestroyingProfileClearsExtensions) {
InitializeEmptyExtensionService();
InstallCRX(data_dir().AppendASCII("good.crx"), INSTALL_NEW);
EXPECT_NE(UnloadedExtensionReason::PROFILE_SHUTDOWN, unloaded_reason());
EXPECT_EQ(1u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
EXPECT_EQ(0u, registry()->terminated_extensions().size());
EXPECT_EQ(0u, registry()->blocklisted_extensions().size());
service()->OnProfileMarkedForPermanentDeletion(profile());
EXPECT_EQ(UnloadedExtensionReason::PROFILE_SHUTDOWN, unloaded_reason());
EXPECT_EQ(0u, registry()->enabled_extensions().size());
EXPECT_EQ(0u, registry()->disabled_extensions().size());
EXPECT_EQ(0u, registry()->terminated_extensions().size());
EXPECT_EQ(0u, registry()->blocklisted_extensions().size());
}
// Test that updating a corrupt extension removes the DISABLE_CORRUPTED disable
// reason.
TEST_F(ExtensionServiceTest, CorruptExtensionUpdate) {
InitializeEmptyExtensionService();
base::FilePath v1_path = data_dir().AppendASCII("good.crx");
const Extension* v1 = InstallCRX(v1_path, INSTALL_NEW);
std::string id = v1->id();
registrar()->DisableExtension(id, {disable_reason::DISABLE_CORRUPTED});
EXPECT_TRUE(registry()->disabled_extensions().Contains(id));
EXPECT_TRUE(prefs()->HasDisableReason(id, disable_reason::DISABLE_CORRUPTED));
base::FilePath v2_path = data_dir().AppendASCII("good2.crx");
UpdateExtension(id, v2_path, ENABLED);
EXPECT_FALSE(registry()->disabled_extensions().Contains(id));
EXPECT_FALSE(
prefs()->HasDisableReason(id, disable_reason::DISABLE_CORRUPTED));
}
// Try re-enabling a reloading extension. Regression test for crbug.com/676815.
TEST_F(ExtensionServiceTest, ReloadAndReEnableExtension) {
InitializeEmptyExtensionService();
// Add an extension in an unpacked location.
scoped_refptr<const Extension> extension =
ChromeTestExtensionLoader(profile()).LoadExtension(
data_dir().AppendASCII("simple_with_file"));
const std::string kExtensionId = extension->id();
ASSERT_TRUE(extension);
ASSERT_TRUE(Manifest::IsUnpackedLocation(extension->location()));
EXPECT_TRUE(registry()->enabled_extensions().Contains(kExtensionId));
// Begin the reload process.
registrar()->ReloadExtension(extension->id());
EXPECT_TRUE(registry()->disabled_extensions().Contains(kExtensionId));
// While the extension is reloading, try to re-enable it. This is the flow
// that could happen if, e.g., the user hit the enable toggle in the
// chrome://extensions page while it was reloading.
registrar()->GrantPermissionsAndEnableExtension(*extension.get());
EXPECT_FALSE(registry()->enabled_extensions().Contains(kExtensionId));
// Wait for the reload to complete. This previously crashed (see
// crbug.com/676815).
task_environment()->RunUntilIdle();
// The extension should be enabled again...
EXPECT_TRUE(registry()->enabled_extensions().Contains(kExtensionId));
// ...and should have reloaded (for ease, we just compare the extension
// objects).
EXPECT_NE(extension, registry()->enabled_extensions().GetByID(kExtensionId));
}
// Test reloading a shared module. Regression test for crbug.com/676815.
TEST_F(ExtensionServiceTest, ReloadSharedModule) {
InitializeEmptyExtensionService();
// Add a shared module and an extension that depends on it (the latter is
// important to ensure we don't remove the unused shared module).
scoped_refptr<const Extension> shared_module =
ChromeTestExtensionLoader(profile()).LoadExtension(
data_dir().AppendASCII("api_test/shared_module/shared"));
scoped_refptr<const Extension> dependent =
ChromeTestExtensionLoader(profile()).LoadExtension(
data_dir().AppendASCII("api_test/shared_module/import_pass"));
ASSERT_TRUE(shared_module);
ASSERT_TRUE(dependent);
const std::string kExtensionId = shared_module->id();
ASSERT_TRUE(Manifest::IsUnpackedLocation(shared_module->location()));
ASSERT_EQ(Manifest::TYPE_SHARED_MODULE, shared_module->manifest()->type());
EXPECT_TRUE(registry()->enabled_extensions().Contains(kExtensionId));
// Reload the extension and wait for it to complete. This previously crashed
// (see crbug.com/676815).
registrar()->ReloadExtension(kExtensionId);
task_environment()->RunUntilIdle();
// The shared module should be enabled.
EXPECT_TRUE(registry()->enabled_extensions().Contains(kExtensionId));
}
// Tests that component extensions that have been migrated can be uninstalled.
TEST_F(ExtensionServiceTest, UninstallMigratedComponentExtensions) {
InitializeEmptyExtensionServiceWithTestingPrefs();
ASSERT_TRUE(
prefs()->ShouldInstallObsoleteComponentExtension(video_player_app));
scoped_refptr<const Extension> video_player_extension =
ExtensionBuilder("video player")
.SetID(video_player_app)
.SetLocation(ManifestLocation::kInternal)
.Build();
registrar()->AddComponentExtension(video_player_extension.get());
ASSERT_TRUE(registry()->enabled_extensions().Contains(video_player_app));
service()->UninstallMigratedExtensionsForTest();
EXPECT_FALSE(registry()->GetInstalledExtension(video_player_app));
EXPECT_FALSE(
prefs()->ShouldInstallObsoleteComponentExtension(video_player_app));
}
// Tests that component extensions that are not marked as obsolete will not be
// uninstalled.
TEST_F(ExtensionServiceTest, UninstallMigratedExtensionsKeepsGoodComponents) {
InitializeEmptyExtensionServiceWithTestingPrefs();
scoped_refptr<const Extension> good_extension =
ExtensionBuilder("good")
.SetID(good0)
.SetLocation(ManifestLocation::kInternal)
.Build();
registrar()->AddComponentExtension(good_extension.get());
ASSERT_TRUE(registry()->enabled_extensions().Contains(good0));
service()->UninstallMigratedExtensionsForTest();
// Because good0 is not a migrated component extension it should still be
// currently installed, and should continue to be installed in the future.
EXPECT_TRUE(registry()->GetInstalledExtension(good0));
EXPECT_TRUE(prefs()->ShouldInstallObsoleteComponentExtension(good0));
}
// Tests that repeat calls to UninstallMigratedExtensions doesn't crash/fail.
TEST_F(ExtensionServiceTest, UninstallMigratedExtensionsMultipleCalls) {
InitializeEmptyExtensionServiceWithTestingPrefs();
scoped_refptr<const Extension> video_player_extension =
ExtensionBuilder("video player")
.SetID(video_player_app)
.SetLocation(ManifestLocation::kInternal)
.Build();
registrar()->AddComponentExtension(video_player_extension.get());
service()->UninstallMigratedExtensionsForTest();
service()->UninstallMigratedExtensionsForTest();
service()->UninstallMigratedExtensionsForTest();
EXPECT_FALSE(registry()->GetInstalledExtension(video_player_app));
}
// Tests the case of a user installing a non-policy extension (e.g. through the
// webstore), and that extension later becoming required by policy.
// Regression test for https://crbug.com/894184.
TEST_F(ExtensionServiceTest, UserInstalledExtensionThenRequiredByPolicy) {
InitializeEmptyExtensionServiceWithTestingPrefs();
// Install an extension as if the user did it.
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* extension = InstallCRX(path, INSTALL_NEW);
ASSERT_TRUE(extension);
EXPECT_EQ(good_crx, extension->id());
EXPECT_EQ(ManifestLocation::kInternal, extension->location());
std::string kVersionStr = "1.0.0.0";
EXPECT_EQ(kVersionStr, extension->VersionString());
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
// Mark good.crx for force-installation.
pref.SetIndividualExtensionAutoInstalled(
good_crx, "http://example.com/update_url", true);
}
// Require good.crx by policy.
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPolicyDownload);
// TODO(devlin): Do we also need to check installing extensions with different
// versions?
provider->UpdateOrAddExtension(good_crx, kVersionStr,
data_dir().AppendASCII("good.crx"));
external_provider_manager()->CheckForExternalUpdates();
ExtensionManagement* management =
ExtensionManagementFactory::GetForBrowserContext(profile());
ManagedInstallationMode installation_mode =
management->GetInstallationMode(extension);
EXPECT_EQ(ManagedInstallationMode::kForced, installation_mode);
// Reload all extensions.
service()->ReloadExtensionsForTest();
extension = registry()->GetInstalledExtension(good_crx);
ASSERT_TRUE(extension);
ManagementPolicy* policy =
ExtensionSystem::Get(browser_context())->management_policy();
// The extension should still be installed, and should be required to
// remain installed.
EXPECT_TRUE(policy->MustRemainInstalled(extension, nullptr));
// TODO(devlin): This currently doesn't work, because the extension is still
// installed with mojom::ManifestLocation kInternal.
// EXPECT_FALSE(policy->UserMayModifySettings(extension, nullptr));
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
}
// If the extension is first manually installed by the user, and then added to
// the force installed list, on restarting, the extension should behave as a
// force installed extension.
TEST_F(ExtensionServiceTest,
UserInstalledExtensionThenRequiredByPolicyOnRestart) {
// Mark as enterprise managed.
policy::ScopedDomainEnterpriseManagement scoped_domain;
InitializeEmptyExtensionServiceWithTestingPrefs();
// Install an extension as if the user did it.
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* extension = InstallCRX(path, INSTALL_NEW);
ASSERT_TRUE(extension);
EXPECT_EQ(good_crx, extension->id());
EXPECT_EQ(ManifestLocation::kInternal, extension->location());
std::string kVersionStr = "1.0.0.0";
EXPECT_EQ(kVersionStr, extension->VersionString());
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
// Mark good.crx for force-installation.
pref.SetIndividualExtensionAutoInstalled(
good_crx, "http://example.com/update_url", true);
}
ExtensionManagement* management =
ExtensionManagementFactory::GetForBrowserContext(profile());
ManagedInstallationMode installation_mode =
management->GetInstallationMode(extension);
EXPECT_EQ(ManagedInstallationMode::kForced, installation_mode);
GURL good_update_url(kGoodUpdateURL);
ExternalInstallInfoUpdateUrl info(
good_crx, std::string(), std::move(good_update_url),
ManifestLocation::kExternalPolicyDownload, Extension::NO_FLAGS, false);
external_provider_manager()->OnExternalExtensionUpdateUrlFound(info, true);
base::RunLoop().RunUntilIdle();
extension = registry()->GetInstalledExtension(good_crx);
ASSERT_TRUE(extension);
ManagementPolicy* policy =
ExtensionSystem::Get(browser_context())->management_policy();
// The extension should still be installed, and should be required to
// remain installed.
EXPECT_TRUE(policy->MustRemainInstalled(extension, nullptr));
EXPECT_FALSE(policy->UserMayModifySettings(extension, nullptr));
EXPECT_EQ(extension->location(), ManifestLocation::kExternalPolicyDownload);
EXPECT_TRUE(registry()->enabled_extensions().GetByID(good_crx));
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
// Simulate a chrome process restart.
service()->ReloadExtensionsForTest();
policy = ExtensionSystem::Get(browser_context())->management_policy();
EXPECT_TRUE(registry()->enabled_extensions().Contains(good_crx));
extension = registry()->GetInstalledExtension(good_crx);
// The location should remain same on restart.
EXPECT_EQ(extension->location(), ManifestLocation::kExternalPolicyDownload);
// Extension should behave similar to force installed on restart.
EXPECT_TRUE(policy->MustRemainInstalled(extension, nullptr));
EXPECT_FALSE(policy->UserMayModifySettings(extension, nullptr));
}
TEST_F(ExtensionServiceTest, InstallingUnacknowledgedExternalExtension) {
InitializeEmptyExtensionServiceWithTestingPrefs();
{
ManagementPrefUpdater pref(profile_->GetTestingPrefService());
// Mark good.crx for recommended installation.
pref.SetIndividualExtensionAutoInstalled(
good_crx, "http://example.com/update_url", false);
}
base::FilePath path = data_dir().AppendASCII("good.crx");
std::string version_str = "1.0.0.0";
// Install an external extension.
std::unique_ptr<ExternalInstallInfoFile> info = CreateExternalExtension(
good_crx, version_str, path, ManifestLocation::kExternalPrefDownload,
Extension::NO_FLAGS);
MockExternalProvider* provider =
AddMockExternalProvider(ManifestLocation::kExternalPrefDownload);
provider->UpdateOrAddExtension(std::move(info));
WaitForExternalExtensionInstalled(good_crx);
const Extension* extension =
registry()->enabled_extensions().GetByID(good_crx);
ASSERT_TRUE(extension);
EXPECT_EQ(good_crx, extension->id());
EXPECT_EQ(ManifestLocation::kExternalPrefDownload, extension->location());
EXPECT_EQ(version_str, extension->VersionString());
ManagedInstallationMode installation_mode =
ExtensionManagementFactory::GetForBrowserContext(profile())
->GetInstallationMode(extension);
EXPECT_EQ(ManagedInstallationMode::kRecommended, installation_mode);
EXPECT_TRUE(registry()->enabled_extensions().Contains(good_crx));
EXPECT_TRUE(prefs()->IsExternalExtensionAcknowledged(extension->id()));
EXPECT_TRUE(prefs()->GetDisableReasons(good_crx).empty());
EXPECT_FALSE(prefs()->IsExtensionDisabled(good_crx));
}
#if BUILDFLAG(ENABLE_EXTENSIONS)
// Regression test for crbug.com/979010.
// TODO(crbug.com/414879019): Decide if we need BackgroundContentsService on
// desktop Android.
TEST_F(ExtensionServiceTest, ReloadingExtensionFromNotification) {
// Initialize a new extension.
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* extension = InstallCRX(path, INSTALL_NEW);
ASSERT_EQ(good_crx, extension->id());
// Show the "Extension crashed" notification.
base::RunLoop run_loop;
NotificationDisplayServiceTester display_service(profile());
display_service.SetNotificationAddedClosure(run_loop.QuitClosure());
std::string notification_id = BackgroundContentsService::
GetNotificationDelegateIdForExtensionForTesting(extension->id());
BackgroundContentsService background_service(profile());
background_service.ShowBalloonForTesting(extension);
run_loop.Run();
// Click on the "Extension crashed" notification and expect the extension to
// be reloaded without a crash.
TestExtensionRegistryObserver registry_observer(
ExtensionRegistry::Get(profile()), extension->id());
display_service.SimulateClick(NotificationHandler::Type::TRANSIENT,
notification_id, std::nullopt, std::nullopt);
ASSERT_TRUE(registry_observer.WaitForExtensionLoaded());
}
#endif // BUILDFLAG(ENABLE_EXTENSIONS)
// Test that blocking extension doesn't trigger unload notification for disabled
// extensions. (crbug.com/708230)
TEST_F(ExtensionServiceTest, BlockDisabledExtensionNotification) {
// Initialize a new extension.
InitializeEmptyExtensionService();
base::FilePath path = data_dir().AppendASCII("good.crx");
const Extension* extension = InstallCRX(path, INSTALL_NEW);
ASSERT_EQ(good_crx, extension->id());
// Disable the extension.
registrar()->DisableExtension(extension->id(),
{disable_reason::DISABLE_USER_ACTION});
// Create observer
MockExtensionRegistryObserver observer;
registry()->AddObserver(&observer);
// Block the extension
registrar()->BlockAllExtensions();
// Check that we didn't get unloading notification
EXPECT_EQ(std::string(), observer.last_extension_unloaded);
registry()->RemoveObserver(&observer);
}
class ExternalExtensionPriorityTest
: public ExtensionServiceTest,
public testing::WithParamInterface<ManifestLocation> {};
// Policy-forced extensions should be fetched with FOREGROUND priority,
// otherwise they may be throttled (web store sends “noupdate” response to
// reduce load), which is OK for updates, but not for a new install. This is
// a regression test for problems described in https://crbug.com/904600 and
// https://crbug.com/917700.
TEST_P(ExternalExtensionPriorityTest, PolicyForegroundFetch) {
ExtensionUpdater::ScopedSkipScheduledCheckForTest skip_scheduled_checks;
ExtensionServiceInitParams params;
params.autoupdate_enabled = true;
InitializeExtensionService(std::move(params));
ExtensionDownloaderTestHelper helper;
NullExtensionCache extension_cache;
ExtensionUpdater* updater = ExtensionUpdater::Get(profile());
updater->SetExtensionDownloaderForTesting(helper.CreateDownloader());
updater->SetExtensionCacheForTesting(&extension_cache);
updater->Start();
GURL update_url(extension_urls::kChromeWebstoreUpdateURL);
external_provider_manager()->OnExternalExtensionUpdateUrlFound(
ExternalInstallInfoUpdateUrl(all_zero /* extension_id */,
"" /* install_parameter */, update_url,
GetParam() /* download_location */,
Extension::NO_FLAGS /* creation_flag */,
true /* mark_acknowledged */),
true /* force_update */);
MockExternalProvider provider(nullptr,
ManifestLocation::kExternalPolicyDownload);
external_provider_manager()->OnExternalProviderReady(&provider);
task_environment()->RunUntilIdle();
EXPECT_EQ(helper.test_url_loader_factory().NumPending(), 1);
network::TestURLLoaderFactory::PendingRequest* pending_request =
helper.test_url_loader_factory().GetPendingRequest(0);
bool is_high_priority =
GetParam() == ManifestLocation::kExternalPolicyDownload ||
GetParam() == ManifestLocation::kExternalComponent;
std::string expected_header = is_high_priority ? "fg" : "bg";
EXPECT_EQ(expected_header, pending_request->request.headers.GetHeader(
"X-Goog-Update-Interactivity"));
// Destroy updater's downloader as it uses |helper|.
updater->SetExtensionDownloaderForTesting(nullptr);
}
INSTANTIATE_TEST_SUITE_P(
All,
ExternalExtensionPriorityTest,
testing::Values(ManifestLocation::kExternalPolicyDownload,
ManifestLocation::kExternalComponent,
ManifestLocation::kExternalPrefDownload));
} // namespace extensions
|