-
Notifications
You must be signed in to change notification settings - Fork 61
/
Copy pathsetup.py
executable file
·253 lines (206 loc) · 8.65 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
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import os
import platform
import subprocess
import sys
import io
from ast import parse
from copy import copy
if "READTHEDOCS" in os.environ:
# When building with readthedocs, install the dependencies too.
# See https://github.com/rtfd/readthedocs.org/issues/2776
for reqs in ["requirements.txt", "suggestions.txt"]:
if os.path.isfile(reqs):
subprocess.check_call([sys.executable, "-m", "pip", "install", "-r", reqs])
try:
from itertools import ifilter as filter
except ImportError:
pass # python 3
try:
from setuptools.command.build_ext import build_ext as _build_ext
from setuptools.core import setup
from setuptools.extension import Extension as _Extension
aux_setup_kwds = {"install_requires": ["cysignals"]}
except ImportError:
from distutils.command.build_ext import build_ext as _build_ext
from distutils.core import setup
from distutils.extension import Extension as _Extension
aux_setup_kwds = {}
try:
FileNotFoundError
except NameError:
FileNotFoundError = OSError # Python 2 workaround
class Extension(_Extension, object):
"""
distutils.extension.Extension subclass supporting additional
keywords:
* fplll: compile and link with flags from fplll as defined below in
build_ext.fplll below
* other: flags for compiling and linking other extension modules
(without fplll flags) as defined below in build_ext.other
"""
def __init__(self, name, sources, **kwargs):
self.fplll = kwargs.pop("fplll", False)
self.other = kwargs.pop("other", False)
super(Extension, self).__init__(name, sources, **kwargs)
class build_ext(_build_ext, object):
# CONFIG VARIABLES
cythonize_dir = "build"
fplll = None
other = None
def_varnames = ["HAVE_QD", "HAVE_LONG_DOUBLE", "HAVE_NUMPY"]
config_pxi_path = os.path.join(".", "src", "fpylll", "config.pxi")
def finalize_options(self):
super(build_ext, self).finalize_options()
def_vars = self._generate_config_pxi()
include_dirs = [os.path.join(sys.prefix, "include")]
library_dirs = [os.path.join(sys.exec_prefix, "lib")]
cxxflags = list(filter(None, os.environ.get("CXXFLAGS", "").split()))
if self.fplll is None:
self.fplll = {
"include_dirs": include_dirs,
"library_dirs": library_dirs,
"language": "c++",
"libraries": ["gmp", "mpfr", "fplll"],
"extra_compile_args": ["-std=c++11"] + cxxflags,
"extra_link_args": ["-std=c++11"],
"define_macros": [("CYTHON_EXTERN_C", 'extern "C++"')],
}
if def_vars["HAVE_QD"]:
self.fplll["libraries"].append("qd")
if self.other is None:
self.other = {
"include_dirs": include_dirs,
"library_dirs": library_dirs,
"libraries": ["gmp"],
}
if "READTHEDOCS" in os.environ:
# ReadTheDocs uses fplll from Conda, which was built with the old
# C++ ABI.
self.fplll["extra_compile_args"].append("-D_GLIBCXX_USE_CXX11_ABI=0")
if def_vars["HAVE_NUMPY"]:
import numpy
numpy_args = copy(self.fplll)
numpy_args["include_dirs"].append(numpy.get_include())
self.extensions.append(
Extension("fpylll.numpy", ["src/fpylll/numpy.pyx"], **numpy_args)
)
for ext in self.extensions:
if ext.fplll:
for key, value in self.fplll.items():
setattr(ext, key, value)
elif ext.other:
for key, value in self.other.items():
setattr(ext, key, value)
def run(self):
import Cython.Build
self.extensions = Cython.Build.cythonize(
self.extensions,
include_path=["src"],
build_dir=self.cythonize_dir,
compiler_directives={"binding": True, "embedsignature": True, "language_level": 2},
)
super(build_ext, self).run()
def _generate_config_pxi(self):
def_vars = {}
config_pxi = []
for defvar in self.def_varnames:
# We can optionally read values for these variables for the
# environment; this is mostly used to force different values for
# testing
value = os.environ.get(defvar)
if value is not None:
value = value.lower() in ["1", "true", "yes"]
else:
value = getattr(self, "_get_" + defvar.lower())()
config_pxi.append("DEF {0}={1}".format(defvar, value))
def_vars[defvar] = value
config_pxi = "\n".join(config_pxi) + "\n"
try:
cur_config_pxi = open(self.config_pxi_path, "r").read()
except IOError:
cur_config_pxi = ""
if cur_config_pxi != config_pxi: # check if we need to write
with open(self.config_pxi_path, "w") as fw:
fw.write(config_pxi)
return def_vars
def _get_have_qd(self):
if "CONDA_PREFIX" in os.environ:
os.environ["PKG_CONFIG_PATH"] = ":".join(
[
os.path.join(os.environ["CONDA_PREFIX"], "lib", "pkgconfig"),
os.environ.get("PKG_CONFIG_PATH", ""),
]
)
if "VIRTUAL_ENV" in os.environ:
os.environ["PKG_CONFIG_PATH"] = ":".join(
[
os.path.join(os.environ["VIRTUAL_ENV"], "lib", "pkgconfig"),
os.environ.get("PKG_CONFIG_PATH", ""),
]
)
try:
libs = subprocess.check_output(["pkg-config", "fplll", "--libs"])
if b"-lqd" in libs:
return True
except (subprocess.CalledProcessError, FileNotFoundError):
pass
return False
def _get_have_numpy(self):
try:
import numpy
return True
except ImportError:
pass
return False
def _get_have_long_double(self):
# Ideally this would check the fplll headers explicitly for the
# the FPLLL_WITH_LONG_DOUBLE define, but for now it suffices to
# say that long double support is disabled on Cygwin
return not (sys.platform.startswith("cygwin") or ("macOS" in (_ := platform.platform()) and "arm" in _))
# EXTENSIONS
extensions = [
Extension("fpylll.gmp.pylong", ["src/fpylll/gmp/pylong.pyx"], other=True),
Extension("fpylll.fplll.integer_matrix", ["src/fpylll/fplll/integer_matrix.pyx"], fplll=True),
Extension("fpylll.fplll.gso", ["src/fpylll/fplll/gso.pyx"], fplll=True),
Extension("fpylll.fplll.lll", ["src/fpylll/fplll/lll.pyx"], fplll=True),
Extension("fpylll.fplll.wrapper", ["src/fpylll/fplll/wrapper.pyx"], fplll=True),
Extension("fpylll.fplll.bkz_param", ["src/fpylll/fplll/bkz_param.pyx"], fplll=True),
Extension("fpylll.fplll.bkz", ["src/fpylll/fplll/bkz.pyx"], fplll=True),
Extension("fpylll.fplll.enumeration", ["src/fpylll/fplll/enumeration.pyx"], fplll=True),
Extension("fpylll.fplll.svpcvp", ["src/fpylll/fplll/svpcvp.pyx"], fplll=True),
Extension("fpylll.fplll.pruner", ["src/fpylll/fplll/pruner.pyx"], fplll=True),
Extension("fpylll.util", ["src/fpylll/util.pyx"], fplll=True),
Extension("fpylll.io", ["src/fpylll/io.pyx"], fplll=True),
Extension("fpylll.config", ["src/fpylll/config.pyx"], fplll=True),
]
# VERSION
with open(os.path.join("src", "fpylll", "__init__.py")) as f:
__version__ = (
parse(next(filter(lambda line: line.startswith("__version__"), f))).body[0].value.value
)
# FIRE
def readme_to_long_description():
"""
Python wants long descriptions to be plain ASCII. Our contributors have names that are not
plain ASCII. Thus, we cut off the list of contributors when reading the long description.
"""
long_description = io.open("README.rst", encoding="utf-8").read()
cut = long_description.index("Attribution & License")
return str(long_description[:cut])
setup(
name="fpylll",
description="A Python interface for https://github.com/fplll/fplll",
author=u"Martin R. Albrecht",
author_email="fplll-devel@googlegroups.com",
url="https://github.com/fplll/fpylll",
version=__version__,
ext_modules=extensions,
package_dir={"": "src"},
packages=["fpylll", "fpylll.gmp", "fpylll.fplll", "fpylll.algorithms", "fpylll.tools"],
license="GNU General Public License, version 2 or later",
long_description=readme_to_long_description(),
cmdclass={"build_ext": build_ext},
**aux_setup_kwds
)