-
Notifications
You must be signed in to change notification settings - Fork 44
/
Copy pathsetup.py
295 lines (245 loc) · 9.33 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
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""Slycot: a wrapper for the SLICOT control and systems library
Slycot wraps the SLICOT library which is used for control and systems analysis.
"""
import os
import sys
import subprocess
import re
import platform
try:
import configparser
except ImportError:
import ConfigParser as configparser
if sys.version_info[0] >= 3:
import builtins
else:
import __builtin__ as builtins
try:
from skbuild import setup
from skbuild.command.sdist import sdist
except ImportError:
raise ImportError('sckit-build must be installed before running setup.py')
if sys.version_info[:2] < (2, 7) or (3, 0) <= sys.version_info[0:2] < (3, 5):
raise RuntimeError("Python version 2.7 or >= 3.5 required.")
DOCLINES = __doc__.split("\n")
CLASSIFIERS = """\
Development Status :: 4 - Beta
Intended Audience :: Science/Research
Intended Audience :: Developers
License :: OSI Approved
License :: OSI Approved :: GNU General Public License v2 (GPLv2)
Programming Language :: C
Programming Language :: Fortran
Programming Language :: Python
Programming Language :: Python :: 2
Programming Language :: Python :: 3
Topic :: Software Development
Topic :: Scientific/Engineering
Operating System :: Microsoft :: Windows
Operating System :: POSIX
Operating System :: Unix
Operating System :: MacOS
"""
# defaults
ISRELEASED = True
# assume a version set by conda, next update with git,
# otherwise count on default
VERSION = 'Unknown'
class GitError(RuntimeError):
"""Exception for git errors occuring in in git_version"""
pass
def git_version(srcdir=None):
"""Return the git version, revision and cycle
Uses rev-parse to get the revision tag to get the version number from the
latest tag and detects (approximate) revision cycles
"""
def _minimal_ext_cmd(cmd, srcdir):
# construct minimal environment
env = {}
for k in ['SYSTEMROOT', 'PATH']:
v = os.environ.get(k)
if v is not None:
env[k] = v
# LANGUAGE is used on win32
env['LANGUAGE'] = 'C'
env['LANG'] = 'C'
env['LC_ALL'] = 'C'
proc = subprocess.Popen(
cmd,
cwd=srcdir,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
env=env)
out, err = proc.communicate()
if proc.returncode:
errmsg = err.decode('ascii', errors='ignore').strip()
raise GitError("git err; return code %d, error message:\n '%s'"
% (proc.returncode, errmsg))
return out
try:
GIT_VERSION = VERSION
GIT_REVISION = 'Unknown'
GIT_CYCLE = 0
out = _minimal_ext_cmd(['git', 'rev-parse', 'HEAD'], srcdir)
GIT_REVISION = out.strip().decode('ascii')
out = _minimal_ext_cmd(['git', 'tag'], srcdir)
GIT_VERSION = out.strip().decode('ascii').split('\n')[-1][1:]
out = _minimal_ext_cmd(['git', 'describe', '--tags',
'--long', '--always'], srcdir)
try:
# don't get a good description with shallow clones, e.g., on Travis
GIT_CYCLE = out.strip().decode('ascii').split('-')[1]
except IndexError:
pass
except OSError:
pass
return GIT_VERSION, GIT_REVISION, GIT_CYCLE
# BEFORE importing distutils, remove MANIFEST. distutils doesn't properly
# update it when the contents of directories change.
if os.path.exists('MANIFEST'):
os.remove('MANIFEST')
# This is a bit hackish: we are setting a global variable so that the main
# slycot __init__ can detect if it is being loaded by the setup routine, to
# avoid attempting to load components that aren't built yet. While ugly, it's
# a lot more robust than what was previously being used.
builtins.__SLYCOT_SETUP__ = True
def rewrite_setup_cfg(version, gitrevision, release):
toreplace = dict(locals())
data = ''.join(open('setup.cfg.in', 'r').readlines()).split('@')
for k, v in toreplace.items():
idx = data.index(k)
data[idx] = v
cfg = open('setup.cfg', 'w')
cfg.write(''.join(data))
cfg.close()
def get_version_info(srcdir=None):
global ISRELEASED
GIT_CYCLE = 0
# Adding the git rev number needs to be done inside write_version_py(),
# otherwise the import of slycot.version messes up
# the build under Python 3.
if os.environ.get('CONDA_BUILD', False):
FULLVERSION = os.environ.get('PKG_VERSION', '???')
GIT_REVISION = os.environ.get('GIT_DESCRIBE_HASH', '')
ISRELEASED = True
rewrite_setup_cfg(FULLVERSION, GIT_REVISION, 'yes')
elif os.path.exists('.git'):
FULLVERSION, GIT_REVISION, GIT_CYCLE = git_version(srcdir)
ISRELEASED = (GIT_CYCLE == 0)
rewrite_setup_cfg(FULLVERSION, GIT_REVISION,
(ISRELEASED and 'yes') or 'no')
elif os.path.exists('setup.cfg'):
# valid distribution
setupcfg = configparser.ConfigParser(allow_no_value=True)
setupcfg.read('setup.cfg')
FULLVERSION = setupcfg.get(section='metadata', option='version')
if FULLVERSION is None:
FULLVERSION = "Unknown"
GIT_REVISION = setupcfg.get(section='metadata', option='gitrevision')
if GIT_REVISION is None:
GIT_REVISION = ""
return FULLVERSION, GIT_REVISION
else:
# try to find a version number from the dir name
dname = os.getcwd().split(os.sep)[-1]
m = re.search(r'[0-9.]+', dname)
if m:
FULLVERSION = m.group()
GIT_REVISION = ''
else:
FULLVERSION = VERSION
GIT_REVISION = "Unknown"
if not ISRELEASED:
FULLVERSION += '.' + str(GIT_CYCLE)
return FULLVERSION, GIT_REVISION
def check_submodules():
""" verify that the submodules are checked out and clean
use `git submodule update --init`; on failure
"""
if not os.path.exists('.git'):
return
with open('.gitmodules') as f:
for l in f:
if 'path' in l:
p = l.split('=')[-1].strip()
if not os.path.exists(p):
raise ValueError('Submodule %s missing' % p)
proc = subprocess.Popen(['git', 'submodule', 'status'],
stdout=subprocess.PIPE)
status, _ = proc.communicate()
status = status.decode("ascii", "replace")
for line in status.splitlines():
if line.startswith('-') or line.startswith('+'):
raise ValueError('Submodule not clean: %s' % line)
class sdist_checked(sdist):
""" check submodules on sdist to prevent incomplete tarballs """
def run(self):
# slycot had no submodules currently
# check_submodules()
sdist.run(self)
def setup_package():
src_path = os.path.dirname(os.path.abspath(__file__))
sys.path.insert(0, src_path)
# Rewrite the version file everytime
VERSION, gitrevision = get_version_info(src_path)
metadata = dict(
name='slycot',
packages=['slycot', 'slycot.tests'],
cmake_languages=('C', 'Fortran'),
version=VERSION,
maintainer="Slycot developers",
maintainer_email="[email protected]",
description=DOCLINES[0],
long_description=open('README.rst').read(),
url='https://github.com/python-control/Slycot',
author='Enrico Avventi et al.',
license='GPL-2.0',
classifiers=[_f for _f in CLASSIFIERS.split('\n') if _f],
platforms=["Windows", "Linux", "Solaris", "Mac OS-X", "Unix"],
cmdclass={"sdist": sdist_checked},
cmake_args=['-DSLYCOT_VERSION:STRING=' + VERSION,
'-DGIT_REVISION:STRING=' + gitrevision,
'-DISRELEASE:STRING=' + str(ISRELEASED),
'-DFULL_VERSION=' + VERSION + '.git' + gitrevision[:7]],
zip_safe=False,
install_requires=['numpy'],
)
# Windows builds use Flang.
# Flang detection and configuration is not automatic yet; the CMAKE
# settings below are to circumvent that; when scikit-build and cmake
# tools have improved, most of this might be removed?
if platform.system() == 'Windows':
pbase = r'/'.join(sys.executable.split(os.sep)[:-1])
env2cmakearg = {
'FC': ('-DCMAKE_Fortran_COMPILER=',
pbase + r'/Library/bin/flang.exe'),
'F2PY': ('-DF2PY_EXECUTABLE=',
pbase + r'/Scripts/f2py.exe'),
'NUMPY_INCLUDE': ('-DNumPy_INCLUDE_DIR=',
pbase + r'/Include')
}
metadata['cmake_args'].extend(['-GNMake Makefiles'])
for k, v in env2cmakearg.items():
print(k, v, os.environ.get(k, ''))
envval = os.environ.get(k, None)
if envval:
# get from environment
metadata['cmake_args'].append(
v[0] + envval.replace('\\', '/'))
else:
# default
metadata['cmake_args'].append(v[0] + v[1])
metadata['cmake_args'].extend([
'-DCMAKE_Fortran_SIMULATE_VERSION=5.0.0',
'-DCMAKE_Fortran_COMPILER_ID=Flang',
'-DCMAKE_VERBOSE_MAKEFILE:BOOL=ON'])
print(metadata['cmake_args'])
try:
setup(**metadata)
finally:
del sys.path[0]
return
if __name__ == '__main__':
setup_package()