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
|
#!/usr/bin/env python
# This file is part of Xpra.
# Copyright (C) 2010-2015 Antoine Martin <antoine@devloop.org.uk>
# Copyright (C) 2008, 2009, 2010 Nathaniel Smith <njs@pobox.com>
# Xpra is released under the terms of the GNU GPL v2, or, at your option, any
# later version. See the file COPYING for details.
##############################################################################
# FIXME: Cython.Distutils.build_ext leaves crud in the source directory. (So
# does the make_constants hack.)
import glob
import site
from distutils.core import setup
from distutils.extension import Extension
import subprocess, sys
import os.path
import stat
from distutils.command.build import build
from distutils.command.install_data import install_data
import shutil
if sys.version<'2.6':
raise Exception("xpra no longer supports Python versions older than 2.6")
from hashlib import md5
print(" ".join(sys.argv))
#*******************************************************************************
# build options, these may get modified further down..
#
import xpra
setup_options = {}
setup_options["name"] = "xpra"
setup_options["author"] = "Antoine Martin"
setup_options["author_email"] = "antoine@devloop.org.uk"
setup_options["version"] = xpra.__version__
setup_options["url"] = "http://xpra.org/"
setup_options["download_url"] = "http://xpra.org/src/"
setup_options["description"] = "Xpra: multi-platform screen and application forwarding system"
xpra_desc = "Xpra is a multi platform persistent remote display server and client for " + \
"forwarding applications and desktop screens. Also known as 'screen for X11'."
setup_options["long_description"] = xpra_desc
data_files = []
setup_options["data_files"] = data_files
modules = []
setup_options["py_modules"] = modules
packages = [] #used by py2app and py2exe
excludes = [] #only used by py2exe on win32
ext_modules = []
cmdclass = {}
scripts = []
WIN32 = sys.platform.startswith("win") or sys.platform.startswith("msys")
OSX = sys.platform.startswith("darwin")
PYTHON3 = sys.version_info[0] == 3
from xpra import __version__
print("Xpra version %s" % __version__)
#*******************************************************************************
# Most of the options below can be modified on the command line
# using --with-OPTION or --without-OPTION
# only the default values are specified here:
#*******************************************************************************
def get_status_output(*args, **kwargs):
kwargs["stdout"] = subprocess.PIPE
kwargs["stderr"] = subprocess.PIPE
try:
p = subprocess.Popen(*args, **kwargs)
except Exception as e:
print("error running %s,%s: %s" % (args, kwargs, e))
return -1, "", ""
stdout, stderr = p.communicate()
return p.returncode, stdout.decode("utf-8"), stderr.decode("utf-8")
PKG_CONFIG = os.environ.get("PKG_CONFIG", "pkg-config")
has_pkg_config = False
#we don't support building with "pkg-config" on win32 with python2:
if PKG_CONFIG and (PYTHON3 or not WIN32):
pkg_config_version = get_status_output([PKG_CONFIG, "--version"])
has_pkg_config = pkg_config_version[0]==0 and pkg_config_version[1]
if has_pkg_config:
print("found pkg-config version: %s" % pkg_config_version[1].strip("\n\r"))
def pkg_config_ok(*args, **kwargs):
if not has_pkg_config:
return kwargs.get("fallback", False)
cmd = [PKG_CONFIG] + [str(x) for x in args]
return get_status_output(cmd)[0]==0
def check_pyopencl_AMD():
try:
import pyopencl
opencl_platforms = pyopencl.get_platforms() #@UndefinedVariable
for platform in opencl_platforms:
if platform.name.startswith("AMD"):
print("WARNING: AMD OpenCL icd found, refusing to build OpenCL by default!")
print(" you must use --with-csc_opencl to force enable it, then deal with the bugs it causes yourself")
return False
except:
pass
return True
def is_RH():
try:
with open("/etc/redhat-release", mode='rb') as f:
data = f.read()
return data.startswith("CentOS") or data.startswith("RedHat")
except:
pass
return False
def is_msvc():
#ugly: assume we want to use visual studio if we find the env var:
return os.environ.get("VCINSTALLDIR") is not None
DEFAULT = True
if "--minimal" in sys.argv:
sys.argv.remove("--minimal")
DEFAULT = False
from xpra.platform.features import LOCAL_SERVERS_SUPPORTED, SHADOW_SUPPORTED
shadow_ENABLED = SHADOW_SUPPORTED and not PYTHON3 and DEFAULT #shadow servers use some GTK2 code..
server_ENABLED = (LOCAL_SERVERS_SUPPORTED or shadow_ENABLED) and not PYTHON3 and DEFAULT
client_ENABLED = DEFAULT
x11_ENABLED = DEFAULT and not WIN32 and not OSX
dbus_ENABLED = DEFAULT and x11_ENABLED and not (OSX or WIN32)
gtk_x11_ENABLED = DEFAULT and not WIN32 and not OSX
gtk2_ENABLED = DEFAULT and client_ENABLED and not PYTHON3
gtk3_ENABLED = DEFAULT and client_ENABLED and PYTHON3
opengl_ENABLED = DEFAULT and client_ENABLED
html5_ENABLED = False
vsock_ENABLED = sys.platform.startswith("linux") and os.path.exists("/usr/include/linux/vm_sockets.h")
bencode_ENABLED = DEFAULT
cython_bencode_ENABLED = DEFAULT
clipboard_ENABLED = DEFAULT and not PYTHON3
Xdummy_ENABLED = None #None means auto-detect
Xdummy_wrapper_ENABLED = None #None means auto-detect
if WIN32 or OSX:
Xdummy_ENABLED = False
sound_ENABLED = DEFAULT
printing_ENABLED = DEFAULT
crypto_ENABLED = DEFAULT
enc_proxy_ENABLED = DEFAULT
enc_x264_ENABLED = DEFAULT and pkg_config_ok("--exists", "x264", fallback=WIN32)
enc_x265_ENABLED = DEFAULT and pkg_config_ok("--exists", "x265")
xvid_ENABLED = DEFAULT and pkg_config_ok("--exists", "xvid")
pillow_ENABLED = DEFAULT
webp_ENABLED = False
vpx_ENABLED = DEFAULT and pkg_config_ok("--atleast-version=1.3", "vpx", fallback=WIN32)
webcam_ENABLED = DEFAULT and not OSX
v4l2_ENABLED = DEFAULT and (not WIN32 and not OSX and not sys.platform.startswith("freebsd"))
#ffmpeg 2 onwards:
dec_avcodec2_ENABLED = DEFAULT and pkg_config_ok("--atleast-version=56", "libavcodec", fallback=WIN32)
# some version strings I found:
# Fedora:
# * 19: 54.92.100
# * 20: 55.39.101
# * 21: 55.52.102
# Debian:
# * jessie and sid: (last updated 2014-05-26): 55.34.1
# (moved to ffmpeg2 style buffer API sometime in early 2014)
# * wheezy: 53.35
csc_swscale_ENABLED = DEFAULT and pkg_config_ok("--exists", "libswscale", fallback=WIN32)
csc_cython_ENABLED = DEFAULT
csc_opencv_ENABLED = DEFAULT and not OSX
if WIN32:
WIN32_BUILD_LIB_PREFIX = os.environ.get("XPRA_WIN32_BUILD_LIB_PREFIX", "C:\\")
nvenc4_sdk = WIN32_BUILD_LIB_PREFIX + "nvenc_4.0.0_sdk"
nvenc5_sdk = WIN32_BUILD_LIB_PREFIX + "nvenc_5.0.1_sdk"
nvenc6_sdk = WIN32_BUILD_LIB_PREFIX + "nvidia_video_sdk_6.0.1"
nvapi_path = WIN32_BUILD_LIB_PREFIX + "NVAPI"
try:
import pycuda
except:
pycuda = None
nvenc4_ENABLED = DEFAULT and pycuda and os.path.exists(nvenc4_sdk) and is_msvc()
nvenc5_ENABLED = DEFAULT and pycuda and os.path.exists(nvenc5_sdk) and is_msvc()
nvenc6_ENABLED = DEFAULT and pycuda and os.path.exists(nvenc6_sdk) and is_msvc()
else:
nvenc4_ENABLED = DEFAULT and pkg_config_ok("--exists", "nvenc4")
nvenc5_ENABLED = DEFAULT and pkg_config_ok("--exists", "nvenc5")
nvenc6_ENABLED = DEFAULT and pkg_config_ok("--exists", "nvenc6")
memoryview_ENABLED = sys.version>='2.7'
csc_opencl_ENABLED = DEFAULT and pkg_config_ok("--exists", "OpenCL") and check_pyopencl_AMD()
csc_libyuv_ENABLED = DEFAULT and memoryview_ENABLED and pkg_config_ok("--exists", "libyuv", fallback=WIN32)
#Cython / gcc / packaging build options:
annotate_ENABLED = True
warn_ENABLED = True
strict_ENABLED = True
PIC_ENABLED = not WIN32 #ming32 moans that it is always enabled already
debug_ENABLED = False
verbose_ENABLED = False
bundle_tests_ENABLED = False
tests_ENABLED = False
rebuild_ENABLED = True
#allow some of these flags to be modified on the command line:
SWITCHES = ["enc_x264", "enc_x265", "xvid",
"nvenc4", "nvenc5", "nvenc6",
"vpx", "webp", "pillow",
"v4l2",
"dec_avcodec2", "csc_swscale",
"csc_opencl", "csc_cython", "csc_opencv", "csc_libyuv",
"memoryview",
"bencode", "cython_bencode", "vsock",
"clipboard",
"server", "client", "dbus", "x11", "gtk_x11",
"gtk2", "gtk3", "html5",
"sound", "opengl", "printing",
"rebuild",
"annotate", "warn", "strict", "shadow", "debug", "PIC",
"Xdummy", "Xdummy_wrapper", "verbose", "tests", "bundle_tests"]
if WIN32:
SWITCHES.append("zip")
zip_ENABLED = True
HELP = "-h" in sys.argv or "--help" in sys.argv
if HELP:
setup()
print("Xpra specific build and install switches:")
for x in SWITCHES:
d = vars()["%s_ENABLED" % x]
with_str = " --with-%s" % x
without_str = " --without-%s" % x
if d is True or d is False:
default_str = str(d)
else:
default_str = "auto-detect"
print("%s or %s (default: %s)" % (with_str.ljust(25), without_str.ljust(30), default_str))
sys.exit(0)
filtered_args = []
for arg in sys.argv:
matched = False
for x in SWITCHES:
with_str = "--with-%s" % x
without_str = "--without-%s" % x
if arg.startswith(with_str+"="):
vars()["%s_ENABLED" % x] = arg[len(with_str)+1:]
matched = True
break
elif arg==with_str:
vars()["%s_ENABLED" % x] = True
matched = True
break
elif arg==without_str:
vars()["%s_ENABLED" % x] = False
matched = True
break
if not matched:
filtered_args.append(arg)
sys.argv = filtered_args
if "clean" not in sys.argv:
switches_info = {}
for x in SWITCHES:
switches_info[x] = vars()["%s_ENABLED" % x]
print("build switches:")
for k in SWITCHES:
v = switches_info[k]
print("* %s : %s" % (str(k).ljust(20), {None : "Auto", True : "Y", False : "N"}.get(v, v)))
#sanity check the flags:
if clipboard_ENABLED and not server_ENABLED and not gtk2_ENABLED and not gtk3_ENABLED:
print("Warning: clipboard can only be used with the server or one of the gtk clients!")
clipboard_ENABLED = False
if shadow_ENABLED and not server_ENABLED:
print("Warning: shadow requires server to be enabled!")
shadow_ENABLED = False
if x11_ENABLED and WIN32:
print("Warning: enabling x11 on MS Windows is unlikely to work!")
if gtk_x11_ENABLED and not x11_ENABLED:
print("Error: you must enable x11 to support gtk_x11!")
exit(1)
if client_ENABLED and not gtk2_ENABLED and not gtk3_ENABLED:
print("Warning: client is enabled but none of the client toolkits are!?")
if DEFAULT and (not client_ENABLED and not server_ENABLED):
print("Warning: you probably want to build at least the client or server!")
if DEFAULT and not pillow_ENABLED:
print("Warning: including Python Pillow is VERY STRONGLY recommended")
if memoryview_ENABLED and sys.version<"2.7":
print("Error: memoryview support requires Python version 2.7 or greater")
exit(1)
if not enc_x264_ENABLED and not vpx_ENABLED:
print("Warning: no x264 and no vpx support!")
print(" you should enable at least one of these two video encodings")
#*******************************************************************************
# default sets:
external_includes = ["hashlib",
"ctypes", "platform"]
if DEFAULT:
external_includes += ["Crypto", "Crypto.Cipher"]
else:
excludes += ["Crypto", "Crypto.Cipher"]
if gtk3_ENABLED or (sound_ENABLED and PYTHON3):
external_includes += ["gi"]
elif gtk2_ENABLED or x11_ENABLED:
external_includes += "cairo", "pango", "pangocairo", "atk", "glib", "gobject", "gio", "gtk.keysyms"
external_excludes = [
#Tcl/Tk
"Tkconstants", "Tkinter", "tcl",
#PIL bits that import TK:
"_imagingtk", "PIL._imagingtk", "ImageTk", "PIL.ImageTk", "FixTk",
#formats we don't use:
"GimpGradientFile", "GimpPaletteFile", "BmpImagePlugin", "TiffImagePlugin",
#not used:
"curses", "mimetypes", "mimetools", "pdb",
"urllib2", "tty",
"ssl", "_ssl",
"cookielib", "BaseHTTPServer", "ftplib", "httplib", "fileinput",
"distutils", "setuptools", "doctest"
]
if not client_ENABLED and not server_ENABLED:
excludes += ["PIL"]
if not dbus_ENABLED:
excludes += ["dbus"]
#because of differences in how we specify packages and modules
#for distutils / py2app and py2exe
#use the following functions, which should get the right
#data in the global variables "packages", "modules" and "excludes"
def remove_packages(*mods):
""" ensures that the given packages are not included:
removes them from the "modules" and "packages" list and adds them to "excludes" list
"""
global packages, modules, excludes
for m in list(modules):
for x in mods:
if m.startswith(x):
modules.remove(m)
break
for x in mods:
if x in packages:
packages.remove(x)
if x not in excludes:
excludes.append(x)
def add_packages(*pkgs):
""" adds the given packages to the packages list,
and adds all the modules found in this package (including the package itself)
"""
global packages
for x in pkgs:
if x not in packages:
packages.append(x)
add_modules(*pkgs)
def add_modules(*mods):
def add(v):
global modules
if v not in modules:
modules.append(v)
do_add_modules(add, *mods)
def do_add_modules(op, *mods):
""" adds the packages and any .py module found in the packages to the "modules" list
"""
global modules
for x in mods:
#ugly path stripping:
if x.startswith("./"):
x = x[2:]
if x.endswith(".py"):
x = x[:-3]
x = x.replace("/", ".") #.replace("\\", ".")
pathname = os.path.sep.join(x.split("."))
#is this a file module?
f = "%s.py" % pathname
if os.path.exists(f) and os.path.isfile(f):
op(x)
if os.path.exists(pathname) and os.path.isdir(pathname):
#add all file modules found in this directory
for f in os.listdir(pathname):
#make sure we only include python files,
#and ignore eclipse copies
if f.endswith(".py") and not f.startswith("Copy ")<0:
fname = os.path.join(pathname, f)
if os.path.isfile(fname):
modname = "%s.%s" % (x, f.replace(".py", ""))
op(modname)
def toggle_packages(enabled, *module_names):
if enabled:
add_packages(*module_names)
else:
remove_packages(*module_names)
def toggle_modules(enabled, *module_names):
if enabled:
def op(v):
global modules
if v not in modules:
modules.append(v)
do_add_modules(op, *module_names)
else:
remove_packages(*module_names)
#always included:
add_modules("xpra", "xpra.platform", "xpra.net")
add_modules("xpra.scripts.main")
def add_data_files(target_dir, files):
#this is overriden below because cx_freeze uses the opposite structure (files first...). sigh.
assert type(target_dir)==str
assert type(files) in (list, tuple)
data_files.append((target_dir, files))
def check_md5sums(md5sums):
print("Verifying md5sums:")
for filename, md5sum in md5sums.items():
if not os.path.exists(filename) or not os.path.isfile(filename):
sys.exit("ERROR: file %s is missing or not a file!" % filename)
sys.stdout.write("* %s: " % str(filename).ljust(52))
with open(filename, mode='rb') as f:
data = f.read()
m = md5()
m.update(data)
digest = m.hexdigest()
assert digest==md5sum, "md5 digest for file %s does not match, expected %s but found %s" % (filename, md5sum, digest)
sys.stdout.write("OK\n")
sys.stdout.flush()
#for pretty printing of options:
def print_option(prefix, k, v):
if type(v)==dict:
print("%s* %s:" % (prefix, k))
for kk,vv in v.items():
print_option(" "+prefix, kk, vv)
else:
print("%s* %s=%s" % (prefix, k, v))
def print_dict(d):
for k,v in d.items():
print_option("", k, v)
#*******************************************************************************
# Utility methods for building with Cython
def cython_version_check(min_version):
try:
from Cython.Compiler.Version import version as cython_version
except ImportError as e:
sys.exit("ERROR: Cannot find Cython: %s" % e)
from distutils.version import LooseVersion
if LooseVersion(cython_version) < LooseVersion(".".join([str(x) for x in min_version])):
sys.exit("ERROR: Your version of Cython is too old to build this package\n"
"You have version %s\n"
"Please upgrade to Cython %s or better"
% (cython_version, ".".join([str(part) for part in min_version])))
def cython_add(extension, min_version=(0, 19)):
#gentoo does weird things, calls --no-compile with build *and* install
#then expects to find the cython modules!? ie:
#python2.7 setup.py build -b build-2.7 install --no-compile --root=/var/tmp/portage/x11-wm/xpra-0.7.0/temp/images/2.7
if "--no-compile" in sys.argv and not ("build" in sys.argv and "install" in sys.argv):
return
cython_version_check(min_version)
from Cython.Distutils import build_ext
ext_modules.append(extension)
global cmdclass
cmdclass['build_ext'] = build_ext
def add_to_keywords(kw, key, *args):
values = kw.setdefault(key, [])
for arg in args:
values.append(arg)
def remove_from_keywords(kw, key, value):
values = kw.get(key)
if values and value in values:
values.remove(value)
def checkdirs(*dirs):
for d in dirs:
if not os.path.exists(d) or not os.path.isdir(d):
raise Exception("cannot find a directory which is required for building: '%s'" % d)
PYGTK_PACKAGES = ["pygobject-2.0", "pygtk-2.0"]
GCC_VERSION = []
def get_gcc_version():
global GCC_VERSION
if len(GCC_VERSION)==0:
cmd = [os.environ.get("CC", "gcc"), "-v"]
r, _, err = get_status_output(cmd)
if r==0:
V_LINE = "gcc version "
for line in err.splitlines():
if line.startswith(V_LINE):
v_str = line[len(V_LINE):].split(" ")[0]
for p in v_str.split("."):
try:
GCC_VERSION.append(int(p))
except:
break
print("found gcc version: %s" % ".".join([str(x) for x in GCC_VERSION]))
break
return GCC_VERSION
def make_constants_pxi(constants_path, pxi_path, **kwargs):
constants = []
with open(constants_path) as f:
for line in f:
data = line.split("#", 1)[0].strip()
# data can be empty ''...
if not data:
continue
# or a pair like 'cFoo "Foo"'...
elif len(data.split()) == 2:
(pyname, cname) = data.split()
constants.append((pyname, cname))
# or just a simple token 'Foo'
else:
constants.append(data)
with open(pxi_path, "w") as out:
if constants:
out.write("cdef extern from *:\n")
### Apparently you can't use | on enum's?!
# out.write(" enum MagicNumbers:\n")
# for const in constants:
# if isinstance(const, tuple):
# out.write(' %s %s\n' % const)
# else:
# out.write(' %s\n' % (const,))
for const in constants:
if isinstance(const, tuple):
out.write(' unsigned int %s %s\n' % const)
else:
out.write(' unsigned int %s\n' % (const,))
out.write("constants = {\n")
for const in constants:
if isinstance(const, tuple):
pyname = const[0]
else:
pyname = const
out.write(' "%s": %s,\n' % (pyname, pyname))
out.write("}\n")
if kwargs:
out.write("\n\n")
if kwargs:
for k, v in kwargs.items():
out.write('DEF %s = %s\n' % (k, v))
def should_rebuild(src_file, bin_file):
if not os.path.exists(bin_file):
return "no file"
elif rebuild_ENABLED:
if os.path.getctime(bin_file)<os.path.getctime(src_file):
return "binary file out of date"
elif os.path.getctime(bin_file)<os.path.getctime(__file__):
return "newer build file"
return None
def make_constants(*paths, **kwargs):
base = os.path.join(os.getcwd(), *paths)
constants_file = "%s.txt" % base
pxi_file = "%s.pxi" % base
reason = should_rebuild(constants_file, pxi_file)
if reason:
if verbose_ENABLED:
print("(re)generating %s (%s):" % (pxi_file, reason))
make_constants_pxi(constants_file, pxi_file, **kwargs)
# Tweaked from http://aspn.activestate.com/ASPN/Cookbook/Python/Recipe/502261
def exec_pkgconfig(*pkgs_options, **ekw):
kw = dict(ekw)
if kw.get("optimize"):
optimize = kw["optimize"]
del kw["optimize"]
if type(optimize)==bool:
optimize = int(optimize)*3
add_to_keywords(kw, 'extra_compile_args', "-O%i" % optimize)
ignored_flags = []
if kw.get("ignored_flags"):
ignored_flags = kw.get("ignored_flags")
del kw["ignored_flags"]
if len(pkgs_options)>0:
package_names = []
#find out which package name to use from potentially many options
#and bail out early with a meaningful error if we can't find any valid options
for package_options in pkgs_options:
#for this package options, find the ones that work
valid_option = None
if type(package_options)==str:
options = [package_options] #got given just one string
if not package_options.startswith("lib"):
options.append("lib%s" % package_options)
else:
assert type(package_options)==list
options = package_options #got given a list of options
for option in options:
cmd = ["pkg-config", "--exists", option]
r, _, _ = get_status_output(cmd)
if r==0:
valid_option = option
break
if not valid_option:
sys.exit("ERROR: cannot find a valid pkg-config package for %s" % (options,))
package_names.append(valid_option)
if verbose_ENABLED and list(pkgs_options)!=list(package_names):
print("pkgconfig(%s,%s) using package names=%s" % (pkgs_options, ekw, package_names))
flag_map = {'-I': 'include_dirs',
'-L': 'library_dirs',
'-l': 'libraries'}
cmd = ["pkg-config", "--libs", "--cflags", "%s" % (" ".join(package_names),)]
r, out, err = get_status_output(cmd)
if r!=0:
sys.exit("ERROR: call to pkg-config ('%s') failed (err=%s)" % (" ".join(cmd), err))
for token in out.split():
if token[:2] in ignored_flags:
pass
elif token[:2] in flag_map:
add_to_keywords(kw, flag_map.get(token[:2]), token[2:])
else: # throw others to extra_link_args
add_to_keywords(kw, 'extra_link_args', token)
for k, v in kw.items(): # remove duplicates
seen = set()
kw[k] = [x for x in v if x not in seen and not seen.add(x)]
if warn_ENABLED:
if is_msvc():
add_to_keywords(kw, 'extra_compile_args', "/Wall")
else:
add_to_keywords(kw, 'extra_compile_args', "-Wall")
add_to_keywords(kw, 'extra_link_args', "-Wall")
if strict_ENABLED:
if is_msvc():
add_to_keywords(kw, 'extra_compile_args', "/wd4005") #macro redifined with vpx vs stdint.h
add_to_keywords(kw, 'extra_compile_args', "/wd4146") #MSVC error in __Pyx_PyInt_As_size_t
add_to_keywords(kw, 'extra_compile_args', "/wd4293") #MSVC error in __Pyx_PyFloat_DivideObjC
add_to_keywords(kw, 'extra_compile_args', "/WX")
add_to_keywords(kw, 'extra_link_args', "/WX")
else:
if os.environ.get("CC", "").find("clang")>=0:
#clang emits too many warnings with cython code,
#so we can't enable Werror
eifd = ["-Werror",
"-Wno-unneeded-internal-declaration",
"-Wno-unknown-attributes",
"-Wno-unused-function",
"-Wno-self-assign",
"-Wno-sometimes-uninitialized"]
elif get_gcc_version()>=[4, 4]:
eifd = ["-Werror",
#CentOS 6.x gives us some invalid warnings in nvenc, ignore those:
#"-Wno-error=uninitialized",
#needed on Debian and Ubuntu to avoid this error:
#/usr/include/gtk-2.0/gtk/gtkitemfactory.h:47:1: error: function declaration isn't a prototype [-Werror=strict-prototypes]
"-Wno-error=strict-prototypes",
]
if sys.platform.startswith("netbsd"):
#see: http://trac.cython.org/ticket/395
eifd += ["-fno-strict-aliasing"]
elif sys.platform.startswith("freebsd"):
eifd += ["-Wno-error=unused-function"]
else:
#older versions of OSX ship an old gcc,
#not much we can do with this:
eifd = []
for eif in eifd:
add_to_keywords(kw, 'extra_compile_args', eif)
if PIC_ENABLED and not is_msvc():
add_to_keywords(kw, 'extra_compile_args', "-fPIC")
if debug_ENABLED:
if is_msvc():
add_to_keywords(kw, 'extra_compile_args', '/Zi')
else:
add_to_keywords(kw, 'extra_compile_args', '-g')
add_to_keywords(kw, 'extra_compile_args', '-ggdb')
if get_gcc_version()>=[4, 8]:
add_to_keywords(kw, 'extra_compile_args', '-fsanitize=address')
add_to_keywords(kw, 'extra_link_args', '-fsanitize=address')
#add_to_keywords(kw, 'include_dirs', '.')
if verbose_ENABLED:
print("pkgconfig(%s,%s)=%s" % (pkgs_options, ekw, kw))
return kw
pkgconfig = exec_pkgconfig
#*******************************************************************************
def get_xorg_bin():
# Detect Xorg Binary
for p in ("/usr/libexec/Xorg.bin", #fedora 21?
"/usr/libexec/Xorg", #fedora 22
"/usr/lib/xorg-server/Xorg" #arch linux
):
if os.path.exists(p):
return p
#look for it in $PATH:
for x in os.environ.get("PATH").split(os.pathsep):
xorg = os.path.join(x, "Xorg")
if os.path.isfile(xorg):
return xorg
return None
xorg_version = None
def get_xorg_version(xorg_bin):
# can't detect version if there is no binary
global xorg_version
if xorg_version is not None:
return xorg_version
if not xorg_bin:
return None
cmd = [xorg_bin, "-version"]
if verbose_ENABLED:
print("detecting Xorg version using: %s" % str(cmd))
r, _, err = get_status_output(cmd)
if r==0:
V_LINE = "X.Org X Server "
for line in err.splitlines():
if line.startswith(V_LINE):
v_str = line[len(V_LINE):]
xorg_version = [int(x) for x in v_str.split(".")[:2]]
break
else:
print("failed to detect Xorg version: %s" % err)
return xorg_version
def get_conf_dir(install_dir, stripbuildroot=True):
#in some cases we want to strip the buildroot (to generate paths in the config file)
#but in other cases we want the buildroot path (when writing out the config files)
#and in some cases, we don't have the install_dir specified (called from detect_xorg_setup, and that's fine too)
#this is a bit hackish, but I can't think of a better way of detecting it
#(ie: "$HOME/rpmbuild/BUILDROOT/xpra-0.15.0-0.fc21.x86_64/usr")
dirs = (install_dir or sys.prefix).split(os.path.sep)
if install_dir and stripbuildroot:
if "debian" in dirs and "tmp" in dirs:
#ugly fix for stripping the debian tmp dir:
#ie: "???/tmp/???/tags/v0.15.x/src/debian/tmp/" -> ""
while "tmp" in dirs:
dirs = dirs[dirs.index("tmp")+1:]
elif "BUILDROOT" in dirs:
#strip rpm style build root:
#[$HOME, "rpmbuild", "BUILDROOT", "xpra-$VERSION"] -> []
dirs = dirs[dirs.index("BUILDROOT")+2:]
elif "usr" in dirs:
#ie: ["some", "path", "to", "usr"] -> ["usr"]
#assume "/usr" or "/usr/local" is the build root
while "usr" in dirs and dirs.index("usr")>0:
dirs = dirs[dirs.index("usr"):]
#now deal with the fact that "/etc" is used for the "/usr" prefix
#but "/usr/local/etc" is used for the "/usr/local" prefix..
if dirs and dirs[-1]=="usr":
dirs = dirs[:-1]
#is this an absolute path?
if len(dirs)==0 or dirs[0]=="usr" or (install_dir or sys.prefix).startswith(os.path.sep):
#ie: ["/", "usr"] or ["/", "usr", "local"]
dirs.insert(0, os.path.sep)
if not WIN32:
dirs.append("etc")
dirs.append("xpra")
return os.path.join(*dirs)
def detect_xorg_setup(install_dir=None):
#returns (xvfb_command, has_displayfd, use_dummmy_wrapper)
if WIN32:
return ("", False, False)
xorg_bin = get_xorg_bin()
# detect displayfd support based on Xorg version
# if Xdummy support is enabled,
# then the X server is new enough to support displayfd:
if Xdummy_ENABLED is True:
has_displayfd = True
elif get_xorg_version(xorg_bin) >= [1, 13]:
has_displayfd = True
else:
has_displayfd = False
def Xvfb():
from xpra.scripts.config import get_Xvfb_command
return (get_Xvfb_command(), has_displayfd, False)
if sys.platform.find("bsd")>=0 and Xdummy_ENABLED is None:
print("Warning: sorry, no support for Xdummy on %s" % sys.platform)
return Xvfb()
def Xorg_suid_check():
xorg_conf = os.path.join(get_conf_dir(install_dir), "xorg.conf")
if Xdummy_wrapper_ENABLED is not None:
#honour what was specified:
use_wrapper = Xdummy_wrapper_ENABLED
elif not xorg_bin:
print("Warning: Xorg binary not found, assuming the wrapper is needed!")
use_wrapper = True
else:
#Fedora 21+ workaround:
if os.path.exists("/usr/libexec/Xorg.wrap"):
#we need our own wrapper to bypass all the scripts and wrappers Fedora uses
use_wrapper = True
else:
#auto-detect
xorg_stat = os.stat(xorg_bin)
if (xorg_stat.st_mode & stat.S_ISUID)!=0:
if (xorg_stat.st_mode & stat.S_IROTH)==0:
print("%s is suid and not readable, Xdummy support unavailable" % xorg_bin)
return Xvfb()
print("%s is suid and readable, using the xpra_Xdummy wrapper" % xorg_bin)
use_wrapper = True
else:
use_wrapper = False
from xpra.platform.paths import get_default_log_dir
log_dir = get_default_log_dir().replace("~/", "${HOME}/")
from xpra.scripts.config import get_Xdummy_command
return (get_Xdummy_command(use_wrapper, log_dir=log_dir, xorg_conf=xorg_conf), has_displayfd, use_wrapper)
if Xdummy_ENABLED is False:
return Xvfb()
elif Xdummy_ENABLED is True:
return Xorg_suid_check()
else:
print("Xdummy support unspecified, will try to detect")
cmd = ["lsb_release", "-cs"]
r, out, err = get_status_output(cmd)
release = ""
if r==0:
release = out.replace("\n", "")
r, out, err = get_status_output(["lsb_release", "-i"])
dist = ""
if r==0:
dist = out.split(":")[-1].strip()
print("found OS release: %s %s" % (dist, release))
if release in ("raring", "saucy", "trusty", "vivid", "wily"):
#yet another instance of Ubuntu breaking something
print("Warning: Ubuntu '%s' breaks Xorg/Xdummy usage - using Xvfb fallback" % release)
return Xvfb()
else:
print("Warning: failed to detect OS release using %s: %s" % (" ".join(cmd), err))
xorg_version = get_xorg_version(xorg_bin)
if not xorg_version:
print("Xorg version could not be detected, Xdummy support disabled (using Xvfb as safe default)")
return Xvfb()
if xorg_version<[1, 12]:
print("Xorg version %s is too old (1.12 or later required), Xdummy support not available" % str(xorg_version))
return Xvfb()
print("found valid recent version of Xorg server: %s" % ".".join([str(x) for x in xorg_version]))
return Xorg_suid_check()
def build_xpra_conf(install_dir):
#generates an actual config file from the template
xvfb_command, has_displayfd, _ = detect_xorg_setup(install_dir)
with open("etc/xpra/xpra.conf.in", "r") as f_in:
template = f_in.read()
from xpra.platform.features import DEFAULT_ENV
def bstr(b):
return ["no", "yes"][int(b)]
env = "\n".join("env = %s" % x for x in DEFAULT_ENV)
conf_dir = get_conf_dir(install_dir)
from xpra.platform.features import DEFAULT_SSH_COMMAND, DEFAULT_PULSEAUDIO_COMMAND, DEFAULT_PULSEAUDIO_CONFIGURE_COMMANDS
from xpra.platform.paths import get_socket_dirs, get_default_log_dir
from xpra.scripts.config import get_default_key_shortcuts
#remove build paths and user specific paths with UID ("/run/user/UID/Xpra"):
socket_dirs = get_socket_dirs()
if WIN32:
bind = "Main"
else:
if os.getuid()>0:
#remove any paths containing the uid,
#osx uses /var/tmp/$UID-Xpra,
#but this should not be included in the default config for all users!
#(the buildbot's uid!)
socket_dirs = [x for x in socket_dirs if x.find(str(os.getuid()))<0]
bind = "auto"
#FIXME: we should probably get these values from the default config instead
pdf, postscript = "", ""
if os.name=="posix" and printing_ENABLED:
try:
from xpra.platform.pycups_printing import get_printer_definitions
print("probing cups printer definitions")
defs = get_printer_definitions()
def get_printer_def(k):
v = defs.get("application/%s" % k)
if not v:
return ""
if len(v)!=2:
return ""
if v[0] not in ("-m", "-P"):
return ""
return v[1] #ie: /usr/share/ppd/cupsfilters/Generic-PDF_Printer-PDF.ppd
pdf = get_printer_def("pdf")
postscript = get_printer_def("postscript")
print("pdf=%s, postscript=%s" % (pdf, postscript))
except Exception as e:
print("could not probe for pdf/postscript printers: %s" % e)
def pretty_cmd(cmd):
lines = []
line = ""
for c in cmd:
if len(line+c)>=72:
lines.append(line+" \\\n")
line = " "+c
else:
line += " "+c
if line:
lines.append(line+" \\\n")
return (" ".join(lines)).rstrip("\\\n")
log_dir = get_default_log_dir().replace("~/", "${HOME}/")
SUBS = {'xvfb_command' : pretty_cmd(xvfb_command),
'ssh_command' : DEFAULT_SSH_COMMAND,
'key_shortcuts' : "".join(("key-shortcut = %s\n" % x) for x in get_default_key_shortcuts()),
'remote_logging' : "both",
'env' : env,
'has_displayfd' : bstr(has_displayfd),
'pulseaudio_command' : pretty_cmd(DEFAULT_PULSEAUDIO_COMMAND),
'pulseaudio_configure_commands' : "\n".join(("pulseaudio-configure-commands = %s" % pretty_cmd(x)) for x in DEFAULT_PULSEAUDIO_CONFIGURE_COMMANDS),
'conf_dir' : conf_dir,
'bind' : bind,
'socket_dirs' : "".join(("socket-dirs = %s\n" % x) for x in socket_dirs),
'log_dir' : log_dir,
'mdns' : not is_RH(), #no python-avahi on RH / CentOS
'dbus_proxy' : bstr(not OSX and not WIN32),
'pulseaudio' : bstr(not OSX and not WIN32),
'pdf_printer' : pdf,
'postscript_printer' : postscript,
'webcam' : ["auto", "no"][OSX],
'printing' : printing_ENABLED,
'dbus_control' : dbus_ENABLED,
'mmap' : bstr(not OSX and not WIN32),
}
conf = template % SUBS
#get conf dir for install, without stripping the build root
conf_dir = get_conf_dir(install_dir, stripbuildroot=False)
if not os.path.exists(conf_dir):
os.makedirs(conf_dir)
with open(conf_dir + "/xpra.conf", "w") as f_out:
f_out.write(conf)
#*******************************************************************************
if 'clean' in sys.argv or 'sdist' in sys.argv:
#clean and sdist don't actually use cython,
#so skip this (and avoid errors)
def pkgconfig(*pkgs_options, **ekw):
return {}
#always include everything in this case:
add_packages("xpra")
#ensure we remove the files we generate:
CLEAN_FILES = [
"xpra/build_info.py",
"xpra/gtk_common/gdk_atoms.c",
"xpra/x11/gtk2/constants.pxi",
"xpra/x11/gtk2/gdk_bindings.c",
"xpra/x11/gtk2/gdk_display_source.c",
"xpra/x11/gtk3/gdk_display_source.c",
"xpra/x11/bindings/constants.pxi",
"xpra/x11/bindings/wait_for_x_server.c",
"xpra/x11/bindings/keyboard_bindings.c",
"xpra/x11/bindings/display_source.c",
"xpra/x11/bindings/window_bindings.c",
"xpra/x11/bindings/randr_bindings.c",
"xpra/x11/bindings/core_bindings.c",
"xpra/x11/bindings/posix_display_source.c",
"xpra/x11/bindings/ximage.c",
"xpra/net/bencode/cython_bencode.c",
"xpra/net/vsock.c",
"xpra/codecs/vpx/encoder.c",
"xpra/codecs/vpx/decoder.c",
"xpra/codecs/vpx/constants.pxi",
"xpra/codecs/nvenc4/encoder.c",
"xpra/codecs/nvenc5/encoder.c",
"xpra/codecs/nvenc6/encoder.c",
"xpra/codecs/cuda_common/BGRA_to_NV12.fatbin",
"xpra/codecs/cuda_common/BGRA_to_U.fatbin",
"xpra/codecs/cuda_common/BGRA_to_V.fatbin",
"xpra/codecs/cuda_common/BGRA_to_Y.fatbin",
"xpra/codecs/cuda_common/BGRA_to_YUV444.fatbin",
"xpra/codecs/enc_x264/encoder.c",
"xpra/codecs/enc_x265/encoder.c",
"xpra/codecs/v4l2/pusher.c",
"xpra/codecs/xvid/encoder.c",
"xpra/codecs/libav_common/av_log.c",
"xpra/codecs/v4l/pusher.c",
"xpra/codecs/webp/encode.c",
"xpra/codecs/webp/decode.c",
"xpra/codecs/dec_avcodec2/decoder.c",
"xpra/codecs/csc_libyuv/colorspace_converter.cpp",
"xpra/codecs/csc_swscale/colorspace_converter.c",
"xpra/codecs/csc_cython/colorspace_converter.c",
"xpra/codecs/xor/cyxor.c",
"xpra/codecs/argb/argb.c",
"xpra/codecs/nvapi_version.c",
"xpra/client/gtk3/cairo_workaround.c",
"xpra/server/cystats.c",
"xpra/server/window/region.c",
"etc/xpra/xpra.conf",
#special case for the generated xpra.conf in build (see #891):
"build/etc/xpra/xpra.conf"]
for x in list(CLEAN_FILES):
p, ext = os.path.splitext(x)
if ext in (".c", ".cpp", ".pxi"):
#clean the Cython annotated html files:
CLEAN_FILES.append(p+".html")
if WIN32 and ext!=".pxi":
#on win32, the build creates ".pyd" files, clean those too:
CLEAN_FILES.append(p+".pyd")
if 'clean' in sys.argv:
CLEAN_FILES.append("xpra/build_info.py")
for x in CLEAN_FILES:
filename = os.path.join(os.getcwd(), x.replace("/", os.path.sep))
if os.path.exists(filename):
if verbose_ENABLED:
print("removing Cython/build generated file: %s" % x)
os.unlink(filename)
from add_build_info import record_build_info, BUILD_INFO_FILE, record_src_info, SRC_INFO_FILE, has_src_info
if "clean" not in sys.argv:
# Add build info to build_info.py file:
record_build_info()
# ensure it is included in the module list if it didn't exist before
add_modules(BUILD_INFO_FILE)
if "sdist" in sys.argv:
record_src_info()
if "install" in sys.argv or "build" in sys.argv:
#if installing from source tree rather than
#from a source snapshot, we may not have a "src_info" file
#so create one:
if not has_src_info():
record_src_info()
# ensure it is now included in the module list
add_modules(SRC_INFO_FILE)
if 'clean' in sys.argv or 'sdist' in sys.argv:
#take shortcut to skip cython/pkgconfig steps:
setup(**setup_options)
sys.exit(0)
def glob_recurse(srcdir):
m = {}
for root, _, files in os.walk(srcdir):
for f in files:
dirname = root[len(srcdir)+1:]
filename = os.path.join(root, f)
m.setdefault(dirname, []).append(filename)
return m
#*******************************************************************************
if WIN32:
add_packages("xpra.platform.win32")
remove_packages("xpra.platform.darwin", "xpra.platform.xposix")
###########################################################
#START OF HARDCODED SECTION
#this should all be done with pkgconfig...
#but until someone figures this out, the ugly path code below works
#as long as you install in the same place or tweak the paths.
#ffmpeg is needed for both swscale and x264:
libffmpeg_path = ""
if dec_avcodec2_ENABLED:
libffmpeg_path = WIN32_BUILD_LIB_PREFIX + "ffmpeg2-win32-bin"
else:
if csc_swscale_ENABLED:
libffmpeg_path = WIN32_BUILD_LIB_PREFIX + "ffmpeg2-win32-bin"
assert os.path.exists(libffmpeg_path), "no ffmpeg found, cannot use csc_swscale"
libffmpeg_include_dir = os.path.join(libffmpeg_path, "include")
libffmpeg_lib_dir = os.path.join(libffmpeg_path, "lib")
libffmpeg_bin_dir = os.path.join(libffmpeg_path, "bin")
#x265
x265_path = WIN32_BUILD_LIB_PREFIX + "x265"
x265_include_dir = x265_path
x265_lib_dir = x265_path
x265_bin_dir = x265_path
#x264 (direct from build dir.. yuk - sorry!):
x264_path = WIN32_BUILD_LIB_PREFIX + "x264"
x264_include_dir = os.path.join(x264_path, "include")
x264_lib_dir = os.path.join(x264_path, "lib")
x264_bin_dir = os.path.join(x264_path, "bin")
# Same for vpx:
# http://code.google.com/p/webm/downloads/list
#the path after installing may look like this:
#vpx_PATH="C:\\vpx-vp8-debug-src-x86-win32mt-vs9-v1.1.0"
#but we use something more generic, without the version numbers:
vpx_path = ""
for v in ("vpx", "vpx-1.5", "vpx-1.4", "vpx-1.3"):
p = WIN32_BUILD_LIB_PREFIX + v
if os.path.exists(p) and os.path.isdir(p):
vpx_path = p
break
vpx_include_dir = os.path.join(vpx_path, "include")
vpx_lib_dir = os.path.join(vpx_path, "lib", "Win32")
vpx_bin_dir = os.path.join(vpx_path, "lib", "Win32")
if os.path.exists(os.path.join(vpx_lib_dir, "vpxmd.lib")):
vpx_lib_names = ["vpxmd"] #msvc builds only?
elif os.path.exists(os.path.join(vpx_lib_dir, "vpx.lib")):
vpx_lib_names = ["vpx"] #for libvpx 1.3.0
else:
vpx_lib_names = ["vpxmt", "vpxmtd"] #for libvpx 1.1.0
libyuv_path = WIN32_BUILD_LIB_PREFIX + "libyuv"
libyuv_include_dir = os.path.join(libyuv_path, "include")
libyuv_lib_dir = os.path.join(libyuv_path, "lib")
libyuv_bin_dir = os.path.join(libyuv_path, "bin")
libyuv_lib_names = ["yuv"]
# Same for PyGTK / GTK3:
# http://www.pygtk.org/downloads.html
if PYTHON3:
GTK3_DIR = "C:\\GTK3"
GTK_INCLUDE_DIR = os.path.join(GTK3_DIR, "include")
#find the gnome python directory
#(ie: "C:\Python34\Lib\site-packages\gnome")
#and global include directory
#(ie: "C:\Python34\include")
GNOME_DIR = None
for x in site.getsitepackages():
t = os.path.join(x, "gnome")
if os.path.exists(t):
GNOME_DIR = t
t = os.path.join(x, "include")
if os.path.exists(t):
webp_include_dir = t
#webp:
webp_path = GNOME_DIR
webp_bin_dir = GNOME_DIR
webp_lib_dir = GNOME_DIR
webp_lib_names = ["libwebp"]
else:
gtk2_path = "C:\\Python27\\Lib\\site-packages\\gtk-2.0"
python_include_path = "C:\\Python27\\include"
gtk2runtime_path = os.path.join(gtk2_path, "runtime")
gtk2_lib_dir = os.path.join(gtk2runtime_path, "bin")
GTK_INCLUDE_DIR = os.path.join(gtk2runtime_path, "include")
#gtk2 only:
gdkconfig_include_dir = os.path.join(gtk2runtime_path, "lib", "gtk-2.0", "include")
glibconfig_include_dir = os.path.join(gtk2runtime_path, "lib", "glib-2.0", "include")
pygtk_include_dir = os.path.join(python_include_path, "pygtk-2.0")
gtk2_include_dir = os.path.join(GTK_INCLUDE_DIR, "gtk-2.0")
#webp:
webp_path = WIN32_BUILD_LIB_PREFIX + "libwebp-windows-x86"
webp_include_dir = webp_path+"\\include"
webp_lib_dir = webp_path+"\\lib"
webp_bin_dir = webp_path+"\\bin"
webp_lib_names = ["libwebp"]
atk_include_dir = os.path.join(GTK_INCLUDE_DIR, "atk-1.0")
gdkpixbuf_include_dir = os.path.join(GTK_INCLUDE_DIR, "gdk-pixbuf-2.0")
glib_include_dir = os.path.join(GTK_INCLUDE_DIR, "glib-2.0")
cairo_include_dir = os.path.join(GTK_INCLUDE_DIR, "cairo")
pango_include_dir = os.path.join(GTK_INCLUDE_DIR, "pango-1.0")
#END OF HARDCODED SECTION
###########################################################
#ie: C:\Python3.5\Lib\site-packages\
site_dir = site.getsitepackages()[1]
#this is where the win32 gi installer will put things:
gnome_include_path = os.path.join(site_dir, "gnome")
#only add the py2exe / cx_freeze specific options
#if we aren't just building the Cython bits with "build_ext":
if "build_ext" not in sys.argv:
#with py2exe and cx_freeze, we don't use py_modules
del setup_options["py_modules"]
external_includes += ["win32con", "win32gui", "win32process", "win32api"]
if PYTHON3:
from cx_Freeze import setup, Executable #@UnresolvedImport @Reimport
#cx_freeze doesn't use "data_files"...
del setup_options["data_files"]
#it wants source files first, then where they are placed...
#one item at a time (no lists)
#all in its own structure called "include_files" instead of "data_files"...
def add_data_files(target_dir, files):
print("add_data_files(%s, %s)" % (target_dir, files))
assert type(target_dir)==str
assert type(files) in (list, tuple)
for f in files:
target_file = os.path.join(target_dir, os.path.basename(f))
data_files.append((f, target_file))
#pass a potentially nested dictionary representing the tree
#of files and directories we do want to include
#relative to gnome_include_path
def add_dir(base, defs):
print("add_dir(%s, %s)" % (base, defs))
if type(defs) in (list, tuple):
for sub in defs:
if type(sub)==dict:
add_dir(base, sub)
else:
assert type(sub)==str
filename = os.path.join(gnome_include_path, base, sub)
if os.path.exists(filename):
add_data_files(base, [filename])
else:
print("Warning: missing '%s'" % filename)
else:
assert type(defs)==dict
for d, sub in defs.items():
assert type(sub) in (dict, list, tuple)
#recurse down:
add_dir(os.path.join(base, d), sub)
#convenience method for adding GI libs and "typelib" and "gir":
def add_gi(*libs):
print("add_gi(%s)" % str(libs))
add_dir('lib', {"girepository-1.0": ["%s.typelib" % x for x in libs]})
add_dir('share', {"gir-1.0" : ["%s.gir" % x for x in libs]})
def add_DLLs(*dll_names):
try:
do_add_DLLs(*dll_names)
except:
sys.exit(1)
def do_add_DLLs(*dll_names):
print("adding DLLs %s" % ", ".join(dll_names))
dll_names = list(dll_names)
dll_files = []
import re
version_re = re.compile("\-[0-9\.\-]+$")
for x in os.listdir(gnome_include_path):
pathname = os.path.join(gnome_include_path, x)
x = x.lower()
if os.path.isdir(pathname) or not x.startswith("lib") or not x.endswith(".dll"):
continue
nameversion = x[3:-4] #strip "lib" and ".dll": "libatk-1.0-0.dll" -> "atk-1.0-0"
m = version_re.search(nameversion) #look for version part of filename
if m:
dll_version = m.group(0) #found it, ie: "-1.0-0"
dll_name = nameversion[:-len(dll_version)] #ie: "atk"
dll_version = dll_version.lstrip("-") #ie: "1.0-0"
else:
dll_version = "" #no version
dll_name = nameversion #ie: "libzzz.dll" -> "zzz"
if dll_name in dll_names:
#this DLL is on our list
print("%s %s %s" % (dll_name.ljust(22), dll_version.ljust(10), x))
dll_files.append(x)
dll_names.remove(dll_name)
if len(dll_names)>0:
print("some DLLs could not be found in '%s':" % gnome_include_path)
for x in dll_names:
print(" - lib%s*.dll" % x)
add_data_files("", [os.path.join(gnome_include_path, dll) for dll in dll_files])
#list of DLLs we want to include, without the "lib" prefix, or the version and extension
#(ie: "libatk-1.0-0.dll" -> "atk")
if sound_ENABLED or gtk3_ENABLED:
add_DLLs('gio', 'girepository', 'glib',
'gnutls', 'gobject', 'gthread',
'orc', 'stdc++',
'proxy',
'winpthread',
'zzz')
if gtk3_ENABLED:
add_DLLs('atk',
'dbus', 'dbus-glib',
'gdk', 'gdk_pixbuf', 'gtk',
'cairo-gobject', 'pango', 'pangocairo', 'pangoft2', 'pangowin32',
'harfbuzz', 'harfbuzz-gobject',
'jasper', 'epoxy',
'intl',
'p11-kit',
'jpeg', 'png16', 'rsvg', 'webp', 'tiff')
#these are missing in newer aio installers (sigh):
do_add_DLLs('javascriptcoregtk',
'gdkglext', 'gtkglext')
if client_ENABLED and os.environ.get("VCINSTALLDIR"):
#Visual Studio may link our avcodec2 module against libiconv...
do_add_DLLs("iconv")
#this one may be missing in pygi-aio 3.14?
#ie: libpyglib-gi-2.0-python34
# pyglib-gi-2.0-python%s%s' % (sys.version_info[0], sys.version_info[1])
if gtk3_ENABLED:
add_dir('etc', ["fonts", "gtk-3.0", "pango", "pkcs11"]) #add "dbus-1"?
add_dir('lib', ["gdk-pixbuf-2.0", "gtk-3.0",
"libvisual-0.4", "p11-kit", "pkcs11"])
add_dir('share', ["fontconfig", "fonts", "glib-2.0", #add "dbus-1"?
"icons", "p11-kit", "xml",
{"locale" : ["en"]},
{"themes" : ["Default"]}
])
if gtk3_ENABLED or sound_ENABLED:
add_dir('lib', ["gio"])
packages.append("gi")
add_gi("Gio-2.0", "GIRepository-2.0", "Glib-2.0", "GModule-2.0",
"GObject-2.0")
if gtk3_ENABLED:
add_gi("Atk-1.0",
"fontconfig-2.0", "freetype2-2.0",
"GDesktopEnums-3.0", "Soup-2.4",
"GdkGLExt-3.0", "GtkGLExt-3.0", "GL-1.0",
"GdkPixbuf-2.0", "Gdk-3.0", "Gtk-3.0"
"HarfBuzz-0.0",
"Libproxy-1.0", "libxml2-2.0",
"cairo-1.0", "Pango-1.0", "PangoCairo-1.0", "PangoFT2-1.0",
"Rsvg-2.0",
"win32-1.0")
add_DLLs('visual', 'curl', 'soup', 'sqlite3', 'openjpeg')
if sound_ENABLED:
add_dir("share", ["gst-plugins-bad", "gst-plugins-base", "gstreamer-1.0"])
add_gi("Gst-1.0", "GstAllocators-1.0", "GstAudio-1.0", "GstBase-1.0",
"GstTag-1.0")
add_DLLs('gstreamer', 'orc-test')
for p in ("app", "audio", "base", "codecparsers", "fft", "net", "video",
"pbutils", "riff", "sdp", "rtp", "rtsp", "tag", "uridownloader",
#I think 'coreelements' needs those (otherwise we would exclude them):
"basecamerabinsrc", "mpegts", "photography",
):
add_DLLs('gst%s' % p)
#add the gstreamer plugins we need:
GST_PLUGINS = ("app", "gdp", "matroska"
"audioparsers", "audiorate", "audioconvert", "audioresample", "audiotestsrc",
"coreelements", "directsoundsink", "directsoundsrc",
"opus", "flac", "lame", "mad", "mpg123", "ogg", "speex",
"volume", "vorbis", "wavenc", "wavpack", "wavparse",
#a52dec, faac, faad, voaacenc
)
add_dir(os.path.join("lib", "gstreamer-1.0"), [("libgst%s.dll" % x) for x in GST_PLUGINS])
#END OF SOUND
if client_ENABLED:
#pillow links against zlib, but expects the DLL to be named z.dll:
data_files.append((os.path.join(gnome_include_path, "libzzz.dll"), "z.dll"))
if server_ENABLED:
#used by proxy server:
external_includes += ["multiprocessing"]
#I am reluctant to add these to py2exe because it figures it out already:
external_includes += ["encodings"]
#ensure that cx_freeze won't automatically grab other versions that may lay on our path:
os.environ["PATH"] = gnome_include_path+";"+os.environ.get("PATH", "")
bin_excludes = ["MSVCR90.DLL", "MFC100U.DLL", "libsqlite3-0.dll"]
cx_freeze_options = {
"compressed" : True,
"includes" : external_includes,
"packages" : packages,
"include_files" : data_files,
"excludes" : excludes,
"include_msvcr" : True,
"bin_excludes" : bin_excludes,
"create_shared_zip" : zip_ENABLED,
}
setup_options["options"] = {"build_exe" : cx_freeze_options}
executables = []
setup_options["executables"] = executables
def add_exe(script, icon, base_name, base="Console"):
executables.append(Executable(
script = script,
initScript = None,
#targetDir = "dist",
icon = "win32/%s" % icon,
targetName = "%s.exe" % base_name,
compress = True,
copyDependentFiles = True,
appendScriptToExe = False,
appendScriptToLibrary = True,
base = base))
def add_console_exe(script, icon, base_name):
add_exe(script, icon, base_name)
def add_gui_exe(script, icon, base_name):
add_exe(script, icon, base_name, base="Win32GUI")
#END OF cx_freeze SECTION
else:
#py2exe recipe for win32com:
# ModuleFinder can't handle runtime changes to __path__, but win32com uses them
try:
# py2exe 0.6.4 introduced a replacement modulefinder.
# This means we have to add package paths there, not to the built-in
# one. If this new modulefinder gets integrated into Python, then
# we might be able to revert this some day.
# if this doesn't work, try import modulefinder
try:
import py2exe.mf as modulefinder
except ImportError:
import modulefinder
import win32com, sys
for p in win32com.__path__[1:]:
modulefinder.AddPackagePath("win32com", p)
for extra in ["win32com.propsys"]: #,"win32com.mapi"
__import__(extra)
m = sys.modules[extra]
for p in m.__path__[1:]:
modulefinder.AddPackagePath(extra, p)
except ImportError:
# no build path setup, no worries.
pass
import py2exe #@UnresolvedImport
assert py2exe is not None
EXCLUDED_DLLS = list(py2exe.build_exe.EXCLUDED_DLLS) + ["nvcuda.dll",
"curand32_55.dll", "curand32_60.dll", "curand32_65.dll",
"curand64_55.dll", "curand64_60.dll", "curand64_65.dll", "curand64_70.dll"]
py2exe.build_exe.EXCLUDED_DLLS = EXCLUDED_DLLS
py2exe_options = {
#"bundle_files" : 3,
"skip_archive" : not zip_ENABLED,
"optimize" : 0, #WARNING: do not change - causes crashes
"unbuffered" : True,
"compressed" : zip_ENABLED,
"packages" : packages,
"includes" : external_includes,
"excludes" : excludes,
"dll_excludes" : ["w9xpopen.exe", "tcl85.dll", "tk85.dll", "propsys.dll",
#exclude the msys DLLs, as py2exe builds should be using MSVC
"msys-2.0.dll", "msys-gcc_s-1.dll", "MSVCP90.dll"],
}
#workaround for setuptools >= 19.3
add_packages("pkg_resources._vendor.packaging")
if not zip_ENABLED:
#the filename is actually ignored because we specify "skip_archive"
#this places the modules in library/
setup_options["zipfile"] = "library/foo.zip"
else:
setup_options["zipfile"] = "library.zip"
setup_options["options"] = {"py2exe" : py2exe_options}
windows = []
setup_options["windows"] = windows
console = []
setup_options["console"] = console
def add_exe(tolist, script, icon, base_name):
tolist.append({ 'script' : script,
'icon_resources' : [(1, "win32/%s" % icon)],
"dest_base" : base_name})
def add_console_exe(*args):
add_exe(console, *args)
def add_gui_exe(*args):
add_exe(windows, *args)
# Python2.7 was compiled with Visual Studio 2008:
# (you can find the DLLs in various packages, including Visual Studio 2008,
# pywin32, etc...)
# This is where I keep them, you will obviously need to change this value
# or make sure you also copy them there:
C_DLLs = WIN32_BUILD_LIB_PREFIX
check_md5sums({
C_DLLs+"Microsoft.VC90.CRT/Microsoft.VC90.CRT.manifest" : "37f44d535dcc8bf7a826dfa4f5fa319b",
C_DLLs+"Microsoft.VC90.CRT/msvcm90.dll" : "4a8bc195abdc93f0db5dab7f5093c52f",
C_DLLs+"Microsoft.VC90.CRT/msvcp90.dll" : "6de5c66e434a9c1729575763d891c6c2",
C_DLLs+"Microsoft.VC90.CRT/msvcr90.dll" : "e7d91d008fe76423962b91c43c88e4eb",
C_DLLs+"Microsoft.VC90.CRT/vcomp90.dll" : "f6a85f3b0e30c96c993c69da6da6079e",
C_DLLs+"Microsoft.VC90.MFC/Microsoft.VC90.MFC.manifest" : "17683bda76942b55361049b226324be9",
C_DLLs+"Microsoft.VC90.MFC/mfc90.dll" : "462ddcc5eb88f34aed991416f8e354b2",
C_DLLs+"Microsoft.VC90.MFC/mfc90u.dll" : "b9030d821e099c79de1c9125b790e2da",
C_DLLs+"Microsoft.VC90.MFC/mfcm90.dll" : "d4e7c1546cf3131b7d84b39f8da9e321",
C_DLLs+"Microsoft.VC90.MFC/mfcm90u.dll" : "371226b8346f29011137c7aa9e93f2f6",
})
add_data_files('Microsoft.VC90.CRT', glob.glob(C_DLLs+'Microsoft.VC90.CRT\\*.*'))
add_data_files('Microsoft.VC90.MFC', glob.glob(C_DLLs+'Microsoft.VC90.MFC\\*.*'))
if webp_ENABLED and not PYTHON3:
#add the webp DLL to the output:
add_data_files('', [webp_bin_dir+"\\libwebp.dll"])
if enc_x264_ENABLED:
add_data_files('', ['%s\\libx264.dll' % x264_bin_dir])
#find pthread DLL...
for x in (["C:\\MinGW\\bin"]+os.environ.get("PATH").split(";")):
f = os.path.join(x, "pthreadGC2.dll")
if os.path.exists(f):
add_data_files('', [f])
break
# MS-Windows theme
add_data_files('etc/gtk-2.0', ['win32/gtkrc'])
engines_dir = os.path.join(site_dir, 'gtk-2.0/runtime/lib/gtk-2.0/2.10.0/engines')
add_data_files('lib/gtk-2.0/2.10.0/engines', glob.glob(engines_dir+"/*.dll"))
#END OF py2exe SECTION
#UI applications (detached from shell: no text output if ran from cmd.exe)
if client_ENABLED and (gtk2_ENABLED or gtk3_ENABLED):
add_gui_exe("scripts/xpra", "xpra_txt.ico", "Xpra")
add_gui_exe("scripts/xpra_launcher", "xpra.ico", "Xpra-Launcher")
add_gui_exe("xpra/gtk_common/gtk_view_keyboard.py", "keyboard.ico", "GTK_Keyboard_Test")
add_gui_exe("xpra/scripts/bug_report.py", "bugs.ico", "Bug_Report")
if gtk2_ENABLED:
#these need porting..
add_gui_exe("xpra/gtk_common/gtk_view_clipboard.py","clipboard.ico", "GTK_Clipboard_Test")
#Console: provide an Xpra_cmd.exe we can run from the cmd.exe shell
add_console_exe("scripts/xpra", "xpra_txt.ico", "Xpra_cmd")
add_console_exe("xpra/scripts/version.py", "information.ico", "Version_info")
add_console_exe("xpra/net/net_util.py", "network.ico", "Network_info")
if gtk2_ENABLED or gtk3_ENABLED:
add_console_exe("xpra/scripts/gtk_info.py", "gtk.ico", "GTK_info")
add_console_exe("xpra/gtk_common/keymap.py", "keymap.ico", "Keymap_info")
if client_ENABLED or server_ENABLED:
add_console_exe("win32/python_execfile.py", "python.ico", "Python_execfile")
add_console_exe("xpra/scripts/config.py", "gears.ico", "Config_info")
if client_ENABLED:
add_console_exe("xpra/codecs/loader.py", "encoding.ico", "Encoding_info")
add_console_exe("xpra/platform/paths.py", "directory.ico", "Path_info")
add_console_exe("xpra/platform/features.py", "features.ico", "Feature_info")
if client_ENABLED:
add_console_exe("xpra/platform/gui.py", "browse.ico", "NativeGUI_info")
add_console_exe("xpra/platform/win32/gui.py", "loop.ico", "Events_Test")
if sound_ENABLED:
add_console_exe("xpra/sound/gstreamer_util.py", "gstreamer.ico", "GStreamer_info")
#add_console_exe("xpra/sound/src.py", "microphone.ico", "Sound_Record")
#add_console_exe("xpra/sound/sink.py", "speaker.ico", "Sound_Play")
if opengl_ENABLED:
add_console_exe("xpra/client/gl/gl_check.py", "opengl.ico", "OpenGL_check")
if webcam_ENABLED:
add_gui_exe("xpra/scripts/show_webcam.py", "webcam.ico", "Webcam_Test")
if printing_ENABLED:
add_console_exe("xpra/platform/printing.py", "printer.ico", "Print")
if os.path.exists("C:\\Program Files (x86)\\Ghostgum\\gsview"):
GSVIEW = "C:\\Program Files (x86)\\Ghostgum\\gsview"
else:
GSVIEW = "C:\\Program Files\\Ghostgum\\gsview"
if os.path.exists("C:\\Program Files (x86)\\gs"):
GHOSTSCRIPT_PARENT_DIR = "C:\\Program Files (x86)\\gs"
else:
GHOSTSCRIPT_PARENT_DIR = "C:\\Program Files\\gs"
GHOSTSCRIPT = None
for x in reversed(sorted(os.listdir(GHOSTSCRIPT_PARENT_DIR))):
f = os.path.join(GHOSTSCRIPT_PARENT_DIR, x)
if os.path.isdir(f):
GHOSTSCRIPT = os.path.join(f, "bin")
print("found ghoscript: %s" % GHOSTSCRIPT)
break
assert GHOSTSCRIPT is not None, "cannot find ghostscript installation directory in %s" % GHOSTSCRIPT_PARENT_DIR
add_data_files('gsview', glob.glob(GSVIEW+'\\*.*'))
add_data_files('gsview', glob.glob(GHOSTSCRIPT+'\\*.*'))
if client_ENABLED or server_ENABLED:
add_data_files('', ['COPYING', 'README', 'win32/website.url'])
add_data_files('icons', glob.glob('win32\\*.ico') + glob.glob('icons\\*.*'))
if "install" in sys.argv or "install_exe" in sys.argv or "py2exe" in sys.argv:
#a bit naughty here: we copy directly to the output dir:
try:
#more uglyness: locate -d DISTDIR in command line:
dist = sys.argv[sys.argv.index("-d")+1]
except:
dist = "dist"
build_xpra_conf(dist)
#FIXME: ugly workaround for building the ugly pycairo workaround on win32:
#the win32 py-gi installers don't have development headers for pycairo
#so we hardcode them here instead...
#(until someone fixes the win32 builds properly)
PYCAIRO_DIR = WIN32_BUILD_LIB_PREFIX + "pycairo-1.10.0"
def pycairo_pkgconfig(*pkgs_options, **ekw):
if "pycairo" in pkgs_options:
kw = pkgconfig("cairo", **ekw)
add_to_keywords(kw, 'include_dirs', PYCAIRO_DIR)
checkdirs(PYCAIRO_DIR)
return kw
return exec_pkgconfig(*pkgs_options, **ekw)
#hard-coded pkgconfig replacement for visual studio:
#(normally used with python2 / py2exe builds)
def VC_pkgconfig(*pkgs_options, **ekw):
kw = dict(ekw)
#remove optimize flag on win32..
if kw.get("optimize"):
add_to_keywords(kw, 'extra_compile_args', "/Ox")
del kw["optimize"]
if kw.get("ignored_flags"):
#we don't handle this keyword here yet..
del kw["ignored_flags"]
if strict_ENABLED:
add_to_keywords(kw, 'extra_compile_args', "/WX")
add_to_keywords(kw, 'extra_link_args', "/WX")
if debug_ENABLED:
#Od will override whatever may be specified elsewhere
#and allows us to use the debug switches,
#at the cost of a warning...
for flag in ('/Od', '/Zi', '/DEBUG', '/RTC1', '/GS'):
add_to_keywords(kw, 'extra_compile_args', flag)
add_to_keywords(kw, 'extra_link_args', "/DEBUG")
kw['cython_gdb'] = True
add_to_keywords(kw, 'extra_compile_args', "/Ox")
if strict_ENABLED:
add_to_keywords(kw, 'extra_compile_args', "/wd4146") #MSVC error on __Pyx_PyInt_As_size_t
add_to_keywords(kw, 'extra_compile_args', "/wd4293") #MSVC error in __Pyx_PyFloat_DivideObjC
#always add the win32 include dirs for VC,
#so codecs can find the inttypes.h and stdint.h:
win32_include_dir = os.path.join(os.getcwd(), "win32")
add_to_keywords(kw, 'include_dirs', win32_include_dir)
if len(pkgs_options)==0:
return kw
def add_to_PATH(*bindirs):
for bindir in bindirs:
if os.environ['PATH'].find(bindir)<0:
os.environ['PATH'] = bindir + ';' + os.environ['PATH']
if bindir not in sys.path:
sys.path.append(bindir)
def add_keywords(path_dirs=[], inc_dirs=[], lib_dirs=[], libs=[], noref=True, nocmt=False):
checkdirs(*path_dirs)
add_to_PATH(*path_dirs)
checkdirs(*inc_dirs)
for d in inc_dirs:
add_to_keywords(kw, 'include_dirs', d)
checkdirs(*lib_dirs)
for d in lib_dirs:
add_to_keywords(kw, 'extra_link_args', "/LIBPATH:%s" % d)
add_to_keywords(kw, 'libraries', *libs)
if noref:
add_to_keywords(kw, 'extra_link_args', "/OPT:NOREF")
if nocmt:
add_to_keywords(kw, 'extra_link_args', "/NODEFAULTLIB:LIBCMT")
if "avcodec" in pkgs_options[0]:
add_keywords([libffmpeg_bin_dir], [libffmpeg_include_dir],
[libffmpeg_lib_dir, libffmpeg_bin_dir],
["avcodec", "avutil"])
elif "swscale" in pkgs_options[0]:
add_keywords([libffmpeg_bin_dir], [libffmpeg_include_dir],
[libffmpeg_lib_dir, libffmpeg_bin_dir],
["swscale", "avutil"])
elif "avutil" in pkgs_options[0]:
add_keywords([libffmpeg_bin_dir], [libffmpeg_include_dir],
[libffmpeg_lib_dir, libffmpeg_bin_dir],
["avutil"])
elif "x264" in pkgs_options[0]:
add_keywords([x264_bin_dir], [x264_include_dir],
[x264_lib_dir],
["libx264"])
elif "x265" in pkgs_options[0]:
add_keywords([x265_bin_dir], [x265_include_dir],
[x265_lib_dir],
["libx265"])
elif "vpx" in pkgs_options[0]:
add_to_keywords(kw, 'extra_compile_args', "/wd4005") #macro redifined with vpx vs stdint.h
add_keywords([vpx_bin_dir], [vpx_include_dir],
[vpx_lib_dir],
vpx_lib_names, nocmt=True)
elif "webp" in pkgs_options[0]:
add_keywords([webp_bin_dir], [webp_include_dir],
[webp_lib_dir],
webp_lib_names, nocmt=True)
elif "libyuv" in pkgs_options[0]:
add_keywords([libyuv_bin_dir], [libyuv_include_dir],
[libyuv_lib_dir],
libyuv_lib_names)
elif ("nvenc4" in pkgs_options[0]) or ("nvenc5" in pkgs_options[0]) or ("nvenc6" in pkgs_options[0]):
for x in ("pycuda", "pytools"):
if x not in external_includes:
external_includes.append(x)
if "nvenc4" in pkgs_options[0]:
nvenc_path = nvenc4_sdk
nvenc_include_dir = nvenc_path + "\\Samples\\nvEncodeApp\\inc"
nvenc_core_include_dir = nvenc_path + "\\Samples\\core\\include"
elif "nvenc5" in pkgs_options[0]:
nvenc_path = nvenc5_sdk
nvenc_include_dir = nvenc_path + "\\Samples\\common\\inc"
nvenc_core_include_dir = nvenc_path + "\\Samples\\common\\inc" #FIXME!
else:
assert "nvenc6" in pkgs_options[0]
nvenc_path = nvenc6_sdk
nvenc_include_dir = nvenc_path + "\\Samples\\common\\inc"
nvenc_core_include_dir = nvenc_path + "\\Samples\\common\\inc" #FIXME!
#let's not use crazy paths, just copy the dll somewhere that makes sense:
nvenc_bin_dir = nvenc_path + "\\bin\\win32\\release"
nvenc_lib_names = [] #not linked against it, we use dlopen!
#cuda:
cuda_include_dir = os.path.join(cuda_path, "include")
cuda_lib_dir = os.path.join(cuda_path, "lib", "Win32")
cuda_bin_dir = os.path.join(cuda_path, "bin")
add_keywords([nvenc_bin_dir, cuda_bin_dir], [nvenc_include_dir, nvenc_core_include_dir, cuda_include_dir],
[cuda_lib_dir],
nvenc_lib_names)
#prevent py2exe "seems not to be an exe file" error on this DLL and include it ourselves instead:
#assume 32-bit for now:
#add_data_files('', ["C:\\Windows\System32\nvcuda.dll"])
#add_data_files('', ["%s/nvencodeapi.dll" % nvenc_bin_dir])
elif "nvapi" in pkgs_options[0]:
nvapi_include_dir = nvapi_path
import struct
if struct.calcsize("P")==4:
nvapi_lib_names = ["nvapi"]
nvapi_lib_dir = os.path.join(nvapi_path, "x86")
else:
nvapi_lib_names = ["nvapi64"]
nvapi_lib_dir = os.path.join(nvapi_path, "amd64")
add_keywords([], [nvapi_include_dir], [nvapi_lib_dir], nvapi_lib_names)
elif "pygobject-2.0" in pkgs_options[0]:
dirs = (python_include_path,
pygtk_include_dir, atk_include_dir, gtk2_include_dir,
GTK_INCLUDE_DIR, gdkconfig_include_dir, gdkpixbuf_include_dir,
glib_include_dir, glibconfig_include_dir,
cairo_include_dir, pango_include_dir)
add_to_keywords(kw, 'include_dirs', *dirs)
checkdirs(*dirs)
elif "cairo" in pkgs_options:
add_to_keywords(kw, 'include_dirs', GTK_INCLUDE_DIR, cairo_include_dir)
add_to_keywords(kw, 'libraries', "cairo")
if PYTHON3:
cairo_library_dir = os.path.join(PYCAIRO_DIR, "lib")
add_to_keywords(kw, "library_dirs", cairo_library_dir)
checkdirs(cairo_include_dir)
elif "pycairo" in pkgs_options:
kw = pycairo_pkgconfig(*pkgs_options, **ekw)
else:
sys.exit("ERROR: unknown package config: %s" % str(pkgs_options))
print("pkgconfig(%s,%s)=%s" % (pkgs_options, ekw, kw))
return kw
if not has_pkg_config:
#use the hardcoded version above:
pkgconfig = VC_pkgconfig
else:
#FIXME: ugly workaround for building the ugly pycairo workaround on win32:
#the win32 py-gi installers don't have development headers for pycairo
#so we hardcode them here instead...
#(until someone fixes the win32 builds properly)
pkgconfig = pycairo_pkgconfig
remove_packages(*external_excludes)
remove_packages(#not used on win32:
"mmap",
#we handle GL separately below:
"OpenGL", "OpenGL_accelerate",
#this is a mac osx thing:
"ctypes.macholib")
if webcam_ENABLED:
external_includes.append("cv2")
if opengl_ENABLED:
#we need numpy for opengl or as a fallback for the Cython xor module
external_includes.append("numpy")
else:
remove_packages("numpy",
"unittest", "difflib", #avoid numpy warning (not an error)
"pydoc")
if sound_ENABLED:
if not PYTHON3:
external_includes += ["pygst", "gst", "gst.extend"]
add_data_files('', glob.glob('%s\\bin\\*.dll' % libffmpeg_path))
else:
#python3: this is part of "gi"?
pass
else:
remove_packages("pygst", "gst", "gst.extend")
#deal with opengl workaround (as long as we're not just building the extensions):
if opengl_ENABLED and "build_ext" not in sys.argv:
#for this hack to work, you must add "." to the sys.path
#so python can load OpenGL from the install directory
#(further complicated by the fact that "." is the "frozen" path...)
import OpenGL, OpenGL_accelerate #@UnresolvedImport
print("*** copy PyOpenGL modules ***")
for module_name, module in {"OpenGL" : OpenGL, "OpenGL_accelerate" : OpenGL_accelerate}.items():
module_dir = os.path.dirname(module.__file__ )
try:
shutil.copytree(
module_dir, os.path.join("dist", module_name),
ignore = shutil.ignore_patterns("Tk", "AGL", "EGL", "GLX", "GLX.*", "_GLX.*", "GLE", "GLES1", "GLES2", "GLES3")
)
except Exception as e:
if not isinstance(e, WindowsError) or (not "already exists" in str(e)): #@UndefinedVariable
raise
html5_dir = ''
#END OF win32
#*******************************************************************************
else:
#OSX and *nix:
scripts += ["scripts/xpra", "scripts/xpra_launcher"]
add_data_files("share/man/man1", ["man/xpra.1", "man/xpra_launcher.1"])
add_data_files("share/xpra", ["README", "COPYING"])
add_data_files("share/xpra/icons", glob.glob("icons/*"))
add_data_files("share/applications", ["xdg/xpra_launcher.desktop", "xdg/xpra.desktop"])
add_data_files("share/mime/packages", ["xdg/application-x-xpraconfig.xml"])
add_data_files("share/icons", ["xdg/xpra.png"])
add_data_files("share/appdata", ["xdg/xpra.appdata.xml"])
html5_dir = "share/xpra/www"
#here, we override build and install so we can
#generate our /etc/xpra/xpra.conf
class build_override(build):
def run(self):
build.run(self)
self.run_command("build_conf")
class build_conf(build):
def run(self):
try:
build_base = self.distribution.command_obj['build'].build_base
except:
build_base = self.build_base
build_xpra_conf(build_base)
class install_data_override(install_data):
def run(self):
install_data.run(self)
build_xpra_conf(self.install_dir)
for fn in self.get_outputs():
if fn.endswith("/xpraforwarder"):
os.chmod(fn, 0o700)
# add build_conf to build step
cmdclass.update({
'build' : build_override,
'build_conf' : build_conf,
'install_data' : install_data_override,
})
if OSX:
#pyobjc needs email.parser
external_includes += ["email", "uu", "urllib", "objc", "cups", "six"]
#OSX package names (ie: gdk-x11-2.0 -> gdk-2.0, etc)
PYGTK_PACKAGES += ["gdk-2.0", "gtk+-2.0"]
add_packages("xpra.platform.darwin")
remove_packages("xpra.platform.win32", "xpra.platform.xposix")
#to support GStreamer 1.x we need this:
modules.append("importlib")
modules.append("xpra.scripts.gtk_info")
modules.append("xpra.scripts.show_webcam")
else:
PYGTK_PACKAGES += ["gdk-x11-2.0", "gtk+-x11-2.0"]
add_packages("xpra.platform.xposix")
remove_packages("xpra.platform.win32", "xpra.platform.darwin")
#always include the wrapper in case we need it later:
#(we remove it during the 'install' step below if it isn't actually needed)
scripts.append("scripts/xpra_Xdummy")
#not supported by all distros, but doesn't hurt to install it anyway:
add_data_files("lib/tmpfiles.d", ["tmpfiles.d/xpra.conf"])
#gentoo does weird things, calls --no-compile with build *and* install
#then expects to find the cython modules!? ie:
#> python2.7 setup.py build -b build-2.7 install --no-compile --root=/var/tmp/portage/x11-wm/xpra-0.7.0/temp/images/2.7
#otherwise we use the flags to skip pkgconfig
if ("--no-compile" in sys.argv or "--skip-build" in sys.argv) and not ("build" in sys.argv and "install" in sys.argv):
def pkgconfig(*pkgs_options, **ekw):
return {}
if "install" in sys.argv:
#prepare default [/usr/local]/etc configuration files:
if '--user' in sys.argv:
etc_prefix = 'etc/xpra'
elif sys.prefix == '/usr':
etc_prefix = '/etc/xpra'
else:
etc_prefix = sys.prefix + '/etc/xpra'
etc_files = []
#note: xpra.conf is handled above using build overrides
if server_ENABLED and x11_ENABLED:
etc_files = ["etc/xpra/xorg.conf"]
#figure out the version of the Xorg server:
_, _, use_Xdummy_wrapper = detect_xorg_setup()
if not use_Xdummy_wrapper and "scripts/xpra_Xdummy" in scripts:
#if we're not using the wrapper, don't install it
scripts.remove("scripts/xpra_Xdummy")
add_data_files(etc_prefix, etc_files)
if OSX and "py2app" in sys.argv:
import py2app #@UnresolvedImport
assert py2app is not None
#don't use py_modules or scripts with py2app, and no cython:
del setup_options["py_modules"]
scripts = []
def cython_add(*args, **kwargs):
pass
remove_packages("ctypes.wintypes", "colorsys")
remove_packages(*external_excludes)
Plist = {"CFBundleDocumentTypes" : {
"CFBundleTypeExtensions" : ["Xpra"],
"CFBundleTypeName" : "Xpra Session Config File",
"CFBundleName" : "Xpra",
"CFBundleTypeRole" : "Viewer",
}}
#Note: despite our best efforts, py2app will not copy all the modules we need
#so the make-app.sh script still has to hack around this problem.
add_modules(*external_includes)
py2app_options = {
'iconfile' : '../osx/xpra.icns',
'plist' : Plist,
'site_packages' : False,
'argv_emulation' : True,
'strip' : False,
'includes' : modules,
'excludes' : excludes,
'frameworks' : ['CoreFoundation', 'Foundation', 'AppKit'],
}
setup_options["options"] = {"py2app": py2app_options}
setup_options["app"] = ["xpra/client/gtk_base/client_launcher.py"]
if html5_ENABLED:
for k,v in glob_recurse("html5").items():
if (k!=""):
k = os.sep+k
add_data_files(html5_dir+k, v)
if printing_ENABLED and os.name=="posix":
#"/usr/lib/cups/backend":
cups_backend_dir = os.path.join(sys.prefix, "lib", "cups", "backend")
add_data_files(cups_backend_dir, ["cups/xpraforwarder"])
if annotate_ENABLED:
from Cython.Compiler import Options
Options.annotate = True
#*******************************************************************************
#which file to link against (new-style buffers or old?):
if memoryview_ENABLED:
bmod = "new"
else:
assert not PYTHON3
bmod = "old"
buffers_c = "xpra/buffers/%s_buffers.c" % bmod
inline_c = "xpra/inline.c"
memalign_c = "xpra/buffers/memalign.c"
#convenience grouping for codecs:
membuffers_c = [memalign_c, inline_c, buffers_c]
toggle_packages(dbus_ENABLED, "xpra.dbus")
toggle_packages(server_ENABLED, "xpra.server", "xpra.server.auth", "xpra.server.proxy", "xpra.server.window")
toggle_packages(server_ENABLED and shadow_ENABLED, "xpra.server.shadow")
toggle_packages(server_ENABLED or (client_ENABLED and gtk2_ENABLED), "xpra.clipboard")
#cannot use toggle here as py2exe will complain if we try to exclude this module:
if dbus_ENABLED and server_ENABLED:
add_packages("xpra.server.dbus")
toggle_packages(x11_ENABLED and dbus_ENABLED and server_ENABLED, "xpra.x11.dbus")
toggle_packages(x11_ENABLED, "xpra.x11", "xpra.x11.bindings")
if x11_ENABLED:
make_constants("xpra", "x11", "bindings", "constants")
make_constants("xpra", "x11", "gtk2", "constants")
cython_add(Extension("xpra.x11.bindings.wait_for_x_server",
["xpra/x11/bindings/wait_for_x_server.pyx"],
**pkgconfig("x11")
))
cython_add(Extension("xpra.x11.bindings.display_source",
["xpra/x11/bindings/display_source.pyx"],
**pkgconfig("x11")
))
cython_add(Extension("xpra.x11.bindings.core_bindings",
["xpra/x11/bindings/core_bindings.pyx"],
**pkgconfig("x11")
))
cython_add(Extension("xpra.x11.bindings.posix_display_source",
["xpra/x11/bindings/posix_display_source.pyx"],
**pkgconfig("x11")
))
cython_add(Extension("xpra.x11.bindings.randr_bindings",
["xpra/x11/bindings/randr_bindings.pyx"],
**pkgconfig("x11", "xrandr")
))
cython_add(Extension("xpra.x11.bindings.keyboard_bindings",
["xpra/x11/bindings/keyboard_bindings.pyx"],
**pkgconfig("x11", "xtst", "xfixes", "xkbfile")
))
cython_add(Extension("xpra.x11.bindings.window_bindings",
["xpra/x11/bindings/window_bindings.pyx"],
**pkgconfig("x11", "xtst", "xfixes", "xcomposite", "xdamage", "xext")
))
cython_add(Extension("xpra.x11.bindings.ximage",
["xpra/x11/bindings/ximage.pyx", buffers_c],
**pkgconfig("x11", "xcomposite", "xdamage", "xext")
))
toggle_packages(gtk_x11_ENABLED, "xpra.x11.gtk_x11")
if gtk_x11_ENABLED:
toggle_packages(PYTHON3, "xpra.x11.gtk3")
toggle_packages(not PYTHON3, "xpra.x11.gtk2", "xpra.x11.gtk2.models")
if PYTHON3:
#GTK3 display source:
cython_add(Extension("xpra.x11.gtk3.gdk_display_source",
["xpra/x11/gtk3/gdk_display_source.pyx"],
**pkgconfig("gtk+-3.0")
))
else:
#below uses gtk/gdk:
cython_add(Extension("xpra.x11.gtk2.gdk_display_source",
["xpra/x11/gtk2/gdk_display_source.pyx"],
**pkgconfig(*PYGTK_PACKAGES)
))
GDK_BINDINGS_PACKAGES = PYGTK_PACKAGES + ["x11", "xext", "xfixes", "xdamage"]
cython_add(Extension("xpra.x11.gtk2.gdk_bindings",
["xpra/x11/gtk2/gdk_bindings.pyx"],
**pkgconfig(*GDK_BINDINGS_PACKAGES)
))
if client_ENABLED and gtk3_ENABLED:
#cairo workaround:
cython_add(Extension("xpra.client.gtk3.cairo_workaround",
["xpra/client/gtk3/cairo_workaround.pyx", buffers_c],
**pkgconfig("pycairo")
))
if client_ENABLED or server_ENABLED:
add_packages("xpra.codecs.argb")
argb_pkgconfig = pkgconfig(optimize=3)
cython_add(Extension("xpra.codecs.argb.argb",
["xpra/codecs/argb/argb.pyx", buffers_c], **argb_pkgconfig))
#build tests, but don't install them:
toggle_packages(tests_ENABLED, "tests/unit")
if bundle_tests_ENABLED:
#bundle the tests directly (not in library.zip):
for k,v in glob_recurse("tests").items():
if (k!=""):
k = os.sep+k
add_data_files("tests"+k, v)
#python-cryptography needs workarounds for bundling:
if crypto_ENABLED and (OSX or WIN32):
external_includes.append("_ssl")
external_includes.append("cffi")
external_includes.append("_cffi_backend")
external_includes.append("cryptography")
external_includes.append("pkg_resources._vendor.packaging")
external_includes.append("pkg_resources._vendor.packaging.requirements")
external_includes.append("pkg_resources._vendor.pyparsing")
add_modules("cryptography.hazmat.bindings._openssl")
add_modules("cryptography.hazmat.bindings._constant_time")
add_modules("cryptography.hazmat.bindings._padding")
add_modules("cryptography.hazmat.backends.openssl")
add_modules("cryptography.fernet")
#special case for client: cannot use toggle_packages which would include gtk3, etc:
if client_ENABLED:
add_modules("xpra.client", "xpra.client.notifications")
toggle_packages((client_ENABLED and (gtk2_ENABLED or gtk3_ENABLED)) or (PYTHON3 and sound_ENABLED) or server_ENABLED, "xpra.gtk_common")
toggle_packages(client_ENABLED and gtk2_ENABLED, "xpra.client.gtk2")
toggle_packages(client_ENABLED and gtk3_ENABLED, "xpra.client.gtk3")
toggle_packages((client_ENABLED and gtk3_ENABLED) or (PYTHON3 and sound_ENABLED), "gi")
toggle_packages(client_ENABLED and (gtk2_ENABLED or gtk3_ENABLED), "xpra.client.gtk_base")
toggle_packages(client_ENABLED and opengl_ENABLED and gtk2_ENABLED, "xpra.client.gl.gtk2")
toggle_packages(client_ENABLED and opengl_ENABLED and gtk3_ENABLED, "xpra.client.gl.gtk3")
if client_ENABLED or server_ENABLED:
add_modules("xpra.codecs")
toggle_packages(client_ENABLED or server_ENABLED, "xpra.keyboard")
if client_ENABLED or server_ENABLED:
add_modules("xpra.scripts.config", "xpra.scripts.exec_util", "xpra.scripts.fdproxy", "xpra.scripts.version")
if server_ENABLED:
add_modules("xpra.scripts.server")
if WIN32 and client_ENABLED and (gtk2_ENABLED or gtk3_ENABLED):
add_modules("xpra.scripts.gtk_info")
toggle_packages(not WIN32, "xpra.platform.pycups_printing")
#we can't just include "xpra.client.gl" because cx_freeze and py2exe then do the wrong thing
#and try to include both gtk3 and gtk2, and fail hard..
for x in ("gl_check", "gl_colorspace_conversions", "gl_window_backing_base", "gtk_compat"):
toggle_packages(client_ENABLED and opengl_ENABLED, "xpra.client.gl.%s" % x)
toggle_modules(sound_ENABLED, "xpra.sound")
toggle_modules(sound_ENABLED and not (OSX or WIN32), "xpra.sound.pulseaudio")
toggle_packages(clipboard_ENABLED, "xpra.clipboard")
if clipboard_ENABLED:
cython_add(Extension("xpra.gtk_common.gdk_atoms",
["xpra/gtk_common/gdk_atoms.pyx"],
**pkgconfig(*PYGTK_PACKAGES)
))
toggle_packages(client_ENABLED or server_ENABLED, "xpra.codecs.xor")
if client_ENABLED or server_ENABLED:
cython_add(Extension("xpra.codecs.xor.cyxor",
["xpra/codecs/xor/cyxor.pyx"]+membuffers_c,
**pkgconfig(optimize=3)))
if server_ENABLED:
add_modules("xpra.server.stats")
cython_add(Extension("xpra.server.cystats",
["xpra/server/cystats.pyx"],
**pkgconfig()))
cython_add(Extension("xpra.server.window.region",
["xpra/server/window/region.pyx"],
**pkgconfig()))
toggle_packages(enc_proxy_ENABLED, "xpra.codecs.enc_proxy")
toggle_packages(nvenc4_ENABLED, "xpra.codecs.nvenc4")
toggle_packages(nvenc5_ENABLED, "xpra.codecs.nvenc5")
toggle_packages(nvenc6_ENABLED, "xpra.codecs.nvenc6")
toggle_packages(nvenc4_ENABLED or nvenc5_ENABLED or nvenc6_ENABLED, "xpra.codecs.cuda_common", "xpra.codecs.nv_util")
if (nvenc4_ENABLED or nvenc5_ENABLED or nvenc6_ENABLED) and WIN32:
cython_add(Extension("xpra.codecs.nvapi_version",
["xpra/codecs/nvapi_version.pyx"],
**pkgconfig("nvapi")
))
if nvenc4_ENABLED or nvenc5_ENABLED or nvenc6_ENABLED:
#find nvcc:
path_options = os.environ.get("PATH", "").split(os.path.pathsep)
if WIN32:
nvcc_exe = "nvcc.exe"
#FIXME: we try to use SDK 6.5 x86 first!
#(so that we can build on 32-bit envs)
path_options = [
"C:\\Program Files (x86)\\NVIDIA GPU Computing Toolkit\\CUDA\\v5.5\\bin",
"C:\\Program Files (x86)\\NVIDIA GPU Computing Toolkit\\CUDA\\v6.0\\bin",
"C:\\Program Files (x86)\\NVIDIA GPU Computing Toolkit\\CUDA\\v6.5\\bin",
"C:\\Program Files\\NVIDIA GPU Computing Toolkit\\CUDA\\v6.5\\bin",
"C:\\Program Files\\NVIDIA GPU Computing Toolkit\\CUDA\\v7.0\\bin",
"C:\\Program Files\\NVIDIA GPU Computing Toolkit\\CUDA\\v7.5\\bin",
"C:\\Program Files\\NVIDIA GPU Computing Toolkit\\CUDA\\v8.0\\bin",
] + path_options
else:
nvcc_exe = "nvcc"
for v in ("-5.5", "-6.0", "-6.5", "-7.0", "-7.5", "-8.0", ""):
path_options += ["/usr/local/cuda%s/bin" % v, "/opt/cuda%s/bin" % v]
options = [os.path.join(x, nvcc_exe) for x in path_options]
if not WIN32:
#prefer the one we find on the $PATH, if any:
try:
code, out, err = get_status_output(["which", nvcc_exe])
if code==0:
options.insert(0, out)
except:
pass
nvcc_versions = {}
for filename in options:
if not os.path.exists(filename):
continue
code, out, err = get_status_output([filename, "--version"])
if code==0:
vpos = out.rfind(", V")
if vpos>0:
version = out[vpos+3:].strip("\n")
version_str = " version %s" % version
else:
version = "0"
version_str = " unknown version!"
print("found CUDA compiler: %s%s" % (filename, version_str))
nvcc_versions[version] = filename
assert nvcc_versions, "cannot find nvcc compiler!"
#choose the most recent one:
version, nvcc = list(reversed(sorted(nvcc_versions.items())))[0]
if len(nvcc_versions)>1:
print(" using version %s from %s" % (version, nvcc))
if WIN32:
cuda_path = os.path.dirname(nvcc) #strip nvcc.exe
cuda_path = os.path.dirname(cuda_path) #strip /bin/
#first compile the cuda kernels
#(using the same cuda SDK for both nvenc modules for now..)
#TODO:
# * compile directly to output directory instead of using data files?
# * detect which arches we want to build for? (does it really matter much?)
kernels = ("BGRA_to_NV12", "BGRA_to_YUV444")
for kernel in kernels:
cuda_src = "xpra/codecs/cuda_common/%s.cu" % kernel
cuda_bin = "xpra/codecs/cuda_common/%s.fatbin" % kernel
reason = should_rebuild(cuda_src, cuda_bin)
if not reason:
continue
cmd = [nvcc,
'-fatbin',
#"-cubin",
#"-arch=compute_30", "-code=compute_30,sm_30,sm_35",
#"-gencode=arch=compute_50,code=sm_50",
#"-gencode=arch=compute_52,code=sm_52",
#"-gencode=arch=compute_52,code=compute_52",
"-c", cuda_src,
"-o", cuda_bin]
#GCC 6 uses C++11 by default:
if get_gcc_version()>=[6, 0]:
cmd.append("-std=c++11")
CL_VERSION = os.environ.get("CL_VERSION")
if CL_VERSION:
cmd += ["--use-local-env", "--cl-version", CL_VERSION]
#-ccbin "C:\Program Files (x86)\Microsoft Visual Studio 10.0\VC\bin\cl.exe"
cmd += ["--machine", "32"]
if WIN32:
cmd += ["-I%s" % os.path.abspath("win32")]
comp_code_options = [(30, 30), (35, 35)]
#see: http://docs.nvidia.com/cuda/maxwell-compatibility-guide/#building-maxwell-compatible-apps-using-cuda-6-0
if version!="0" and version<"5":
print("CUDA version %s is very unlikely to work")
print("try upgrading to version 6.5 or later")
if version>="6":
comp_code_options.append((50, 50))
if version>="7":
comp_code_options.append((52, 52))
if version>="7.5":
comp_code_options.append((53, 53))
if version>="8.0":
comp_code_options.append((60, 60))
comp_code_options.append((61, 61))
comp_code_options.append((62, 62))
for arch, code in comp_code_options:
cmd.append("-gencode=arch=compute_%s,code=sm_%s" % (arch, code))
print("CUDA compiling %s (%s)" % (kernel.ljust(16), reason))
print(" %s" % " ".join("'%s'" % x for x in cmd))
c, stdout, stderr = get_status_output(cmd)
if c!=0:
print("Error: failed to compile CUDA kernel %s" % kernel)
print(stdout or "")
print(stderr or "")
sys.exit(1)
CUDA_BIN = "share/xpra/cuda"
if WIN32:
CUDA_BIN = "CUDA"
add_data_files(CUDA_BIN, ["xpra/codecs/cuda_common/%s.fatbin" % x for x in kernels])
for nvenc_version, _nvenc_version_enabled in {4 : nvenc4_ENABLED,
5 : nvenc5_ENABLED,
6 : nvenc6_ENABLED}.items():
if not _nvenc_version_enabled:
continue
nvencmodule = "nvenc%s" % nvenc_version
nvenc_pkgconfig = pkgconfig(nvencmodule, ignored_flags=["-l", "-L"])
#don't link against libnvidia-encode, we load it dynamically:
libraries = nvenc_pkgconfig.get("libraries", [])
if "nvidia-encode" in libraries:
libraries.remove("nvidia-encode")
cython_add(Extension("xpra.codecs.%s.encoder" % nvencmodule,
["xpra/codecs/%s/encoder.pyx" % nvencmodule, buffers_c],
**nvenc_pkgconfig))
toggle_packages(enc_x264_ENABLED, "xpra.codecs.enc_x264")
if enc_x264_ENABLED:
x264_pkgconfig = pkgconfig("x264")
if get_gcc_version()>=[6, 0]:
add_to_keywords(x264_pkgconfig, 'extra_compile_args', "-Wno-unused-variable")
cython_add(Extension("xpra.codecs.enc_x264.encoder",
["xpra/codecs/enc_x264/encoder.pyx", buffers_c],
**x264_pkgconfig))
toggle_packages(enc_x265_ENABLED, "xpra.codecs.enc_x265")
if enc_x265_ENABLED:
x265_pkgconfig = pkgconfig("x265")
cython_add(Extension("xpra.codecs.enc_x265.encoder",
["xpra/codecs/enc_x265/encoder.pyx", buffers_c],
**x265_pkgconfig))
toggle_packages(xvid_ENABLED, "xpra.codecs.xvid")
if xvid_ENABLED:
xvid_pkgconfig = pkgconfig("xvid")
cython_add(Extension("xpra.codecs.xvid.encoder",
["xpra/codecs/xvid/encoder.pyx", buffers_c],
**xvid_pkgconfig))
toggle_packages(pillow_ENABLED, "xpra.codecs.pillow")
if pillow_ENABLED:
external_includes += ["PIL", "PIL.Image", "PIL.WebPImagePlugin"]
toggle_packages(webp_ENABLED, "xpra.codecs.webp")
if webp_ENABLED:
if WIN32 and PYTHON3:
#python3 gi has webp already, but our codecs somehow end up linking against the mingw version,
#and at runtime requesting "libwebp-4.dll", which does not exist anywhere!?
#the installer already bundles a "libwebp-5.dll", so we just duplicate it and hope for the best!
#TODO: make it link against the gnome-gi one and remove this ugly hack:
libwebp5 = os.path.join(webp_path, "libwebp-5.dll")
libwebp4 = os.path.join(webp_path, "libwebp-4.dll")
if not os.path.exists(libwebp4):
shutil.copy(libwebp5, libwebp4)
add_data_files('', [libwebp4, libwebp5])
webp_pkgconfig = pkgconfig("webp")
if not OSX:
cython_add(Extension("xpra.codecs.webp.encode",
["xpra/codecs/webp/encode.pyx", buffers_c],
**webp_pkgconfig))
cython_add(Extension("xpra.codecs.webp.decode",
["xpra/codecs/webp/decode.pyx"]+membuffers_c,
**webp_pkgconfig))
#swscale and avcodec2 use libav_common/av_log:
libav_common = dec_avcodec2_ENABLED or csc_swscale_ENABLED
toggle_packages(libav_common, "xpra.codecs.libav_common")
if libav_common:
avutil_pkgconfig = pkgconfig("avutil")
cython_add(Extension("xpra.codecs.libav_common.av_log",
["xpra/codecs/libav_common/av_log.pyx"],
**avutil_pkgconfig))
toggle_packages(dec_avcodec2_ENABLED, "xpra.codecs.dec_avcodec2")
if dec_avcodec2_ENABLED:
avcodec2_pkgconfig = pkgconfig("avcodec", "avutil")
if is_msvc():
add_to_keywords(avcodec2_pkgconfig, 'extra_compile_args', "/wd4996")
else:
add_to_keywords(avcodec2_pkgconfig, 'extra_compile_args', "-Wno-error=deprecated-declarations")
cython_add(Extension("xpra.codecs.dec_avcodec2.decoder",
["xpra/codecs/dec_avcodec2/decoder.pyx"]+membuffers_c,
**avcodec2_pkgconfig))
toggle_packages(csc_opencl_ENABLED, "xpra.codecs.csc_opencl")
toggle_packages(csc_libyuv_ENABLED, "xpra.codecs.csc_libyuv")
if csc_libyuv_ENABLED:
libyuv_pkgconfig = pkgconfig("libyuv")
cython_add(Extension("xpra.codecs.csc_libyuv.colorspace_converter",
["xpra/codecs/csc_libyuv/colorspace_converter.pyx"],
language="c++",
**libyuv_pkgconfig))
toggle_packages(csc_swscale_ENABLED, "xpra.codecs.csc_swscale")
if csc_swscale_ENABLED:
swscale_pkgconfig = pkgconfig("swscale", "avutil")
cython_add(Extension("xpra.codecs.csc_swscale.colorspace_converter",
["xpra/codecs/csc_swscale/colorspace_converter.pyx"]+membuffers_c,
**swscale_pkgconfig))
toggle_packages(csc_cython_ENABLED, "xpra.codecs.csc_cython")
if csc_cython_ENABLED:
csc_cython_pkgconfig = pkgconfig(optimize=3)
cython_add(Extension("xpra.codecs.csc_cython.colorspace_converter",
["xpra/codecs/csc_cython/colorspace_converter.pyx"]+membuffers_c,
**csc_cython_pkgconfig))
toggle_packages(csc_opencv_ENABLED, "xpra.codecs.csc_opencv")
toggle_packages(vpx_ENABLED, "xpra.codecs.vpx")
if vpx_ENABLED:
#try both vpx and libvpx as package names:
kwargs = {"LIBVPX14" : pkg_config_ok("--atleast-version=1.4", "vpx") or pkg_config_ok("--atleast-version=1.4", "libvpx"),
"ENABLE_VP8" : True,
"ENABLE_VP9" : pkg_config_ok("--atleast-version=1.3", "vpx") or pkg_config_ok("--atleast-version=1.3", "libvpx"),
}
make_constants("xpra", "codecs", "vpx", "constants", **kwargs)
vpx_pkgconfig = pkgconfig("vpx")
cython_add(Extension("xpra.codecs.vpx.encoder",
["xpra/codecs/vpx/encoder.pyx"]+membuffers_c,
**vpx_pkgconfig))
cython_add(Extension("xpra.codecs.vpx.decoder",
["xpra/codecs/vpx/decoder.pyx"]+membuffers_c,
**vpx_pkgconfig))
toggle_packages(v4l2_ENABLED, "xpra.codecs.v4l2")
if v4l2_ENABLED:
cython_add(Extension("xpra.codecs.v4l2.pusher",
["xpra/codecs/v4l2/pusher.pyx"]+membuffers_c))
toggle_packages(bencode_ENABLED, "xpra.net.bencode")
if cython_bencode_ENABLED:
bencode_pkgconfig = pkgconfig(optimize=not debug_ENABLED)
cython_add(Extension("xpra.net.bencode.cython_bencode",
["xpra/net/bencode/cython_bencode.pyx", buffers_c],
**bencode_pkgconfig))
if vsock_ENABLED:
vsock_pkgconfig = pkgconfig()
cython_add(Extension("xpra.net.vsock",
["xpra/net/vsock.pyx"],
**vsock_pkgconfig))
if ext_modules:
from Cython.Build import cythonize
#this causes Cython to fall over itself:
#gdb_debug=debug_ENABLED
setup_options["ext_modules"] = cythonize(ext_modules, gdb_debug=False)
if cmdclass:
setup_options["cmdclass"] = cmdclass
if scripts:
setup_options["scripts"] = scripts
def main():
if OSX or WIN32 or debug_ENABLED:
print("setup options:")
print_dict(setup_options)
print("")
setup(**setup_options)
if __name__ == "__main__":
main()
|