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
|
"""
Implements a new custom setuptools command for handling library
configuration.
The "configure" command 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.
"""
import os
import os.path as op
import platform
import re
import sys
import json
def load_stashed_config():
""" Load settings dict from the pickle file """
try:
with open('h5config.json', 'r') as f:
cfg = json.load(f)
if not isinstance(cfg, dict):
raise TypeError
except Exception:
return {}
return cfg
def stash_config(dct):
"""Save settings dict to the pickle file."""
with open('h5config.json', 'w') as f:
json.dump(dct, f)
def validate_version(s):
"""Ensure that s contains an X.Y.Z format version string, or ValueError."""
# HDF5 tags can have a patch version, which we'll ignore for now.
m = re.match(r'(\d+)\.(\d+)\.(\d+)(?:\.\d+)?$', s)
if m:
return tuple(int(x) for x in m.groups())
raise ValueError(f"HDF5 version string {s!r} not in X.Y.Z[.P] format")
def mpi_enabled():
return os.environ.get('HDF5_MPI') == "ON"
class BuildConfig:
def __init__(self, hdf5_includedirs, hdf5_libdirs, hdf5_define_macros,
hdf5_version, mpi, ros3, direct_vfd):
self.hdf5_includedirs = hdf5_includedirs
self.hdf5_libdirs = hdf5_libdirs
self.hdf5_define_macros = hdf5_define_macros
self.hdf5_version = hdf5_version
self.mpi = mpi
self.ros3 = ros3
self.direct_vfd = direct_vfd
if self.mpi and os.environ.get('H5PY_MSMPI') == 'ON':
self.msmpi = True
self.msmpi_inc_dirs = os.environ.get('MSMPI_INC').split(';')
import platform
bitness, _ = platform.architecture()
if bitness == '64bit':
mpi_lib_envvar = 'MSMPI_LIB64'
else:
mpi_lib_envvar = 'MSMPI_LIB32'
self.msmpi_lib_dirs = os.environ.get(mpi_lib_envvar).split(';')
else:
self.msmpi = False
self.msmpi_inc_dirs = []
self.msmpi_lib_dirs = []
@classmethod
def from_env(cls):
mpi = mpi_enabled()
h5_inc, h5_lib, h5_macros = cls._find_hdf5_compiler_settings(mpi)
h5_version_s = os.environ.get('HDF5_VERSION')
h5py_ros3 = os.environ.get('H5PY_ROS3')
h5py_direct_vfd = os.environ.get('H5PY_DIRECT_VFD')
if h5_version_s and not mpi and h5py_ros3 and h5py_direct_vfd:
# if we know config, don't use wrapper, it may not be supported
return cls(
h5_inc, h5_lib, h5_macros, validate_version(h5_version_s), mpi,
h5py_ros3 == '1', h5py_direct_vfd == '1')
h5_wrapper = HDF5LibWrapper(h5_lib)
if h5_version_s:
h5_version = validate_version(h5_version_s)
else:
h5_version = h5_wrapper.autodetect_version()
if mpi and not h5_wrapper.has_mpi_support():
raise RuntimeError("MPI support not detected")
if h5py_ros3:
ros3 = h5py_ros3 == '1'
else:
ros3 = h5_wrapper.has_ros3_support()
if h5py_direct_vfd:
direct_vfd = h5py_direct_vfd == '1'
else:
direct_vfd = h5_wrapper.has_direct_vfd_support()
return cls(h5_inc, h5_lib, h5_macros, h5_version, mpi, ros3, direct_vfd)
@staticmethod
def _find_hdf5_compiler_settings(mpi=False):
"""Get compiler settings from environment or pkgconfig.
Returns (include_dirs, lib_dirs, define_macros)
"""
hdf5 = os.environ.get('HDF5_DIR')
hdf5_includedir = os.environ.get('HDF5_INCLUDEDIR')
hdf5_libdir = os.environ.get('HDF5_LIBDIR')
hdf5_pkgconfig_name = os.environ.get('HDF5_PKGCONFIG_NAME')
if sum([
bool(hdf5_includedir or hdf5_libdir),
bool(hdf5),
bool(hdf5_pkgconfig_name)
]) > 1:
raise ValueError(
"Specify only one of: HDF5 lib/include dirs, HDF5 prefix dir, "
"or HDF5 pkgconfig name"
)
if hdf5_includedir or hdf5_libdir:
inc_dirs = [hdf5_includedir] if hdf5_includedir else []
lib_dirs = [hdf5_libdir] if hdf5_libdir else []
return (inc_dirs, lib_dirs, [])
# Specified a prefix dir (e.g. '/usr/local')
if hdf5:
inc_dirs = [op.join(hdf5, 'include')]
lib_dirs = [op.join(hdf5, 'lib')]
if sys.platform.startswith('win'):
lib_dirs.append(op.join(hdf5, 'bin'))
return (inc_dirs, lib_dirs, [])
# Specified a name to be looked up in pkgconfig
if hdf5_pkgconfig_name:
import pkgconfig
if not pkgconfig.exists(hdf5_pkgconfig_name):
raise ValueError(
f"No pkgconfig information for {hdf5_pkgconfig_name}"
)
pc = pkgconfig.parse(hdf5_pkgconfig_name)
return (pc['include_dirs'], pc['library_dirs'], pc['define_macros'])
# Fallback: query pkgconfig for default hdf5 names
import pkgconfig
pc_name = 'hdf5-openmpi' if mpi else 'hdf5'
pc = {}
try:
if pkgconfig.exists(pc_name):
pc = pkgconfig.parse(pc_name)
except OSError:
if os.name != 'nt':
print(
"Building h5py requires pkg-config unless the HDF5 path "
"is explicitly specified using the environment variable HDF5_DIR. "
"For more information and details, "
"see https://docs.h5py.org/en/stable/build.html#custom-installation", file=sys.stderr
)
raise
return (
pc.get('include_dirs', []),
pc.get('library_dirs', []),
pc.get('define_macros', []),
)
def as_dict(self):
return {
'hdf5_includedirs': self.hdf5_includedirs,
'hdf5_libdirs': self.hdf5_libdirs,
'hdf5_define_macros': self.hdf5_define_macros,
'hdf5_version': list(self.hdf5_version), # list() to match the JSON
'mpi': self.mpi,
'ros3': self.ros3,
'direct_vfd': self.direct_vfd,
'msmpi': self.msmpi,
'msmpi_inc_dirs': self.msmpi_inc_dirs,
'msmpi_lib_dirs': self.msmpi_lib_dirs,
}
def changed(self):
"""Has the config changed since the last build?"""
return self.as_dict() != load_stashed_config()
def record_built(self):
"""Record config after a successful build"""
stash_config(self.as_dict())
def summarise(self):
def fmt_dirs(l):
return '\n'.join((['['] + [f' {d!r}' for d in l] + [']'])) if l else '[]'
print('*' * 80)
print(' ' * 23 + "Summary of the h5py configuration")
print('')
print(" HDF5 include dirs:", fmt_dirs(self.hdf5_includedirs))
print(" HDF5 library dirs:", fmt_dirs(self.hdf5_libdirs))
print(" HDF5 Version:", repr(self.hdf5_version))
print(" MPI Enabled:", self.mpi)
print(" ROS3 VFD Enabled:", self.ros3)
print(" DIRECT VFD Enabled:", self.direct_vfd)
print(" Rebuild Required:", self.changed())
print(" MS-MPI Enabled:", self.msmpi)
print("MS-MPI include dirs:", self.msmpi_inc_dirs)
print("MS-MPI library dirs:", self.msmpi_lib_dirs)
print('')
print('*' * 80)
class HDF5LibWrapper:
def __init__(self, libdirs):
self._load_hdf5_lib(libdirs)
def _load_hdf5_lib(self, libdirs):
"""
Detect and load the HDF5 library.
Raises an exception if anything goes wrong.
libdirs: the library paths to search for the library
"""
import ctypes
# extra keyword args to pass to LoadLibrary
load_kw = {}
if sys.platform.startswith('darwin'):
default_path = 'libhdf5.dylib'
regexp = re.compile(r'^libhdf5.dylib')
elif sys.platform.startswith('win'):
if 'MSC' in sys.version:
default_path = 'hdf5.dll'
regexp = re.compile(r'^hdf5.dll')
else:
default_path = 'libhdf5-0.dll'
regexp = re.compile(r'^libhdf5-[0-9].dll')
# To overcome "difficulty" loading the library on windows
# https://bugs.python.org/issue42114
load_kw['winmode'] = 0
elif sys.platform.startswith('cygwin'):
default_path = 'cyghdf5-200.dll'
regexp = re.compile(r'^cyghdf5-\d+.dll$')
else:
default_path = 'libhdf5.so'
regexp = re.compile(r'^libhdf5.so')
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
print("Loading library to get build settings and version:", path)
self._lib_path = path
if op.isabs(path) and not op.exists(path):
raise FileNotFoundError(f"{path} is missing")
try:
lib = ctypes.CDLL(path, **load_kw)
except Exception:
print("error: Unable to load dependency HDF5, make sure HDF5 is installed properly")
print(f"on {sys.platform=} with {platform.machine()=}")
print("Library dirs checked:", libdirs)
raise
self._lib = lib
def autodetect_version(self):
"""
Detect the current version of HDF5, and return X.Y.Z version string.
Raises an exception if anything goes wrong.
"""
import ctypes
from ctypes import byref
major = ctypes.c_uint()
minor = ctypes.c_uint()
release = ctypes.c_uint()
try:
self._lib.H5get_libversion(byref(major), byref(minor), byref(release))
except Exception:
print("error: Unable to find HDF5 version")
raise
return int(major.value), int(minor.value), int(release.value)
def load_function(self, func_name):
try:
return getattr(self._lib, func_name)
except AttributeError:
# No such function
return None
def has_functions(self, *func_names):
for func_name in func_names:
if self.load_function(func_name) is None:
return False
return True
def has_mpi_support(self):
return self.has_functions("H5Pget_fapl_mpio", "H5Pset_fapl_mpio")
def has_ros3_support(self):
return self.has_functions("H5Pget_fapl_ros3", "H5Pset_fapl_ros3")
def has_direct_vfd_support(self):
return self.has_functions("H5Pget_fapl_direct", "H5Pset_fapl_direct")
|