-
Notifications
You must be signed in to change notification settings - Fork 0
/
setup_configure.py
250 lines (196 loc) · 7.89 KB
/
setup_configure.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
"""
Implements a new custom Distutils command for handling library
configuration.
The "configure" command here doesn't directly affect things like
config.pxi; rather, it exists to provide a set of attributes that are
used by the build_ext replacement in setup_build.py.
Options from the command line and environment variables are stored
between invocations in a pickle file. This allows configuring the library
once and e.g. calling "build" and "test" without recompiling everything
or explicitly providing the same options every time.
This module also contains the auto-detection logic for figuring out
the currently installed HDF5 version.
"""
from distutils.cmd import Command
import os
import os.path as op
import sys
import pickle
def loadpickle():
""" Load settings dict from the pickle file """
try:
with open('h5config.pkl','rb') as f:
cfg = pickle.load(f)
if not isinstance(cfg, dict): raise TypeError
except Exception:
return {}
return cfg
def savepickle(dct):
""" Save settings dict to the pickle file """
with open('h5config.pkl','wb') as f:
pickle.dump(dct, f, protocol=0)
def validate_version(s):
""" Ensure that s contains an X.Y.Z format version string, or ValueError.
"""
try:
tpl = tuple(int(x) for x in s.split('.'))
if len(tpl) != 3: raise ValueError
except Exception:
raise ValueError("HDF5 version string must be in X.Y.Z format")
class EnvironmentOptions(object):
"""
Convenience class representing the current environment variables.
"""
def __init__(self):
self.hdf5 = os.environ.get('HDF5_DIR')
self.hdf5_version = os.environ.get('HDF5_VERSION')
self.mpi = os.environ.get('HDF5_MPI') == "ON"
if self.hdf5_version is not None:
validate_version(self.hdf5_version)
class configure(Command):
"""
Configure build options for h5py: custom path to HDF5, version of
the HDF5 library, and whether MPI is enabled.
Options come from the following sources, in order of priority:
1. Current command-line options
2. Old command-line options
3. Current environment variables
4. Old environment variables
5. Autodetection
When options change, the rebuild_required attribute is set, and
may only be reset by calling reset_rebuild(). The custom build_ext
command does this.s
"""
description = "Configure h5py build options"
user_options = [('hdf5=', 'h', 'Custom path to HDF5'),
('hdf5-version=', '5', 'HDF5 version "X.Y.Z"'),
('mpi', 'm', 'Enable MPI building'),
('reset', 'r', 'Reset config options') ]
def initialize_options(self):
self.hdf5 = None
self.hdf5_version = None
self.mpi = None
self.reset = None
def finalize_options(self):
if self.hdf5_version is not None:
validate_version(self.hdf5_version)
def reset_rebuild(self):
""" Mark this configuration as built """
dct = loadpickle()
dct['rebuild'] = False
savepickle(dct)
def run(self):
""" Distutils calls this when the command is run """
env = EnvironmentOptions()
# Step 1: determine if settings have changed and update cache
oldsettings = {} if self.reset else loadpickle()
dct = oldsettings.copy()
# Only update settings which have actually been specified this
# round; ignore the others (which have value None).
if self.hdf5 is not None:
dct['cmd_hdf5'] = self.hdf5
if env.hdf5 is not None:
dct['env_hdf5'] = env.hdf5
if self.hdf5_version is not None:
dct['cmd_hdf5_version'] = self.hdf5_version
if env.hdf5_version is not None:
dct['env_hdf5_version'] = env.hdf5_version
if self.mpi is not None:
dct['cmd_mpi'] = self.mpi
if env.mpi is not None:
dct['env_mpi'] = env.mpi
self.rebuild_required = dct.get('rebuild') or dct != oldsettings
# Corner case: rebuild if options reset, but only if they previously
# had non-default values (to handle multiple resets in a row)
if self.reset and any(loadpickle().values()):
self.rebuild_required = True
dct['rebuild'] = self.rebuild_required
savepickle(dct)
# Step 2: update public config attributes according to priority rules
if self.hdf5 is None:
self.hdf5 = oldsettings.get('cmd_hdf5')
if self.hdf5 is None:
self.hdf5 = env.hdf5
if self.hdf5 is None:
self.hdf5 = oldsettings.get('env_hdf5')
if self.hdf5_version is None:
self.hdf5_version = oldsettings.get('cmd_hdf5_version')
if self.hdf5_version is None:
self.hdf5_version = env.hdf5_version
if self.hdf5_version is None:
self.hdf5_version = oldsettings.get('env_hdf5_version')
if self.hdf5_version is None:
self.hdf5_version = autodetect_version(self.hdf5)
print("Autodetected HDF5 %s" % self.hdf5_version)
if self.mpi is None:
self.mpi = oldsettings.get('cmd_mpi')
if self.mpi is None:
self.mpi = env.mpi
if self.mpi is None:
self.mpi = oldsettings.get('env_mpi')
# Step 3: print the resulting configuration to stdout
print('*' * 80)
print(' ' * 23 + "Summary of the h5py configuration")
print('')
print(" Path to HDF5: " + repr(self.hdf5))
print(" HDF5 Version: " + repr(self.hdf5_version))
print(" MPI Enabled: " + repr(bool(self.mpi)))
print("Rebuild Required: " + repr(bool(self.rebuild_required)))
print('')
print('*' * 80)
def autodetect_version(hdf5_dir=None):
"""
Detect the current version of HDF5, and return X.Y.Z version string.
Intended for Unix-ish platforms (Linux, OS X, BSD).
Does not support Windows. Raises an exception if anything goes wrong.
hdf5_dir: optional HDF5 install directory to look in (containing "lib")
"""
import re
import ctypes
from ctypes import byref
import pkgconfig
if sys.platform.startswith('darwin'):
default_path = 'libhdf5.dylib'
regexp = re.compile(r'^libhdf5.dylib')
elif sys.platform.startswith('win') or \
sys.platform.startswith('cygwin'):
default_path = 'hdf5.dll'
regexp = re.compile(r'^hdf5.dll')
else:
default_path = 'libhdf5.so'
regexp = re.compile(r'^libhdf5.so')
libdirs = ['/usr/local/lib', '/opt/local/lib']
try:
if pkgconfig.exists("hdf5"):
libdirs.extend(pkgconfig.parse("hdf5")['library_dirs'])
except EnvironmentError:
pass
if hdf5_dir is not None:
if sys.platform.startswith('win'):
lib = 'bin'
else:
lib = 'lib'
libdirs.insert(0, op.join(hdf5_dir, lib))
path = None
for d in libdirs:
try:
candidates = [x for x in os.listdir(d) if regexp.match(x)]
except Exception:
continue # Skip invalid entries
if len(candidates) != 0:
candidates.sort(key=lambda x: len(x)) # Prefer libfoo.so to libfoo.so.X.Y.Z
path = op.abspath(op.join(d, candidates[0]))
break
if path is None:
path = default_path
major = ctypes.c_uint()
minor = ctypes.c_uint()
release = ctypes.c_uint()
print("Loading library to get version:", path)
try:
lib = ctypes.cdll.LoadLibrary(path)
lib.H5get_libversion(byref(major), byref(minor), byref(release))
except:
print("error: Unable to load dependency HDF5, make sure HDF5 is installed properly")
raise
return "{0}.{1}.{2}".format(int(major.value), int(minor.value), int(release.value))