forked from pavlin-policar/openTSNE
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsetup.py
275 lines (227 loc) · 9.2 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
import distutils
import os
import sys
import tempfile
import warnings
from distutils import ccompiler
from distutils.command.build_ext import build_ext
from distutils.errors import CompileError, LinkError
from distutils.sysconfig import customize_compiler
from os.path import join
import setuptools
from setuptools import setup, Extension
class ConvertNotebooksToDocs(distutils.cmd.Command):
description = "Convert the example notebooks to reStructuredText that will" \
"be available in the documentation."
user_options = []
def initialize_options(self):
pass
def finalize_options(self):
pass
def run(self):
import nbconvert
from os.path import join
exporter = nbconvert.RSTExporter()
writer = nbconvert.writers.FilesWriter()
files = [
join("examples", "01_simple_usage.ipynb"),
join("examples", "02_advanced_usage.ipynb"),
join("examples", "03_preserving_global_structure.ipynb"),
join("examples", "04_large_data_sets.ipynb"),
]
target_dir = join("docs", "source", "examples")
for fname in files:
self.announce(f"Converting {fname}...")
directory, nb_name = fname.split("/")
nb_name, _ = nb_name.split(".")
body, resources = exporter.from_file(fname)
writer.build_directory = join(target_dir, nb_name)
writer.write(body, resources, nb_name)
class get_numpy_include:
"""Helper class to determine the numpy include path
The purpose of this class is to postpone importing numpy until it is
actually installed, so that the ``get_include()`` method can be invoked.
"""
def __str__(self):
import numpy
return numpy.get_include()
def get_include_dirs():
"""Get all the include directories which may contain headers that we need to
compile the cython extensions."""
return (
os.path.join(sys.prefix, "include"),
os.path.join(sys.prefix, "Library", "include"),
)
def has_c_library(library, extension=".c"):
"""Check whether a C/C++ library is available on the system to the compiler.
Parameters
----------
library: str
The library we want to check for e.g. if we are interested in FFTW3, we
want to check for `fftw3.h`, so this parameter will be `fftw3`.
extension: str
If we want to check for a C library, the extension is `.c`, for C++
`.cc`, `.cpp` or `.cxx` are accepted.
Returns
-------
bool
Whether or not the library is available.
"""
with tempfile.TemporaryDirectory(dir=".") as directory:
name = join(directory, "%s%s" % (library, extension))
with open(name, "w") as f:
f.write("#include <%s.h>\n" % library)
f.write("int main() {}\n")
# Get a compiler instance
compiler = ccompiler.new_compiler()
# Configure compiler to do all the platform specific things
customize_compiler(compiler)
# Add conda include dirs
for inc_dir in get_include_dirs():
compiler.add_include_dir(inc_dir)
assert isinstance(compiler, ccompiler.CCompiler)
try:
# Try to compile the file using the C compiler
compiler.link_executable(compiler.compile([name]), name)
return True
except (CompileError, LinkError):
return False
class CythonBuildExt(build_ext):
COMPILER_FLAGS = {
"unix": {
"openmp": "-Xpreprocessor -fopenmp" if sys.platform == "darwin" else "-fopenmp",
"optimize": "-O3",
"fftw": "-lfftw3",
"math": "-lm",
"fast-math": "-ffast-math",
"native": "-march=native",
},
"msvc": {
"openmp": "/openmp",
"optimize": "/Ox",
"fftw": "/lfftw3",
"math": "",
"fast-math": "/fp:fast",
"native": "",
},
}
def build_extensions(self):
# Automatically append the file extension based on language.
# ``cythonize`` does this for us automatically, so it's not necessary if
# that was run
for extension in extensions:
for idx, source in enumerate(extension.sources):
base, ext = os.path.splitext(source)
if ext == ".pyx":
base += ".cpp" if extension.language == "c++" else ".c"
extension.sources[idx] = base
# Optimization compiler/linker flags are added appropriately
flags = self.COMPILER_FLAGS[self.compiler.compiler_type]
compile_flags = [flags["math"], flags["optimize"]]
link_flags = [flags["math"], flags["optimize"]]
# We don't want the compiler to optimize for system architecture if
# we're building packages to be distributed by conda-forge, but if the
# package is being built locally, this is desired
if not ("AZURE_BUILD" in os.environ or "CONDA_BUILD" in os.environ):
compile_flags.append(flags["native"])
link_flags.append(flags["native"])
# Map any existing compile/link flags into compiler specific ones
def map_flags(ls):
return list(map(lambda flag: flags.get(flag, flag), ls))
for extension in self.extensions:
extension.extra_compile_args = map_flags(extension.extra_compile_args)
extension.extra_link_args = map_flags(extension.extra_link_args)
# We will disable openmp flags if the compiler doesn"t support it. This
# is only really an issue with OSX clang
if has_c_library("omp"):
print("Found openmp. Compiling with openmp flags...")
compile_flags.append(flags["openmp"]), link_flags.append(flags["openmp"])
else:
warnings.warn(
"You appear to be using a compiler which does not support "
"openMP, meaning that the library will not be able to run on "
"multiple cores. Please install/enable openMP to use multiple "
"cores."
)
for extension in self.extensions:
extension.extra_compile_args.extend(compile_flags)
extension.extra_link_args.extend(link_flags)
# Add numpy and system include directories
for extension in self.extensions:
extension.include_dirs.extend(get_include_dirs())
extension.include_dirs.append(get_numpy_include())
super().build_extensions()
extensions = [
Extension("openTSNE.quad_tree", ["openTSNE/quad_tree.pyx"]),
Extension("openTSNE._tsne", ["openTSNE/_tsne.pyx"]),
Extension("openTSNE.kl_divergence", ["openTSNE/kl_divergence.pyx"]),
]
# Check if we have access to FFTW3 and if so, use that implementation
if has_c_library("fftw3"):
print("FFTW3 header files found. Using FFTW implementation of FFT.")
extension_ = Extension(
"openTSNE._matrix_mul.matrix_mul",
["openTSNE/_matrix_mul/matrix_mul_fftw3.pyx"],
extra_compile_args=["fftw"],
extra_link_args=["fftw"],
)
extensions.append(extension_)
else:
print("FFTW3 header files not found. Using numpy implementation of FFT.")
extension_ = Extension(
"openTSNE._matrix_mul.matrix_mul",
["openTSNE/_matrix_mul/matrix_mul_numpy.pyx"],
)
extensions.append(extension_)
try:
from Cython.Build import cythonize
extensions = cythonize(extensions)
except ImportError:
pass
def readme():
with open("README.rst", encoding="utf-8") as f:
return f.read()
# Read in version
__version__: str = "" # This is overridden by the next line
exec(open(os.path.join("openTSNE", "version.py")).read())
setup(
name="openTSNE",
description="Extensible, parallel implementations of t-SNE",
long_description=readme(),
version=__version__,
license="BSD-3-Clause",
author="Pavlin Poličar",
author_email="[email protected]",
url="https://github.com/pavlin-policar/openTSNE",
project_urls={
"Documentation": "https://opentsne.readthedocs.io/",
"Source": "https://github.com/pavlin-policar/openTSNE",
"Issue Tracker": "https://github.com/pavlin-policar/openTSNE/issues",
},
classifiers=[
"Development Status :: 4 - Beta",
"Intended Audience :: Science/Research",
"Intended Audience :: Developers",
"Topic :: Software Development",
"Topic :: Scientific/Engineering",
"Operating System :: Microsoft :: Windows",
"Operating System :: POSIX",
"Operating System :: Unix",
"Operating System :: MacOS",
"License :: OSI Approved",
"Programming Language :: Python :: 3",
"Topic :: Scientific/Engineering :: Artificial Intelligence",
"Topic :: Scientific/Engineering :: Visualization",
"Topic :: Software Development :: Libraries :: Python Modules",
],
packages=setuptools.find_packages(include=["openTSNE", "openTSNE.*"]),
python_requires=">=3.6",
install_requires=[
"numpy==1.16.*",
"scikit-learn>=0.20",
"scipy",
"pynndescent>=0.3",
],
ext_modules=extensions,
cmdclass={"build_ext": CythonBuildExt, "convert_notebooks": ConvertNotebooksToDocs},
)