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
|
#!/usr/bin/env python
"""
SLEPc: Scalable Library for Eigenvalue Problem Computations
===========================================================
SLEPc is a software library for the solution of large scale sparse
eigenvalue problems on parallel computers. It is an extension of PETSc
and can be used for either standard or generalized eigenproblems, with
real or complex arithmetic. It can also be used for computing a
partial SVD of a large, sparse, rectangular matrix, and to solve
nonlinear eigenvalue problems
.. note::
To install ``PETSc``, ``SLEPc``, ``petsc4py``, and ``slepc4py``
(``mpi4py`` is optional but highly recommended) use::
$ pip install numpy mpi4py
$ pip install petsc petsc4py
$ pip install slepc slepc4py
"""
import sys, os
from setuptools import setup
from setuptools.command.install import install as _install
from distutils.util import get_platform, split_quoted
from distutils.spawn import find_executable
from distutils import log
init_py = """\
# Author: SLEPc Team
# Contact: slepc-maint@upv.es
def get_slepc_dir():
import os
return os.path.dirname(__file__)
def get_config():
conf = {}
conf['SLEPC_DIR'] = get_slepc_dir()
return conf
"""
metadata = {
'provides' : ['slepc'],
'zip_safe' : False,
}
CONFIGURE_OPTIONS = []
def bootstrap():
from os.path import join, isdir, abspath
# Set SLEPC_DIR
SLEPC_DIR = abspath(os.getcwd())
os.environ['SLEPC_DIR'] = SLEPC_DIR
# Check PETSC_DIR/PETSC_ARCH
PETSC_DIR = os.environ.get('PETSC_DIR', "")
PETSC_ARCH = os.environ.get('PETSC_ARCH', "")
if not (PETSC_DIR and isdir(PETSC_DIR)):
PETSC_DIR = None
try: del os.environ['PETSC_DIR']
except KeyError: pass
PETSC_ARCH = None
try: del os.environ['PETSC_ARCH']
except KeyError: pass
elif not (PETSC_ARCH and isdir(join(PETSC_DIR, PETSC_ARCH))):
PETSC_ARCH = None
try: del os.environ['PETSC_ARCH']
except KeyError: pass
# Generate package __init__.py file
from distutils.dir_util import mkpath
pkgdir = os.path.join(SLEPC_DIR, 'pypi')
pkgfile = os.path.join(pkgdir, '__init__.py')
if not os.path.exists(pkgdir): mkpath(pkgdir)
fh = open(pkgfile, 'wt')
fh.write(init_py)
fh.close()
# Configure options
options = os.environ.get('PETSC_CONFIGURE_OPTIONS', '')
CONFIGURE_OPTIONS.extend(split_quoted(options))
#
if not PETSC_DIR:
vstr = version()
x, y = tuple(map(int, vstr.split('.')[:2]))
dev = '.dev0' if '.dev' in vstr else ''
reqs = ">=%s.%s%s,<%s.%s" % (x, y, dev, x, y+1)
metadata['install_requires'] = ['petsc'+reqs]
def get_petsc_dir():
PETSC_DIR = os.environ.get('PETSC_DIR')
if PETSC_DIR: return PETSC_DIR
try:
import petsc
PETSC_DIR = petsc.get_petsc_dir()
except ImportError:
log.warn("PETSC_DIR not specified")
PETSC_DIR = os.path.join(os.path.sep, 'usr', 'local', 'petsc')
return PETSC_DIR
def get_petsc_arch():
PETSC_ARCH = os.environ.get('PETSC_ARCH', "")
return PETSC_ARCH
def config(prefix, dry_run=False):
log.info('SLEPc: configure')
options = [
'--prefix=' + prefix,
]
options.extend(CONFIGURE_OPTIONS)
#
log.info('configure options:')
for opt in options:
log.info(' '*4 + opt)
# Run SLEPc configure
if dry_run: return
os.environ['PETSC_DIR'] = get_petsc_dir()
python = sys.executable
command = [python, './configure', '--prefix='+prefix]
status = os.system(" ".join(command))
if status != 0: raise RuntimeError(status)
def build(dry_run=False):
log.info('SLEPc: build')
# Run SLEPc build
if dry_run: return
PETSC_ARCH = get_petsc_arch()
if PETSC_ARCH: PETSC_ARCH = 'PETSC_ARCH=' + PETSC_ARCH
make = find_executable('make')
command = [make, 'all',
'PETSC_DIR='+get_petsc_dir(), PETSC_ARCH]
status = os.system(" ".join(command))
if status != 0: raise RuntimeError(status)
def install(dest_dir, dry_run=False):
log.info('SLEPc: install')
# Run SLEPc install
if dry_run: return
PETSC_ARCH = get_petsc_arch()
if PETSC_ARCH: PETSC_ARCH = 'PETSC_ARCH=' + PETSC_ARCH
make = find_executable('make')
command = [make, 'install',
'PETSC_DIR='+get_petsc_dir(), PETSC_ARCH]
status = os.system(" ".join(command))
if status != 0: raise RuntimeError(status)
class context(object):
def __init__(self):
self.sys_argv = sys.argv[:]
self.wdir = os.getcwd()
def enter(self):
del sys.argv[1:]
pdir = os.environ['SLEPC_DIR']
os.chdir(pdir)
return self
def exit(self):
sys.argv[:] = self.sys_argv
os.chdir(self.wdir)
class cmd_install(_install):
def initialize_options(self):
_install.initialize_options(self)
self.optimize = 1
def finalize_options(self):
_install.finalize_options(self)
self.install_lib = self.install_platlib
self.install_libbase = self.install_lib
def run(self):
root_dir = os.path.abspath(self.install_lib)
dest_dir = prefix = os.path.join(root_dir, 'slepc')
#
#
ctx = context().enter()
try:
config(prefix, self.dry_run)
build(self.dry_run)
install(dest_dir, self.dry_run)
finally:
ctx.exit()
#
self.outputs = []
for dirpath, _, filenames in os.walk(dest_dir):
for fn in filenames:
self.outputs.append(os.path.join(dirpath, fn))
#
_install.run(self)
def get_outputs(self):
outputs = getattr(self, 'outputs', [])
outputs += _install.get_outputs(self)
return outputs
def version():
import re
version_re = {
'major' : re.compile(r"#define\s+SLEPC_VERSION_MAJOR\s+(\d+)"),
'minor' : re.compile(r"#define\s+SLEPC_VERSION_MINOR\s+(\d+)"),
'micro' : re.compile(r"#define\s+SLEPC_VERSION_SUBMINOR\s+(\d+)"),
'release': re.compile(r"#define\s+SLEPC_VERSION_RELEASE\s+(\d+)"),
}
slepcversion_h = os.path.join('include','slepcversion.h')
data = open(slepcversion_h, 'r').read()
major = int(version_re['major'].search(data).groups()[0])
minor = int(version_re['minor'].search(data).groups()[0])
micro = int(version_re['micro'].search(data).groups()[0])
release = int(version_re['release'].search(data).groups()[0])
if release:
v = "%d.%d.%d" % (major, minor, micro)
else:
v = "%d.%d.0.dev%d" % (major, minor+1, 0)
return v
def tarball():
VERSION = version()
if '.dev' in VERSION: return None
return ('https://slepc.upv.es/download/distrib/'
'slepc-%s.tar.gz#egg=slepc-%s' % (VERSION, VERSION))
description = __doc__.split('\n')[1:-1]; del description[1:3]
classifiers = """
Development Status :: 5 - Production/Stable
Intended Audience :: Developers
Intended Audience :: Science/Research
License :: OSI Approved :: BSD License
Operating System :: POSIX
Programming Language :: C
Programming Language :: C++
Programming Language :: Fortran
Programming Language :: Python
Topic :: Scientific/Engineering
Topic :: Software Development :: Libraries
"""
if 'bdist_wheel' in sys.argv:
sys.stderr.write("slepc: this package cannot be built as a wheel\n")
sys.exit(1)
bootstrap()
setup(name='slepc',
version=version(),
description=description.pop(0),
long_description='\n'.join(description),
classifiers= classifiers.split('\n')[1:-1],
keywords = ['SLEPc','PETSc', 'MPI'],
platforms=['POSIX'],
license='BSD',
url='https://slepc.upv.es/',
download_url=tarball(),
author='SLEPc Team',
author_email='slepc-maint@upv.es',
maintainer='Lisandro Dalcin',
maintainer_email='dalcinl@gmail.com',
packages = ['slepc'],
package_dir = {'slepc': 'pypi'},
cmdclass={'install': cmd_install},
**metadata)
|