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
|
2ping 2ping
APScheduler python3-apscheduler
AnyQt python3-anyqt
Arpeggio python3-arpeggio
Arriero arriero
Authlib python3-authlib
Automat python3-automat
BTrees python3-btrees
BUSCO busco
Babel python3-babel
BabelGladeExtractor python3-babelgladeextractor
Beaker python3-beaker
Biosig python3-biosig
Bootstrap_Flask python3-flask-bootstrap
Bottleneck python3-bottleneck
Brian2 python3-brian
Brlapi python3-brlapi
Brotli python3-brotli
BuildStream python3-buildstream
BuildStream_external python3-bst-external
CAI python3-cai
CCColUtils python3-cccolutils
CDApplet cairo-dock-dbus-plug-in-interface-python
CDBashApplet cairo-dock-dbus-plug-in-interface-python
CMOR python3-cmor
CNVkit cnvkit
CSXCAD python3-openems
CT3 python3-cheetah
CTDopts python3-ctdopts
CXX python3-cxx-dev
CacheControl python3-cachecontrol
CairoSVG python3-cairosvg
Cartopy python3-cartopy
Cerberus python3-cerberus
Cerealizer python3-cerealizer
Chameleon python3-chameleon
CheMPS2 python3-chemps2
CherryPy python3-cherrypy3
ClusterShell python3-clustershell
CommonMark_bkrs python3-commonmark-bkrs
ConfigArgParse python3-configargparse
ConsensusCore python3-pbconsensuscore
Cython cython3
DBussy python3-dbussy
DNApi python3-dnapilib
DSV python3-dsv
DateTimeRange python3-datetimerange
Decopy decopy
DendroPy python3-dendropy
Deprecated python3-deprecated
DisplayCAL displaycal
Distance python3-distance
Django python3-django
DoubleRatchet python3-doubleratchet
EXtra_data python3-extra-data
EasyProcess python3-easyprocess
EbookLib python3-ebooklib
Editobj3 python3-editobj3
EditorConfig python3-editorconfig
Electrum python3-electrum
Endgame_Singularity singularity
ExifRead python3-exifread
Extractor python3-extractor
Faker python3-fake-factory
FinalCif finalcif
Fiona python3-fiona
Flask python3-flask
Flask_API python3-flask-api
Flask_AppBuilder python3-flask-appbuilder
Flask_AutoIndex python3-flask-autoindex
Flask_Babel python3-flask-babel
Flask_BabelEx python3-flask-babelex
Flask_BasicAuth python3-flask-basicauth
Flask_Bcrypt python3-flask-bcrypt
Flask_Caching python3-flask-caching
Flask_Compress python3-flask-compress
Flask_Cors python3-flask-cors
Flask_FlatPages python3-flask-flatpages
Flask_Gravatar python3-flask-gravatar
Flask_HTMLmin python3-flask-htmlmin
Flask_HTTPAuth python3-flask-httpauth
Flask_JWT_Extended python3-python-flask-jwt-extended
Flask_JWT_Simple python3-flask-jwt-simple
Flask_LDAPConn python3-flask-ldapconn
Flask_Limiter python3-flask-limiter
Flask_Login python3-flask-login
Flask_Mail python3-flask-mail
Flask_Migrate python3-flask-migrate
Flask_OpenID python3-flask-openid
Flask_Paranoid python3-flask-paranoid
Flask_Principal python3-flask-principal
Flask_RESTful python3-flask-restful
Flask_SQLAlchemy python3-flask-sqlalchemy
Flask_Security_Too python3-flask-security
Flask_Seeder python3-flask-seeder
Flask_Session python3-flask-session
Flask_Silk python3-flask-silk
Flask_SocketIO python3-flask-socketio
Flask_Sockets python3-flask-sockets
Flask_Testing python3-flask-testing
Flask_WTF python3-flaskext.wtf
Flor python3-flor
FormEncode python3-formencode
Frozen_Flask python3-frozen-flask
FsQuota python3-fsquota
GDAL python3-gdal
GaussSum gausssum
GenX python3-genx
GenomeTools python3-genometools
Genshi python3-genshi
GeoAlchemy2 python3-geoalchemy2
GeoIP python3-geoip
Geophar geophar
GitPython python3-git
GladTeX python3-gleetex
Glances glances
Glymur python3-glymur
GooCalendar python3-goocalendar
Grammalecte_fr python3-grammalecte
GridDataFormats python3-griddataformats
Gyoto python3-gyoto
HTSeq python3-htseq
HeapDict python3-heapdict
HyperKitty python3-django-hyperkitty
IMDbPY python3-imdbpy
IPy python3-ipy
InSilicoSeq insilicoseq
Isenkram isenkram-cli
IsoSpecPy python3-isospec
JACK_Client python3-jack-client
JCC python3-jcc
JPype1 python3-jpype
JUBE jube
Jinja2 python3-jinja2
Kaptive kaptive
Keras python3-keras
Keras_Applications python3-keras-applications
Keras_Preprocessing python3-keras-preprocessing
Kivy python3-kivy
Kleborate kleborate
Kyoto_Cabinet python3-kyotocabinet
LEPL python3-lepl
Lektor lektor
LibAppArmor python3-libapparmor
LinkChecker linkchecker
Logbook python3-logbook
Loom brz-loom
M2Crypto python3-m2crypto
MACS2 macs
MDAnalysis python3-mdanalysis
MDP python3-mdp
MIDIUtil python3-midiutil
MMLlib python3-mmllib
MPD_sima mpd-sima
MacSyFinder macsyfinder
Magics python3-magics++
Magnus magnus
Mako python3-mako
ManimPango python3-manimpango
MapProxy python3-mapproxy
Markdown python3-markdown
MarkupPy python3-markuppy
MarkupSafe python3-markupsafe
Markups python3-markups
Mastodon.py python3-mastodon
MechanicalSoup python3-mechanicalsoup
MetaPhlAn metaphlan
MicrobeGPS microbegps
MiniMock python3-minimock
Mirage mirage
Mnemosyne mnemosyne
MontagePy python3-montagepy
Mopidy mopidy
Mopidy_ALSAMixer mopidy-alsamixer
Mopidy_Beets mopidy-beets
Mopidy_InternetArchive mopidy-internetarchive
Mopidy_Local mopidy-local
Mopidy_MPD mopidy-mpd
Mopidy_MPRIS mopidy-mpris
Mopidy_Podcast mopidy-podcast
Mopidy_Podcast_iTunes mopidy-podcast-itunes
Mopidy_Scrobbler mopidy-scrobbler
Mopidy_SomaFM mopidy-somafm
Mopidy_SoundCloud mopidy-soundcloud
Mopidy_TuneIn mopidy-tunein
Mopidy_dLeyna mopidy-dleyna
Morfessor python3-morfessor
MutatorMath python3-mutatormath
NanoFilt nanofilt
NanoLyse nanolyse
NanoSV nanosv
NanoStat python3-nanostat
NeXus python3-nxs
Nik4 nik4
Nuitka nuitka
OBITools obitools
OMEMO python3-omemo
OWSLib python3-owslib
OdooRPC python3-odoorpc
Oldmemo python3-oldmemo
Onionbalance onionbalance
OpenLP openlp
OpenMM python3-simtk
OptimiR optimir
PAM python3-pam
PGPy python3-pgpy
PHCpy python3-phcpy
POT python3-pot
PTable python3-ptable
Pallets_Sphinx_Themes python3-pallets-sphinx-themes
ParmEd python3-parmed
Parsley python3-parsley
Paste python3-paste
PasteDeploy python3-pastedeploy
PasteScript python3-pastescript
Pattern python3-pattern
PeachPy python3-peachpy
PeakUtils python3-peakutils
Pebble python3-pebble
PeptideBuilder python3-peptidebuilder
Pillow python3-pil
Pint python3-pint
Pivy python3-pivy
Plinth freedombox
Pmw python3-pmw
Printrun printrun-common
ProDy python3-prody
Protego python3-protego
PsychoPy psychopy
PuLP python3-pulp
Pweave python3-pweave
Py3ODE python3-pyode
PyAVM python3-pyavm
PyAudio python3-pyaudio
PyBindGen python3-pybindgen
PyBluez python3-bluez
PyChess pychess
PyChromecast python3-pychromecast
PyCifRW python3-pycifrw
PyDispatcher python3-pydispatch
PyDrive2 python3-pydrive2
PyGObject python3-gi
PyGithub python3-github
PyGnuplot python3-pygnuplot
PyGreSQL python3-pygresql
PyHamcrest python3-hamcrest
PyHoca_CLI pyhoca-cli
PyHoca_GUI pyhoca-gui
PyICU python3-icu
PyJWT python3-jwt
PyKCS11 python3-pykcs11
PyKMIP python3-pykmip
PyLD python3-pyld
PyMca5 python3-pymca5
PyMeasure python3-pymeasure
PyMeeus python3-pymeeus
PyMemoize python3-memoize
PyMuPDF python3-fitz
PyMySQL python3-pymysql
PyNLPl python3-pynlpl
PyNN python3-pynn
PyNaCl python3-nacl
PyNamecheap python3-namecheap
PyOpenGL python3-opengl
PyPrind python3-pyprind
PyPump python3-pypump
PyQRCode python3-pyqrcode
PyQSO pyqso
PyQt5 python3-pyqt5
PyQt5_sip python3-pyqt5.sip
PyQt6 python3-pyqt6
PyQt6_QScintilla python3-pyqt6.qsci
PyQt6_WebEngine python3-pyqt6.qtwebengine
PyQt6_sip python3-pyqt6.sip
PyQtWebEngine python3-pyqt5.qtwebengine
PyQt_Qwt python3-pyqt5.qwt
PyQt_builder python3-pyqtbuild
PyRSS2Gen python3-pyrss2gen
PySDL2 python3-sdl2
PySPH python3-pysph
PySimpleSOAP python3-pysimplesoap
PySocks python3-socks
PyStaticConfiguration python3-staticconf
PyStemmer python3-stemmer
PyTrie python3-trie
PyUtilib python3-pyutilib
PyVCF python3-vcf
PyVISA python3-pyvisa
PyVISA_py python3-pyvisa-py
PyVirtualDisplay python3-pyvirtualdisplay
PyWavefront python3-pywavefront
PyWavelets python3-pywt
PyWebDAV3 python3-webdav
PyX python3-pyx
PyXRD python3-pyxrd
PyYAML python3-yaml
PyZoltan python3-pyzoltan
Pygments python3-pygments
Pymacs pymacs
Pyment python3-pyment
Pympler python3-pympler
Pypubsub python3-pubsub
Pyro4 python3-pyro4
PythonQwt python3-qwt
QDarkStyle python3-qdarkstyle
QScintilla python3-pyqt5.qsci
QtAwesome python3-qtawesome
QtPy python3-qtpy
Quamash python3-quamash
QuantLib quantlib-python
ROPGadget python3-ropgadget
RPi.bme280 python3-bme280
Radicale python3-radicale
ReParser python3-reparser
Recoll python3-recoll
Ren_Py python3-renpy
RestrictedPython python3-restrictedpython
Routes python3-routes
Rtree python3-rtree
RunSnakeRun runsnakerun
Rx python3-rx
SCons scons
SPARQLWrapper python3-sparqlwrapper
SQLAlchemy python3-sqlalchemy
SQLAlchemy_Utc python3-sqlalchemy-utc
SQLAlchemy_Utils python3-sqlalchemy-utils
SQLAlchemy_i18n python3-sqlalchemy-i18n
SQLObject python3-sqlobject
SaltPyLint python3-saltpylint
SciPy python3-scipy
Scrapy python3-scrapy
SecretStorage python3-secretstorage
SecureString python3-securestring
Send2Trash python3-send2trash
Shapely python3-shapely
Shredder rmlint-gui
SimPy python3-simpy
SimpleTAL python3-simpletal
SocksipyChain python3-socksipychain
SoftLayer python3-softlayer
Sonata sonata
SquareMap python3-squaremap
Stetl python3-stetl
Sublist3r sublist3r
Supysonic supysonic
TPOT python3-tpot
Telethon python3-telethon
Tempita python3-tempita
Theano python3-theano
TkinterTreectrl python3-tktreectrl
Trac trac
Trololio python3-trololio
Twisted python3-twisted
Twomemo python3-twomemo
TxSNI python3-txsni
URLObject python3-urlobject
Unidecode python3-unidecode
UnknownHorizons unknown-horizons
UpSetPlot python3-upsetplot
VF_1 vf1
VMDKstream python3-vmdkstream
VirtualMailManager vmm
WALinuxAgent waagent
WSGIProxy2 python3-wsgiproxy
WSME python3-wsme
WTForms python3-wtforms
WTForms_Alchemy python3-wtforms-alchemy
WTForms_Components python3-wtforms-components
WTForms_JSON python3-wtforms-json
WTForms_Test python3-wtforms-test
Wand python3-wand
WebOb python3-webob
WebTest python3-webtest
Werkzeug python3-werkzeug
Whoosh python3-whoosh
Wikkid python3-wikkid
Willow python3-willow
X3DH python3-x3dh
XEdDSA python3-xeddsa
XRStools python3-xrstools
XStatic python3-xstatic
XStatic_Angular python3-xstatic-angular
XStatic_Angular_Bootstrap python3-xstatic-angular-bootstrap
XStatic_Angular_Cookies python3-xstatic-angular-cookies
XStatic_Angular_FileUpload python3-xstatic-angular-fileupload
XStatic_Angular_Gettext python3-xstatic-angular-gettext
XStatic_Angular_Mock python3-xstatic-angular-mock
XStatic_Angular_Schema_Form python3-xstatic-angular-schema-form
XStatic_Angular_UUID python3-xstatic-angular-uuid
XStatic_Angular_Vis python3-xstatic-angular-vis
XStatic_Angular_lrdragndrop python3-xstatic-angular-lrdragndrop
XStatic_Bootstrap_Datepicker python3-xstatic-bootstrap-datepicker
XStatic_Bootstrap_SCSS python3-xstatic-bootstrap-scss
XStatic_D3 python3-xstatic-d3
XStatic_Dagre python3-xstatic-dagre
XStatic_Dagre_D3 python3-xstatic-dagre-d3
XStatic_FileSaver python3-xstatic-filesaver
XStatic_Font_Awesome python3-xstatic-font-awesome
XStatic_Graphlib python3-xstatic-graphlib
XStatic_Hogan python3-xstatic-hogan
XStatic_JQuery.Bootstrap.Wizard python3-xstatic-jquery.bootstrap.wizard
XStatic_JQuery.TableSorter python3-xstatic-jquery.tablesorter
XStatic_JQuery.quicksearch python3-xstatic-jquery.quicksearch
XStatic_JQuery_Migrate python3-xstatic-jquery-migrate
XStatic_JSEncrypt python3-xstatic-jsencrypt
XStatic_JS_Yaml python3-xstatic-js-yaml
XStatic_Jasmine python3-xstatic-jasmine
XStatic_Json2yaml python3-xstatic-json2yaml
XStatic_Magic_Search python3-xstatic-magic-search
XStatic_Moment_Timezone python3-xstatic-moment-timezone
XStatic_QUnit python3-xstatic-qunit
XStatic_Rickshaw python3-xstatic-rickshaw
XStatic_Spin python3-xstatic-spin
XStatic_angular_ui_router python3-xstatic-angular-ui-router
XStatic_bootswatch python3-xstatic-bootswatch
XStatic_jQuery python3-xstatic-jquery
XStatic_jquery_ui python3-xstatic-jquery-ui
XStatic_lodash python3-xstatic-lodash
XStatic_mdi python3-xstatic-mdi
XStatic_moment python3-xstatic-moment
XStatic_objectpath python3-xstatic-objectpath
XStatic_roboto_fontface python3-xstatic-roboto-fontface
XStatic_smart_table python3-xstatic-smart-table
XStatic_term.js python3-xstatic-term.js
XStatic_tv4 python3-xstatic-tv4
X_Tile x-tile
XlsxWriter python3-xlsxwriter
Yapps2 python3-yapps
Yapsy python3-yapsy
YubiOTP python3-yubiotp
ZooKeeper python3-zookeeper
_pycbf python3-pycbf
a38 python3-a38
aafigure python3-aafigure
absl_py python3-absl
abydos python3-abydos
acme python3-acme
acme_tiny acme-tiny
acora python3-acora
actdiag python3-actdiag
actionlib python3-actionlib
actionlib_tools python3-actionlib-tools
activipy python3-activipy
adal python3-adal
adapt_parser python3-adapt
adios_mpi python3-adios
admesh python3-admesh
advocate python3-advocate
aeidon python3-aeidon
afdko python3-afdko
afew afew
affine python3-affine
agate python3-agate
agate_dbf python3-agatedbf
agate_excel python3-agateexcel
agate_sql python3-agatesql
aggdraw python3-aggdraw
aio_pika python3-aio-pika
aioamqp python3-aioamqp
aioapns python3-aioapns
aiocoap python3-aiocoap
aiodns python3-aiodns
aiodogstatsd python3-aiodogstatsd
aiofiles python3-aiofiles
aioftp python3-aioftp
aiohttp python3-aiohttp
aiohttp_apispec python3-aiohttp-apispec
aiohttp_cors python3-aiohttp-cors
aiohttp_jinja2 python3-aiohttp-jinja2
aiohttp_mako python3-aiohttp-mako
aiohttp_oauthlib python3-aiohttp-oauthlib
aiohttp_openmetrics python3-aiohttp-openmetrics
aiohttp_proxy python3-aiohttp-proxy
aiohttp_security python3-aiohttp-security
aiohttp_session python3-aiohttp-session
aiohttp_socks python3-aiohttp-socks
aiohttp_wsgi python3-aiohttp-wsgi
aioice python3-aioice
aioinflux python3-aioinflux
aiomeasures python3-aiomeasures
aiomysql python3-aiomysql
aionotify python3-aionotify
aioopenssl python3-aioopenssl
aiopg python3-aiopg
aioprocessing python3-aioprocessing
aioredis python3-aioredis
aioresponses python3-aioresponses
aiormq python3-aiormq
aiorpcX python3-aiorpcx
aiortc python3-aiortc
aiorwlock python3-aiorwlock
aiosasl python3-aiosasl
aiosignal python3-aiosignal
aiosmtpd python3-aiosmtpd
aiosmtplib python3-aiosmtplib
aiosqlite python3-aiosqlite
aiostream python3-aiostream
aiotask_context python3-aiotask-context
aioxmlrpc python3-aioxmlrpc
aioxmpp python3-aioxmpp
aiozipkin python3-aiozipkin
aiozmq python3-aiozmq
airr python3-airr
airspeed python3-airspeed
ajpy python3-ajpy
alabaster python3-alabaster
alembic python3-alembic
alignlib python3-alignlib
allpairspy python3-allpairspy
altair python3-altair
altgraph python3-altgraph
ament_clang_format python3-ament-clang-format
ament_clang_tidy python3-ament-clang-tidy
ament_cmake_google_benchmark python3-ament-cmake-google-benchmark
ament_cmake_test python3-ament-cmake-test
ament_copyright python3-ament-copyright
ament_cppcheck python3-ament-cppcheck
ament_cpplint python3-ament-cpplint
ament_flake8 python3-ament-flake8
ament_index_python python3-ament-index
ament_lint python3-ament-lint
ament_lint_cmake python3-ament-lint-cmake
ament_mypy python3-ament-mypy
ament_package python3-ament-package
ament_pep257 python3-ament-pep257
ament_pycodestyle python3-ament-pycodestyle
ament_pyflakes python3-ament-pyflakes
ament_uncrustify python3-ament-uncrustify
ament_xmllint python3-ament-xmllint
amp_atomistics python3-amp
amply python3-amply
amqp python3-amqp
amqplib python3-amqplib
androguard androguard
angles python3-angles
aniso8601 python3-aniso8601
anndata python3-anndata
annexremote python3-annexremote
anonip anonip
anosql python3-anosql
ansi python3-ansi
ansible ansible
ansible_compat python3-ansible-compat
ansible_core ansible-core
ansible_lint ansible-lint
ansible_pygments python3-ansible-pygments
ansible_runner python3-ansible-runner
ansicolors python3-colors
ansimarkup python3-ansimarkup
antlr python3-antlr
antlr4_python3_runtime python3-antlr4
anyio python3-anyio
anyjson python3-anyjson
anymarkup python3-anymarkup
anymarkup_core python3-anymarkup-core
aodh python3-aodh
aodhclient python3-aodhclient
apache_libcloud python3-libcloud
apertium python3-apertium-core
apertium_apy apertium-apy
apertium_lex_tools python3-apertium-lex-tools
apertium_streamparser python3-streamparser
apipkg python3-apipkg
apispec python3-apispec
apksigcopier apksigcopier
aplpy python3-aplpy
apparmor python3-apparmor
appdirs python3-appdirs
applicationinsights python3-applicationinsights
apprise apprise
apptools python3-apptools
apsw python3-apsw
apt_clone apt-clone
apt_offline apt-offline
apt_venv apt-venv
apt_xapian_index apt-xapian-index
aptfs aptfs
aptly_api_client python3-aptly-api-client
ara python3-ara
arabic_reshaper python3-arabic-reshaper
arandr arandr
archmage archmage
arcp python3-arcp
argcomplete python3-argcomplete
argh python3-argh
argon2_cffi python3-argon2
argparse python3 (>= 3.2)
argparse_manpage python3-argparse-manpage
args python3-args
ariba ariba
arpy python3-arpy
arpys python3-arpys
arrayfire python3-arrayfire
arrow python3-arrow
artifacts python3-artifacts
asciinema asciinema
asciitree python3-asciitree
asdf python3-asdf
asdf_astropy python3-asdf-astropy
asdf_coordinates_schemas python3-asdf-coordinates-schemas
asdf_standard python3-asdf-standard
asdf_transform_schemas python3-asdf-transform-schemas
asdf_wcs_schemas python3-asdf-wcs-schemas
ase python3-ase
asgiref python3-asgiref
asn1crypto python3-asn1crypto
astLib python3-astlib
asteval python3-asteval
astor python3-astor
astral python3-astral
astroML python3-astroml
astroalign python3-astroalign
astrodendro python3-astrodendro
astroid python3-astroid
astroplan python3-astroplan
astropy python3-astropy
astropy_healpix python3-astropy-healpix
astropy_helpers python3-astropy-helpers
astropy_sphinx_theme python3-astropy-sphinx-theme
astroquery python3-astroquery
astroscrappy python3-astroscrappy
asttokens python3-asttokens
astunparse python3-astunparse
async_generator python3-async-generator
async_lru python3-async-lru
async_timeout python3-async-timeout
asyncio_mqtt python3-asyncio-mqtt
asyncpg python3-asyncpg
asyncssh python3-asyncssh
atomicwrites python3-atomicwrites
atpublic python3-public
atropos atropos
attrs python3-attr
aubio python3-aubio
audioread python3-audioread
audiotools audiotools
authheaders python3-authheaders
authprogs authprogs
authres python3-authres
auto_editor auto-editor
autobahn python3-autobahn
autocommand python3-autocommand
autoflake autoflake
autoimport autoimport
autokey autokey-common
automaton python3-automaton
autopage python3-autopage
autopep8 python3-autopep8
autoradio autoradio
autosuspend autosuspend
av python3-av
avro python3-avro
awesomeversion python3-awesomeversion
aws_requests_auth python3-aws-requests-auth
aws_shell aws-shell
aws_xray_sdk python3-aws-xray-sdk
awscli awscli
awscrt python3-awscrt
ayatana_settings ayatana-settings
ayatanawebmail ayatana-webmail
azure_agrifood_farming python3-azure
azure_ai_anomalydetector python3-azure
azure_ai_formrecognizer python3-azure
azure_ai_language_conversations python3-azure
azure_ai_language_questionanswering python3-azure
azure_ai_metricsadvisor python3-azure
azure_ai_ml python3-azure
azure_ai_personalizer python3-azure
azure_ai_textanalytics python3-azure
azure_ai_translation_document python3-azure
azure_appconfiguration python3-azure
azure_appconfiguration_provider python3-azure
azure_applicationinsights python3-azure
azure_batch python3-azure
azure_cli python3-azure-cli
azure_cli_core python3-azure-cli-core
azure_cli_telemetry python3-azure-cli-telemetry
azure_cli_testsdk python3-azure-cli-testsdk
azure_cognitiveservices_anomalydetector python3-azure
azure_cognitiveservices_formrecognizer python3-azure
azure_cognitiveservices_knowledge_qnamaker python3-azure
azure_cognitiveservices_language_luis python3-azure
azure_cognitiveservices_language_spellcheck python3-azure
azure_cognitiveservices_language_textanalytics python3-azure
azure_cognitiveservices_personalizer python3-azure
azure_cognitiveservices_search_autosuggest python3-azure
azure_cognitiveservices_search_customimagesearch python3-azure
azure_cognitiveservices_search_customsearch python3-azure
azure_cognitiveservices_search_entitysearch python3-azure
azure_cognitiveservices_search_imagesearch python3-azure
azure_cognitiveservices_search_newssearch python3-azure
azure_cognitiveservices_search_videosearch python3-azure
azure_cognitiveservices_search_visualsearch python3-azure
azure_cognitiveservices_search_websearch python3-azure
azure_cognitiveservices_vision_computervision python3-azure
azure_cognitiveservices_vision_contentmoderator python3-azure
azure_cognitiveservices_vision_customvision python3-azure
azure_cognitiveservices_vision_face python3-azure
azure_common python3-azure
azure_communication_chat python3-azure
azure_communication_email python3-azure
azure_communication_identity python3-azure
azure_communication_jobrouter python3-azure
azure_communication_networktraversal python3-azure
azure_communication_phonenumbers python3-azure
azure_communication_rooms python3-azure
azure_communication_sms python3-azure
azure_confidentialledger python3-azure
azure_containerregistry python3-azure
azure_core python3-azure
azure_core_experimental python3-azure
azure_cosmos python3-azure-cosmos
azure_cosmosdb_table python3-azure-cosmosdb-table
azure_data_tables python3-azure
azure_datalake_store python3-azure-datalake-store
azure_developer_devcenter python3-azure
azure_developer_loadtesting python3-azure
azure_devops python3-azext-devops
azure_devtools python3-azure-devtools
azure_digitaltwins_core python3-azure
azure_eventgrid python3-azure
azure_eventhub python3-azure
azure_eventhub_checkpointstoreblob python3-azure
azure_eventhub_checkpointstoreblob_aio python3-azure
azure_eventhub_checkpointstoretable python3-azure
azure_functions_devops_build python3-azure-functions-devops-build
azure_graphrbac python3-azure
azure_identity python3-azure
azure_iot_deviceupdate python3-azure
azure_iot_modelsrepository python3-azure
azure_keyvault python3-azure
azure_keyvault_administration python3-azure
azure_keyvault_certificates python3-azure
azure_keyvault_keys python3-azure
azure_keyvault_secrets python3-azure
azure_kusto_data python3-azure-kusto-data
azure_loganalytics python3-azure
azure_maps_geolocation python3-azure
azure_maps_render python3-azure
azure_maps_route python3-azure
azure_maps_search python3-azure
azure_media_analytics_edge python3-azure
azure_media_videoanalyzer_edge python3-azure
azure_messaging_webpubsubservice python3-azure
azure_mgmt_advisor python3-azure
azure_mgmt_agfood python3-azure
azure_mgmt_agrifood python3-azure
azure_mgmt_alertsmanagement python3-azure
azure_mgmt_apimanagement python3-azure
azure_mgmt_app python3-azure
azure_mgmt_appcomplianceautomation python3-azure
azure_mgmt_appconfiguration python3-azure
azure_mgmt_appcontainers python3-azure
azure_mgmt_applicationinsights python3-azure
azure_mgmt_appplatform python3-azure
azure_mgmt_attestation python3-azure
azure_mgmt_authorization python3-azure
azure_mgmt_automanage python3-azure
azure_mgmt_automation python3-azure
azure_mgmt_avs python3-azure
azure_mgmt_azureadb2c python3-azure
azure_mgmt_azurearcdata python3-azure
azure_mgmt_azurestack python3-azure
azure_mgmt_azurestackhci python3-azure
azure_mgmt_baremetalinfrastructure python3-azure
azure_mgmt_batch python3-azure
azure_mgmt_batchai python3-azure
azure_mgmt_billing python3-azure
azure_mgmt_billingbenefits python3-azure
azure_mgmt_botservice python3-azure
azure_mgmt_cdn python3-azure
azure_mgmt_changeanalysis python3-azure
azure_mgmt_chaos python3-azure
azure_mgmt_cognitiveservices python3-azure
azure_mgmt_commerce python3-azure
azure_mgmt_communication python3-azure
azure_mgmt_compute python3-azure
azure_mgmt_confidentialledger python3-azure
azure_mgmt_confluent python3-azure
azure_mgmt_connectedvmware python3-azure
azure_mgmt_consumption python3-azure
azure_mgmt_containerinstance python3-azure
azure_mgmt_containerregistry python3-azure
azure_mgmt_containerservice python3-azure
azure_mgmt_core python3-azure
azure_mgmt_cosmosdb python3-azure
azure_mgmt_costmanagement python3-azure
azure_mgmt_customproviders python3-azure
azure_mgmt_dashboard python3-azure
azure_mgmt_databox python3-azure
azure_mgmt_databoxedge python3-azure
azure_mgmt_databricks python3-azure
azure_mgmt_datadog python3-azure
azure_mgmt_datafactory python3-azure
azure_mgmt_datalake_analytics python3-azure
azure_mgmt_datalake_store python3-azure
azure_mgmt_datamigration python3-azure
azure_mgmt_dataprotection python3-azure
azure_mgmt_datashare python3-azure
azure_mgmt_deploymentmanager python3-azure
azure_mgmt_desktopvirtualization python3-azure
azure_mgmt_devcenter python3-azure
azure_mgmt_deviceupdate python3-azure
azure_mgmt_devspaces python3-azure
azure_mgmt_devtestlabs python3-azure
azure_mgmt_digitaltwins python3-azure
azure_mgmt_dns python3-azure
azure_mgmt_dnsresolver python3-azure
azure_mgmt_documentdb python3-azure
azure_mgmt_dynatrace python3-azure
azure_mgmt_edgegateway python3-azure
azure_mgmt_edgeorder python3-azure
azure_mgmt_education python3-azure
azure_mgmt_elastic python3-azure
azure_mgmt_elasticsan python3-azure
azure_mgmt_eventgrid python3-azure
azure_mgmt_eventhub python3-azure
azure_mgmt_extendedlocation python3-azure
azure_mgmt_fluidrelay python3-azure
azure_mgmt_frontdoor python3-azure
azure_mgmt_guestconfig python3-azure
azure_mgmt_hanaonazure python3-azure
azure_mgmt_hdinsight python3-azure
azure_mgmt_healthbot python3-azure
azure_mgmt_healthcareapis python3-azure
azure_mgmt_hybridcompute python3-azure
azure_mgmt_hybridkubernetes python3-azure
azure_mgmt_hybridnetwork python3-azure
azure_mgmt_imagebuilder python3-azure
azure_mgmt_iotcentral python3-azure
azure_mgmt_iothub python3-azure
azure_mgmt_iothubprovisioningservices python3-azure
azure_mgmt_keyvault python3-azure
azure_mgmt_kubernetesconfiguration python3-azure
azure_mgmt_kusto python3-azure
azure_mgmt_labservices python3-azure
azure_mgmt_loadtesting python3-azure
azure_mgmt_loganalytics python3-azure
azure_mgmt_logic python3-azure
azure_mgmt_logz python3-azure
azure_mgmt_machinelearningcompute python3-azure
azure_mgmt_machinelearningservices python3-azure
azure_mgmt_maintenance python3-azure
azure_mgmt_managedservices python3-azure
azure_mgmt_managementgroups python3-azure
azure_mgmt_managementpartner python3-azure
azure_mgmt_maps python3-azure
azure_mgmt_marketplaceordering python3-azure
azure_mgmt_media python3-azure
azure_mgmt_mixedreality python3-azure
azure_mgmt_mobilenetwork python3-azure
azure_mgmt_monitor python3-azure
azure_mgmt_msi python3-azure
azure_mgmt_netapp python3-azure
azure_mgmt_network python3-azure
azure_mgmt_networkfunction python3-azure
azure_mgmt_nginx python3-azure
azure_mgmt_notificationhubs python3-azure
azure_mgmt_oep python3-azure
azure_mgmt_operationsmanagement python3-azure
azure_mgmt_orbital python3-azure
azure_mgmt_peering python3-azure
azure_mgmt_policyinsights python3-azure
azure_mgmt_portal python3-azure
azure_mgmt_powerbidedicated python3-azure
azure_mgmt_powerbiembedded python3-azure
azure_mgmt_privatedns python3-azure
azure_mgmt_purview python3-azure
azure_mgmt_quantum python3-azure
azure_mgmt_quota python3-azure
azure_mgmt_rdbms python3-azure
azure_mgmt_recoveryservices python3-azure
azure_mgmt_recoveryservicesbackup python3-azure
azure_mgmt_recoveryservicessiterecovery python3-azure
azure_mgmt_redhatopenshift python3-azure
azure_mgmt_redis python3-azure
azure_mgmt_redisenterprise python3-azure
azure_mgmt_regionmove python3-azure
azure_mgmt_relay python3-azure
azure_mgmt_reservations python3-azure
azure_mgmt_resource python3-azure
azure_mgmt_resourceconnector python3-azure
azure_mgmt_resourcegraph python3-azure
azure_mgmt_resourcehealth python3-azure
azure_mgmt_resourcemover python3-azure
azure_mgmt_scheduler python3-azure
azure_mgmt_scvmm python3-azure
azure_mgmt_search python3-azure
azure_mgmt_security python3-azure
azure_mgmt_securitydevops python3-azure
azure_mgmt_securityinsight python3-azure
azure_mgmt_serialconsole python3-azure
azure_mgmt_servermanager python3-azure
azure_mgmt_servicebus python3-azure
azure_mgmt_servicefabric python3-azure
azure_mgmt_servicefabricmanagedclusters python3-azure
azure_mgmt_servicelinker python3-azure
azure_mgmt_signalr python3-azure
azure_mgmt_sql python3-azure
azure_mgmt_sqlvirtualmachine python3-azure
azure_mgmt_storage python3-azure
azure_mgmt_storagecache python3-azure
azure_mgmt_storageimportexport python3-azure
azure_mgmt_storagepool python3-azure
azure_mgmt_storagesync python3-azure
azure_mgmt_streamanalytics python3-azure
azure_mgmt_subscription python3-azure
azure_mgmt_support python3-azure
azure_mgmt_synapse python3-azure
azure_mgmt_testbase python3-azure
azure_mgmt_timeseriesinsights python3-azure
azure_mgmt_trafficmanager python3-azure
azure_mgmt_videoanalyzer python3-azure
azure_mgmt_vmwarecloudsimple python3-azure
azure_mgmt_web python3-azure
azure_mgmt_webpubsub python3-azure
azure_mgmt_workloadmonitor python3-azure
azure_mgmt_workloads python3-azure
azure_mixedreality_authentication python3-azure
azure_mixedreality_remoterendering python3-azure
azure_monitor_ingestion python3-azure
azure_monitor_opentelemetry_exporter python3-azure
azure_monitor_query python3-azure
azure_multiapi_storage python3-azure-multiapi-storage
azure_purview_administration python3-azure
azure_purview_catalog python3-azure
azure_purview_scanning python3-azure
azure_schemaregistry python3-azure
azure_schemaregistry_avroencoder python3-azure
azure_search_documents python3-azure
azure_security_attestation python3-azure
azure_servicebus python3-azure
azure_servicefabric python3-azure
azure_servicemanagement_legacy python3-azure
azure_storage_blob python3-azure-storage
azure_storage_blob_changefeed python3-azure-storage
azure_storage_file_datalake python3-azure-storage
azure_storage_file_share python3-azure-storage
azure_storage_queue python3-azure-storage
azure_synapse python3-azure
azure_synapse_accesscontrol python3-azure
azure_synapse_artifacts python3-azure
azure_synapse_managedprivateendpoints python3-azure
azure_synapse_monitoring python3-azure
azure_synapse_spark python3-azure
azure_template python3-azure
b2 backblaze-b2
b2sdk python3-b2sdk
b4 b4
babelfish python3-babelfish
backcall python3-backcall
backdoor_factory backdoor-factory
backoff python3-backoff
backup2swift python3-backup2swift
backupchecker backupchecker
banal python3-banal
bandit python3-bandit
banking.statements.nordea ofxstatement-plugins
banking.statements.osuuspankki ofxstatement-plugins
barbican python3-barbican
barbican_tempest_plugin barbican-tempest-plugin
barectf python3-barectf
barman python3-barman
baron python3-baron
base58 python3-base58
basemap python3-mpltoolkits.basemap
bashate python3-bashate
bayespy python3-bayespy
bcbio_gff python3-bcbio-gff
bcc python3-bpfcc
bcdoc python3-bcdoc
bcolz python3-bcolz
bcrypt python3-bcrypt
bdebstrap bdebstrap
bdfproxy bdfproxy
bdist_nsi python3-bdist-nsi
bdsf python3-bdsf
beanbag python3-beanbag
beanbag_docutils python3-beanbag-docutils
beancount python3-beancount
beautifulsoup4 python3-bs4
behave python3-behave
bel_resources python3-bel-resources
beniget python3-beniget
bepasty bepasty
bernhard python3-bernhard
berrynet python3-berrynet
betamax python3-betamax
beziers python3-beziers
bibtexparser python3-bibtexparser
bidict python3-bidict
bids_validator python3-bids-validator
billiard python3-billiard
binaryornot python3-binaryornot
binoculars python3-binoculars
binwalk python3-binwalk
bioblend python3-bioblend
bioframe python3-bioframe
biom_format python3-biom-format
biomaj python3-biomaj3
biomaj_cli python3-biomaj3-cli
biomaj_core python3-biomaj3-core
biomaj_daemon python3-biomaj3-daemon
biomaj_download python3-biomaj3-download
biomaj_process python3-biomaj3-process
biomaj_user python3-biomaj3-user
biomaj_zipkin python3-biomaj3-zipkin
biopython python3-biopython
biotools python3-biotools
bioxtasraw python3-bioxtasraw
bip32utils python3-bip32utils
biplist python3-biplist
bitarray python3-bitarray
bitbucket_api python3-bitbucket-api
bitshuffle bitshuffle
bitstring python3-bitstring
bitstruct python3-bitstruct
bjdata python3-bjdata
black black
bladerf python3-bladerf
blaeu blaeu
blag blag
bleach python3-bleach
bleak python3-bleak
blessed python3-blessed
blessings python3-blessings
blinker python3-blinker
blis python3-cython-blis
blockdiag python3-blockdiag
bloom python3-bloom
blosc python3-blosc
blurhash_python python3-blurhash
bmap_tools bmap-tools
bmtk python3-bmtk
boltons python3-boltons
bondpy python3-bondpy
bonsai python3-bonsai
bookletimposer bookletimposer
boolean.py python3-boolean
booleanOperations python3-booleanoperations
borgbackup borgbackup
borgmatic borgmatic
boto python3-boto
boto3 python3-boto3
botocore python3-botocore
bottle python3-bottle
bottle_beaker python3-bottle-beaker
bottle_cork python3-bottle-cork
bottle_sqlite python3-bottle-sqlite
bpython bpython
bqplot python3-bqplot
braceexpand python3-braceexpand
bracex python3-bracex
braintree python3-braintree
branca python3-branca
breathe python3-breathe
brebis brebis
breezy python3-breezy
brial python3-brial
brz_debian brz-debian
brz_etckeeper etckeeper
bsddb3 python3-bsddb3
btchip_python python3-btchip
btest btest
btrfs python3-btrfs
btrfsutil python3-btrfsutil
bugwarrior bugwarrior
build python3-build
buildbot buildbot
buildbot_worker buildbot-worker
buildlog_consultant python3-buildlog-consultant
buku buku
bumblebee_status bumblebee-status
bump2version bumpversion
bumps python3-bumps
bundlewrap bundlewrap
bx_python python3-bx
bytecode python3-bytecode
cached_property python3-cached-property
cachelib python3-cachelib
cachetools python3-cachetools
cachy python3-cachy
cairocffi python3-cairocffi
cajarename caja-rename
caldav python3-caldav
calendarweek python3-calendarweek
calmjs python3-calmjs
calmjs.parse python3-calmjs.parse
calmjs.types python3-calmjs.types
calypso calypso
camera_calibration python3-camera-calibration
camera_calibration_parsers python3-camera-calibration-parsers
canadian_ham_exam canadian-ham-exam
canmatrix python3-canmatrix
canonicaljson python3-canonicaljson
capirca python3-capirca
cappuccino cappuccino
capstone python3-capstone
carbon graphite-carbon
casa_formats_io python3-casa-formats-io
case python3-case
cassandra_driver python3-cassandra
castellan python3-castellan
catalogue python3-catalogue
catfish catfish
catfishq catfishq
catkin python3-catkin
catkin_pkg python3-catkin-pkg
catkin_tools catkin-tools
cattrs python3-cattr
cbor python3-cbor
cbor2 python3-cbor2
ccdproc python3-ccdproc
cclib python3-cclib
cctbx python3-cctbx
cdiff python3-cdiff
cdist cdist
cdo python3-cdo
cdsapi python3-cdsapi
cecilia cecilia
cedar_backup3 cedar-backup3
ceilometer python3-ceilometer
ceilometermiddleware python3-ceilometermiddleware
celery python3-celery
celery_haystack_ng python3-celery-haystack-ng
celery_progress python3-celery-progress
ceph python3-ceph-common
ceph_iscsi ceph-iscsi
ceph_volume ceph-osd
cephfs python3-cephfs
cephfs_top cephfs-top
certbot python3-certbot
certbot_apache python3-certbot-apache
certbot_dns_cloudflare python3-certbot-dns-cloudflare
certbot_dns_digitalocean python3-certbot-dns-digitalocean
certbot_dns_dnsimple python3-certbot-dns-dnsimple
certbot_dns_gehirn python3-certbot-dns-gehirn
certbot_dns_google python3-certbot-dns-google
certbot_dns_linode python3-certbot-dns-linode
certbot_dns_ovh python3-certbot-dns-ovh
certbot_dns_rfc2136 python3-certbot-dns-rfc2136
certbot_dns_route53 python3-certbot-dns-route53
certbot_dns_sakuracloud python3-certbot-dns-sakuracloud
certbot_dns_standalone python3-certbot-dns-standalone
certbot_nginx python3-certbot-nginx
certbot_plugin_gandi python3-certbot-dns-gandi
certifi python3-certifi
certipy python3-certipy
cffi python3-cffi
cffsubr python3-cffsubr
cfg_diag python3-cfg-diag
cfgrib python3-cfgrib
cfgv python3-cfgv
cftime python3-cftime
cgecore python3-cgecore
changelog python3-changelog
changeo changeo
channels python3-django-channels
channels_redis python3-channels-redis
characteristic python3-characteristic
chardet python3-chardet
chargebee python3-chargebee
charset_normalizer python3-charset-normalizer
chartkick python3-chartkick
chaussette chaussette
check_manifest check-manifest
cheroot python3-cheroot
chirp chirp
ci_info python3-ci-info
cif2cell python3-cif2cell
cigar python3-cigar
cinder python3-cinder
cinder_tempest_plugin cinder-tempest-plugin
circlator circlator
circuitbreaker python3-circuitbreaker
circuits python3-circuits
ciso8601 python3-ciso8601
citeproc_py python3-citeproc
ck python3-ck
clap_api python3-clap
cleo python3-cleo
clevercsv python3-clevercsv
cli_helpers python3-cli-helpers
cliapp python3-cliapp
click python3-click
click_completion python3-click-completion
click_default_group python3-click-default-group
click_didyoumean python3-click-didyoumean
click_help_colors python3-click-help-colors
click_log python3-click-log
click_man python3-click-man
click_option_group python3-click-option-group
click_plugins python3-click-plugins
click_repl python3-click-repl
click_threading python3-click-threading
clickhouse_driver python3-clickhouse-driver
cliff python3-cliff
cligj python3-cligj
clikit python3-clikit
clint python3-clint
cloud_init cloud-init
cloud_sptheme python3-cloud-sptheme
cloudflare python3-cloudflare
cloudkitty python3-cloudkitty
cloudkitty_dashboard python3-cloudkitty-dashboard
cloudkitty_tempest_plugin cloudkitty-tempest-plugin
cloudpickle python3-cloudpickle
cloup python3-cloup
cluster python3-cluster
cmaes python3-cmaes
cmake_annotate cmake-format
cmake_format cmake-format
cmake_lint cmake-format
cmake_parse cmake-format
cmakelang cmake-format
cmarkgfm python3-cmarkgfm
cmd2 python3-cmd2
cmdtest cmdtest
cmyt python3-cmyt
coards python3-coards
cobra python3-cobra
codegen python3-codegen
codespell codespell
codicefiscale python3-codicefiscale
cogent3 python3-cogent3
cognitive_complexity python3-cognitive-complexity
colcon_argcomplete python3-colcon-argcomplete
colcon_bash python3-colcon-bash
colcon_cd python3-colcon-cd
colcon_cmake python3-colcon-cmake
colcon_core python3-colcon-core
colcon_defaults python3-colcon-defaults
colcon_devtools python3-colcon-devtools
colcon_library_path python3-colcon-library-path
colcon_metadata python3-colcon-metadata
colcon_notification python3-colcon-notification
colcon_output python3-colcon-output
colcon_package_information python3-colcon-package-information
colcon_package_selection python3-colcon-package-selection
colcon_parallel_executor python3-colcon-parallel-executor
colcon_pkg_config python3-colcon-pkg-config
colcon_python_setup_py python3-colcon-python-setup-py
colcon_recursive_crawl python3-colcon-recursive-crawl
colcon_ros python3-colcon-ros
colcon_test_result python3-colcon-test-result
colcon_zsh python3-colcon-zsh
colorama python3-colorama
colorcet python3-colorcet
colorclass python3-colorclass
colored python3-colored
colored_traceback python3-colored-traceback
coloredlogs python3-coloredlogs
colorlog python3-colorlog
colormap python3-colormap
colormath python3-colormath
colorspacious python3-colorspacious
colorzero python3-colorzero
colour python3-colour
comm python3-comm
commando python3-commando
commentjson python3-commentjson
commonmark python3-commonmark
compreffor python3-compreffor
compyle python3-compyle
concurrent_log_handler python3-concurrent-log-handler
conda_package_handling conda-package-handling
conda_package_streaming python3-conda-package-streaming
confget python3-confget
configobj python3-configobj
configshell_fb python3-configshell-fb
confluent_kafka python3-confluent-kafka
confusable_homoglyphs python3-confusable-homoglyphs
confuse python3-confuse
congruity congruity
connection_pool python3-connection-pool
consonance python3-consonance
constantly python3-constantly
constraint_grammar python3-cg3
construct python3-construct
construct_legacy python3-construct.legacy
contextlib2 python3-contextlib2
contourpy python3-contourpy
convertdate python3-convertdate
cookiecutter python3-cookiecutter
cookies python3-cookies
cooler python3-cooler
coreapi python3-coreapi
coreschema python3-coreschema
cotyledon python3-cotyledon
coverage python3-coverage
coverage_test_runner python3-coverage-test-runner
cplay_ng cplay-ng
cppimport python3-cppimport
cpplint cpplint
cppman cppman
cppy python3-cppy
cptrace python3-ptrace
cpuset python3-cpuset
cracklib python3-cracklib
cram python3-cram
crank python3-crank
crashtest python3-crashtest
crayons python3-crayons
crc32c python3-crc32c
crccheck python3-crccheck
crcelk python3-crcelk
crcmod python3-crcmod
createrepo_c python3-createrepo-c
crispy_forms_foundation python3-django-crispy-forms-foundation
crit criu
crmsh crmsh
crochet python3-crochet
croniter python3-croniter
crossbar python3-crossbar
crossrefapi python3-crossrefapi
crudini crudini
cryptography python3-cryptography
cryptography_vectors python3-cryptography-vectors
cs python3-cs
csa python3-csa
csaps python3-csaps
csb python3-csb
csb43 python3-csb43
cson python3-cson
css_parser python3-css-parser
csscompressor python3-csscompressor
cssmin python3-cssmin
cssselect python3-cssselect
cssselect2 python3-cssselect2
cssutils python3-cssutils
csvkit python3-csvkit
ctdconverter ctdconverter
cumin cumin
cups_of_caffeine caffeine
cupshelpers python3-cupshelpers
cursive python3-cursive
curtsies python3-curtsies
custodia python3-custodia
customidenticon python3-customidenticon
cutadapt python3-cutadapt
cuteSV cutesv
cv_bridge python3-cv-bridge
cvdupdate clamav-cvdupdate
cvelib python3-cvelib
cvxopt python3-cvxopt
cwcwidth python3-cwcwidth
cwiid python3-cwiid
cwl_upgrader cwl-upgrader
cwl_utils python3-cwl-utils
cwlformat cwlformat
cwltool cwltool
cyarray python3-cyarray
cycle cycle
cycler python3-cycler
cylc_flow python3-cylc
cymem python3-cymem
cymruwhois python3-cymruwhois
cypari2 python3-cypari2
cytoolz python3-cytoolz
cyvcf2 python3-cyvcf2
d2to1 python3-d2to1
dacite python3-dacite
daemonize python3-daemonize
daiquiri python3-daiquiri
daphne python3-daphne
darkslide darkslide
darts.util.lru python3-darts.lib.utils.lru
dasbus python3-dasbus
dask python3-dask
dask_sphinx_theme python3-dask-sphinx-theme
databases python3-databases
datacache python3-datacache
dataclasses_json python3-dataclasses-json
datalad python3-datalad
datalad_container datalad-container
dateparser python3-dateparser
datrie python3-datrie
db2twitter db2twitter
dbf python3-dbf
dbfread python3-dbfread
dblatex dblatex
dbus_deviation python3-dbusdeviation
dbus_fast python3-dbus-fast
dbus_next python3-dbus-next
dbus_python python3-dbus
dcmstack python3-dcmstack
dcos python3-dcos
ddgr ddgr
ddt python3-ddt
ddupdate ddupdate
deap python3-deap
debdate debdate
debdry debdry
debian_crossgrader crossgrader
debiancontributors python3-debiancontributors
debmake debmake
debmutate python3-debmutate
debocker debocker
debspawn debspawn
debtags debtags
debtcollector python3-debtcollector
debugpy python3-debugpy
decorator python3-decorator
deepTools python3-deeptools
deepdiff python3-deepdiff
deepmerge python3-deepmerge
deeptoolsintervals python3-deeptoolsintervals
defcon python3-defcon
defer python3-defer
defusedxml python3-defusedxml
deluge deluge-common
demjson python3-demjson
denss python3-denss
depinfo python3-depinfo
deprecation python3-deprecation
depthcharge_tools depthcharge-tools
derpconf python3-derpconf
designate python3-designate
designate_dashboard python3-designate-dashboard
designate_tempest_plugin designate-tempest-plugin
designate_tlds designate-tlds
devpi_common python3-devpi-common
devscripts devscripts
dfdatetime python3-dfdatetime
dfvfs python3-dfvfs
dfwinreg python3-dfwinreg
dh_cmake dh-cmake
dh_virtualenv dh-virtualenv
dhcpcanon dhcpcanon
dhcpig dhcpig
dhcpy6d dhcpy6d
diagnostic_analysis python3-diagnostic-analysis
diagnostic_common_diagnostics python3-diagnostic-common-diagnostics
diagnostic_updater python3-diagnostic-updater
diagrams python3-diagrams
dials python3-dials
dials_data python3-dials-data
diaspy_api python3-diaspy
dib_utils python3-dib-utils
diceware diceware
dicoclient python3-dicoclient
dicompyler_core python3-dicompylercore
dict2xml python3-dict2xml
dicteval python3-dicteval
dictobj python3-dictobj
dicttoxml python3-dicttoxml
diff_match_patch python3-diff-match-patch
diffoscope diffoscope-minimal
dill python3-dill
dioptas dioptas
dipy python3-dipy
dirhash python3-dirhash
dirq python3-dirq
dirsearch dirsearch
dirspec python3-dirspec
dirty_equals python3-dirty-equals
discodos discodos
discord.py python3-discord
diskcache python3-diskcache
diskimage_builder python3-diskimage-builder
dissononce python3-dissononce
distlib python3-distlib
distorm3 python3-distorm3
distributed python3-distributed
distro python3-distro
distro_info python3-distro-info
dj_database_url python3-dj-database-url
dj_static python3-dj-static
django_admin_sortable python3-django-adminsortable
django_ajax_selects python3-ajax-select
django_allauth python3-django-allauth
django_analytical python3-django-analytical
django_any_js python3-django-any-js
django_anymail python3-django-anymail
django_appconf python3-django-appconf
django_assets python3-django-assets
django_auth_ldap python3-django-auth-ldap
django_auto_one_to_one python3-django-auto-one-to-one
django_axes python3-django-axes
django_babel python3-django-babel
django_bitfield python3-django-bitfield
django_bleach python3-django-bleach
django_bootstrap_form python3-django-bootstrapform
django_braces python3-django-braces
django_cachalot python3-django-cachalot
django_cache_machine python3-django-cache-machine
django_cache_memoize python3-django-cache-memoize
django_cacheops python3-django-cacheops
django_cas_client python3-django-casclient
django_cas_server python3-django-cas-server
django_celery_beat python3-django-celery-beat
django_celery_email python3-django-celery-email
django_celery_results python3-django-celery-results
django_ckeditor python3-django-ckeditor
django_classy_tags python3-django-classy-tags
django_cleanup python3-django-cleanup
django_colorfield python3-django-colorfield
django_compressor python3-django-compressor
django_constance python3-django-constance
django_contact_form python3-django-contact-form
django_contrib_comments python3-django-contrib-comments
django_cors_headers python3-django-cors-headers
django_countries python3-django-countries
django_crispy_forms python3-django-crispy-forms
django_csp python3-django-csp
django_cte python3-django-cte
django_dbbackup python3-django-dbbackup
django_dbconn_retry python3-django-dbconn-retry
django_debreach python3-django-debreach
django_debug_toolbar python3-django-debug-toolbar
django_dirtyfields python3-django-dirtyfields
django_downloadview python3-django-downloadview
django_dynamic_preferences python3-django-dynamic-preferences
django_environ python3-django-environ
django_etcd_settings python3-django-etcd-settings
django_extensions python3-django-extensions
django_extra_views python3-django-extra-views
django_favicon_plus_reloaded python3-django-favicon-plus-reloaded
django_filter python3-django-filters
django_formtools python3-django-formtools
django_fsm python3-django-fsm
django_fsm_admin python3-django-fsm-admin
django_graphiql_debug_toolbar python3-django-graphiql-debug-toolbar
django_gravatar2 python3-django-gravatar2
django_guardian python3-django-guardian
django_haystack python3-django-haystack
django_health_check python3-django-health-check
django_housekeeping python3-django-housekeeping
django_hvad python3-django-hvad
django_ical python3-django-ical
django_iconify python3-django-iconify
django_imagekit python3-django-imagekit
django_impersonate python3-django-impersonate
django_import_export python3-django-import-export
django_invitations python3-django-invitations
django_ipware python3-django-ipware
django_jinja python3-django-jinja
django_js_asset python3-django-js-asset
django_js_reverse python3-django-js-reverse
django_ldapdb python3-django-ldapdb
django_libsass python3-django-libsass
django_macaddress python3-django-macaddress
django_mailman3 python3-django-mailman3
django_maintenance_mode python3-django-maintenance-mode
django_maintenancemode python3-django-maintenancemode
django_markupfield python3-django-markupfield
django_measurement python3-django-measurement
django_memoize python3-django-memoize
django_menu_generator_ng python3-django-menu-generator-ng
django_model_utils python3-django-model-utils
django_modelcluster python3-django-modelcluster
django_modeltranslation python3-django-modeltranslation
django_mptt python3-django-mptt
django_navtag python3-django-navtag
django_netfields python3-django-netfields
django_nose python3-django-nose
django_notification python3-django-notification
django_oauth_toolkit python3-django-oauth-toolkit
django_ordered_model python3-django-ordered-model
django_organizations python3-django-organizations
django_otp python3-django-otp
django_otp_yubikey python3-django-otp-yubikey
django_pagination python3-django-pagination
django_paintstore python3-django-paintstore
django_parler python3-django-parler
django_pglocks python3-django-pglocks
django_pgschemas python3-django-pgschemas
django_phonenumber_field python3-django-phonenumber-field
django_picklefield python3-django-picklefield
django_pint python3-django-pint
django_pipeline python3-django-pipeline
django_polymodels python3-django-polymodels
django_polymorphic python3-django-polymorphic
django_postgres_extra python3-django-postgres-extra
django_prometheus python3-django-prometheus
django_push_notifications python3-django-push-notifications
django_pyscss python3-django-pyscss
django_python3_ldap python3-django-python3-ldap
django_q python3-django-q
django_qr_code python3-django-qr-code
django_ranged_response python3-django-ranged-response
django_recurrence python3-django-recurrence
django_redis python3-django-redis
django_redis_sessions python3-django-redis-sessions
django_registration python3-django-registration
django_render_block python3-django-render-block
django_rest_hooks python3-django-rest-hooks
django_reversion python3-django-reversion
django_rich python3-django-rich
django_rq python3-django-rq
django_sass python3-django-sass
django_sass_processor python3-django-sass-processor
django_sekizai python3-django-sekizai
django_select2 python3-django-select2
django_session_security python3-django-session-security
django_setuptest python3-django-setuptest
django_shortuuidfield python3-django-shortuuidfield
django_simple_captcha python3-django-captcha
django_simple_history python3-django-simple-history
django_simple_redis_admin python3-django-redis-admin
django_sitetree python3-django-sitetree
django_sortedm2m python3-sortedm2m
django_split_settings python3-django-split-settings
django_storages python3-django-storages
django_stronghold python3-django-stronghold
django_tables2 python3-django-tables2
django_tagging python3-django-tagging
django_taggit python3-django-taggit
django_tastypie python3-django-tastypie
django_templated_email python3-django-templated-email
django_testproject python3-django-testproject
django_timezone_field python3-django-timezone-field
django_titofisto python3-django-titofisto
django_treebeard python3-django-treebeard
django_uwsgi_ng python3-django-uwsgi-ng
django_waffle python3-django-waffle
django_webpack_loader python3-django-webpack-loader
django_widget_tweaks python3-django-widget-tweaks
django_wkhtmltopdf python3-django-wkhtmltopdf
django_xmlrpc python3-django-xmlrpc
django_yarnpkg python3-django-yarnpkg
djangorestframework python3-djangorestframework
djangorestframework_api_key python3-djangorestframework-api-key
djangorestframework_filters python3-djangorestframework-filters
djangorestframework_gis python3-djangorestframework-gis
djangorestframework_guardian python3-django-restframework-guardian
djangorestframework_simplejwt python3-djangorestframework-simplejwt
djangosaml2 python3-django-saml2
djoser python3-djoser
djvubind djvubind
dkimpy python3-dkim
dkimpy_milter dkimpy-milter
dlt python3-dlt
dltlyse python3-dltlyse
dmsh python3-dmsh
dna_jellyfish python3-dna-jellyfish
dnaio python3-dnaio
dnarrange dnarrange
dns_lexicon python3-lexicon
dnsdiag dnsdiag
dnslib python3-dnslib
dnspython python3-dnspython
dnsq python3-dnsq
dnstwist dnstwist
dnsviz dnsviz
doc8 python3-doc8
docformatter python3-docformatter
docker python3-docker
docker_compose docker-compose
docker_pycreds python3-dockerpycreds
dockerpty python3-dockerpty
docopt python3-docopt
docstring_to_markdown python3-docstring-to-markdown
docutils python3-docutils
docxcompose python3-docxcompose
docxtpl python3-docxtpl
dodgy dodgy
dogpile.cache python3-dogpile.cache
dogtail python3-dogtail
doit python3-doit
dolfinx_mpc python3-dolfinx-mpc
domain2idna python3-domain2idna
domain_coordinator python3-domain-coordinator
dominate python3-dominate
donfig python3-donfig
dosage dosage
dot2tex dot2tex
dotenv_cli python3-dotenv-cli
dotty_dict python3-dotty-dict
doxypypy python3-doxypypy
doxyqml doxyqml
dpkt python3-dpkt
dput python3-dput
drf_extensions python3-djangorestframework-extensions
drf_flex_fields python3-djangorestframework-flex-fields
drf_generators python3-djangorestframework-generators
drf_haystack python3-djangorestframework-haystack
drf_spectacular python3-djangorestframework-spectacular
drgn python3-drgn
drizzle python3-drizzle
drmaa python3-drmaa
drms python3-drms
droidlysis droidlysis
dropbox python3-dropbox
drslib python3-drslib
dtcwt python3-dtcwt
dtfabric python3-dtfabric
dtrx dtrx
dtschema dt-schema
duckpy python3-duckpy
duecredit python3-duecredit
dugong python3-dugong
dulwich python3-dulwich
duniterpy python3-duniterpy
duo_client python3-duo-client
duplicity duplicity
dxf2gcode dxf2gcode
dxtbx python3-cctbx
dyda python3-dyda
dynaconf python3-dynaconf
dynamic_reconfigure python3-dynamic-reconfigure
eagerpy python3-eagerpy
easy_ansi python3-easyansi
easydev python3-easydev
easydict python3-easydict
easygui python3-easygui
easysnmp python3-easysnmp
easywebdav python3-easywebdav
eccodes python3-eccodes
ecdsa python3-ecdsa
echo python3-echo
ecmwflibs python3-ecmwflibs
edgegrid_python python3-edgegrid
edlib python3-edlib
efilter python3-efilter
einsteinpy python3-einsteinpy
elastalert elastalert
elasticsearch python3-elasticsearch
elasticsearch_curator python3-elasticsearch-curator
elementpath python3-elementpath
eliot python3-eliot
email_validator python3-email-validator
emcee python3-emcee
emoji python3-emoji
emperor python3-emperor
empy python3-empy
enet python3-enet
enjarify enjarify
enlighten python3-enlighten
enmerkar python3-enmerkar
enrich python3-enrich
entrypoints python3-entrypoints
envisage python3-envisage
envparse python3-envparse
envs python3-envs
enzyme python3-enzyme
epc python3-epc
ephem python3-ephem
ephemeral_port_reserve python3-ephemeral-port-reserve
epigrass epigrass
epimodels python3-epimodels
epoptes epoptes
errbot errbot
escapism python3-escapism
esda python3-esda
esmre python3-esmre
et_xmlfile python3-et-xmlfile
etcd3 python3-etcd3
etcd3gw python3-etcd3gw
ete3 python3-ete3
etelemetry python3-etelemetry
etesync python3-etesync
ethtool python3-ethtool
evdev python3-evdev
eventlet python3-eventlet
ewmh python3-ewmh
exabgp python3-exabgp
exam python3-exam
exceptiongroup python3-exceptiongroup
exchangelib python3-exchangelib
execnet python3-execnet
executing python3-executing
exhale python3-exhale
exotel python3-exotel
expiringdict python3-expiringdict
extension_helpers python3-extension-helpers
extinction python3-extinction
extras python3-extras
eyeD3 python3-eyed3
ezdxf python3-ezdxf
fabio python3-fabio
fabric python3-fabric
fabulous python3-fabulous
factory_boy python3-factory-boy
fades fades
fail2ban fail2ban
faiss python3-faiss
fakeredis python3-fakeredis
fakesleep python3-fakesleep
falcon python3-falcon
fann2 python3-fann2
fast5 python3-fast5
fast_histogram python3-fast-histogram
fastapi python3-fastapi
fastbencode python3-fastbencode
fastchunking python3-fastchunking
fastcluster python3-fastcluster
fasteners python3-fasteners
fastentrypoints python3-fastentrypoints
fastimport python3-fastimport
fastjsonschema python3-fastjsonschema
fastkml python3-fastkml
fasttext python3-fasttext
fava python3-fava
fbless fbless
fbtftp python3-fbtftp
fdroidserver fdroidserver
feather_format python3-feather-format
feature_check python3-feature-check
febelfin_coda python3-febelfin-coda
feed2exec feed2exec
feed2toot feed2toot
feedgenerator python3-feedgenerator
feedparser python3-feedparser
fenics_basix python3-basix
fenics_dijitso python3-dijitso
fenics_dolfin python3-dolfin
fenics_ffc python3-ffc
fenics_ffcx python3-ffcx
fenics_fiat python3-fiat
fenics_ufl python3-ufl
fenrir_screenreader fenrir
ffcv python3-ffcv
fhs_paths python3-fhs
fido2 python3-fido2
fierce fierce
file_encryptor python3-file-encryptor
filelock python3-filelock
filetype python3-filetype
findlibs python3-findlibs
findpython python3-findpython
fire python3-fire
first python3-first
fissix python3-fissix
fisx python3-fisx
fitbit python3-fitbit
fitsio python3-fitsio
fiu python3-fiu
fixtures python3-fixtures
flake8 python3-flake8
flake8_2020 python3-flake8-2020
flake8_black python3-flake8-black
flake8_blind_except python3-flake8-blind-except
flake8_builtins python3-flake8-builtins
flake8_class_newline python3-flake8-class-newline
flake8_cognitive_complexity python3-flake8-cognitive-complexity
flake8_comprehensions python3-flake8-comprehensions
flake8_deprecated python3-flake8-deprecated
flake8_docstrings python3-flake8-docstrings
flake8_import_order python3-flake8-import-order
flake8_mutable python3-flake8-mutable
flake8_noqa python3-flake8-noqa
flake8_polyfill python3-flake8-polyfill
flake8_quotes python3-flake8-quotes
flaky python3-flaky
flanker python3-flanker
flasgger python3-flasgger
flask_dance python3-flask-dance
flask_marshmallow python3-flask-marshmallow
flask_mongoengine python3-flask-mongoengine
flask_multistatic python3-flaskext.multistatic
flask_paginate python3-flask-paginate
flask_peewee python3-flask-peewee
flask_talisman python3-flask-talisman
flatbuffers python3-flatbuffers
flatlatex python3-flatlatex
flexmock python3-flexmock
flickrapi python3-flickrapi
flit flit
flit_core flit
flit_scm python3-flit-scm
flox python3-flox
fluent_logger python3-fluent-logger
flufl.bounce python3-flufl.bounce
flufl.enum python3-flufl.enum
flufl.i18n python3-flufl.i18n
flufl.lock python3-flufl.lock
flufl.testing python3-flufl.testing
fluids python3-fluids
fluster_conformance fluster
flye flye
folium python3-folium
fontMath python3-fontmath
fontParts python3-fontparts
fontPens python3-fontpens
fontmake python3-fontmake
fonttools python3-fonttools
foolscap python3-foolscap
formiko formiko
fortls fortran-language-server
fparser python3-fparser
fpylll python3-fpylll
fpyutils python3-fpyutils
freeart python3-freeart
freedom_maker freedom-maker
freenom python3-freenom
freesas python3-freesas
freesasa python3-freesasa
freetype_py python3-freetype
freezegun python3-freezegun
freezer python3-freezer
freezer_api python3-freezer-api
freezer_web_ui python3-freezer-web-ui
frozendict python3-frozendict
frozenlist python3-frozenlist
fs python3-fs
fsspec python3-fsspec
fswrap python3-fswrap
ftputil python3-ftputil
fudge python3-fudge
funcparserlib python3-funcparserlib
funcsigs python3-funcsigs
funcy python3-funcy
furl python3-furl
furo furo
fuse_python python3-fuse
fusepy python3-fusepy
future python3-future
futurist python3-futurist
fuzzywuzzy python3-fuzzywuzzy
fypp fypp
fysom python3-fysom
gTTS python3-gtts
gTTS_token python3-gtts-token
gTranscribe gtranscribe
gWakeOnLAN gwakeonlan
gabbi python3-gabbi
gajim gajim
galileo galileo
gallery_dl gallery-dl
galpy python3-galpy
galternatives galternatives
gammapy python3-gammapy
ganeshactl python3-nfs-ganesha
gast python3-gast
gattlib python3-gattlib
gau2grid python3-gau2grid
gavodachs python3-gavo-utils
gbp git-buildpackage
gbulb python3-gbulb
gcalcli gcalcli
gccjit python3-gccjit
gcircle python3-ferret
gcovr gcovr
gdspy python3-gdspy
gear python3-gear
gencpp python3-gencpp
geneagrapher python3-geneagrapher
geneimpacts python3-geneimpacts
genetic python3-genetic
genlisp python3-genlisp
genmsg python3-genmsg
genpy python3-genpy
gensim python3-gensim
genty python3-genty
geographiclib python3-geographiclib
geoip2 python3-geoip2
geojson python3-geojson
geolinks python3-geolinks
geomet python3-geomet
geopandas python3-geopandas
geopy python3-geopy
germinate python3-germinate
gerritlib python3-gerritlib
gertty gertty
get_version python3-get-version
getdns python3-getdns
getmail6 getmail6
gevent python3-gevent
gevent_websocket python3-gevent-websocket
geventhttpclient python3-geventhttpclient
gfal2_util python3-gfal2-util
gfapy python3-gfapy
gffutils python3-gffutils
gflanguages python3-gflanguages
gftools gftools
ghdiff python3-ghdiff
ghp_import ghp-import
gimmik python3-gimmik
ginga python3-ginga
git_big_picture python3-git-big-picture
git_build_recipe git-build-recipe
git_cola git-cola
git_crecord git-crecord
git_delete_merged_branches python3-git-delete-merged-branches
git_filter_repo git-filter-repo
git_imerge git-imerge
git_os_job python3-git-os-job
git_phab git-phab
git_pw git-pw
git_review git-review
git_revise git-revise
gita gita
gitdb python3-gitdb
gitinspector gitinspector
gitlabracadabra gitlabracadabra
gitless gitless
gitlint_core gitlint
gitsome gitsome
gitup python3-git-repo-updater
glad2 python3-glad
glance python3-glance
glance_store python3-glance-store
glance_tempest_plugin glance-tempest-plugin
glcontext python3-glcontext
glean_parser glean-parser
glfw python3-pyglfw
glob2 python3-glob2
glue glue-sprite
glue_core python3-glue
glyphsLib python3-glyphslib
glyphsets python3-glyphsets
glyphspkg glyphspkg
gmplot python3-gmplot
gmpy2 python3-gmpy2
gnocchi python3-gnocchi
gnocchiclient python3-gnocchiclient
gnome_activity_journal gnome-activity-journal
gnome_keysign gnome-keysign
gnuplot_py python3-gnuplot
gnuplotlib python3-gnuplotlib
google_api_python_client python3-googleapi
google_auth python3-google-auth
google_auth_httplib2 python3-google-auth-httplib2
google_auth_oauthlib python3-google-auth-oauthlib
google_i18n_address python3-google-i18n-address
gourmand gourmand
gpapi python3-gpapi
gpaw gpaw
gpfs python3-nfs-ganesha
gpg python3-gpg
gphoto2 python3-gphoto2
gphoto2_cffi python3-gphoto2cffi
gpiozero python3-gpiozero
gplaycli gplaycli
gpodder gpodder
gps python3-gps
gpsoauth python3-gpsoauth
gpxpy python3-gpxpy
gpxviewer gpxviewer
gpyfft python3-gpyfft
grabserial grabserial
graide graide
gramps gramps
grapefruit python3-grapefruit
graphene python3-graphene
graphene_django python3-django-graphene
graphite2 python3-graphite2
graphite_api graphite-api
graphite_web graphite-web
graphql_core python3-graphql-core
graphql_relay python3-graphql-relay
graphviz python3-graphviz
graypy python3-graypy
greenlet python3-greenlet
griffe python3-griffe
grokevt grokevt
grpcio python3-grpcio
grpcio_tools python3-grpc-tools
gsd python3-gsd
gssapi python3-gssapi
gsw python3-gsw
gtfparse python3-gtfparse
gtimelog gtimelog
guake guake
gudhi python3-gudhi
guess_language_spirit python3-guess-language
guessit python3-guessit
guidata python3-guidata
guider guider
guiqwt python3-guiqwt
guizero python3-guizero
gumbo python3-gumbo
gunicorn python3-gunicorn
guzzle_sphinx_theme python3-guzzle-sphinx-theme
gvb gvb
gvm_tools gvm-tools
gwcs python3-gwcs
gwebsockets python3-gwebsockets
gyp gyp
h11 python3-h11
h2 python3-h2
h5netcdf python3-h5netcdf
h5py._debian_h5py_mpi python3-h5py-mpi
h5py._debian_h5py_serial python3-h5py-serial
h5sparse python3-h5sparse
hachoir hachoir
hacking python3-hacking
halo python3-halo
handy_archives python3-handy-archives
haproxy_log_analysis python3-haproxy-log-analysis
harmony_discord python3-harmony
harmonypy python3-harmonypy
hashID hashid
hashids python3-hashids
hatch_requirements_txt python3-hatch-requirements-txt
hatch_vcs python3-hatch-vcs
hatchling python3-hatchling
haystack_redis python3-django-haystack-redis
hazwaz python3-hazwaz
hcloud python3-hcloud
hdf5plugin python3-hdf5plugin
hdf5storage python3-hdf5storage
hdf_compass python3-hdf-compass
hdmedians python3-hdmedians
hdmf python3-hdmf
headerparser python3-headerparser
healpy python3-healpy
heat_dashboard python3-heat-dashboard
heat_tempest_plugin heat-tempest-plugin
helpdev helpdev
helpman helpman
heudiconv heudiconv
hexbytes python3-hexbytes
hg_git mercurial-git
hgapi python3-hgapi
hickle python3-hickle
hidapi python3-hid
hidapi_cffi python3-hidapi
hiera_py python3-hiera
hinawa_utils python3-hinawa-utils
hips python3-hips
hiredis python3-hiredis
hiro python3-hiro
hkdf python3-hkdf
hl7 python3-hl7
hnswlib python3-hnswlib
holidays python3-holidays
home_assistant_bluetooth python3-home-assistant-bluetooth
horizon python3-django-horizon
hostsed hostsed
howdoi howdoi
hpack python3-hpack
hsluv python3-hsluv
hsmwiz hsmwiz
html2text python3-html2text
html5_parser python3-html5-parser
html5lib python3-html5lib
html_sanitizer python3-html-sanitizer
html_text python3-html-text
htmlmin python3-htmlmin
httmock python3-httmock
http_parser python3-http-parser
httpbin python3-httpbin
httpcode httpcode
httpcore python3-httpcore
httpie httpie
httplib2 python3-httplib2
httpretty python3-httpretty
httpsig python3-httpsig
httptools python3-httptools
httpx python3-httpx
hug python3-hug
humanfriendly python3-humanfriendly
humanize python3-humanize
hunspell python3-hunspell
hupper python3-hupper
hurry.filesize python3-hurry.filesize
hvac python3-hvac
hy python3-hy
hydroffice.bag python3-hydroffice.bag
hypercorn python3-hypercorn
hyperframe python3-hyperframe
hyperlink python3-hyperlink
hyperspy python3-hyperspy
hypothesis python3-hypothesis
hypothesis_auto python3-hypothesis-auto
i3ipc python3-i3ipc
i3pystatus i3pystatus
i8c i8c
iapws python3-iapws
ibm_cloud_sdk_core python3-ibm-cloud-sdk-core
ibm_watson python3-ibm-watson
icalendar python3-icalendar
icdiff icdiff
icecream python3-icecream
icmplib python3-icmplib
icoextract python3-icoextract
identify python3-identify
idna python3-idna
idseq_bench idseq-bench
ifaddr python3-ifaddr
igor python3-igor
igraph python3-igraph
ijson python3-ijson
ilorest ilorest
image_geometry python3-image-geometry
imageio python3-imageio
imagesize python3-imagesize
imap_tools python3-imap-tools
imaplib2 python3-imaplib2
imbalanced_learn python3-imblearn
imediff imediff
imexam python3-imexam
img2pdf python3-img2pdf
imgp imgp
imgviz python3-imgviz
iminuit python3-iminuit
immutabledict python3-immutabledict
impacket python3-impacket
impass impass
importlab python3-importlab
importlib_metadata python3-importlib-metadata
importlib_resources python3-importlib-resources
importmagic python3-importmagic
in_toto in-toto
include_server distcc-pump
incremental python3-incremental
indexed_gzip python3-indexed-gzip
infinity python3-infinity
inflect python3-inflect
inflection python3-inflection
influxdb python3-influxdb
iniconfig python3-iniconfig
inifile python3-inifile
iniparse python3-iniparse
injector python3-injector
inotify python3-inotify
input_remapper python3-inputremapper
installation_birthday installation-birthday
installer python3-installer
instaloader instaloader
intake python3-intake
intbitset python3-intbitset
intelhex python3-intelhex
interactive_markers python3-interactive-markers
internetarchive python3-internetarchive
intervals python3-intervals
intervaltree python3-intervaltree
intervaltree_bio python3-intervaltree-bio
invoke python3-invoke
ionit ionit
iotop iotop
iow python3-iow
iowait python3-iowait
ipaclient python3-ipaclient
ipahealthcheck freeipa-healthcheck
ipalib python3-ipalib
ipaplatform python3-ipalib
ipapython python3-ipalib
ipdb python3-ipdb
ipfix python3-ipfix
ipp python3-libtrace
iptables_converter iptables-converter
ipykernel python3-ipykernel
ipyparallel python3-ipyparallel
ipython python3-ipython
ipython_genutils python3-ipython-genutils
ipywidgets python3-ipywidgets
irc python3-irc
irclog2html irclog2html
iredis iredis
ironic python3-ironic
ironic_inspector python3-ironic-inspector
ironic_lib python3-ironic-lib
ironic_tempest_plugin ironic-tempest-plugin
ironic_ui python3-ironic-ui
isbg isbg
isbnlib python3-isbnlib
isc_dhcp_leases python3-isc-dhcp-leases
iso3166 python3-iso3166
iso8601 python3-iso8601
isodate python3-isodate
isort python3-isort
isosurfaces python3-isosurfaces
isoweek python3-isoweek
itango python3-itango
itemadapter python3-itemadapter
itemloaders python3-itemloaders
itsdangerous python3-itsdangerous
itypes python3-itypes
iva iva
j2cli j2cli
janus python3-janus
jaraco.classes python3-jaraco.classes
jaraco.collections python3-jaraco.collections
jaraco.context python3-jaraco.context
jaraco.functools python3-jaraco.functools
jaraco.itertools python3-jaraco.itertools
jaraco.text python3-jaraco.text
javaobj_py3 python3-javaobj
javaproperties python3-javaproperties
jc jc
jdata python3-jdata
jdcal python3-jdcal
jedi python3-jedi
jeepney python3-jeepney
jeepyb jeepyb
jellyfish python3-jellyfish
jenkins_job_builder python3-jenkins-job-builder
jenkinsapi python3-jenkinsapi
jieba python3-jieba
jinja2_time python3-jinja2-time
jinja_vanish python3-jinja-vanish
jira python3-jira
jmespath python3-jmespath
joblib python3-joblib
joint_state_publisher joint-state-publisher
joint_state_publisher_gui joint-state-publisher-gui
josepy python3-josepy
journal_brief journal-brief
joypy python3-joypy
jplephem python3-jplephem
jpy python3-jpy
jpylyzer python3-jpylyzer
jsbeautifier python3-jsbeautifier
jschema_to_python python3-jschema-to-python
jsmin python3-jsmin
json5 python3-json5
json_rpc python3-jsonrpc
json_tricks python3-json-tricks
jsondiff python3-jsondiff
jsonext python3-jsonext
jsonhyperschema_codec python3-jsonhyperschema-codec
jsonnet python3-jsonnet
jsonpatch python3-jsonpatch
jsonpath_rw python3-jsonpath-rw
jsonpath_rw_ext python3-jsonpath-rw-ext
jsonpickle python3-jsonpickle
jsonpointer python3-json-pointer
jsonrpclib_pelix python3-jsonrpclib-pelix
jsonschema python3-jsonschema
jstyleson python3-jstyleson
junit_xml python3-junit.xml
junitparser python3-junitparser
junitxml python3-junitxml
junos_eznc python3-junos-eznc
jupyter_client python3-jupyter-client
jupyter_console python3-jupyter-console
jupyter_core python3-jupyter-core
jupyter_kernel_test python3-jupyter-kernel-test
jupyter_packaging python3-jupyter-packaging
jupyter_server python3-jupyter-server
jupyter_server_mathjax python3-jupyter-server-mathjax
jupyter_sphinx python3-jupyter-sphinx
jupyter_sphinx_theme python3-jupyter-sphinx-theme
jupyter_telemetry python3-jupyter-telemetry
jupyterhub jupyterhub
jupyterlab_pygments python3-jupyterlab-pygments
jupyterlab_server python3-jupyterlab-server
jwcrypto python3-jwcrypto
kafka_python python3-kafka
kaitaistruct python3-kaitaistruct
kajiki python3-kajiki
kamcli kamcli
kanboard python3-kanboard
kanboard_cli kanboard-cli
kanjidraw python3-kanjidraw
kapidox kapidox
kaptan python3-kaptan
karabo_bridge python3-karabo-bridge
kas kas
kazam kazam
kazoo python3-kazoo
kconfiglib python3-kconfiglib
kdtree python3-kdtree
keepalive python3-keepalive
keyman_config python3-keyman-config
keymapper keymapper
keyring python3-keyring
keyrings.alt python3-keyrings.alt
keystone python3-keystone
keystone_tempest_plugin keystone-tempest-plugin
keystoneauth1 python3-keystoneauth1
keystonemiddleware python3-keystonemiddleware
keyutils python3-keyutils
kgb python3-kgb
khal khal
khard khard
khmer khmer
kineticsTools python3-kineticstools
kitchen python3-kitchen
kiwi kiwi
kiwisolver python3-kiwisolver
klaus python3-klaus
knack python3-knack
knitpy python3-knitpy
knockpy knockpy
kombu python3-kombu
krop krop
kthresher kthresher
kubernetes python3-kubernetes
kytos_sphinx_theme python3-kytos-sphinx-theme
kytos_utils kytos-utils
l20n python3-l20n
labelme labelme
labgrid python3-labgrid
lamassemble lamassemble
lammps python3-lammps
langdetect python3-langdetect
lark python3-lark
laser_geometry python3-laser-geometry
latexcodec python3-latexcodec
launchpadlib python3-launchpadlib
lava_common lava-common
lava_coordinator lava-coordinator
lava_dispatcher lava-dispatcher
lava_dispatcher_host lava-dispatcher-host
lava_server lava-server
lavacli lavacli
lazr.config python3-lazr.config
lazr.delegates python3-lazr.delegates
lazr.restfulclient python3-lazr.restfulclient
lazr.uri python3-lazr.uri
lazy python3-lazy
lazy_loader python3-lazy-loader
lazy_object_proxy python3-lazy-object-proxy
lazyarray python3-lazyarray
lazygal lazygal
ldap3 python3-ldap3
ldapdomaindump python3-ldapdomaindump
ldappool python3-ldappool
leather python3-leather
lecm lecm
ledger_autosync ledger-autosync
ledgerhelpers ledgerhelpers
lefse lefse
legacy_api_wrap python3-legacy-api-wrap
legit legit
leidenalg python3-leidenalg
lensfun python3-lensfun
lerc python3-lerc
lesana lesana
lesscpy python3-lesscpy
lfm lfm
liac_arff python3-liac-arff
lib389 python3-lib389
libais python3-ais
libarchive_c python3-libarchive-c
libcomps python3-libcomps
libconcord python3-libconcord
libconf python3-libconf
libevdev python3-libevdev
libfdt python3-libfdt
libhfst_swig python3-hfst
libi8x python3-libi8x
libkdumpfile python3-libkdumpfile
libknot python3-libknot
liblarch python3-liblarch
libnacl python3-libnacl
libnatpmp python3-libnatpmp
libpysal python3-libpysal
librecaptcha python3-librecaptcha
librouteros python3-librouteros
libsass python3-libsass
libsumo sumo
libthumbor python3-libthumbor
libtmux python3-libtmux
libtorrent python3-libtorrent
libtraci sumo
libusb1 python3-usb1
libvirt_python python3-libvirt
libzim python3-libzim
license_expression python3-license-expression
lift lift
lightdm_gtk_greeter_settings lightdm-gtk-greeter-settings
limits python3-limits
limnoria limnoria
line_profiler python3-line-profiler
linecache2 python3-linecache2
linetable python3-linetable
linkify_it_py python3-linkify-it
lintian_brush lintian-brush
linux_show_player linux-show-player
lios lios
liquidctl liquidctl
listparser python3-listparser
litecli litecli
littleutils python3-littleutils
livereload python3-livereload
llfuse python3-llfuse
llvmlite python3-llvmlite
lmdb python3-lmdb
lmfit python3-lmfit
locket python3-locket
lockfile python3-lockfile
locust python3-locust
log_symbols python3-log-symbols
logassert python3-logassert
logfury python3-logfury
loggerhead loggerhead
logging_tree python3-logging-tree
logilab_common python3-logilab-common
logilab_constraint python3-logilab-constraint
loguru python3-loguru
logutils python3-logutils
logzero python3-logzero
londiste python3-londiste
lookatme lookatme
loompy python3-loompy
louis python3-louis
lptools lptools
lqa lqa
lru_dict python3-lru-dict
ltfatpy python3-ltfatpy
lti python3-lti
lttnganalyses python3-lttnganalyses
lttngust python3-lttngust
lttoolbox python3-lttoolbox
luckyLUKS luckyluks
ludev_t ludevit
luma.core python3-luma.core
luma.emulator python3-luma.emulator
luma.lcd python3-luma.lcd
luma.led_matrix python3-luma.led-matrix
luma.oled python3-luma.oled
lunardate python3-lunardate
lunr python3-lunr
lupa python3-lupa
lxml python3-lxml
lybniz lybniz
lz4 python3-lz4
lz4tools python3-lz4tools
lzss python3-lzss
lzstring python3-lzstring
m2r python3-m2r
m3u8 python3-m3u8
macaroonbakery python3-macaroonbakery
macaulay2_jupyter_kernel macaulay2-jupyter-kernel
macholib python3-macholib
magcode_core python3-magcode-core
magic_wormhole magic-wormhole
magic_wormhole_mailbox_server python3-magic-wormhole-mailbox-server
magic_wormhole_transit_relay magic-wormhole-transit-relay
magnum python3-magnum
magnum_tempest_plugin magnum-tempest-plugin
magnum_ui python3-magnum-ui
mailer python3-mailer
mailman mailman3
mailman_hyperkitty python3-mailman-hyperkitty
mailmanclient python3-mailmanclient
mailnag mailnag
maison python3-maison
makefun python3-makefun
mallard_ducktype python3-mallard.ducktype
mando python3-mando
manila python3-manila
manila_tempest_plugin manila-tempest-plugin
manila_ui python3-manila-ui
mantis_xray mantis-xray
manuel python3-manuel
mapbox_earcut python3-mapbox-earcut
mapdamage mapdamage
mapnik python3-mapnik
mappy python3-mappy
mapscript python3-mapscript
marathon python3-marathon
marisa python3-marisa
markdown2 python3-markdown2
markdown_callouts python3-markdown-callouts
markdown_exec python3-markdown-exec
markdown_include python3-markdown-include
markdown_it_py python3-markdown-it
marshmallow python3-marshmallow
marshmallow_dataclass python3-marshmallow-dataclass
marshmallow_enum python3-marshmallow-enum
marshmallow_polyfield python3-marshmallow-polyfield
marshmallow_sqlalchemy python3-marshmallow-sqlalchemy
masakari python3-masakari
masakari_dashboard python3-masakari-dashboard
masakari_monitors python3-masakari-monitors
mate_hud mate-hud
mate_menu mate-menu
mate_tweak mate-tweak
mathlibtools mathlibtools
matplotlib python3-matplotlib
matplotlib_inline python3-matplotlib-inline
matplotlib_venn python3-matplotlib-venn
matrix_common python3-matrix-common
matrix_nio python3-matrix-nio
matrix_sydent matrix-sydent
matrix_synapse matrix-synapse
matrix_synapse_ldap3 matrix-synapse-ldap3
maxminddb python3-maxminddb
mayavi mayavi2
mbed_host_tests python3-mbed-host-tests
mbed_ls python3-mbed-ls
mbstrdecoder python3-mbstrdecoder
mccabe python3-mccabe
md_toc python3-md-toc
mdit_py_plugins python3-mdit-py-plugins
mdtraj python3-mdtraj
mdurl python3-mdurl
measurement python3-measurement
mecab_python python3-mecab
mechanize python3-mechanize
mediafile python3-mediafile
meld3 python3-meld3
membernator membernator
memoized_property python3-memoized-property
memory_allocator python3-memory-allocator
memory_profiler python3-memory-profiler
memprof python3-memprof
menulibre menulibre
mercurial mercurial-common
mercurial_extension_utils python3-mercurial-extension-utils
mercurial_keyring mercurial-keyring
merge3 python3-merge3
mergedeep python3-mergedeep
mergedict python3-mergedict
meshio python3-meshio
meshplex python3-meshplex
meshzoo python3-meshzoo
meson meson
meson_python python3-mesonpy
message_filters python3-message-filters
metaconfig python3-metaconfig
metakernel python3-metakernel
metalfinder metalfinder
metastudent metastudent
meteo_qt meteo-qt
metomi_isodatetime python3-isodatetime
metview python3-metview
mf2py python3-mf2py
microversion_parse python3-microversion-parse
mido python3-mido
milksnake python3-milksnake
mimerender python3-mimerender
mini_buildd python3-mini-buildd
mini_dinstall mini-dinstall
mini_soong mini-soong
minidb python3-minidb
minieigen python3-minieigen
minigalaxy minigalaxy
mininet mininet
miniupnpc python3-miniupnpc
mintpy python3-mintpy
mir_eval python3-mir-eval
mirtop python3-mirtop
mistletoe python3-mistletoe
mistral python3-mistral
mistral_dashboard python3-mistral-dashboard
mistral_lib python3-mistral-lib
mistral_tempest_tests mistral-tempest-plugin
mistune python3-mistune
mistune0 python3-mistune0
mitmproxy mitmproxy
mitogen python3-mitogen
mkautodoc python3-mkautodoc
mkchromecast mkchromecast
mkdocs mkdocs
mkdocs_autorefs mkdocs-autorefs
mkdocs_click mkdocs-click
mkdocs_literate_nav mkdocs-literate-nav
mkdocs_material_extensions mkdocs-material-extensions
mkdocs_redirects mkdocs-redirects
mkdocs_section_index mkdocs-section-index
mkdocstrings mkdocstrings
mkdocstrings_python mkdocstrings-python-handlers
mkdocstrings_python_legacy mkdocstrings-python-legacy
mkosi mkosi
ml_collections python3-ml-collections
mlbstreamer mlbstreamer
mlpack python3-mlpack
mlpy python3-mlpy
mmcif_pdbx python3-pdbx
mmtf_python python3-mmtf
mne python3-mne
mnemonic python3-mnemonic
mock python3-mock
mock_open python3-mock-open
mockito python3-mockito
mockldap python3-mockldap
mockupdb python3-mockupdb
mod_python libapache2-mod-python
model_bakery python3-model-bakery
modem_cmd modem-cmd
moderngl python3-moderngl
moderngl_window python3-moderngl-window
modernize python3-libmodernize
mofapy python3-mofapy
moksha.common python3-moksha.common
molotov python3-molotov
monajat python3-monajat
monasca_statsd python3-monasca-statsd
mongoengine python3-mongoengine
mongomock python3-mongomock
monotonic python3-monotonic
monty python3-monty
more_itertools python3-more-itertools
moreorless python3-moreorless
morph python3-morph
morris python3-morris
motor python3-motor
mousetrap gnome-mousetrap
moviepy python3-moviepy
mox3 python3-mox3
mozilla_devscripts mozilla-devscripts
mpegdash python3-mpegdash
mpi4py python3-mpi4py
mpi4py_fft python3-mpi4py-fft
mpiplus python3-mpiplus
mpl_animators python3-mpl-animators
mpl_scatter_density python3-mpl-scatter-density
mpl_sphinx_theme python3-mpl-sphinx-theme
mplcursors python3-mplcursors
mplexporter python3-mplexporter
mpmath python3-mpmath
mps_youtube mps-youtube
mrcfile python3-mrcfile
mrtparse python3-mrtparse
msal python3-msal
msal_extensions python3-msal-extensions
msgpack python3-msgpack
msgpack_numpy python3-msgpack-numpy
msmb_theme python3-msmb-theme
msoffcrypto_tool python3-msoffcrypto-tool
msrest python3-msrest
msrestazure python3-msrestazure
mssql_django python3-mssql-django
mugshot mugshot
mujson python3-mujson
multi_key_dict python3-multi-key-dict
multidict python3-multidict
multipledispatch python3-multipledispatch
multipletau python3-multipletau
multiplex python3-multiplex
multiprocess python3-multiprocess
multiqc multiqc
multisplitby python3-multisplitby
munch python3-munch
munkres python3-munkres
murano python3-murano
murano_agent murano-agent
murano_dashboard python3-murano-dashboard
murano_pkg_check python3-murano-pkg-check
murano_tempest_plugin murano-tempest-plugin
murmurhash python3-murmurhash
music python3-music
musicbrainzngs python3-musicbrainzngs
mutagen python3-mutagen
mwclient python3-mwclient
mwoauth python3-mwoauth
mwparserfromhell python3-mwparserfromhell
mycli mycli
mygpoclient python3-mygpoclient
myhdl python3-myhdl
mypy python3-mypy
mypy_extensions python3-mypy-extensions
mypy_protobuf mypy-protobuf
mysql_connector_python python3-mysql.connector
mysqlclient python3-mysqldb
myst_parser python3-myst-parser
nagiosplugin python3-nagiosplugin
nagstamon nagstamon
nala nala
nameparser python3-nameparser
nanoget python3-nanoget
nanomath python3-nanomath
natkit python3-libtrace
natsort python3-natsort
navarp python3-navarp
nb2plots python3-nb2plots
nbclassic python3-nbclassic
nbclient python3-nbclient
nbconvert python3-nbconvert
nbformat python3-nbformat
nbgitpuller python3-nbgitpuller
nbsphinx python3-nbsphinx
nbsphinx_link python3-nbsphinx-link
nbxmpp python3-nbxmpp
ncbi_acc_download ncbi-acc-download
ncclient python3-ncclient
ncls python3-ncls
ndcube python3-ndcube
ndg_httpsclient python3-ndg-httpsclient
neo python3-neo
nest_asyncio python3-nest-asyncio
netCDF4 python3-netcdf4
netaddr python3-netaddr
netdisco python3-netdisco
netfilter python3-netfilter
netifaces python3-netifaces
netmiko python3-netmiko
network_runner python3-network-runner
network_wrapper python3-network
networking_bagpipe python3-networking-bagpipe
networking_baremetal python3-ironic-neutron-agent
networking_bgpvpn python3-networking-bgpvpn
networking_l2gw python3-networking-l2gw
networking_mlnx python3-networking-mlnx
networking_sfc python3-networking-sfc
networkx python3-networkx
neutron python3-neutron
neutron_dynamic_routing python3-neutron-dynamic-routing
neutron_ha_tool neutron-ha-tool
neutron_lib python3-neutron-lib
neutron_tempest_plugin neutron-tempest-plugin
neutron_vpnaas python3-neutron-vpnaas
neutron_vpnaas_dashboard python3-neutron-vpnaas-dashboard
nextstrain_augur augur
nftables python3-nftables
ngs python3-ngs
nibabel python3-nibabel
nine python3-nine
nipy python3-nipy
nipype python3-nipype
nitime python3-nitime
nltk python3-nltk
nml nml
nodeenv nodeenv
noise python3-noise
nordugrid_arc_nagios_plugins nordugrid-arc-nagios-plugins
nose python3-nose
nose2 python3-nose2
noseOfYeti python3-noseofyeti
nose_exclude python3-nose-exclude
nose_parameterized python3-nose-parameterized
nose_random python3-nose-random
nose_timer python3-nose-timer
nosehtmloutput python3-nosehtmloutput
nosexcover python3-nosexcover
notcurses python3-notcurses
notebook python3-notebook
notify2 python3-notify2
notmuch python3-notmuch
notmuch2 python3-notmuch2
notofonttools python3-nototools
notus_scanner notus-scanner
nova python3-nova
nox python3-nox
npm2deb npm2deb
npx python3-npx
nrpe_ng nrpe-ng
nsscache nsscache
ntlm_auth python3-ntlm-auth
ntp python3-ntp
ntplib python3-ntplib
nudatus python3-nudatus
num2words python3-num2words
numba python3-numba
numcodecs python3-numcodecs
numexpr python3-numexpr
numpy python3-numpy
numpy_groupies python3-numpy-groupies
numpy_stl python3-stl
numpydoc python3-numpydoc
numpysane python3-numpysane
nvchecker nvchecker
nwdiag python3-nwdiag
nyx nyx
oauth2client python3-oauth2client
oauthlib python3-oauthlib
objgraph python3-objgraph
obsub python3-obsub
ocrmypdf ocrmypdf
octave_kernel python3-octave-kernel
octavia python3-octavia
octavia_dashboard python3-octavia-dashboard
octavia_lib python3-octavia-lib
octavia_tempest_plugin octavia-tempest-plugin
odfpy python3-odf
odoo odoo-14
offtrac python3-offtrac
ofxclient python3-ofxclient
ofxhome python3-ofxhome
ofxparse python3-ofxparse
ofxstatement ofxstatement
ofxstatement_airbankcz ofxstatement-plugins
ofxstatement_al_bank ofxstatement-plugins
ofxstatement_austrian ofxstatement-plugins
ofxstatement_be_argenta ofxstatement-plugins
ofxstatement_be_ing ofxstatement-plugins
ofxstatement_be_kbc ofxstatement-plugins
ofxstatement_be_keytrade ofxstatement-plugins
ofxstatement_be_triodos ofxstatement-plugins
ofxstatement_betterment ofxstatement-plugins
ofxstatement_bubbas ofxstatement-plugins
ofxstatement_consors ofxstatement-plugins
ofxstatement_czech ofxstatement-plugins
ofxstatement_dab ofxstatement-plugins
ofxstatement_de_ing ofxstatement-plugins
ofxstatement_de_triodos ofxstatement-plugins
ofxstatement_fineco ofxstatement-plugins
ofxstatement_germany_1822direkt ofxstatement-plugins
ofxstatement_germany_postbank ofxstatement-plugins
ofxstatement_intesasp ofxstatement-plugins
ofxstatement_is_arionbanki ofxstatement-plugins
ofxstatement_iso20022 ofxstatement-plugins
ofxstatement_lansforsakringar ofxstatement-plugins
ofxstatement_latvian ofxstatement-plugins
ofxstatement_lfs ofxstatement-plugins
ofxstatement_lithuanian ofxstatement-plugins
ofxstatement_mbank.sk ofxstatement-plugins
ofxstatement_otp ofxstatement-plugins
ofxstatement_polish ofxstatement-plugins
ofxstatement_postfinance ofxstatement-plugins
ofxstatement_raiffeisencz ofxstatement-plugins
ofxstatement_russian ofxstatement-plugins
ofxstatement_seb ofxstatement-plugins
ofxstatement_simple ofxstatement-plugins
ofxstatement_unicreditcz ofxstatement-plugins
ognibuild ognibuild
olefile python3-olefile
omegaconf python3-omegaconf
omemo_backend_signal python3-omemo-backend-signal
omgifol python3-omg
onboard onboard
onedrivesdk python3-onedrivesdk
onetimepass python3-onetimepass
onewire python3-onewire
onioncircuits onioncircuits
onionprobe onionprobe
onionshare onionshare
onionshare_cli onionshare-cli
onnx python3-onnx
ont_fast5_api ont-fast5-api
ont_tombo tombo
ontospy python3-ontospy
ooolib_python python3-ooolib
opcodes python3-opcodes
open3d python3-open3d
openEMS python3-openems
openMotor openmotor
openTSNE python3-opentsne
opendrop opendrop
openidc_client python3-python-openidc-client
openpaperwork_core openpaperwork-core
openpaperwork_gtk openpaperwork-gtk
openpyxl python3-openpyxl
openqa_client python3-openqa-client
openscap_daemon openscap-daemon
openshift python3-openshift
openshot_qt openshot-qt
openslide_python python3-openslide
openstack.nose_plugin python3-openstack.nose-plugin
openstack_heat python3-heat
openstack_placement python3-placement
openstackdocstheme python3-openstackdocstheme
openstacksdk python3-openstacksdk
openstep_plist python3-openstep-plist
opentimestamps python3-opentimestamps
opentracing python3-opentracing
openturns python3-openturns
opentype_sanitizer python3-ots
opgpcard opgpcard
optlang python3-optlang
optuna python3-optuna
oracledb python3-oracledb
orbit_predictor python3-orbit-predictor
ordered_set python3-ordered-set
orderedattrdict python3-orderedattrdict
orderedmultidict python3-orderedmultidict
orderedset python3-orderedset
organize_tool organize
ormar python3-ormar
ortools python3-ortools
os_api_ref python3-os-api-ref
os_apply_config python3-os-apply-config
os_brick python3-os-brick
os_client_config python3-os-client-config
os_collect_config python3-os-collect-config
os_faults python3-os-faults
os_ken python3-os-ken
os_refresh_config python3-os-refresh-config
os_resource_classes python3-os-resource-classes
os_service_types python3-os-service-types
os_testr python3-os-testr
os_traits python3-os-traits
os_vif python3-os-vif
os_win python3-os-win
os_xenapi python3-os-xenapi
osc osc
osc_lib python3-osc-lib
osc_placement python3-osc-placement
osc_plugin_dput osc-plugin-dput
oscrypto python3-oscrypto
oslo.cache python3-oslo.cache
oslo.concurrency python3-oslo.concurrency
oslo.config python3-oslo.config
oslo.context python3-oslo.context
oslo.db python3-oslo.db
oslo.i18n python3-oslo.i18n
oslo.limit python3-oslo.limit
oslo.log python3-oslo.log
oslo.messaging python3-oslo.messaging
oslo.metrics python3-oslo.metrics
oslo.middleware python3-oslo.middleware
oslo.policy python3-oslo.policy
oslo.privsep python3-oslo.privsep
oslo.reports python3-oslo.reports
oslo.rootwrap python3-oslo.rootwrap
oslo.serialization python3-oslo.serialization
oslo.service python3-oslo.service
oslo.upgradecheck python3-oslo.upgradecheck
oslo.utils python3-oslo.utils
oslo.versionedobjects python3-oslo.versionedobjects
oslo.vmware python3-oslo.vmware
oslosphinx python3-oslosphinx
oslotest python3-oslotest
osmapi python3-osmapi
osmium python3-pyosmium
osmnx python3-osmnx
ospd_openvas ospd-openvas
osprofiler python3-osprofiler
ospurge python3-ospurge
osrf_pycommon python3-osrf-pycommon
ostree_push ostree-push
outcome python3-outcome
overpass python3-overpass
overpy python3-overpy
ovn_octavia_provider python3-ovn-octavia-provider
ovs python3-openvswitch
ovsdbapp python3-ovsdbapp
oz oz
packaging python3-packaging
pacparser python3-pacparser
padaos python3-padaos
padme python3-padme
pafy python3-pafy
pagekite pagekite
pager python3-pager
pagure pagure
paho_mqtt python3-paho-mqtt
pairtools python3-pairtools
paleomix paleomix
palettable python3-palettable
pamela python3-pamela
pamqp python3-pamqp
pandas python3-pandas
pandoc_plantuml_filter pandoc-plantuml-filter
pandocfilters python3-pandocfilters
pangoLEARN python3-pangolearn
pankoclient python3-pankoclient
panoramisk python3-panoramisk
pantalaimon python3-pantalaimon
panwid python3-panwid
paperwork paperwork-gtk
paperwork_backend paperwork-backend
paperwork_shell paperwork-shell
paq python3-paq
parallax python3-parallax
parallel_fastq_dump parallel-fastq-dump
param python3-param
parameterized python3-parameterized
paramiko python3-paramiko
parasail python3-parasail
parfive python3-parfive
parse python3-parse
parse_type python3-parse-type
parsedatetime python3-parsedatetime
parsel python3-parsel
parsero parsero
parsimonious python3-parsimonious
parso python3-parso
partd python3-partd
pass_audit pass-extension-audit
pass_git_helper pass-git-helper
passlib python3-passlib
pastel python3-pastel
patator patator
patatt python3-patatt
patch_ng python3-patch-ng
path python3-path
path_and_address python3-path-and-address
pathspec python3-pathspec
pathspider pathspider
pathtools python3-pathtools
pathvalidate python3-pathvalidate
patiencediff python3-patiencediff
patool patool
patroni patroni
patsy python3-patsy
pauvre python3-pauvre
paypal python3-paypal
pbcommand python3-pbcommand
pbcore python3-pbcore
pbkdf2 python3-pbkdf2
pbr python3-pbr
pcapy python3-pcapy
pcbasic python3-pcbasic
pcp python3-pcp
pcs pcs
pdb2pqr python3-pdb2pqr
pdb_tools python3-pdbtools
pdbfixer python3-pdbfixer
pdd pdd
pdfarranger pdfarranger
pdfkit python3-pdfkit
pdfminer.six python3-pdfminer
pdfrw python3-pdfrw
pdm python3-pdm
pdm_pep517 python3-pdm-pep517
pdudaemon pdudaemon
pecan python3-pecan
peewee python3-peewee
pefile python3-pefile
pelican pelican
pem python3-pem
pendulum python3-pendulum
pep517 python3-pep517
pep8 python3-pep8
pep8_naming python3-pep8-naming
percol percol
perf linux-perf
periodictable python3-periodictable
persepolis persepolis
persist_queue python3-persist-queue
persistent python3-persistent
persisting_theory python3-persisting-theory
pex python3-pex
pexpect python3-pexpect
pg8000 python3-pg8000
pg_activity pg-activity
pgbouncer python3-pgbouncer
pgcli pgcli
pglast python3-pglast
pglistener pglistener
pgmagick python3-pgmagick
pgpdump python3-pgpdump
pgq python3-pgq
pgspecial python3-pgspecial
pgxnclient pgxnclient
pgzero python3-pgzero
phabricator python3-phabricator
phat python3-phat
phonenumbers python3-phonenumbers
phonopy python3-phonopy
photocollage photocollage
photofilmstrip photofilmstrip
photutils python3-photutils
phply python3-phply
phpserialize python3-phpserialize
phx_class_registry python3-phx-class-registry
phylo_treetime python3-treetime
picklable_itertools python3-picklable-itertools
pickleshare python3-pickleshare
picopore python3-picopore
piexif python3-piexif
pigpio python3-pigpio
pika python3-pika
pikepdf python3-pikepdf
pil python3-pil
pilkit python3-pilkit
pip python3-pip
pip_check_reqs pip-check-reqs
pipdeptree python3-pipdeptree
pipedviewer python3-ferret
pipenv pipenv
pipsi pipsi
pipx pipx
pius pius
pkgconfig python3-pkgconfig
pkginfo python3-pkginfo
pkihealthcheck pki-server
plac python3-plac
plakativ python3-plakativ
planetary_system_stacker planetary-system-stacker
planetfilter planetfilter
plasTeX python3-plastex
plaso python3-plaso
plaster python3-plaster
plaster_pastedeploy python3-plaster-pastedeploy
platformdirs python3-platformdirs
platformio platformio
pldns python3-libtrace
plip plip
plotly python3-plotly
plover plover
plt python3-libtrace
pluggy python3-pluggy
pluginbase python3-pluginbase
plumbum python3-plumbum
ply python3-ply
plyara python3-plyara
plyer python3-plyer
plyvel python3-plyvel
pocketsphinx python3-pocketsphinx
pocsuite3 pocsuite3
podcastparser python3-podcastparser
podman_compose podman-compose
poetry python3-poetry
poetry_core python3-poetry-core
poezio poezio
pokrok python3-pokrok
poliastro python3-poliastro
polib python3-polib
policyd_rate_limit policyd-rate-limit
polyline python3-polyline
pomegranate python3-pomegranate
pony python3-pony
pooch python3-pooch
pook python3-pook
porechop porechop
poretools poretools
port_for python3-port-for
portalocker python3-portalocker
portend python3-portend
portio python3-portio
portpicker python3-portpicker
postfix_mta_sts_resolver postfix-mta-sts-resolver
postgresfixture python3-postgresfixture
postorius python3-django-postorius
powa_collector powa-collector
power python3-power
powerline_gitstatus python3-powerline-gitstatus
powerline_status python3-powerline
powerline_taskwarrior python3-powerline-taskwarrior
ppft python3-ppft
pplpy python3-ppl
ppmd_cffi python3-ppmd
pprintpp python3-pprintpp
pprofile python3-pprofile
praw python3-praw
prawcore python3-prawcore
pre_commit pre-commit
precis_i18n python3-precis-i18n
prefixed python3-prefixed
preggy python3-preggy
prelude python3-prelude
prelude_correlator prelude-correlator
preludedb python3-preludedb
presentty presentty
presets python3-presets
preshed python3-preshed
presto python3-presto
pretend python3-pretend
prettylog python3-prettylog
prettytable python3-prettytable
prewikka prewikka
primecountpy python3-primecountpy
priority python3-priority
prison python3-prison
pristine_lfs pristine-lfs
proboscis python3-proboscis
procrunner python3-procrunner
prodigy python3-prodigy
profitbricks python3-profitbricks
proglog python3-proglog
progress python3-progress
progressbar python3-progressbar
progressbar2 python3-progressbar2
project_generator python3-project-generator
project_generator_definitions python3-project-generator-definitions
proliantutils python3-proliantutils
prometheus_client python3-prometheus-client
prometheus_openstack_exporter prometheus-openstack-exporter
prometheus_pgbouncer_exporter prometheus-pgbouncer-exporter
prometheus_xmpp_alerts prometheus-xmpp-alerts
promise python3-promise
prompt_toolkit python3-prompt-toolkit
propka python3-propka
proselint python3-proselint
proteus tryton-proteus
protobix python3-protobix
protobuf python3-protobuf
prov python3-prov
proxmoxer python3-proxmoxer
psautohint python3-psautohint
psd_tools python3-psd-tools
pssh python3-psshlib
psutil python3-psutil
psycogreen python3-psycogreen
psycopg python3-psycopg3
psycopg2 python3-psycopg2
psycopg2cffi python3-psycopg2cffi
psycopg_pool python3-psycopg3-pool
ptk python3-ptk
ptpython ptpython
ptyprocess python3-ptyprocess
publicsuffix2 python3-publicsuffix2
pubpaste pubpaste
pudb python3-pudb
puddletag puddletag
pulseaudio_dlna pulseaudio-dlna
pulsectl python3-pulsectl
pulsemixer pulsemixer
pure_eval python3-pure-eval
pure_sasl python3-pure-sasl
puremagic python3-puremagic
purl python3-purl
pwman3 pwman3
pwntools python3-pwntools
pwquality python3-pwquality
pxpx px
py python3-py
py2bit python3-py2bit
py3dns python3-dns
py3exiv2 python3-py3exiv2
py3status py3status
py7zr python3-py7zr
pyBigWig python3-pybigwig
pyClamd python3-pyclamd
pyFAI python3-pyfai
pyFFTW python3-pyfftw
pyFlow python3-pyflow
pyFltk python3-fltk
pyIOSXR python3-pyiosxr
pyNFFT python3-pynfft
pyOpenSSL python3-openssl
pyPEG2 python3-pypeg2
pyRFC3339 python3-rfc3339
pyRdfa3 python3-pyrdfa
pySFML python3-sfml
pyScss python3-pyscss
pyVows python3-pyvows
py_cpuinfo python3-cpuinfo
py_enigma python3-enigma
py_lz4framed python3-lz4framed
py_moneyed python3-moneyed
py_postgresql python3-postgresql
py_radix python3-radix
py_stringmatching python3-py-stringmatching
py_ubjson python3-ubjson
py_zipkin python3-py-zipkin
pyabpoa python3-pyabpoa
pyacoustid python3-acoustid
pyaes python3-pyaes
pyagentx python3-pyagentx
pyahocorasick python3-ahocorasick
pyalsa python3-pyalsa
pyalsaaudio python3-alsaaudio
pyaml python3-pretty-yaml
pyani python3-pyani
pyannotate python3-pyannotate
pyao python3-pyao
pyaps3 python3-pyaps3
pyarmnn python3-pyarmnn
pyasn python3-pyasn
pyasn1 python3-pyasn1
pyasn1_modules python3-pyasn1-modules
pyassimp python3-pyassimp
pyaxmlparser python3-pyaxmlparser
pybadges python3-pybadges
pybeam python3-pybeam
pybedtools python3-pybedtools
pybel python3-pybel
pybind11 python3-pybind11
pybtex python3-pybtex
pybtex_docutils python3-pybtex-docutils
pybugz bugz
pycadf python3-pycadf
pycairo python3-cairo
pycallgraph python3-pycallgraph
pycares python3-pycares
pycdlib python3-pycdlib
pychm python3-chm
pychopper python3-pychopper
pycirkuit pycirkuit
pyclipper python3-pyclipper
pyclustering python3-pyclustering
pycoQC pycoqc
pycoast python3-pycoast
pycodcif python3-pycodcif
pycodestyle python3-pycodestyle
pycollada python3-collada
pycosat python3-pycosat
pycountry python3-pycountry
pycparser python3-pycparser
pycryptodomex python3-pycryptodome
pycryptosat python3-cryptominisat
pyct python3-pyct
pycups python3-cups
pycurl python3-pycurl
pydantic python3-pydantic
pydata_sphinx_theme python3-pydata-sphinx-theme
pydbus python3-pydbus
pydecorate python3-pydecorate
pydenticon python3-pydenticon
pydevd python3-pydevd
pydicom python3-pydicom
pydl python3-pydl
pydle python3-pydle
pydocstyle python3-pydocstyle
pydoctor pydoctor
pydot python3-pydot
pydotplus python3-pydotplus
pyds9 python3-pyds9
pydub python3-pydub
pydyf python3-pydyf
pyeapi python3-pyeapi
pyeclib python3-pyeclib
pyee python3-pyee
pyelftools python3-pyelftools
pyemd python3-pyemd
pyenchant python3-enchant
pyensembl pyensembl
pyepics python3-pyepics
pyepr python3-epr
pyepsg python3-pyepsg
pyequihash python3-equihash
pyerfa python3-erfa
pyethash python3-pyethash
pyface python3-pyface
pyfaidx python3-pyfaidx
pyfakefs python3-pyfakefs
pyfastaq fastaq
pyfastx python3-pyfastx
pyfavicon python3-pyfavicon
pyferret python3-ferret
pyfg python3-pyfg
pyfiglet python3-pyfiglet
pyflakes python3-pyflakes
pyforge python3-forge
pyfribidi python3-pyfribidi
pyftdi python3-ftdi
pyftpdlib python3-pyftpdlib
pyfuse3 python3-pyfuse3
pygac python3-pygac
pygal python3-pygal
pygalmesh python3-pygalmesh
pygame python3-pygame
pygame_sdl2 python3-pygame-sdl2
pygccxml python3-pygccxml
pygeoif python3-pygeoif
pygeoip python3-pygeoip
pygerrit2 python3-pygerrit2
pyghmi python3-pyghmi
pygit2 python3-pygit2
pyglet python3-pyglet
pyglossary python3-pyglossary
pygmsh python3-pygmsh
pygopherd pygopherd
pygpu python3-pygpu
pygrace python3-pygrace
pygraphviz python3-pygraphviz
pygrib python3-grib
pygtail python3-pygtail
pygtkspellcheck python3-gtkspellcheck
pygtrie python3-pygtrie
pyhamtools python3-pyhamtools
pyhcl python3-pyhcl
pyhdf python3-hdf4
pyicloud python3-pyicloud
pyimagetool python3-pyimagetool
pyinotify python3-pyinotify
pyjavaproperties python3-pyjavaproperties
pyjks python3-pyjks
pyjokes python3-pyjokes
pykdtree python3-pykdtree
pykeepass python3-pykeepass
pykerberos python3-kerberos
pykka python3-pykka
pykml python3-pykml
pyknon python3-pyknon
pykwalify python3-pykwalify
pylama python3-pylama
pylast python3-pylast
pylatexenc python3-pylatexenc
pylev python3-pylev
pylibacl python3-pylibacl
pylibdmtx python3-pylibdmtx
pyliblo python3-liblo
pylibmc python3-pylibmc
pylibsrtp python3-pylibsrtp
pylibtiff python3-libtiff
pylint pylint
pylint_celery python3-pylint-celery
pylint_common python3-pylint-common
pylint_django python3-pylint-django
pylint_flask python3-pylint-flask
pylint_plugin_utils python3-pylint-plugin-utils
pylint_venv python3-pylint-venv
pyls_isort python3-pylsp-isort
pyls_spyder python3-pyls-spyder
pylsp_mypy python3-pylsp-mypy
pylsp_rope python3-pylsp-rope
pyluach python3-pyluach
pylxd python3-pylxd
pymacaroons python3-pymacaroons
pymad python3-pymad
pymap3d python3-pymap3d
pymatgen python3-pymatgen
pymbar python3-pymbar
pymdown_extensions python3-pymdownx
pymecavideo python3-mecavideo
pymediainfo python3-pymediainfo
pymemcache python3-pymemcache
pymetar python3-pymetar
pymia python3-mia
pymilter python3-milter
pymoc python3-pymoc
pymodbus python3-pymodbus
pymol python3-pymol
pymongo python3-pymongo
pymox python3-mox
pympress pympress
pymssql python3-pymssql
pymummer python3-pymummer
pymzml python3-pymzml
pynag python3-pynag
pynauty python3-pynauty
pynetbox python3-pynetbox
pyngus python3-pyngus
pyninjotiff python3-pyninjotiff
pynmea2 python3-nmea2
pynndescent python3-pynndescent
pynpoint python3-pynpoint
pynput python3-pynput
pynvim python3-pynvim
pynwb python3-pynwb
pyo python3-pyo
pyocd python3-pyocd
pyocr python3-pyocr
pyodbc python3-pyodbc
pyodc python3-pyodc
pyopencl python3-pyopencl
pyorbital python3-pyorbital
pyorick python3-pyorick
pyotp python3-pyotp
pyp pyp
pypairix python3-pairix
pypandoc python3-pypandoc
pyparallel python3-parallel
pyparsing python3-pyparsing
pyparted python3-parted
pypartpicker python3-pypartpicker
pypass python3-pypass
pypdf2 python3-pypdf2
pyperclip python3-pyperclip
pyperform python3-pyperform
pyphen python3-pyphen
pypillowfight python3-pypillowfight
pypmix python3-pmix
pypng python3-png
pypowervm python3-pypowervm
pyppd pyppd
pyprof2calltree pyprof2calltree
pyproj python3-pyproj
pyproject_metadata python3-pyproject-metadata
pyprojroot python3-pyprojroot
pypuppetdb python3-pypuppetdb
pypureomapi python3-pypureomapi
pyqi pyqi
pyqt_distutils python3-pyqt-distutils
pyqtgraph python3-pyqtgraph
pyquery python3-pyquery
pyrad python3-pyrad
pyraf python3-pyraf
pyramid python3-pyramid
pyramid_chameleon python3-pyramid-chameleon
pyramid_jinja2 python3-pyramid-jinja2
pyramid_multiauth python3-pyramid-multiauth
pyramid_tm python3-pyramid-tm
pyramid_zcml python3-pyramid-zcml
pyranges python3-pyranges
pyrcb2 python3-pyrcb2
pyregfi python3-pyregfi
pyregion python3-pyregion
pyremctl python3-pyremctl
pyresample python3-pyresample
pyrle python3-pyrle
pyroma python3-pyroma
pyroute2 python3-pyroute2
pyrr python3-pyrr
pyrsistent python3-pyrsistent
pyrundeck python3-pyrundeck
pysam python3-pysam
pysaml2 python3-pysaml2
pyscard python3-pyscard
pysendfile python3-sendfile
pyserial python3-serial
pyserial_asyncio python3-serial-asyncio
pyshp python3-pyshp
pysmbc python3-smbc
pysmi python3-pysmi
pysnmp python3-pysnmp4
pysnmp_apps python3-pysnmp4-apps
pysnmp_mibs python3-pysnmp4-mibs
pysodium python3-pysodium
pysolar python3-pysolar
pysolid python3-pysolid
pysolr python3-pysolr
pyspectral python3-pyspectral
pyspike python3-pyspike
pyspoa python3-pyspoa
pysqm python3-pysqm
pysrs python3-srs
pysrt python3-pysrt
pyssim python3-pyssim
pystache python3-pystache
pystemd python3-pystemd
pystray python3-pystray
pysubnettree python3-subnettree
pysurfer python3-surfer
pysvn python3-svn
pyswarms python3-pyswarms
pysword python3-pysword
pysyncobj python3-pysyncobj
pysynphot python3-pysynphot
pytaglib python3-taglib
pytango python3-tango
pyte python3-pyte
pytest python3-pytest
pytest_arraydiff python3-pytest-arraydiff
pytest_astropy python3-pytest-astropy
pytest_astropy_header python3-pytest-astropy-header
pytest_asyncio python3-pytest-asyncio
pytest_bdd python3-pytest-bdd
pytest_benchmark python3-pytest-benchmark
pytest_click python3-pytest-click
pytest_cookies python3-pytest-cookies
pytest_cov python3-pytest-cov
pytest_cython python3-pytest-cython
pytest_datadir python3-pytest-datadir
pytest_dependency python3-pytest-dependency
pytest_django python3-pytest-django
pytest_djangoapp python3-pytest-djangoapp
pytest_doctestplus python3-pytest-doctestplus
pytest_expect python3-pytest-expect
pytest_filter_subpackage python3-pytest-filter-subpackage
pytest_flake8 python3-pytest-flake8
pytest_flask python3-pytest-flask
pytest_forked python3-pytest-forked
pytest_golden python3-pytest-golden
pytest_helpers_namespace python3-pytest-helpers-namespace
pytest_httpbin python3-pytest-httpbin
pytest_httpserver python3-pytest-httpserver
pytest_instafail python3-pytest-instafail
pytest_lazy_fixture python3-pytest-lazy-fixture
pytest_localserver python3-pytest-localserver
pytest_mock python3-pytest-mock
pytest_mpi python3-pytest-mpi
pytest_mpl python3-pytest-mpl
pytest_multihost python3-pytest-multihost
pytest_openfiles python3-pytest-openfiles
pytest_order python3-pytest-order
pytest_pep8 python3-pytest-pep8
pytest_pylint python3-pytest-pylint
pytest_qt python3-pytestqt
pytest_random_order python3-pytest-random-order
pytest_regressions python3-pytest-regressions
pytest_remotedata python3-pytest-remotedata
pytest_repeat python3-pytest-repeat
pytest_rerunfailures python3-pytest-rerunfailures
pytest_runner python3-pytest-runner
pytest_salt python3-pytestsalt
pytest_salt_factories python3-saltfactories
pytest_services python3-pytest-services
pytest_skip_markers python3-pytest-skip-markers
pytest_sourceorder python3-pytest-sourceorder
pytest_subtests python3-pytest-subtests
pytest_sugar python3-pytest-sugar
pytest_tempdir python3-pytest-tempdir
pytest_testinfra python3-testinfra
pytest_timeout python3-pytest-timeout
pytest_toolbox python3-pytest-toolbox
pytest_tornado python3-pytest-tornado
pytest_tornasync python3-pytest-tornasync
pytest_twisted python3-pytest-twisted
pytest_vcr python3-pytest-vcr
pytest_xdist python3-pytest-xdist
pytest_xprocess python3-pytest-xprocess
pytest_xvfb python3-pytest-xvfb
python3_discogs_client python3-discogs-client
python3_lxc python3-lxc
python3_openid python3-openid
python3_saml python3-onelogin-saml2
python_Levenshtein python3-levenshtein
python_aalib python3-aalib
python_apt python3-apt
python_aptly python3-aptly
python_augeas python3-augeas
python_axolotl python3-axolotl
python_axolotl_curve25519 python3-axolotl-curve25519
python_barbicanclient python3-barbicanclient
python_bidi python3-bidi
python_binary_memcached python3-binary-memcached
python_bitcoinlib python3-bitcoinlib
python_blazarclient python3-blazarclient
python_box python3-box
python_bugzilla python3-bugzilla
python_can python3-can
python_casacore python3-casacore
python_cinderclient python3-cinderclient
python_cloudkittyclient python3-cloudkittyclient
python_community python3-louvain
python_consul python3-consul
python_consul2 python3-consul2
python_corepywrap python3-corepywrap
python_cpl python3-cpl
python_crontab python3-crontab
python_cyborgclient python3-cyborgclient
python_daemon python3-daemon
python_dateutil python3-dateutil
python_dbusmock python3-dbusmock
python_debian python3-debian
python_debianbts python3-debianbts
python_decouple python3-decouple
python_designateclient python3-designateclient
python_digitalocean python3-digitalocean
python_distutils_extra python3-distutils-extra
python_djvulibre python3-djvu
python_docs_theme python3-docs-theme
python_docx python3-docx
python_dotenv python3-dotenv
python_dracclient python3-dracclient
python_editor python3-editor
python_engineio python3-engineio
python_espeak python3-espeak
python_etcd python3-etcd
python_evtx python3-evtx
python_fedora python3-fedora
python_freecontact python3-freecontact
python_freezerclient python3-freezerclient
python_gammu python3-gammu
python_geotiepoints python3-geotiepoints
python_gflags python3-gflags
python_gitlab python3-gitlab
python_glanceclient python3-glanceclient
python_glareclient python3-glareclient
python_gnupg python3-gnupg
python_gvm python3-gvm
python_heatclient python3-heatclient
python_hglib python3-hglib
python_hpilo python3-hpilo
python_ilorest_library python3-ilorest
python_instagram python3-instagram
python_ipmi python3-pyipmi
python_iptables python3-iptables
python_irodsclient python3-irodsclient
python_ironicclient python3-ironicclient
python_jenkins python3-jenkins
python_jose python3-jose
python_json_logger python3-pythonjsonlogger
python_k8sclient python3-k8sclient
python_karborclient python3-karborclient
python_keystoneclient python3-keystoneclient
python_ldap python3-ldap
python_libdiscid python3-libdiscid
python_libguess python3-libguess
python_libnmap python3-libnmap
python_librtmp python3-librtmp
python_linux_procfs python3-linux-procfs
python_lsp_black python3-pylsp-black
python_lsp_jsonrpc python3-pylsp-jsonrpc
python_lsp_server python3-pylsp
python_ly python3-ly
python_lzo python3-lzo
python_magic python3-magic
python_magnumclient python3-magnumclient
python_manilaclient python3-manilaclient
python_markdown_math python3-mdx-math
python_masakariclient python3-masakariclient
python_memcached python3-memcache
python_miio python3-miio
python_mimeparse python3-mimeparse
python_mistralclient python3-mistralclient
python_monascaclient python3-monascaclient
python_mpd2 python3-mpd
python_mpv python3-mpv
python_multipart python3-multipart
python_muranoclient python3-muranoclient
python_musicpd python3-musicpd
python_networkmanager python3-networkmanager
python_neutronclient python3-neutronclient
python_nmap python3-nmap
python_novaclient python3-novaclient
python_novnc python3-novnc
python_nubia python3-nubia
python_octaviaclient python3-octaviaclient
python_olm python3-olm
python_openflow python3-openflow
python_openid_cla python3-openid-cla
python_openid_teams python3-openid-teams
python_openstackclient python3-openstackclient
python_pam python3-pampy
python_pcl python3-pcl
python_pcre python3-pcre
python_periphery python3-periphery
python_popcon python3-popcon
python_poppler_qt5 python3-poppler-qt5
python_potr python3-potr
python_prctl python3-prctl
python_pskc python3-pskc
python_ptrace python3-ptrace
python_qinlingclient python3-qinlingclient
python_qt_binding python3-python-qt-binding
python_rapidjson python3-rapidjson
python_redmine python3-redminelib
python_rtmidi python3-rtmidi
python_saharaclient python3-saharaclient
python_sane python3-sane
python_scciclient python3-scciclient
python_seamicroclient python3-seamicroclient
python_searchlightclient python3-searchlightclient
python_semantic_release python3-semantic-release
python_senlinclient python3-senlinclient
python_slugify python3-slugify
python_snappy python3-snappy
python_socketio python3-socketio
python_socks python3-python-socks
python_sql python3-sql
python_stdnum python3-stdnum
python_subunit python3-subunit
python_svipc python3-svipc
python_swiftclient python3-swiftclient
python_tackerclient python3-tackerclient
python_tds python3-tds
python_telegram_bot python3-python-telegram-bot
python_tempestconf python3-tempestconf
python_termstyle python3-termstyle
python_tr python3-tr
python_troveclient python3-troveclient
python_twitter python3-twitter
python_u2flib_server python3-u2flib-server
python_uinput python3-uinput
python_utils python3-python-utils
python_vagrant python3-vagrant
python_vitrageclient python3-vitrageclient
python_vlc python3-vlc
python_watcher python3-watcher
python_watcherclient python3-watcherclient
python_xlib python3-xlib
python_yubico python3-yubico
python_zaqarclient python3-zaqarclient
python_zunclient python3-zunclient
pythondialog python3-dialog
pythran python3-pythran
pytidylib python3-tidylib
pytimeparse python3-pytimeparse
pytkdocs python3-pytkdocs
pytoml python3-pytoml
pytoolconfig python3-pytoolconfig
pytools python3-pytools
pytorch_ignite python3-torch-ignite
pytrainer pytrainer
pytray python3-pytray
pytroll_schedule python3-trollsched
pytsk3 python3-tsk
pytz python3-tz
pytz_deprecation_shim python3-pytz-deprecation-shim
pytzdata python3-pytzdata
pyuca python3-pyuca
pyudev python3-pyudev
pyupgrade pyupgrade
pyusb python3-usb
pyvmomi python3-pyvmomi
pyvo python3-pyvo
pywatchman python3-pywatchman
pywebview python3-webview
pywinrm python3-winrm
pywps python3-pywps
pywws python3-pywws
pyxDamerauLevenshtein python3-pyxdameraulevenshtein
pyxattr python3-pyxattr
pyxdg python3-xdg
pyxid python3-pyxid
pyxnat python3-pyxnat
pyxs python3-pyxs
pyyaml_env_tag python3-pyyaml-env-tag
pyzabbix python3-pyzabbix
pyzbar python3-pyzbar
pyzmq python3-zmq
pyzor pyzor
q python3-q
q2_alignment q2-alignment
q2_cutadapt q2-cutadapt
q2_dada2 q2-dada2
q2_demux q2-demux
q2_diversity_lib q2-diversity-lib
q2_emperor q2-emperor
q2_feature_classifier q2-feature-classifier
q2_feature_table q2-feature-table
q2_fragment_insertion q2-fragment-insertion
q2_metadata q2-metadata
q2_phylogeny q2-phylogeny
q2_quality_control q2-quality-control
q2_quality_filter q2-quality-filter
q2_sample_classifier q2-sample-classifier
q2_taxa q2-taxa
q2_types q2-types
q2cli q2cli
q2templates q2templates
qbrz qbrz
qcat qcat
qcelemental python3-qcelemental
qcengine python3-qcengine
qiime2 qiime
qiskit_aer python3-qiskit-aer
qiskit_ibmq_provider python3-qiskit-ibmq-provider
qiskit_terra python3-qiskit-terra
qpack python3-qpack
qpageview python3-qpageview
qrcode python3-qrcode
qrcodegen python3-qrcodegen
qrencode python3-qrencode
qrtools python3-qrtools
qstylizer python3-qstylizer
qt5reactor python3-qt5reactor
qtconsole python3-qtconsole
qtsass python3-qtsass
quantities python3-quantities
quark_sphinx_theme python3-quark-sphinx-theme
quart python3-quart
questplus python3-questplus
queuelib python3-queuelib
quickcal quickcal
quisk quisk
quodlibet exfalso
qutebrowser qutebrowser
qutip python3-qutip
qweborf qweborf
rabbitvcs rabbitvcs-core
raccoon python3-raccoon
radio_beam python3-radio-beam
radon radon
rados python3-rados
ragout ragout
railroad_diagrams python3-railroad-diagrams
rally python3-rally
rally_openstack python3-rally-openstack
random2 python3-random2
randomize python3-randomize
rangehttpserver python3-rangehttpserver
ranger_fm ranger
rapid_photo_downloader rapid-photo-downloader
rarfile python3-rarfile
raritan_json_rpc python3-raritan-json-rpc
rasterio python3-rasterio
ratelimiter python3-ratelimiter
razercfg razercfg
rbd python3-rbd
rcon python3-rcon
rcssmin python3-rcssmin
rcutils python3-rcutils
rdflib python3-rdflib
rdflib_jsonld python3-rdflib-jsonld
rdiff_backup rdiff-backup
readability_lxml python3-readability
readlike python3-readlike
readme_renderer python3-readme-renderer
readucks readucks
rebound_cli rebound
rebulk python3-rebulk
recan recan
reclass python3-reclass
recollchm recollcmd
recommonmark python3-recommonmark
recurring_ical_events python3-recurring-ical-events
redbaron python3-redbaron
redfishtool redfishtool
redis python3-redis
redis_py_cluster python3-rediscluster
redisearch python3-redisearch-py
rednose python3-rednose
reentry python3-reentry
reflink python3-reflink
refstack_client refstack-client
refurb python3-refurb
regex python3-regex
regions python3-regions
relational python3-relational
relational_gui relational
relational_readline relational-cli
relatorio python3-relatorio
releases python3-releases
remote_logon_config_agent remote-logon-config-agent
rename_flac rename-flac
rencode python3-rencode
reno python3-reno
reportbug python3-reportbug
reportlab python3-reportlab
repoze.lru python3-repoze.lru
repoze.sphinx.autointerface python3-repoze.sphinx.autointerface
repoze.tm2 python3-repoze.tm2
repoze.who python3-repoze.who
reproject python3-reproject
reprotest reprotest
reprounzip python3-reprounzip
reprozip python3-reprozip
requests python3-requests
requests_aws python3-awsauth
requests_cache python3-requests-cache
requests_file python3-requests-file
requests_futures python3-requests-futures
requests_kerberos python3-requests-kerberos
requests_mock python3-requests-mock
requests_ntlm python3-requests-ntlm
requests_oauthlib python3-requests-oauthlib
requests_toolbelt python3-requests-toolbelt
requests_unixsocket python3-requests-unixsocket
requestsexceptions python3-requestsexceptions
requirements_detector python3-requirements-detector
requirements_parser python3-requirement-parser
resampy python3-resampy
resolvelib python3-resolvelib
resource_retriever python3-resource-retriever
responses python3-responses
restless python3-restless
restructuredtext_lint python3-restructuredtext-lint
retry python3-retry
retrying python3-retrying
retweet retweet
reuse reuse
rfc3161ng python3-rfc3161ng
rfc3986 python3-rfc3986
rfc3987 python3-rfc3987
rfc6555 python3-rfc6555
rgw python3-rgw
rich python3-rich
rich_click python3-rich-click
rickslab_gpu_utils python3-gpumodules
rioxarray python3-rioxarray
ripe.atlas.cousteau python3-ripe-atlas-cousteau
ripe.atlas.sagan python3-ripe-atlas-sagan
ripe.atlas.tools ripe-atlas-tools
rjsmin python3-rjsmin
rlp python3-rlp
rnc2rng python3-rnc2rng
rnp python3-rnp
robot_detection python3-robot-detection
rocketcea rocketcea
rocksdb python3-rocksdb
roman python3-roman
rope python3-rope
rosbag python3-rosbag
rosboost_cfg python3-rosboost-cfg
rosclean python3-rosclean
roscreate python3-roscreate
rosdep python3-rosdep2
rosdiagnostic rosdiagnostic
rosdistro python3-rosdistro
rosgraph python3-rosgraph
rosidl_adapter python3-rosidl
rosidl_cli python3-rosidl
rosidl_cmake python3-rosidl
rosidl_generator_c python3-rosidl
rosidl_generator_cpp python3-rosidl
rosidl_parser python3-rosidl
rosidl_pycommon python3-rosidl
rosidl_typesupport_introspection_c python3-rosidl
rosidl_typesupport_introspection_cpp python3-rosidl
rosinstall python3-rosinstall
rosinstall_generator python3-rosinstall-generator
roslaunch python3-roslaunch
roslib python3-roslib
roslz4 python3-roslz4
rosmake python3-rosmake
rosmaster python3-rosmaster
rosmsg python3-rosmsg
rosnode python3-rosnode
rosparam python3-rosparam
rospkg python3-rospkg
rospy python3-rospy
rosservice python3-rosservice
rostest python3-rostest
rostopic python3-rostopic
rosunit python3-rosunit
roswtf python3-roswtf
roundrobin python3-roundrobin
rows python3-rows
rpaths python3-rpaths
rpl rpl
rply python3-rply
rpm python3-rpm
rpmlint rpmlint
rpy2 python3-rpy2
rpyc python3-rpyc
rq python3-rq
rrdtool python3-rrdtool
rsa python3-rsa
rss2email rss2email
rst2pdf rst2pdf
rstcheck python3-rstcheck
rstcheck_core python3-rstcheck
rstr python3-rstr
rt python3-rt
rtslib_fb python3-rtslib-fb
rtv rtv
ruamel.yaml python3-ruamel.yaml
ruamel.yaml.clib python3-ruamel.yaml.clib
rubber rubber
ruffus python3-ruffus
rules python3-django-rules
rviz python3-rviz
s3cmd s3cmd
s3transfer python3-s3transfer
s_tui s-tui
sabyenc3 python3-sabyenc
sadisplay python3-sadisplay
safeeyes safeeyes
sagemath_standard python3-sage
sagenb_export python3-sagenb-export
sahara python3-sahara
sahara_dashboard python3-sahara-dashboard
sahara_plugin_spark python3-sahara-plugin-spark
sahara_plugin_vanilla python3-sahara-plugin-vanilla
salmid salmid
salt salt-common
salt_pepper salt-pepper
saneyaml python3-saneyaml
sanlock_python python3-sanlock
sardana python3-sardana
sarif_om python3-sarif-python-om
sarsen python3-sarsen
sasdata python3-sasdata
sasmodels python3-sasmodels
sasview python3-sasview
satellite_tpikonen satellite-gtk
satpy python3-satpy
sbws sbws
scalene python3-scalene
scantree python3-scantree
scapy python3-scapy
schedule python3-schedule
schedutils python3-schedutils
schema python3-schema
schema_salad python3-schema-salad
schroot python3-schroot
scikit_bio python3-skbio
scikit_build python3-skbuild
scikit_fmm python3-scikit-fmm
scikit_image python3-skimage
scikit_learn python3-sklearn
scikit_misc python3-skmisc
scikit_rf python3-scikit-rf
scitrack python3-scitrack
scoary scoary
scour python3-scour
scp python3-scp
scrape_schema_recipe python3-scrape-schema-recipe
scrapy_djangoitem python3-scrapy-djangoitem
screed python3-screed
screeninfo python3-screeninfo
screenkey screenkey
scripttest python3-scripttest
scriv scriv
scruffington python3-scruffy
scrypt python3-scrypt
sdaps sdaps
sdkmanager sdkmanager
sdnotify python3-sdnotify
seaborn python3-seaborn
searx python3-searx
securesystemslib python3-securesystemslib
sedparse python3-sedparse
sedsed sedsed
segno python3-segno
segyio python3-segyio
seirsplus python3-seirsplus
selenium python3-selenium
selinux python3-selinux
semantic_version python3-semantic-version
semver python3-semver
sen sen
senlin python3-senlin
senlin_dashboard python3-senlin-dashboard
senlin_tempest_plugin senlin-tempest-plugin
sensor_msgs python3-sensor-msgs
sentencepiece python3-sentencepiece
sentinels python3-sentinels
sentinelsat python3-sentinelsat
sentry_sdk python3-sentry-sdk
sep python3-sep
sepolicy python3-sepolicy
sepp sepp
seqdiag python3-seqdiag
seqmagick seqmagick
serializable python3-serializable
serpent python3-serpent
serverfiles python3-serverfiles
service_identity python3-service-identity
session_info python3-sinfo
setools python3-setools
setoptconf python3-setoptconf
setproctitle python3-setproctitle
setuptools python3-pkg-resources
setuptools_gettext python3-setuptools-gettext
setuptools_git python3-setuptools-git
setuptools_protobuf python3-setuptools-protobuf
setuptools_rust python3-setuptools-rust
setuptools_scm python3-setuptools-scm
setuptools_scm_git_archive python3-setuptools-scm-git-archive
sexpdata python3-sexpdata
sfepy python3-sfepy
sgmllib3k python3-sgmllib3k
sgp4 python3-sgp4
sh python3-sh
shade python3-shade
shellescape python3-shellescape
shellingham python3-shellingham
shelxfile python3-shelxfile
shodan python3-shodan
shortuuid python3-shortuuid
show_in_file_manager python3-showinfilemanager
shtab python3-shtab
siconos python3-siconos
sievelib python3-sievelib
signedjson python3-signedjson
silkaj silkaj
silver_platter silver-platter
silx python3-silx
simple_ccsm simple-ccsm
simple_cdd python3-simple-cdd
simplebayes python3-simplebayes
simpleeval python3-simpleeval
simplegeneric python3-simplegeneric
simplejson python3-simplejson
simplematch python3-simplematch
simplenote python3-simplenote
simpleobsws python3-simpleobsws
simpy python3-simpy3
sip python3-sipbuild
siphashc python3-siphashc
sireader python3-sireader
siridb_connector python3-siridb-connector
six python3-six
sixer sixer
sklearn_pandas python3-sklearn-pandas
skorch python3-skorch
skyfield python3-skyfield
skytools python3-skytools
slimit python3-slimit
slimmer python3-slimmer
slixmpp python3-slixmpp
smart_open python3-smart-open
smartleia python3-smartleia
smartypants python3-smartypants
smbus2 python3-smbus2
smclib python3-smclib
smmap python3-smmap
smoke_zephyr python3-smoke-zephyr
smstrade python3-smstrade
snakemake snakemake
snappergui snapper-gui
sncosmo python3-sncosmo
sniffio python3-sniffio
sniffles sniffles
snimpy python3-snimpy
snmpsim snmpsim
snowballstemmer python3-snowballstemmer
snuggs python3-snuggs
social_auth_app_django python3-social-django
social_auth_core python3-social-auth-core
socketIO_client python3-socketio-client
socketpool python3-socketpool
socksio python3-socksio
solo1 solo1-cli
sop python3-sop
sopel sopel
sorl_thumbnail python3-sorl-thumbnail
sorted_nearest python3-sorted-nearest
sortedcollections python3-sortedcollections
sortedcontainers python3-sortedcontainers
sos sosreport
soundconverter soundconverter
soundfile python3-soundfile
soundgrain soundgrain
soupsieve python3-soupsieve
spaghetti python3-spaghetti
spake2 python3-spake2
sparkpost python3-sparkpost
sparse python3-sparse
speaklater python3-speaklater
specan ubertooth
specreduce python3-specreduce
specreduce_data python3-specreduce-data
spectra python3-spectra
spectral python3-spectral
spectral_cube python3-spectral-cube
specutils python3-specutils
speedtest_cli speedtest-cli
speg python3-speg
spf_engine python3-spf-engine
spglib python3-spglib
sphere python3-sphere
sphinx python3-sphinx
sphinx_a4doc python3-sphinx-a4doc
sphinx_argparse python3-sphinx-argparse
sphinx_astropy python3-sphinx-astropy
sphinx_autoapi python3-sphinx-autoapi
sphinx_autobuild python3-sphinx-autobuild
sphinx_autodoc_typehints python3-sphinx-autodoc-typehints
sphinx_automodapi python3-sphinx-automodapi
sphinx_autorun python3-sphinx-autorun
sphinx_basic_ng sphinx-basic-ng
sphinx_book_theme python3-sphinx-book-theme
sphinx_bootstrap_theme python3-sphinx-bootstrap-theme
sphinx_celery python3-sphinx-celery
sphinx_click python3-sphinx-click
sphinx_copybutton python3-sphinx-copybutton
sphinx_feature_classification python3-sphinx-feature-classification
sphinx_gallery python3-sphinx-gallery
sphinx_inline_tabs python3-sphinx-inline-tabs
sphinx_intl sphinx-intl
sphinx_issues python3-sphinx-issues
sphinx_markdown_tables python3-sphinx-markdown-tables
sphinx_multiversion python3-sphinx-multiversion
sphinx_notfound_page python3-sphinx-notfound-page
sphinx_panels python3-sphinx-panels
sphinx_paramlinks python3-sphinx-paramlinks
sphinx_press_theme python3-sphinx-press-theme
sphinx_prompt python3-sphinx-prompt
sphinx_qt_documentation python3-sphinx-qt-documentation
sphinx_remove_toctrees python3-sphinx-remove-toctrees
sphinx_reredirects python3-sphinx-reredirects
sphinx_rst_builder python3-sphinx-rst-builder
sphinx_rtd_theme python3-sphinx-rtd-theme
sphinx_sitemap python3-sphinx-sitemap
sphinx_tabs python3-sphinx-tabs
sphinx_testing python3-sphinx-testing
sphinxcontrib_actdiag python3-sphinxcontrib.actdiag
sphinxcontrib_apidoc python3-sphinxcontrib.apidoc
sphinxcontrib_applehelp python3-sphinxcontrib.applehelp
sphinxcontrib_asyncio python3-sphinxcontrib-asyncio
sphinxcontrib_autoprogram python3-sphinxcontrib.autoprogram
sphinxcontrib_bibtex python3-sphinxcontrib.bibtex
sphinxcontrib_blockdiag python3-sphinxcontrib.blockdiag
sphinxcontrib_devhelp python3-sphinxcontrib.devhelp
sphinxcontrib_ditaa python3-sphinxcontrib.ditaa
sphinxcontrib_doxylink python3-sphinxcontrib.doxylink
sphinxcontrib_htmlhelp python3-sphinxcontrib.htmlhelp
sphinxcontrib_httpdomain python3-sphinxcontrib.httpdomain
sphinxcontrib_jsmath python3-sphinxcontrib.jsmath
sphinxcontrib_log_cabinet python3-sphinxcontrib-log-cabinet
sphinxcontrib_mermaid python3-sphinxcontrib-mermaid
sphinxcontrib_nwdiag python3-sphinxcontrib.nwdiag
sphinxcontrib_pecanwsme python3-sphinxcontrib-pecanwsme
sphinxcontrib_plantuml python3-sphinxcontrib.plantuml
sphinxcontrib_programoutput python3-sphinxcontrib.programoutput
sphinxcontrib_qthelp python3-sphinxcontrib.qthelp
sphinxcontrib_restbuilder python3-sphinxcontrib.restbuilder
sphinxcontrib_seqdiag python3-sphinxcontrib.seqdiag
sphinxcontrib_serializinghtml python3-sphinxcontrib.serializinghtml
sphinxcontrib_spelling python3-sphinxcontrib.spelling
sphinxcontrib_svg2pdfconverter python3-sphinxcontrib.svg2pdfconverter
sphinxcontrib_trio python3-sphinxcontrib.trio
sphinxcontrib_websupport python3-sphinxcontrib.websupport
sphinxcontrib_youtube python3-sphinxcontrib.youtube
sphinxext_opengraph python3-sphinxext-opengraph
sphinxtesters python3-sphinxtesters
spidev python3-spidev
spinners python3-spinners
spoon python3-spoon
spur python3-spur
spyder python3-spyder
spyder_kernels python3-spyder-kernels
spyder_line_profiler python3-spyder-line-profiler
spyder_memory_profiler python3-spyder-memory-profiler
spyder_reports python3-spyder-reports
spyder_unittest python3-spyder-unittest
spyne python3-spyne
sqlacodegen sqlacodegen
sqlalchemy_migrate python3-migrate
sqlglot python3-sqlglot
sqlite_fts4 python3-sqlite-fts4
sqlite_utils sqlite-utils
sqlitedict python3-sqlitedict
sqlmodel python3-sqlmodel
sqlparse python3-sqlparse
sqlreduce sqlreduce
sqt python3-sqt
srp python3-srp
srsly python3-srsly
srt python3-srt
ssdeep python3-ssdeep
ssh_audit ssh-audit
ssh_import_id ssh-import-id
sshoot sshoot
sshpubkeys python3-sshpubkeys
sshtunnel python3-sshtunnel
sshuttle sshuttle
stack_data python3-stack-data
stardicter python3-stardicter
starlette python3-starlette
static3 python3-static3
staticsite staticsite
statmake python3-statmake
statsd python3-statsd
statsmodels python3-statsmodels
stdeb python3-stdeb
stdlib_list python3-stdlib-list
stegcracker stegcracker
stem python3-stem
stepic stepic
stestr python3-stestr
stevedore python3-stevedore
stgit stgit
stomp.py python3-stomp
stomper python3-stomper
stone python3-stone
stopit python3-stopit
storm python3-storm
straight.plugin python3-straight.plugin
streamdeck python3-elgato-streamdeck
streamdeck_ui streamdeck-ui
streamlink python3-streamlink
streamz python3-streamz
stressant stressant
strictyaml python3-strictyaml
stringtemplate3 python3-stringtemplate3
stripe python3-stripe
structlog python3-structlog
stsci.tools python3-stsci.tools
stubserver python3-stubserver
subdownloader subdownloader
sublime_music sublime-music
subliminal python3-subliminal
subprocess_tee python3-subprocess-tee
subuser subuser
subvertpy python3-subvertpy
suds_community python3-suds
suitesparse_graphblas python3-suitesparse-graphblas
sumolib sumo
sunlight python3-sunlight
sunpy python3-sunpy
sunpy_sphinx_theme python3-sunpy-sphinx-theme
suntime python3-suntime
superqt python3-superqt
supervisor supervisor
sure python3-sure
suricata_update suricata-update
surpyvor surpyvor
sushy python3-sushy
sushy_cli python3-sushy-cli
svg.path python3-svg.path
svgelements python3-svgelements
svglib python3-svglib
svgwrite python3-svgwrite
svim svim
swagger_spec_validator python3-swagger-spec-validator
swapper python3-django-swapper
swift python3-swift
swift_bench swift-bench
swiftsc python3-swiftsc
swiglpk python3-swiglpk
sword python3-sword
swugenerator swugenerator
sybil python3-sybil
syllabipy python3-syllabipy
symfit python3-symfit
sympy python3-sympy
synadm synadm
syncplay syncplay-common
syncthing_gtk syncthing-gtk
synphot python3-synphot
systemd_python python3-systemd
systemfixtures python3-systemfixtures
sysv_ipc python3-sysv-ipc
tables python3-tables
tablib python3-tablib
tabulate python3-tabulate
tagpy python3-tagpy
tap.py python3-tap
tap_as_a_service python3-neutron-taas
taskflow python3-taskflow
tasklib python3-tasklib
taskw python3-taskw
taurus python3-taurus
taurus_pyqtgraph python3-taurus-pyqtgraph
tblib python3-tblib
tcolorpy python3-tcolorpy
td_watson python3-watson
telegram_send telegram-send
telemetry_tempest_plugin telemetry-tempest-plugin
tempest python3-tempest
tempest_horizon horizon-tempest-plugin
tempora python3-tempora
tenacity python3-tenacity
termbox python3-termbox
termcolor python3-termcolor
terminado python3-terminado
terminaltables python3-terminaltables
terminator terminator
termineter termineter
tesserocr python3-tesserocr
test_server python3-test-server
testfixtures python3-testfixtures
testing.common.database python3-testing.common.database
testing.mysqld python3-testing.mysqld
testing.postgresql python3-testing.postgresql
testpath python3-testpath
testrepository python3-testrepository
testresources python3-testresources
testscenarios python3-testscenarios
testtools python3-testtools
texext python3-texext
text_unidecode python3-text-unidecode
textdistance python3-textdistance
textfsm python3-textfsm
textile python3-textile
texttable python3-texttable
textual python3-textual
tf python3-tf
tf2_geometry_msgs python3-tf2-geometry-msgs
tf2_kdl python3-tf2-kdl
tf2_py python3-tf2
tf2_ros python3-tf2-ros
tf2_sensor_msgs python3-tf2-sensor-msgs
tf_conversions python3-tf-conversions
thefuzz python3-thefuzz
thinc python3-thinc
thonny thonny
threadpoolctl python3-threadpoolctl
three_merge python3-three-merge
thrift python3-thrift
thriftpy python3-thriftpy
throttler python3-throttler
tiddit tiddit
tifffile python3-tifffile
tiledb python3-tiledb
time_decode time-decode
timeline python3-timeline
timeout_decorator python3-timeout-decorator
tinyalign python3-tinyalign
tinyarray python3-tinyarray
tinycss python3-tinycss
tinycss2 python3-tinycss2
tinydb python3-tinydb
tinyobjloader python3-tinyobjloader
tinyrpc python3-tinyrpc
tipp tipp
tkSnack python3-tksnack
tkcalendar tkcalendar
tkrzw python3-tkrzw
tld python3-tld
tldextract python3-tldextract
tldp python3-tldp
tldr.py tldr-py
tlsh python3-tlsh
tmdbsimple python3-tmdbsimple
tmuxp python3-tmuxp
tnetstring3 python3-tnetstring
tnseq_transit tnseq-transit
todoman todoman
toil toil
tokenize_rt python3-tokenize-rt
tomahawk python3-tomahawk
toml python3-toml
tomli python3-tomli
tomli_w python3-tomli-w
tomlkit python3-tomlkit
tomogui python3-tomogui
toolz python3-toolz
toot toot
tooz python3-tooz
topic_tools python3-topic-tools
toposort python3-toposort
topplot python3-topplot
torch python3-torch
torchaudio python3-torchaudio
torchtext python3-torchtext
torchvision python3-torchvision
tornado python3-tornado
toro python3-toro
torrequest python3-torrequest
tortoisehg tortoisehg
tosca_parser python3-tosca-parser
totalopenstation totalopenstation
towncrier towncrier
tox tox
tpm2_pkcs11_tools python3-tpm2-pkcs11-tools
tpm2_pytss python3-tpm2-pytss
tqdm python3-tqdm
traci sumo
trafficserver_exporter prometheus-trafficserver-exporter
traitlets python3-traitlets
traits python3-traits
traitsui python3-traitsui
traittypes python3-traittypes
transaction python3-transaction
transforms3d python3-transforms3d
transip python3-transip
transitions python3-transitions
translate_toolkit python3-translate
translation_finder python3-translation-finder
translationstring python3-translationstring
translitcodec python3-translitcodec
transliterate python3-transliterate
transmissionrpc python3-transmissionrpc
trash_cli trash-cli
traxtor tractor
treq python3-treq
trezor python3-trezor
trimage trimage
trio python3-trio
trio_websocket python3-trio-websocket
trollimage python3-trollimage
trollsift python3-trollsift
trove python3-trove
trove_classifiers python3-trove-classifiers
trove_dashboard python3-trove-dashboard
trove_tempest_plugin trove-tempest-plugin
trufont python3-trufont
trustme python3-trustme
trydiffoscope trydiffoscope
tryton tryton-client
trytond tryton-server
trytond_account tryton-modules-account
trytond_account_asset tryton-modules-account-asset
trytond_account_be tryton-modules-account-be
trytond_account_cash_rounding tryton-modules-account-cash-rounding
trytond_account_credit_limit tryton-modules-account-credit-limit
trytond_account_de_skr03 tryton-modules-account-de-skr03
trytond_account_deposit tryton-modules-account-deposit
trytond_account_dunning tryton-modules-account-dunning
trytond_account_dunning_email tryton-modules-account-dunning-email
trytond_account_dunning_fee tryton-modules-account-dunning-fee
trytond_account_dunning_letter tryton-modules-account-dunning-letter
trytond_account_es tryton-modules-account-es
trytond_account_eu tryton-modules-account-eu
trytond_account_fr tryton-modules-account-fr
trytond_account_fr_chorus tryton-modules-account-fr-chorus
trytond_account_invoice tryton-modules-account-invoice
trytond_account_invoice_correction tryton-modules-account-invoice-correction
trytond_account_invoice_defer tryton-modules-account-invoice-defer
trytond_account_invoice_history tryton-modules-account-invoice-history
trytond_account_invoice_line_standalone tryton-modules-account-invoice-line-standalone
trytond_account_invoice_secondary_unit tryton-modules-account-invoice-secondary-unit
trytond_account_invoice_stock tryton-modules-account-invoice-stock
trytond_account_payment tryton-modules-account-payment
trytond_account_payment_braintree tryton-modules-account-payment-braintree
trytond_account_payment_clearing tryton-modules-account-payment-clearing
trytond_account_payment_sepa tryton-modules-account-payment-sepa
trytond_account_payment_sepa_cfonb tryton-modules-account-payment-sepa-cfonb
trytond_account_payment_stripe tryton-modules-account-payment-stripe
trytond_account_product tryton-modules-account-product
trytond_account_statement tryton-modules-account-statement
trytond_account_statement_aeb43 tryton-modules-account-statement-aeb43
trytond_account_statement_coda tryton-modules-account-statement-coda
trytond_account_statement_ofx tryton-modules-account-statement-ofx
trytond_account_statement_rule tryton-modules-account-statement-rule
trytond_account_stock_anglo_saxon tryton-modules-account-stock-anglo-saxon
trytond_account_stock_continental tryton-modules-account-stock-continental
trytond_account_stock_landed_cost tryton-modules-account-stock-landed-cost
trytond_account_stock_landed_cost_weight tryton-modules-account-stock-landed-cost-weight
trytond_account_tax_cash tryton-modules-account-tax-cash
trytond_account_tax_rule_country tryton-modules-account-tax-rule-country
trytond_analytic_account tryton-modules-analytic-account
trytond_analytic_invoice tryton-modules-analytic-invoice
trytond_analytic_purchase tryton-modules-analytic-purchase
trytond_analytic_sale tryton-modules-analytic-sale
trytond_attendance tryton-modules-attendance
trytond_authentication_sms tryton-modules-authentication-sms
trytond_bank tryton-modules-bank
trytond_carrier tryton-modules-carrier
trytond_carrier_percentage tryton-modules-carrier-percentage
trytond_carrier_subdivision tryton-modules-carrier-subdivision
trytond_carrier_weight tryton-modules-carrier-weight
trytond_commission tryton-modules-commission
trytond_commission_waiting tryton-modules-commission-waiting
trytond_company tryton-modules-company
trytond_company_work_time tryton-modules-company-work-time
trytond_country tryton-modules-country
trytond_currency tryton-modules-currency
trytond_customs tryton-modules-customs
trytond_dashboard tryton-modules-dashboard
trytond_edocument_uncefact tryton-modules-edocument-uncefact
trytond_edocument_unece tryton-modules-edocument-unece
trytond_google_maps tryton-modules-google-maps
trytond_incoterm tryton-modules-incoterm
trytond_ldap_authentication tryton-modules-ldap-authentication
trytond_marketing tryton-modules-marketing
trytond_marketing_automation tryton-modules-marketing-automation
trytond_marketing_email tryton-modules-marketing-email
trytond_notification_email tryton-modules-notification-email
trytond_party tryton-modules-party
trytond_party_avatar tryton-modules-party-avatar
trytond_party_relationship tryton-modules-party-relationship
trytond_party_siret tryton-modules-party-siret
trytond_product tryton-modules-product
trytond_product_attribute tryton-modules-product-attribute
trytond_product_classification tryton-modules-product-classification
trytond_product_classification_taxonomic tryton-modules-product-classification-taxonomic
trytond_product_cost_fifo tryton-modules-product-cost-fifo
trytond_product_cost_history tryton-modules-product-cost-history
trytond_product_cost_warehouse tryton-modules-product-cost-warehouse
trytond_product_kit tryton-modules-product-kit
trytond_product_measurements tryton-modules-product-measurements
trytond_product_price_list tryton-modules-product-price-list
trytond_product_price_list_dates tryton-modules-product-price-list-dates
trytond_product_price_list_parent tryton-modules-product-price-list-parent
trytond_production tryton-modules-production
trytond_production_outsourcing tryton-modules-production-outsourcing
trytond_production_routing tryton-modules-production-routing
trytond_production_split tryton-modules-production-split
trytond_production_work tryton-modules-production-work
trytond_production_work_timesheet tryton-modules-production-work-timesheet
trytond_project tryton-modules-project
trytond_project_invoice tryton-modules-project-invoice
trytond_project_plan tryton-modules-project-plan
trytond_project_revenue tryton-modules-project-revenue
trytond_purchase tryton-modules-purchase
trytond_purchase_amendment tryton-modules-purchase-amendment
trytond_purchase_history tryton-modules-purchase-history
trytond_purchase_invoice_line_standalone tryton-modules-purchase-invoice-line-standalone
trytond_purchase_price_list tryton-modules-purchase-price-list
trytond_purchase_request tryton-modules-purchase-request
trytond_purchase_request_quotation tryton-modules-purchase-request-quotation
trytond_purchase_requisition tryton-modules-purchase-requisition
trytond_purchase_secondary_unit tryton-modules-purchase-secondary-unit
trytond_purchase_shipment_cost tryton-modules-purchase-shipment-cost
trytond_sale tryton-modules-sale
trytond_sale_advance_payment tryton-modules-sale-advance-payment
trytond_sale_amendment tryton-modules-sale-amendment
trytond_sale_complaint tryton-modules-sale-complaint
trytond_sale_credit_limit tryton-modules-sale-credit-limit
trytond_sale_discount tryton-modules-sale-discount
trytond_sale_extra tryton-modules-sale-extra
trytond_sale_gift_card tryton-modules-sale-gift-card
trytond_sale_history tryton-modules-sale-history
trytond_sale_invoice_grouping tryton-modules-sale-invoice-grouping
trytond_sale_opportunity tryton-modules-sale-opportunity
trytond_sale_payment tryton-modules-sale-payment
trytond_sale_price_list tryton-modules-sale-price-list
trytond_sale_product_customer tryton-modules-sale-product-customer
trytond_sale_promotion tryton-modules-sale-promotion
trytond_sale_promotion_coupon tryton-modules-sale-promotion-coupon
trytond_sale_secondary_unit tryton-modules-sale-secondary-unit
trytond_sale_shipment_cost tryton-modules-sale-shipment-cost
trytond_sale_shipment_grouping tryton-modules-sale-shipment-grouping
trytond_sale_shipment_tolerance tryton-modules-sale-shipment-tolerance
trytond_sale_stock_quantity tryton-modules-sale-stock-quantity
trytond_sale_subscription tryton-modules-sale-subscription
trytond_sale_subscription_asset tryton-modules-sale-subscription-asset
trytond_sale_supply tryton-modules-sale-supply
trytond_sale_supply_drop_shipment tryton-modules-sale-supply-drop-shipment
trytond_sale_supply_production tryton-modules-sale-supply-production
trytond_stock tryton-modules-stock
trytond_stock_assign_manual tryton-modules-stock-assign-manual
trytond_stock_consignment tryton-modules-stock-consignment
trytond_stock_forecast tryton-modules-stock-forecast
trytond_stock_inventory_location tryton-modules-stock-inventory-location
trytond_stock_location_move tryton-modules-stock-location-move
trytond_stock_location_sequence tryton-modules-stock-location-sequence
trytond_stock_lot tryton-modules-stock-lot
trytond_stock_lot_sled tryton-modules-stock-lot-sled
trytond_stock_lot_unit tryton-modules-stock-lot-unit
trytond_stock_package tryton-modules-stock-package
trytond_stock_package_shipping tryton-modules-stock-package-shipping
trytond_stock_package_shipping_dpd tryton-modules-stock-package-shipping-dpd
trytond_stock_package_shipping_ups tryton-modules-stock-package-shipping-ups
trytond_stock_product_location tryton-modules-stock-product-location
trytond_stock_quantity_early_planning tryton-modules-stock-quantity-early-planning
trytond_stock_quantity_issue tryton-modules-stock-quantity-issue
trytond_stock_secondary_unit tryton-modules-stock-secondary-unit
trytond_stock_shipment_cost tryton-modules-stock-shipment-cost
trytond_stock_shipment_measurements tryton-modules-stock-shipment-measurements
trytond_stock_split tryton-modules-stock-split
trytond_stock_supply tryton-modules-stock-supply
trytond_stock_supply_day tryton-modules-stock-supply-day
trytond_stock_supply_forecast tryton-modules-stock-supply-forecast
trytond_stock_supply_production tryton-modules-stock-supply-production
trytond_timesheet tryton-modules-timesheet
trytond_timesheet_cost tryton-modules-timesheet-cost
trytond_user_role tryton-modules-user-role
trytond_web_shop tryton-modules-web-shop
trytond_web_shop_vue_storefront tryton-modules-web-shop-vue-storefront
trytond_web_shop_vue_storefront_stripe tryton-modules-web-shop-vue-storefront-stripe
trytond_web_shortener tryton-modules-web-shortener
trytond_web_user tryton-modules-web-user
ttconv python3-ttconv
ttkthemes python3-ttkthemes
ttystatus python3-ttystatus
tuna tuna
tuspy python3-tuspy
tweepy python3-tweepy
twilio python3-twilio
twine twine
twitterwatch twitterwatch
twms twms
twodict python3-twodict
twython python3-twython
txWS python3-txws
txZMQ python3-txzmq
txacme python3-txacme
txaio python3-txaio
txdbus python3-txdbus
txrequests python3-txrequests
txt2tags txt2tags
txtorcon python3-txtorcon
typecatcher typecatcher
typechecks python3-typechecks
typed_ast python3-typed-ast
typedload python3-typedload
typeguard python3-typeguard
typepy python3-typepy
typer python3-typer
types_D3DShot python3-typeshed
types_DateTimeRange python3-typeshed
types_Deprecated python3-typeshed
types_Flask_Cors python3-typeshed
types_Flask_SQLAlchemy python3-typeshed
types_JACK_Client python3-typeshed
types_Markdown python3-typeshed
types_Pillow python3-typeshed
types_PyAutoGUI python3-typeshed
types_PyMySQL python3-typeshed
types_PyScreeze python3-typeshed
types_PyYAML python3-typeshed
types_Pygments python3-typeshed
types_SQLAlchemy python3-typeshed
types_Send2Trash python3-typeshed
types_aiofiles python3-typeshed
types_annoy python3-typeshed
types_appdirs python3-typeshed
types_aws_xray_sdk python3-typeshed
types_babel python3-typeshed
types_backports.ssl_match_hostname python3-typeshed
types_beautifulsoup4 python3-typeshed
types_bleach python3-typeshed
types_boto python3-typeshed
types_braintree python3-typeshed
types_cachetools python3-typeshed
types_caldav python3-typeshed
types_certifi python3-typeshed
types_cffi python3-typeshed
types_chardet python3-typeshed
types_chevron python3-typeshed
types_click_spinner python3-typeshed
types_colorama python3-typeshed
types_commonmark python3-typeshed
types_console_menu python3-typeshed
types_contextvars python3-typeshed
types_croniter python3-typeshed
types_cryptography python3-typeshed
types_dateparser python3-typeshed
types_decorator python3-typeshed
types_dj_database_url python3-typeshed
types_docopt python3-typeshed
types_docutils python3-typeshed
types_editdistance python3-typeshed
types_emoji python3-typeshed
types_entrypoints python3-typeshed
types_first python3-typeshed
types_flake8_2020 python3-typeshed
types_flake8_bugbear python3-typeshed
types_flake8_builtins python3-typeshed
types_flake8_docstrings python3-typeshed
types_flake8_plugin_utils python3-typeshed
types_flake8_rst_docstrings python3-typeshed
types_flake8_simplify python3-typeshed
types_flake8_typing_imports python3-typeshed
types_fpdf2 python3-typeshed
types_gdb python3-typeshed
types_google_cloud_ndb python3-typeshed
types_hdbcli python3-typeshed
types_html5lib python3-typeshed
types_httplib2 python3-typeshed
types_humanfriendly python3-typeshed
types_invoke python3-typeshed
types_jmespath python3-typeshed
types_jsonschema python3-typeshed
types_keyboard python3-typeshed
types_ldap3 python3-typeshed
types_mock python3-typeshed
types_mypy_extensions python3-typeshed
types_mysqlclient python3-typeshed
types_oauthlib python3-typeshed
types_openpyxl python3-typeshed
types_opentracing python3-typeshed
types_paho_mqtt python3-typeshed
types_paramiko python3-typeshed
types_parsimonious python3-typeshed
types_passlib python3-typeshed
types_passpy python3-typeshed
types_peewee python3-typeshed
types_pep8_naming python3-typeshed
types_playsound python3-typeshed
types_polib python3-typeshed
types_prettytable python3-typeshed
types_protobuf python3-typeshed
types_psutil python3-typeshed
types_psycopg2 python3-typeshed
types_pyOpenSSL python3-typeshed
types_pyRFC3339 python3-typeshed
types_pyaudio python3-typeshed
types_pycurl python3-typeshed
types_pyfarmhash python3-typeshed
types_pyflakes python3-typeshed
types_pyinstaller python3-typeshed
types_pynput python3-typeshed
types_pysftp python3-typeshed
types_pytest_lazy_fixture python3-typeshed
types_python_crontab python3-typeshed
types_python_dateutil python3-typeshed
types_python_gflags python3-typeshed
types_python_jose python3-typeshed
types_python_nmap python3-typeshed
types_python_slugify python3-typeshed
types_pytz python3-typeshed
types_pyvmomi python3-typeshed
types_pywin32 python3-typeshed
types_redis python3-typeshed
types_regex python3-typeshed
types_requests python3-typeshed
types_retry python3-typeshed
types_setuptools python3-typeshed
types_simplejson python3-typeshed
types_singledispatch python3-typeshed
types_six python3-typeshed
types_slumber python3-typeshed
types_stdlib_list python3-typeshed
types_stripe python3-typeshed
types_tabulate python3-typeshed
types_termcolor python3-typeshed
types_toml python3-typeshed
types_toposort python3-typeshed
types_tqdm python3-typeshed
types_tree_sitter python3-typeshed
types_tree_sitter_languages python3-typeshed
types_ttkthemes python3-typeshed
types_typed_ast python3-typeshed
types_tzlocal python3-typeshed
types_ujson python3-typeshed
types_urllib3 python3-typeshed
types_vobject python3-typeshed
types_waitress python3-typeshed
types_whatthepatch python3-typeshed
types_xmltodict python3-typeshed
types_xxhash python3-typeshed
types_zxcvbn python3-typeshed
typing_extensions python3-typing-extensions
typing_inspect python3-typing-inspect
typogrify python3-typogrify
tz_converter tz-converter
tzlocal python3-tzlocal
uTidylib python3-utidylib
u_msgpack_python python3-u-msgpack
ua_parser python3-ua-parser
uamqp python3-uamqp
ubuntu_dev_tools python3-ubuntutools
uc_micro_py python3-uc-micro
udatetime python3-udatetime
udiskie udiskie
ueberzug ueberzug
uflash python3-uflash
ufo2ft python3-ufo2ft
ufo2otf ufo2otf
ufoLib2 python3-ufolib2
ufoProcessor python3-ufoprocessor
ufo_extractor python3-ufo-extractor
ufonormalizer python3-ufonormalizer
ufw ufw
uhashring python3-uhashring
ujson python3-ujson
ulmo python3-ulmo
umap_learn umap-learn
umis umis
unattended_upgrades unattended-upgrades
uncalled uncalled
uncertainties python3-uncertainties
undertime undertime
unearth python3-unearth
unicodecsv python3-unicodecsv
unicodedata2 python3-unicodedata2
unicorn python3-unicorn
unicycler unicycler
unidiff python3-unidiff
unifrac python3-unifrac
unittest2 python3-unittest2
unittest_xml_reporting python3-xmlrunner
unpaddedbase64 python3-unpaddedbase64
untangle python3-untangle
untokenize python3-untokenize
unyt python3-unyt
upass upass
upstream_ontologist python3-upstream-ontologist
uritemplate python3-uritemplate
uritools python3-uritools
url_normalize python3-url-normalize
urllib3 python3-urllib3
urlscan urlscan
urlwatch urlwatch
urwid python3-urwid
urwid_readline python3-urwid-readline
urwid_satext python3-urwid-satext
urwid_utils python3-urwid-utils
urwidtrees python3-urwidtrees
usagestats python3-usagestats
usbrelay_py python3-usbrelay
usbsdmux usbsdmux
user_agents python3-user-agents
userpath python3-userpath
utf8_locale python3-utf8-locale
uvicorn python3-uvicorn
uvloop python3-uvloop
validate python3-configobj
validators python3-validators
validictory python3-validictory
vanguards vanguards
variety variety
vcrpy python3-vcr
vcstool vcstool
vcstools python3-vcstools
vcversioner python3-vcversioner
vdf python3-vdf
vdirsyncer vdirsyncer
vedo python3-vedo
vega_datasets python3-vega-datasets
venusian python3-venusian
versioneer python3-versioneer
versiontools python3-versiontools
veusz python3-veusz
vfit vfit
viagee viagee
vine python3-vine
vinetto vinetto
virtaal virtaal
virtnbdbackup virtnbdbackup
virtualenv python3-virtualenv
virtualenv_clone python3-virtualenv-clone
virtualenvwrapper python3-virtualenvwrapper
virustotal_api python3-virustotal-api
visidata visidata
vispy python3-vispy
vistrails vistrails
vit vit
vitrage python3-vitrage
vitrage_dashboard python3-vitrage-dashboard
vitrage_tempest_plugin vitrage-tempest-plugin
vmdb2 vmdb2
vobject python3-vobject
volatildap python3-volatildap
volatile python3-volatile
voltron voltron
voluptuous python3-voluptuous
voluptuous_serialize python3-voluptuous-serialize
vorta vorta
vsts_cd_manager python3-vsts-cd-manager
vttLib python3-vttlib
vulndb python3-vulndb
vulture vulture
w3lib python3-w3lib
wadllib python3-wadllib
wafw00f wafw00f
waiting python3-waiting
waitress python3-waitress
wajig wajig
wapiti3 wapiti
warlock python3-warlock
wasabi python3-wasabi
watchdog python3-watchdog
watcher_dashboard python3-watcher-dashboard
watcher_tempest_plugin watcher-tempest-plugin
watchgod python3-watchgod
wcag_contrast_ratio python3-wcag-contrast-ratio
wchartype python3-wchartype
wcmatch python3-wcmatch
wcwidth python3-wcwidth
wdlparse python3-wdlparse
weasyprint weasyprint
web.py python3-webpy
webargs python3-webargs
webassets python3-webassets
webcolors python3-webcolors
webdavclient3 python3-webdavclient
webencodings python3-webencodings
weblogo python3-weblogo
websocket_client python3-websocket
websocket_httpd python3-websocketd
websockets python3-websockets
websockify python3-websockify
websploit websploit
webvtt_py python3-webvtt
wfuzz wfuzz
wget python3-wget
whatmaps whatmaps
whatthepatch python3-whatthepatch
wheel python3-wheel
wheezy.template python3-wheezy.template
whichcraft python3-whichcraft
whipper whipper
whisper python3-whisper
whitenoise python3-whitenoise
whois python3-whois
widgetsnbextension python3-widgetsnbextension
wifite wifite
wikitrans python3-wikitrans
wilderness python3-wilderness
wimsapi python3-wimsapi
wither python3-wither
wlc wlc
wokkel python3-wokkel
wordcloud python3-wordcloud
workalendar python3-workalendar
wrapt python3-wrapt
ws4py python3-ws4py
wsaccel python3-wsaccel
wsgi_intercept python3-wsgi-intercept
wsgicors python3-wsgicors
wsgilog python3-wsgilog
wsproto python3-wsproto
wstool python3-wstool
wtf_peewee python3-wtf-peewee
wurlitzer python3-wurlitzer
wxPython python3-wxgtk4.0
wxmplot python3-wxmplot
wxutils python3-wxutils
x2go python3-x2go
x2gobroker python3-x2gobroker
x_wr_timezone python3-x-wr-timezone
xandikos xandikos
xapers xapers
xapian_haystack python3-xapian-haystack
xarray python3-xarray
xarray_sentinel python3-xarray-sentinel
xattr python3-xattr
xcffib python3-xcffib
xdg python3-xdg
xdo python3-xdo
xdot xdot
xeus_python_shell python3-xeus-python-shell
xgboost python3-xgboost
xhtml2pdf python3-xhtml2pdf
xkcd python3-xkcd
xkcdpass xkcdpass
xlrd python3-xlrd
xlwt python3-xlwt
xmds2 xmds2
xmldiff xmldiff
xmlschema python3-xmlschema
xmlsec python3-xmlsec
xmltodict python3-xmltodict
xmodem python3-xmodem
xonsh xonsh
xopen python3-xopen
xphyle python3-xphyle
xpore xpore
xpra xpra
xraydb python3-xraydb
xraylarch python3-xraylarch
xrayutilities python3-xrayutilities
xrootd python3-xrootd
xrt python3-xrt
xsdata python3-xsdata
xtermcolor python3-xtermcolor
xvfbwrapper python3-xvfbwrapper
xxdiff_scripts xxdiff-scripts
xxhash python3-xxhash
xyzservices python3-xyzservices
yamllint yamllint
yamlordereddictloader python3-yamlordereddictloader
yanagiba yanagiba
yanc python3-nose-yanc
yanosim yanosim
yapf python3-yapf
yappi python3-yappi
yaql python3-yaql
yara_python python3-yara
yaramod python3-yaramod
yarl python3-yarl
yarsync yarsync
yaswfp python3-yaswfp
yattag python3-yattag
yenc python3-yenc
yokadi yokadi
yowsup python3-yowsup
yoyo_migrations python3-yoyo
yt python3-yt
yt_dlp yt-dlp
yubikey_manager python3-ykman
zVMCloudConnector python3-zvmcloudconnector
zake python3-zake
zaqar python3-zaqar
zaqar_tempest_plugin zaqar-tempest-plugin
zaqar_ui python3-zaqar-ui
zarr python3-zarr
zc.buildout python3-zc.buildout
zc.customdoctests python3-zc.customdoctests
zc.lockfile python3-zc.lockfile
zeep python3-zeep
zeroconf python3-zeroconf
zfec python3-zfec
zict python3-zict
zigpy python3-zigpy
zim zim
zipp python3-zipp
zipstream python3-zipstream
zipstream_ng python3-zipstream-ng
zkg zkg
zktop zktop
zlmdb python3-zlmdb
zodbpickle python3-zodbpickle
zope.component python3-zope.component
zope.configuration python3-zope.configuration
zope.deprecation python3-zope.deprecation
zope.event python3-zope.event
zope.exceptions python3-zope.exceptions
zope.hookable python3-zope.hookable
zope.i18nmessageid python3-zope.i18nmessageid
zope.interface python3-zope.interface
zope.location python3-zope.location
zope.proxy python3-zope.proxy
zope.schema python3-zope.schema
zope.security python3-zope.security
zope.testing python3-zope.testing
zope.testrunner python3-zope.testrunner
zstandard python3-zstandard
zstd python3-zstd
zxcvbn python3-zxcvbn
zzzeeksphinx python3-zzzeeksphinx
|