forked from mindspore-ai/mindquantum
-
Notifications
You must be signed in to change notification settings - Fork 0
/
setup.py
510 lines (406 loc) · 17.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
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
# -*- coding: utf-8 -*-
# Copyright 2021 Huawei Technologies Co., Ltd
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
# ============================================================================
"""Setup.py file."""
import contextlib
import copy
import distutils.log
import errno
import hashlib
import itertools
import multiprocessing
import os
import platform
import shutil
import stat
import subprocess
import sys
from distutils.cmd import Command
from distutils.command.clean import clean
from distutils.file_util import copy_file
import setuptools
from setuptools.command.build_ext import build_ext
# ==============================================================================
# Helper variables
on_rtd = os.environ.get('READTHEDOCS') == 'True'
cur_dir = os.path.dirname(os.path.realpath(__file__))
ext_errors = (subprocess.CalledProcessError, FileNotFoundError)
cmake_extra_options = []
# ==============================================================================
# Helper functions and classes
@contextlib.contextmanager
def fdopen(fname, mode, perms=0o644): # pragma: no cover
"""
Context manager for opening files with correct permissions.
Args:
fname (str): Path to file to open for reading/writing
mode (str): Mode in which the file is opened (see help for builtin `open()`)
perms (int): Permission mask (see help for `os.open()`)
"""
if 'r' in mode:
flags = os.O_RDONLY
elif 'w' in mode:
flags = os.O_WRONLY | os.O_CREAT | os.O_TRUNC
elif 'a' in mode:
flags = os.O_WRONLY | os.O_CREAT
else:
raise RuntimeError(f'Unsupported mode: {mode}')
file_object = open(os.open(fname, flags, perms), mode=mode, encoding='utf-8')
try:
yield file_object
finally:
file_object.close()
def remove_tree(directory):
"""Remove a directory and its subdirectories."""
def remove_read_only(func, path, exc_info):
excvalue = exc_info[1]
if func in (os.rmdir, os.remove) and excvalue.errno == errno.EACCES:
os.chmod(path, stat.S_IRWXU | stat.S_IRWXG | stat.S_IRWXO)
func(path)
else:
raise exc_info[0].with_traceback(exc_info[1], exc_info[2])
if os.path.exists(directory):
distutils.log.info(f'Removing {directory} (and everything under it)')
shutil.rmtree(directory, ignore_errors=False, onerror=remove_read_only)
def write_checksum():
"""Rename Python wheels on Windows."""
if os.path.exists(os.path.join(cur_dir, 'output')):
whl = os.listdir(os.path.join(cur_dir, 'output'))
if whl:
whl_name = os.path.join(cur_dir, 'output', whl[0])
with open(whl_name, 'rb') as f:
sha256obj = hashlib.sha256()
sha256obj.update(f.read())
hash_value = sha256obj.hexdigest()
with open(whl_name + '.sha256', 'w') as f:
f.writelines(f'{hash_value} *{whl[0]}')
def important_msgs(*msgs):
"""Print an important message."""
print('*' * 75)
for msg in msgs:
print(msg)
print('*' * 75)
def get_extra_cmake_options():
"""
Parse CMake options from python3 setup.py command line.
Read --unset, --set, -A and -G options from the command line and add them as cmake switches.
"""
_cmake_extra_options = []
opt_key = None
has_generator = False
argv = copy.deepcopy(sys.argv)
# parse command line options and consume those we care about
for arg in argv:
if opt_key == 'G':
has_generator = True
_cmake_extra_options += ['-G', arg.strip()]
elif opt_key == 'A':
_cmake_extra_options += ['-A', arg.strip()]
elif opt_key == 'unset':
_cmake_extra_options.append(f'-D{arg.strip()}:BOOL=OFF')
elif opt_key == 'set':
_cmake_extra_options.append(f'-D{arg.strip()}:BOOL=ON')
if opt_key:
sys.argv.remove(arg)
opt_key = None
continue
if arg in ['--unset', '--set', '--compiler-flags']:
opt_key = arg[2:].lower()
sys.argv.remove(arg)
continue
if arg in ['-A']:
opt_key = arg[1:]
sys.argv.remove(arg)
continue
if arg in ['-G']:
opt_key = arg[1:]
sys.argv.remove(arg)
continue
# If no explicit CMake Generator specification, prefer Ninja on Windows
if (not has_generator) and (platform.system() == "Windows") and shutil.which("ninja"):
_cmake_extra_options += ['-G', "Ninja"]
return _cmake_extra_options
# ==============================================================================
def get_python_executable():
"""Retrieve the path to the Python executable."""
try:
root_path = os.environ['VIRTUAL_ENV']
python = os.path.basename(sys.executable)
python_path = os.path.join(root_path, python)
if os.path.exists(python_path):
return python_path
return os.path.join(root_path, 'bin', python)
except KeyError:
return sys.executable
def get_cmake_command():
"""Retrieve the path to the CMake executable."""
with fdopen(os.devnull, 'w') as devnull:
try:
subprocess.check_call(['cmake', '--version'], stdout=devnull, stderr=devnull)
return ['cmake']
except (OSError, subprocess.CalledProcessError):
pass
# CMake not in PATH, should have installed Python CMake module
# -> try to find out where it is
try:
root_path = os.environ['VIRTUAL_ENV']
python = os.path.basename(sys.executable)
except KeyError:
root_path, python = os.path.split(sys.executable)
search_paths = [root_path, os.path.join(root_path, 'bin'), os.path.join(root_path, 'Scripts')]
# First try executing CMake directly
for base_path in search_paths:
try:
cmake_cmd = os.path.join(base_path, 'cmake')
subprocess.check_call([cmake_cmd, '--version'], stdout=devnull, stderr=devnull)
return [cmake_cmd]
except (OSError, subprocess.CalledProcessError):
pass
# That did not work: try calling it through Python
for base_path in search_paths:
try:
cmake_cmd = [python, os.path.join(base_path, 'cmake')]
subprocess.check_call(cmake_cmd + ['--version'], stdout=devnull, stderr=devnull)
return cmake_cmd
except (OSError, subprocess.CalledProcessError):
pass
# Nothing worked -> give up!
return None
# ==============================================================================
class BuildFailed(Exception):
"""Extension raised if the build fails for any reason."""
def __init__(self):
"""Initialize a BuildFailed exception."""
super().__init__()
self.cause = sys.exc_info()[1] # work around py 2/3 different syntax
# ==============================================================================
class CMakeExtension(setuptools.Extension): # pylint: disable=too-few-public-methods
"""Class defining a C/C++ Python extension to be compiled using CMake."""
def __init__(self, pymod, target=None, optional=False):
"""
Initialize a CMakeExtension object.
Args:
src_dir (string): Path to source directory
target (string): Name of target
pymod (string): Name of compiled Python module
optional (bool): (optional) If true, not building this extension is not considered an error
"""
# NB: the main source directory is the one containing the setup.py file
self.src_dir = os.path.realpath('')
self.pymod = pymod
self.target = target if target is not None else pymod.split('.')[-1]
self.lib_filepath = os.path.join(*pymod.split('.'))
super().__init__(pymod, sources=[], optional=optional)
# ------------------------------------------------------------------------------
class CMakeBuildExt(build_ext):
"""Custom build_ext command class."""
user_options = build_ext.user_options + [
('no-arch-native', None, 'Do not use the -march=native flag when compiling'),
('clean-build', None, 'Build in a clean build environment'),
]
boolean_options = build_ext.boolean_options + ['no-arch-native', 'clean-build']
def initialize_options(self):
"""Initialize all options of this custom command."""
build_ext.initialize_options(self)
self.no_arch_native = None
self.clean_build = None
def build_extensions(self):
"""Build a C/C++ extension using CMake."""
# pylint: disable=attribute-defined-outside-init
if on_rtd:
important_msgs('skipping CMake build on ReadTheDocs')
return
self.cmake_cmd = get_cmake_command()
if self.cmake_cmd is None:
raise RuntimeError('Unable to locate the CMake command!')
distutils.log.info('using cmake command: ' + ' '.join(self.cmake_cmd))
self.configure_extensions()
build_ext.build_extensions(self)
def configure_extensions(self):
"""Run a CMake configuration and generation step for one extension."""
# pylint: disable=attribute-defined-outside-init
def _src_dir_pred(ext):
return ext.src_dir
cmake_args = [
'-DPython_EXECUTABLE:FILEPATH=' + get_python_executable(),
'-DBUILD_TESTING:BOOL=OFF',
'-DIN_PLACE_BUILD:BOOL=OFF',
'-DIS_PYTHON_BUILD:BOOL=ON',
'-DCMAKE_VERBOSE_MAKEFILE:BOOL=ON',
'-DVERSION_INFO="{self.distribution.get_version()}"',
] # yapf: disable
if self.no_arch_native:
cmake_args += ['-DUSE_NATIVE_INTRINSICS=OFF']
cfg = 'Debug' if self.debug else 'Release'
self.build_args = ['--config', cfg]
if platform.system() == "Windows":
# self.build_args += ['--', '/m']
pass
else:
cmake_args += ['-DCMAKE_BUILD_TYPE=' + cfg]
if platform.system() == "Darwin" and 'TRAVIS' in os.environ:
self.build_args += ['--']
else:
self.build_args += [
f'-j {self.parallel if self.parallel else multiprocessing.cpu_count()}',
'--',
]
cmake_args.extend(cmake_extra_options)
env = os.environ.copy()
# This can in principle handle the compilation of extensions outside the main CMake directory (ie. outside the
# one containing this setup.py file)
for src_dir, extensions in itertools.groupby(sorted(self.extensions, key=_src_dir_pred), key=_src_dir_pred):
self.cmake_configure_build(src_dir, extensions, cmake_args, env)
def cmake_configure_build(self, src_dir, extensions, cmake_args, env):
"""Run a CMake build command for a list of extensions."""
args = cmake_args.copy()
for ext in extensions:
dest_path = os.path.realpath(os.path.dirname(self.get_ext_fullpath(ext.lib_filepath)))
args.append(f'-D{ext.target.upper()}_OUTPUT_DIR={dest_path}')
build_temp = self._get_temp_dir(src_dir)
if self.clean_build:
remove_tree(build_temp)
if not os.path.exists(build_temp):
os.makedirs(build_temp)
distutils.log.info(f' Configuring from {src_dir} '.center(80, '-'))
distutils.log.info(f'CMake command: {" ".join(self.cmake_cmd + [src_dir] + args)}')
distutils.log.info(f' cwd: {build_temp}')
try:
subprocess.check_call(self.cmake_cmd + [src_dir] + args, cwd=build_temp, env=env)
except ext_errors as err:
raise BuildFailed() from err
finally:
distutils.log.info(f' End configuring from {src_dir} '.center(80, '-'))
def build_extension(self, ext):
"""Build a single C/C++ extension using CMake."""
distutils.log.info(f' Building {ext.pymod} '.center(80, '-'))
distutils.log.info(
'CMake command: {" ".join(self.cmake_cmd + ["--build", ".", "--target", ext.target] + self.build_args)}'
)
distutils.log.info(f' cwd: {self._get_temp_dir(ext.src_dir)}')
try:
subprocess.check_call(
self.cmake_cmd + ['--build', '.', '--target', ext.target] + self.build_args,
cwd=self._get_temp_dir(ext.src_dir),
)
except ext_errors as err:
if not ext.optional:
raise BuildFailed() from err
distutils.log.info(f'Failed to compile optional extension {ext.target} (not an error)')
finally:
distutils.log.info(f' End building {ext.pymod} '.center(80, '-'))
def copy_extensions_to_source(self):
"""Copy the extensions."""
# pylint: disable=protected-access
build_py = self.get_finalized_command('build_py')
for ext in self.extensions:
fullname = self.get_ext_fullname(ext.name)
filename = self.get_ext_filename(fullname)
modpath = fullname.split('.')
package = '.'.join(modpath[:-1])
package_dir = build_py.get_package_dir(package)
dest_filename = os.path.join(package_dir, os.path.basename(filename))
src_filename = os.path.join(self.build_lib, filename)
# Always copy, even if source is older than destination, to ensure
# that the right extensions for the current Python/platform are
# used.
if os.path.exists(src_filename) or not ext.optional:
copy_file(src_filename, dest_filename, verbose=self.verbose, dry_run=self.dry_run)
if ext._needs_stub:
self.write_stub(package_dir or os.curdir, ext, True)
def get_outputs(self):
"""
Get the list of files generated during a build.
Mainly defined to properly handle optional extensions.
"""
self.check_extensions_list(self.extensions)
outputs = []
for ext in self.extensions:
if os.path.exists(self.get_ext_fullpath(ext.name)) or not ext.optional:
outputs.append(self.get_ext_fullpath(ext.name))
return outputs
def _get_temp_dir(self, src_dir):
return os.path.join(self.build_temp, os.path.basename(src_dir))
# ==============================================================================
class Clean(clean):
"""Custom clean command."""
def run(self):
"""Run the clean command."""
# Execute the classic clean command
clean.run(self)
import glob # pylint: disable=import-outside-toplevel
pkg_name = self.distribution.get_name().replace('-', '_')
info = glob.glob(f'{pkg_name}.egg-info')
if info:
remove_tree(info[0])
# ==============================================================================
class GenerateRequirementFile(Command):
"""A custom command to list the dependencies of the current."""
description = 'List the dependencies of the current package'
user_options = [
('include-all-extras', None, 'Include all "extras_require" into the list'),
('include-extras=', None, 'Include some of extras_requires into the list (comma separated)'),
]
boolean_options = ['include-all-extras']
def initialize_options(self):
"""Initialize this command's options."""
self.include_extras = None
self.include_all_extras = None
self.extra_pkgs = []
def finalize_options(self):
"""Finalize this command's options."""
if self.include_extras:
include_extras = self.include_extras.split(',')
else:
include_extras = []
try:
for name, pkgs in self.distribution.extras_require.items():
if self.include_all_extras or name in include_extras:
self.extra_pkgs.extend(pkgs)
except TypeError: # Mostly for old setuptools (< 30.x)
for name, pkgs in self.distribution.command_options['options.extras_require'].items():
if self.include_all_extras or name in include_extras:
self.extra_pkgs.extend(pkgs)
def run(self):
"""Execute this command."""
with fdopen('requirements.txt', 'w') as req_file:
try:
for pkg in self.distribution.install_requires:
req_file.write(f'{pkg}\n')
except TypeError: # Mostly for old setuptools (< 30.x)
for pkg in self.distribution.command_options['options']['install_requires']:
req_file.write(f'{pkg}\n')
req_file.write('\n')
for pkg in self.extra_pkgs:
req_file.write(f'{pkg}\n')
# ==============================================================================
ext_modules = [
CMakeExtension(pymod='mindquantum.libQuEST', target='QuEST', optional=True),
CMakeExtension(pymod='mindquantum.mqbackend'),
]
if __name__ == '__main__':
remove_tree(os.path.join(cur_dir, 'output'))
cmake_extra_options.extend(get_extra_cmake_options())
setuptools.setup(
use_scm_version={'local_scheme': 'no-local-version'},
setup_requires=['setuptools_scm'],
cmdclass={
'build_ext': CMakeBuildExt,
'clean': Clean,
'gen_reqfile': GenerateRequirementFile,
},
ext_modules=ext_modules,
)
write_checksum()