forked from onnx/onnx
-
Notifications
You must be signed in to change notification settings - Fork 0
/
setup.py
319 lines (264 loc) · 11.6 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
314
315
316
317
318
319
# Copyright (c) ONNX Project Contributors
#
# SPDX-License-Identifier: Apache-2.0
# NOTE: Put all metadata in pyproject.toml.
# Set the environment variable `ONNX_PREVIEW_BUILD=1` to build the dev preview release.
from __future__ import annotations
import contextlib
import datetime
import glob
import logging
import multiprocessing
import os
import platform
import shlex
import shutil
import subprocess
import sys
import sysconfig
import textwrap
from typing import ClassVar
import setuptools
import setuptools.command.build_ext
import setuptools.command.build_py
import setuptools.command.develop
TOP_DIR = os.path.realpath(os.path.dirname(__file__))
CMAKE_BUILD_DIR = os.path.join(TOP_DIR, ".setuptools-cmake-build")
WINDOWS = os.name == "nt"
CMAKE = shutil.which("cmake3") or shutil.which("cmake")
################################################################################
# Global variables for controlling the build variant
################################################################################
# Default value is set to TRUE\1 to keep the settings same as the current ones.
# However going forward the recommended way to is to set this to False\0
ONNX_ML = os.getenv("ONNX_ML") != "0"
ONNX_VERIFY_PROTO3 = os.getenv("ONNX_VERIFY_PROTO3") == "1"
ONNX_NAMESPACE = os.getenv("ONNX_NAMESPACE", "onnx")
ONNX_BUILD_TESTS = os.getenv("ONNX_BUILD_TESTS") == "1"
ONNX_DISABLE_EXCEPTIONS = os.getenv("ONNX_DISABLE_EXCEPTIONS") == "1"
ONNX_DISABLE_STATIC_REGISTRATION = os.getenv("ONNX_DISABLE_STATIC_REGISTRATION") == "1"
ONNX_PREVIEW_BUILD = os.getenv("ONNX_PREVIEW_BUILD") == "1"
USE_MSVC_STATIC_RUNTIME = os.getenv("USE_MSVC_STATIC_RUNTIME", "0") == "1"
DEBUG = os.getenv("DEBUG", "0") == "1"
COVERAGE = os.getenv("COVERAGE", "0") == "1"
# Customize the wheel plat-name; sometimes useful for MacOS builds.
# See https://github.com/onnx/onnx/pull/6117
ONNX_WHEEL_PLATFORM_NAME = os.getenv("ONNX_WHEEL_PLATFORM_NAME")
################################################################################
# Pre Check
################################################################################
assert CMAKE, "Could not find cmake in PATH"
################################################################################
# Version
################################################################################
try:
_git_version = (
subprocess.check_output(["git", "rev-parse", "HEAD"], cwd=TOP_DIR)
.decode("ascii")
.strip()
)
except (OSError, subprocess.CalledProcessError):
_git_version = ""
with open(os.path.join(TOP_DIR, "VERSION_NUMBER"), encoding="utf-8") as version_file:
_version = version_file.read().strip()
if ONNX_PREVIEW_BUILD:
# Create the dev build for weekly releases
todays_date = datetime.date.today().strftime("%Y%m%d")
_version += ".dev" + todays_date
VERSION_INFO = {"version": _version, "git_version": _git_version}
################################################################################
# Utilities
################################################################################
@contextlib.contextmanager
def cd(path):
if not os.path.isabs(path):
raise RuntimeError(f"Can only cd to absolute path, got: {path}")
orig_path = os.getcwd()
os.chdir(path)
try:
yield
finally:
os.chdir(orig_path)
def get_ext_suffix():
return sysconfig.get_config_var("EXT_SUFFIX")
################################################################################
# Customized commands
################################################################################
def create_version(directory: str):
"""Create version.py based on VERSION_INFO."""
version_file_path = os.path.join(directory, "onnx", "version.py")
os.makedirs(os.path.dirname(version_file_path), exist_ok=True)
with open(version_file_path, "w", encoding="utf-8") as f:
f.write(
textwrap.dedent(
f"""\
# This file is generated by setup.py. DO NOT EDIT!
version = "{VERSION_INFO['version']}"
git_version = "{VERSION_INFO['git_version']}"
"""
)
)
class CmakeBuild(setuptools.Command):
"""Compiles everything when `python setup.py build` is run using cmake.
Custom args can be passed to cmake by specifying the `CMAKE_ARGS`
environment variable.
The number of CPUs used by `make` can be specified by passing `-j<ncpus>`
to `setup.py build`. By default all CPUs are used.
"""
user_options: ClassVar[list] = [
("jobs=", "j", "Specifies the number of jobs to use with make")
]
def initialize_options(self):
self.jobs = None
def finalize_options(self):
self.set_undefined_options("build", ("parallel", "jobs"))
if self.jobs is None and os.getenv("MAX_JOBS") is not None:
self.jobs = os.getenv("MAX_JOBS")
self.jobs = multiprocessing.cpu_count() if self.jobs is None else int(self.jobs)
def run(self):
os.makedirs(CMAKE_BUILD_DIR, exist_ok=True)
with cd(CMAKE_BUILD_DIR):
build_type = "Release"
# configure
cmake_args = [
CMAKE,
f"-DPYTHON_INCLUDE_DIR={sysconfig.get_path('include')}",
f"-DPYTHON_EXECUTABLE={sys.executable}",
"-DBUILD_ONNX_PYTHON=ON",
"-DCMAKE_EXPORT_COMPILE_COMMANDS=ON",
f"-DONNX_NAMESPACE={ONNX_NAMESPACE}",
f"-DPY_EXT_SUFFIX={get_ext_suffix() or ''}",
]
if COVERAGE:
cmake_args.append("-DONNX_COVERAGE=ON")
if COVERAGE or DEBUG:
# in order to get accurate coverage information, the
# build needs to turn off optimizations
build_type = "Debug"
cmake_args.append(f"-DCMAKE_BUILD_TYPE={build_type}")
if WINDOWS:
cmake_args.extend(
[
# we need to link with libpython on windows, so
# passing python version to window in order to
# find python in cmake
f"-DPY_VERSION={'{}.{}'.format(*sys.version_info[:2])}",
]
)
if USE_MSVC_STATIC_RUNTIME:
cmake_args.append("-DONNX_USE_MSVC_STATIC_RUNTIME=ON")
if platform.architecture()[0] == "64bit":
if "arm" in platform.machine().lower():
cmake_args.extend(["-A", "ARM64"])
else:
cmake_args.extend(["-A", "x64", "-T", "host=x64"])
else: # noqa: PLR5501
if "arm" in platform.machine().lower():
cmake_args.extend(["-A", "ARM"])
else:
cmake_args.extend(["-A", "Win32", "-T", "host=x86"])
if ONNX_ML:
cmake_args.append("-DONNX_ML=1")
if ONNX_VERIFY_PROTO3:
cmake_args.append("-DONNX_VERIFY_PROTO3=1")
if ONNX_BUILD_TESTS:
cmake_args.append("-DONNX_BUILD_TESTS=ON")
if ONNX_DISABLE_EXCEPTIONS:
cmake_args.append("-DONNX_DISABLE_EXCEPTIONS=ON")
if ONNX_DISABLE_STATIC_REGISTRATION:
cmake_args.append("-DONNX_DISABLE_STATIC_REGISTRATION=ON")
if "CMAKE_ARGS" in os.environ:
extra_cmake_args = shlex.split(os.environ["CMAKE_ARGS"])
# prevent crossfire with downstream scripts
del os.environ["CMAKE_ARGS"]
logging.info("Extra cmake args: %s", extra_cmake_args)
cmake_args.extend(extra_cmake_args)
cmake_args.append(TOP_DIR)
logging.info("Using cmake args: %s", cmake_args)
if "-DONNX_DISABLE_EXCEPTIONS=ON" in cmake_args:
raise RuntimeError(
"-DONNX_DISABLE_EXCEPTIONS=ON option is only available for c++ builds. Python binding require exceptions to be enabled."
)
subprocess.check_call(cmake_args)
build_args = [CMAKE, "--build", os.curdir]
if WINDOWS:
build_args.extend(["--config", build_type])
build_args.extend(["--", f"/maxcpucount:{self.jobs}"])
else:
build_args.extend(["--", "-j", str(self.jobs)])
subprocess.check_call(build_args)
class BuildPy(setuptools.command.build_py.build_py):
def run(self):
if self.editable_mode:
dst_dir = TOP_DIR
else:
dst_dir = self.build_lib
create_version(dst_dir)
return super().run()
class Develop(setuptools.command.develop.develop):
def run(self):
create_version(TOP_DIR)
return super().run()
class BuildExt(setuptools.command.build_ext.build_ext):
def run(self):
self.run_command("cmake_build")
return super().run()
def build_extensions(self):
# We override this method entirely because the actual building is done
# by cmake_build. Here we just copy the built extensions to the final
# destination.
build_lib = self.build_lib
extension_dst_dir = os.path.join(build_lib, "onnx")
os.makedirs(extension_dst_dir, exist_ok=True)
for ext in self.extensions:
fullname = self.get_ext_fullname(ext.name)
filename = os.path.basename(self.get_ext_filename(fullname))
if not WINDOWS:
lib_dir = CMAKE_BUILD_DIR
else:
# Windows compiled extensions are stored in Release/Debug subfolders
debug_lib_dir = os.path.join(CMAKE_BUILD_DIR, "Debug")
release_lib_dir = os.path.join(CMAKE_BUILD_DIR, "Release")
if os.path.exists(debug_lib_dir):
lib_dir = debug_lib_dir
elif os.path.exists(release_lib_dir):
lib_dir = release_lib_dir
src = os.path.join(lib_dir, filename)
dst = os.path.join(extension_dst_dir, filename)
self.copy_file(src, dst)
# Copy over the generated python files to build/source dir depending on editable mode
if self.editable_mode:
dst_dir = TOP_DIR
else:
dst_dir = build_lib
generated_py_files = glob.glob(os.path.join(CMAKE_BUILD_DIR, "onnx", "*.py"))
generated_pyi_files = glob.glob(os.path.join(CMAKE_BUILD_DIR, "onnx", "*.pyi"))
assert generated_py_files, "Bug: No generated python files found"
assert generated_pyi_files, "Bug: No generated python stubs found"
for src in (*generated_py_files, *generated_pyi_files):
dst = os.path.join(dst_dir, os.path.relpath(src, CMAKE_BUILD_DIR))
os.makedirs(os.path.dirname(dst), exist_ok=True)
self.copy_file(src, dst)
CMD_CLASS = {
"cmake_build": CmakeBuild,
"build_py": BuildPy,
"build_ext": BuildExt,
"develop": Develop,
}
################################################################################
# Extensions
################################################################################
EXT_MODULES = [setuptools.Extension(name="onnx.onnx_cpp2py_export", sources=[])]
################################################################################
# Final
################################################################################
setuptools.setup(
ext_modules=EXT_MODULES,
cmdclass=CMD_CLASS,
version=VERSION_INFO["version"],
options=(
{"bdist_wheel": {"plat_name": ONNX_WHEEL_PLATFORM_NAME}}
if ONNX_WHEEL_PLATFORM_NAME is not None
else {}
),
)