-
-
Notifications
You must be signed in to change notification settings - Fork 218
/
setup.py
313 lines (293 loc) · 12.9 KB
/
setup.py
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
"""Setuptools script for cx_Freeze.
Use ONE of the following commands to install from source:
pip install .
python setup.py build install
Use the following commands to install in the development mode:
pip install -r requirements-dev.txt
pip install -e . --no-build-isolation --no-deps
Documentation:
https://cx-freeze.readthedocs.io/en/stable/development/index.html
"""
from __future__ import annotations
import contextlib
import os
import sys
from pathlib import Path
from shutil import which
from subprocess import CalledProcessError, check_call, check_output
from sysconfig import get_config_var, get_platform, get_python_version
import setuptools.command.build_ext
from setuptools import Extension, setup
from setuptools.errors import LinkError
ENABLE_SHARED = bool(get_config_var("Py_ENABLE_SHARED"))
PLATFORM = get_platform()
IS_MACOS = PLATFORM.startswith("macos")
IS_MINGW = PLATFORM.startswith("mingw")
IS_WINDOWS = PLATFORM.startswith("win")
IS_CONDA = Path(sys.prefix, "conda-meta").is_dir()
class BuildBases(setuptools.command.build_ext.build_ext):
"""Build C bases and extension."""
def build_extension(self, ext) -> None:
if "bases" not in ext.name:
super().build_extension(ext)
return
if IS_MINGW or IS_WINDOWS:
ext.sources.append("source/bases/manifest.rc")
objects = self.compiler.compile(
ext.sources,
output_dir=self.build_temp,
include_dirs=ext.include_dirs,
debug=self.debug,
depends=ext.depends,
)
filename = Path(self.get_ext_filename(ext.name)).with_suffix("")
fullname = os.fspath(Path(self.build_lib, filename))
library_dirs = ext.library_dirs or []
libraries = self.get_libraries(ext)
extra_args: list = ext.extra_link_args or []
if PLATFORM.startswith("freebsd"):
libraries.append("pthread")
if IS_MINGW or IS_WINDOWS:
compiler_type = self.compiler.compiler_type
# support for delay load [windows]
for arg in extra_args[:]:
if arg.startswith("/DELAYLOAD:"):
lib_name = arg[len("/DELAYLOAD:") :]
extra_args.remove(arg)
dll_path = self._get_dll_path(lib_name)
dll_name = dll_path.name
if compiler_type == "msvc":
extra_args.append(f"/DELAYLOAD:{dll_name}")
if lib_name not in libraries:
libraries.append(lib_name)
if "delayimp" not in libraries:
libraries.append("delayimp")
elif compiler_type == "mingw32":
if lib_name in libraries:
libraries.remove(lib_name)
lib_dir, library = self._dlltool_delay_load(lib_name)
for linker_option in self.compiler.linker_exe:
if "clang" in linker_option:
extra_args.append(f"-Wl,-delayload,{dll_name}")
break
if PLATFORM.startswith("mingw_i686"): # mingw32
# disable delay load to avoid a Segmentation fault
libraries.append(lib_name)
else:
libraries.append(library)
library_dirs.append(lib_dir)
if compiler_type == "msvc":
# setuptools adds an option that conflicts with the use of
# RT_MANIFEST, so remove it to link successfully.
with contextlib.suppress(ValueError):
self.compiler.ldflags_exe.remove("/MANIFEST:EMBED,ID=1")
elif compiler_type == "mingw32":
if "Win32GUI" in ext.name:
extra_args.append("-mwindows")
else:
extra_args.append("-mconsole")
extra_args.append("-municode")
else:
library_dirs.append(get_config_var("LIBPL"))
if not ENABLE_SHARED or IS_CONDA:
library_dirs.append(get_config_var("LIBDIR"))
abiflags = get_config_var("abiflags")
libraries.append(f"python{get_python_version()}{abiflags}")
if get_config_var("LIBS"):
extra_args.extend(get_config_var("LIBS").split())
if get_config_var("LIBM"):
extra_args.append(get_config_var("LIBM"))
if get_config_var("BASEMODLIBS"):
extra_args.extend(get_config_var("BASEMODLIBS").split())
if get_config_var("LOCALMODLIBS"):
extra_args.extend(get_config_var("LOCALMODLIBS").split())
# fix for Python 3.12 Ubuntu Linux 24.04 (Noble Nimbat)
with contextlib.suppress(ValueError):
extra_args.remove("Modules/_hacl/libHacl_Hash_SHA2.a")
if IS_MACOS:
extra_args.append("-Wl,-export_dynamic")
extra_args.append("-Wl,-rpath,@loader_path/lib")
else:
if get_config_var("LINKFORSHARED"):
extra_args.extend(get_config_var("LINKFORSHARED").split())
extra_args.append("-Wl,-rpath,$ORIGIN/lib")
extra_args.append("-Wl,-rpath,$ORIGIN/../lib")
if not self.debug:
extra_args.append("-s")
link_error = None
for arg in (None, "-fno-lto", "--no-lto"):
try:
self.compiler.link_executable(
objects,
fullname,
libraries=libraries,
library_dirs=library_dirs,
runtime_library_dirs=ext.runtime_library_dirs,
extra_postargs=extra_args + ([arg] if arg else []),
debug=self.debug,
)
except LinkError as exc:
if IS_MINGW or IS_WINDOWS:
raise
if arg is None:
link_error = exc.args
continue
else:
link_error = None
break
if link_error is not None:
raise LinkError from link_error
def get_ext_filename(self, fullname) -> str:
if fullname.endswith("util"):
return super().get_ext_filename(fullname)
# Examples of returned names:
# console-cp37-win32.exe, console-cp39-win_amd64.exe,
# console-cpython-39-x86_64-linux-gnu, console-cpython-36m-darwin
ext_path = Path(*fullname.split("."))
name = ext_path.name
if IS_MINGW or IS_WINDOWS:
platform_nodot = PLATFORM.replace(".", "").replace("-", "_")
soabi = f"{sys.implementation.cache_tag}-{platform_nodot}"
else:
soabi = get_config_var("SOABI")
exe_suffix = get_config_var("EXE")
return os.fspath(ext_path.parent / f"{name}-{soabi}{exe_suffix}")
@staticmethod
def _get_dll_path(name: str) -> Path:
"""Find the dll by name, priority by pyd extension."""
pattern_pyd = f"{name}*.pyd"
pattern_dll = f"{name}*.dll"
for path in map(Path, sys.path):
if not path.is_dir():
continue
for dll_path in path.glob(pattern_pyd):
return dll_path.resolve()
for dll_path in path.glob(pattern_dll):
return dll_path.resolve()
return Path(f"{name}.dll")
def _dlltool_delay_load(self, name: str) -> tuple[str, str]:
"""Get the delay load library to use with mingw32 compilers."""
dir_name = f"libdl.{PLATFORM}-{get_python_version()}"
library_dir = Path(self.build_temp, dir_name)
library_dir.mkdir(parents=True, exist_ok=True)
# Use gendef and dlltool to generate the library (.a and .delay.a)
dll_path = self._get_dll_path(name)
gendef_exe = Path(which("gendef"))
def_data = check_output([gendef_exe, "-", dll_path])
def_name = library_dir / f"{name}.def"
def_name.write_bytes(def_data)
lib_path = library_dir / f"lib{name}.a"
library = f"{name}.delay"
dlb_path = library_dir / f"lib{library}.a"
dlltool_exe = gendef_exe.parent / "dlltool.exe"
dlltool = [dlltool_exe, "-d", def_name, "-D", dll_path, "-l", lib_path]
output_delaylib_args = ["-y", dlb_path]
try:
# GNU binutils dlltool support --output-delaylib
check_call(dlltool + output_delaylib_args)
except CalledProcessError:
# LLVM dlltool only supports generating an import library
check_call(dlltool)
library = name
return os.fspath(library_dir), library
def _copy_libraries_to_bases(self) -> None:
"""Copy standard libraries to cx_Freeze wheel, on posix systems, when
python is compiled with --disable-shared, as is done in manylinux and
macpython. Modules such as math, _struct and zlib, which are normally
embedded in python, are compiled separately.
Also, copies tcl/tk libraries.
"""
# do not copy libraries in develop mode, Windows, conda, etc
if self.inplace or IS_MINGW or IS_WINDOWS or IS_CONDA or ENABLE_SHARED:
return
# copy only for manylinux and macpython
bases = f"{self.build_lib}/cx_Freeze/bases"
ext_suffix = get_config_var("EXT_SUFFIX")
if bool(get_config_var("DESTSHARED")):
source_path = Path(get_config_var("DESTSHARED"))
target_path = f"{bases}/lib-dynload"
self.mkpath(target_path)
for source in source_path.glob(f"*{ext_suffix}"):
self.copy_file(source.as_posix(), target_path)
# tcl/tk are detected in /usr/local/lib or /usr/share
try:
tkinter = __import__("tkinter")
except (ImportError, AttributeError):
return
root = tkinter.Tk(useTk=False)
tcl_library = Path(root.tk.exprstring("$tcl_library"))
path_to_copy = []
if tcl_library.name == "Scripts": # Frameworks on macOS
tcl_name = f"tcl{tkinter.TclVersion}"
path_to_copy.append((tcl_library, tcl_name))
tcl8_name = Path(tcl_name).with_suffix("").name
path_to_copy.append((tcl_library.parent / tcl8_name, tcl8_name))
tk_library = Path(tcl_library.as_posix().replace("Tcl", "Tk"))
path_to_copy.append((tk_library, tcl_name.replace("tcl", "tk")))
else:
tcl_name = tcl_library.name
path_to_copy.append((tcl_library, tcl_name))
tcl8_path = Path(tcl_library).with_suffix("")
path_to_copy.append((tcl8_path, tcl8_path.name))
tk_library = tcl_library.parent / tcl_name.replace("tcl", "tk")
path_to_copy.append((tk_library, tk_library.name))
# source paths of tcl8.6, tcl8 and tk8.6
for source_path, target_name in path_to_copy:
target_path = f"{bases}/share/{target_name}"
self.mkpath(target_path)
for source in source_path.rglob("*"):
target = os.fspath(
target_path / source.relative_to(source_path)
)
if source.is_dir():
self.mkpath(target)
else:
self.copy_file(source.as_posix(), target)
def run(self) -> None:
self._copy_libraries_to_bases()
super().run()
def get_extensions() -> list[Extension]:
"""Build base executables and util module extension."""
# [Windows only] With binaries included in bases, the compilation is
# optional in the development mode.
depends = ["source/bases/common.c"]
optional = IS_WINDOWS and os.environ.get("CIBUILDWHEEL", "0") != "1"
extensions = [
Extension(
"cx_Freeze.bases.console",
["source/bases/console.c"],
depends=depends,
optional=optional,
)
]
if IS_MINGW or IS_WINDOWS:
extensions += [
Extension(
"cx_Freeze.bases.Win32GUI",
["source/bases/Win32GUI.c"],
depends=depends,
libraries=["user32"],
optional=optional,
),
Extension(
"cx_Freeze.bases.Win32Service",
["source/bases/Win32Service.c"],
depends=depends,
extra_link_args=["/DELAYLOAD:cx_Logging"],
libraries=["advapi32"],
optional=optional,
),
Extension(
"cx_Freeze.util",
["source/util.c"],
libraries=["imagehlp", "shlwapi"],
optional=optional,
),
]
return extensions
if __name__ == "__main__":
setup(
cmdclass={"build_ext": BuildBases},
options={"install": {"optimize": 1}},
ext_modules=get_extensions(),
)