-
Notifications
You must be signed in to change notification settings - Fork 61
/
conanfile.py
411 lines (363 loc) · 18.4 KB
/
conanfile.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
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
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
import argparse
import os
import platform
import shutil
import subprocess
import sys
from datetime import datetime
import pkg_resources
sys.path.insert(1, './src/utilities/')
import makeDraftModule
# define the print color codes
statusColor = '\033[92m'
failColor = '\033[91m'
warningColor = '\033[93m'
endColor = '\033[0m'
# TODO: Remove this check (deprecated, same as managePipEnvironment flag below).
try:
from conans import __version__ as conan_version
if int(conan_version[0]) >= 2:
print(failColor + "conan version " + conan_version + " is not compatible with Basilisk.")
print("use version 1.40.1 to 1.xx.0 to work with the conan repo changes." + endColor)
exit(0)
from conans.tools import Version
# check conan version 1.xx
if conan_version < Version("1.40.1"):
print(failColor + "conan version " + conan_version + " is not compatible with Basilisk.")
print("use version 1.40.1+ to work with the conan repo changes from 2021." + endColor)
exit(0)
from conans import ConanFile, CMake, tools
except ModuleNotFoundError:
print("Please make sure you install python conan (version 1.xx, not 2.xx) package\nRun command `pip install \"conan<2\"` "
"for Windows\nRun command `pip3 install \"conan<2\"` for Linux/MacOS")
sys.exit(1)
# define BSK module option list (option name and default value)
bskModuleOptionsBool = {
"opNav": False,
"vizInterface": True,
"buildProject": True,
# XXX: Set managePipEnvironment to True to keep the old behaviour of
# managing the `pip` environment directly (upgrading, installing Python
# packages, etc.). This behaviour is deprecated using the new pip-based
# installation, and should only be required for users who are still calling
# this file with `python conanfile.py ...`.
# TODO: Remove all managePipEnvironment behaviour!
"managePipEnvironment": True
}
bskModuleOptionsString = {
"autoKey": "", # TODO: Remove, used only for managePipEnvironment.
"pathToExternalModules": "",
"pyLimitedAPI": "",
}
bskModuleOptionsFlag = {
"clean": False,
"allOptPkg": False # TODO: Remove, used only for managePipEnvironment.
}
# this statement is needed to enable Windows to print ANSI codes in the Terminal
# see https://stackoverflow.com/questions/287871/how-to-print-colored-text-in-terminal-in-python/3332860#3332860
os.system("")
def is_running_virtual_env():
return sys.prefix != sys.base_prefix
class BasiliskConan(ConanFile):
name = "Basilisk"
homepage = "http://hanspeterschaub.info/basilisk"
f = open('docs/source/bskVersion.txt', 'r')
version = f.read()
f.close()
generators = "cmake_find_package_multi"
requires = "eigen/3.4.0"
settings = "os", "compiler", "build_type", "arch"
build_policy = "missing"
license = "ISC"
options = {"generator": "ANY"}
default_options = {"generator": ""}
for opt, value in bskModuleOptionsBool.items():
options.update({opt: [True, False]})
default_options.update({opt: value})
for opt, value in bskModuleOptionsString.items():
options.update({opt: "ANY"})
default_options.update({opt: value})
for opt, value in bskModuleOptionsFlag.items():
options.update({opt: [True, False]})
default_options.update({opt: value})
# set cmake generator default
generator = None
try:
# enable this flag for access revised conan modules.
subprocess.check_output(["conan", "config", "set", "general.revisions_enabled=1"])
except:
pass
def system_requirements(self):
if not self.options.managePipEnvironment:
return # Don't need to manage any pip requirements
# TODO: Remove everything here, which only runs if we have set
# managePipEnvironment (i.e. conanfile.py-based build).
# ensure latest pip is installed
cmakeCmdString = f'{sys.executable} -m pip install --upgrade pip'
print(statusColor + "Updating pip:" + endColor)
print(cmakeCmdString)
os.system(cmakeCmdString)
# TODO: Remove this: requirements and optional requirements are
# installed automatically by add_basilisk_to_sys_path(). Only build
# system requirements need to be installed here.
reqFile = open('requirements.txt', 'r')
required = reqFile.read().replace("`", "").split('\n')
reqFile.close()
pkgList = [x.lower() for x in required]
pkgList += [
# Also install build system requirements.
# TODO: Read these from the `pyproject.toml` file directly?
# NOTE: These are *NOT* runtime requirements and should *NOT* be in `requirements.txt`!
"conan>=1.40.1, <2.00.0",
"setuptools>=70.1.0",
"setuptools-scm>=8.0",
"packaging>=22",
"cmake>=3.26",
]
checkStr = "Required"
if self.options.allOptPkg:
optFile = open('requirements_optional.txt', 'r')
optionalPkgs = optFile.read().replace("`", "").split('\n')
optFile.close()
optionalPkgs = [x.lower() for x in optionalPkgs]
pkgList += optionalPkgs
checkStr += " and All Optional"
print("\nChecking " + checkStr + " Python packages:")
missing_packages = []
for elem in pkgList:
try:
# TODO: pkg_resources is deprecated, but its replacement
# importlib does not provide a way to check for installed
# packages given a version specifier (e.g. "numpy<2")...
# NOTE: pkg_resources stops working if we upgrade "setuptools",
# so check all packages here first, then upgrade below.
pkg_resources.require(elem)
print("Found: " + statusColor + elem + endColor)
except (pkg_resources.DistributionNotFound, pkg_resources.VersionConflict):
missing_packages.append(elem)
for elem in missing_packages:
installCmd = [sys.executable, "-m", "pip", "install"]
if not is_running_virtual_env():
if self.options.autoKey:
choice = self.options.autoKey
else:
choice = input(warningColor + f"Required python package " + elem + " is missing" + endColor +
"\nInstall for user (u), system (s) or cancel(c)? ")
if choice == 'c':
print(warningColor + "Skipping installing " + elem + endColor)
continue
elif choice == 'u':
installCmd.append("--user")
installCmd.append(elem)
try:
subprocess.check_call(installCmd)
print(f"Installed: {statusColor}{elem}{endColor}")
except subprocess.CalledProcessError:
print(failColor + f"Was not able to install " + elem + endColor)
def requirements(self):
if self.options.opNav:
self.requires.add("pcre/8.45")
self.requires.add("opencv/4.5.5")
self.options['opencv'].with_ffmpeg = False # video frame encoding lib
self.options['opencv'].with_ade = False # graph manipulations framework
self.options['opencv'].with_tiff = False # encode/decode image in TIFF format
self.options['opencv'].with_openexr = False # encode/decode image in EXR format
self.options['opencv'].with_webp = False # encode/decode image in WEBP format
self.options['opencv'].with_quirc = False # QR code lib
self.requires.add("zlib/1.2.13")
self.requires.add("xz_utils/5.4.0")
if self.options.vizInterface or self.options.opNav:
self.requires.add("protobuf/3.20.0")
self.options['zeromq'].encryption = False # Basilisk does not use data streaming encryption.
self.requires.add("cppzmq/4.5.0")
def configure(self):
if self.options.clean:
# clean the distribution folder to start fresh
self.options.clean = False
root = os.path.abspath(os.path.curdir)
distPath = os.path.join(root, "dist3")
if os.path.exists(distPath):
shutil.rmtree(distPath, ignore_errors=True)
if self.settings.build_type == "Debug":
print(warningColor + "Build type is set to Debug. Performance will be significantly lower." + endColor)
# Install additional opencv methods
if self.options.opNav:
self.options['opencv'].contrib = True
# Raise an issue to conan-center to fix this bug. Using workaround to disable freetype for windows
# Issue link: https://github.com/conan-community/community/issues/341
#TODO Remove this once they fix this issue.
if self.settings.os == "Windows":
self.options['opencv'].contrib_freetype = False
if self.options.generator == "":
# Select default generator supplied to cmake based on os
if self.settings.os == "Macos":
self.generator = "Xcode"
elif self.settings.os == "Windows":
self.generator = "Visual Studio 16 2019"
self.options["*"].shared = True
else:
print("Creating a make file for project. ")
print("Specify your own using the -o generator='Name' flag during conan install")
else:
self.generator = str(self.options.generator)
if self.settings.os == "Windows":
self.options["*"].shared = True
print("cmake generator set to: " + statusColor + str(self.generator) + endColor)
def package_id(self):
if self.settings.compiler == "Visual Studio":
if "MD" in self.settings.compiler.runtime:
self.info.settings.compiler.runtime = "MD/MDd"
else:
self.info.settings.compiler.runtime = "MT/MTd"
def imports(self):
if self.settings.os == "Windows":
self.keep_imports = True
self.copy("*.dll", "../Basilisk", "bin")
def build(self):
if self.options.pathToExternalModules:
print(statusColor + "Including External Folder: " + endColor + str(self.options.pathToExternalModules))
root = os.path.abspath(os.path.curdir)
self.folders.source = os.path.join(root, "src")
self.folders.build = os.path.join(root, "dist3")
cmake = CMake(self, set_cmake_flags=True, generator=self.generator)
if self.settings.compiler == "Visual Studio":
cmake.definitions["CONAN_LINK_RUNTIME_MULTI"] = cmake.definitions["CONAN_LINK_RUNTIME"]
cmake.definitions["CONAN_LINK_RUNTIME"] = False
cmake.definitions["BUILD_OPNAV"] = self.options.opNav
cmake.definitions["BUILD_VIZINTERFACE"] = self.options.vizInterface
cmake.definitions["EXTERNAL_MODULES_PATH"] = self.options.pathToExternalModules
cmake.definitions["PYTHON_VERSION"] = f"{sys.version_info.major}.{sys.version_info.minor}"
if self.options.pyLimitedAPI != "":
cmake.definitions["PY_LIMITED_API"] = self.options.pyLimitedAPI
# Set the build rpath, since we don't install the targets, so that the
# shared libraries can find each other using relative paths.
cmake.definitions["CMAKE_BUILD_RPATH_USE_ORIGIN"] = True
# TODO: Set the minimum buildable MacOS version.
# (This might be necessary but I'm not sure yet, leaving it here for future reference.)
# cmake.definitions["CMAKE_OSX_DEPLOYMENT_TARGET"] = "10.13"
cmake.parallel = True
print(statusColor + "Configuring cmake..." + endColor)
cmake.configure()
if self.options.managePipEnvironment:
# TODO: it's only needed when conanfile.py is handling pip installations.
self.add_basilisk_to_sys_path()
if self.options.buildProject:
print(statusColor + "\nCompiling Basilisk..." + endColor)
start = datetime.now()
if self.generator == "Xcode":
# Xcode multi-threaded needs specialized arguments
cmake.build(['--', '-jobs', str(tools.cpu_count()), '-parallelizeTargets'])
else:
cmake.build()
print("Total Build Time: " + str(datetime.now() - start))
print(f"{statusColor}The Basilisk build is successful and the scripts are ready to run{endColor}")
else:
print(f"{statusColor}Finished configuring the Basilisk project.{endColor}")
if self.settings.os != "Linux":
print(f"{statusColor}Please open project file inside dist3 with {self.generator} IDE "
f"and build the project for {self.settings.build_type}{endColor}")
else:
print(f"{statusColor}Please go to dist3 folder and run command "
f"`make -j <number of threads to use>`{endColor}")
return
def add_basilisk_to_sys_path(self):
print("Adding Basilisk module to python\n")
# NOTE: "--no-build-isolation" is used here only to force pip to use the
# packages installed directly by this Conanfile (using the
# "managePipEnvironment" option). Otherwise, it is not necessary.
add_basilisk_module_command = [sys.executable, "-m", "pip", "install", "--no-build-isolation", "-e", "."]
if self.options.allOptPkg:
# Install the optional requirements as well
add_basilisk_module_command[-1] = ".[optional]"
if not is_running_virtual_env() and self.options.autoKey != 's':
add_basilisk_module_command.append("--user")
process = subprocess.Popen(add_basilisk_module_command, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
output, err = process.communicate()
if process.returncode:
print("Error %s while running %s" % (err.decode(), add_basilisk_module_command))
sys.exit(1)
else:
print("This resulted in the stdout: \n%s" % output.decode())
if err.decode() != "":
print("This resulted in the stderr: \n%s" % err.decode())
if __name__ == "__main__":
# make sure conan is configured to use the libstdc++11 by default
# XXX: This needs to be run before dispatching to Conan (i.e. outside of the
# ConanFile object), because it affects the configuration of the first run.
# (Running it here fixes https://github.com/AVSLab/basilisk/issues/525)
if platform.system() != "Darwin":
try:
subprocess.check_output(["conan", "profile", "new", "default", "--detect"])
except:
pass
if platform.system() == "Linux":
try:
# XXX: This fixes a linker issue due to the dual C++ ABI.
subprocess.check_output(["conan", "profile", "update", "settings.compiler.libcxx=libstdc++11", "default"])
print("\nConfiguring: " + statusColor + "use libstdc++11 by default" + endColor)
except:
pass
print(statusColor + "Checking conan configuration:" + endColor + " Done")
parser = argparse.ArgumentParser(description="Configure the Basilisk framework.")
# define the optional arguments
parser.add_argument("--generator", help="cmake generator")
parser.add_argument("--buildType", help="build type", default="Release", choices=["Release", "Debug"])
# parser.add_argument("--clean", help="make a clean distribution folder", action="store_true")
for opt, value in bskModuleOptionsBool.items():
parser.add_argument("--" + opt, help="build modules for " + opt + " behavior", default=value,
type=lambda x: (str(x).lower() == 'true'))
for opt, value in bskModuleOptionsString.items():
parser.add_argument("--" + opt, help="using string option for " + opt, default=value)
for opt, value in bskModuleOptionsFlag.items():
if sys.version_info < (3, 9, 0):
parser.add_argument("--" + opt, help="using flag option for " + opt, default=value, action='store_true')
else:
parser.add_argument("--" + opt, help="using flag option for " + opt, default=value,
action=argparse.BooleanOptionalAction)
args = parser.parse_args()
# set the build destination folder
buildFolderName = 'dist3/conan'
# run the auto-module generation script
# this ensures that this script is up to date with the latest BSK code base
# and that the associated unit test draft file runs
print(statusColor + "Auto-Generating Draft Modules... " + endColor, end=" ")
genMod = makeDraftModule.moduleGenerator()
genMod.cleanBuild = True
genMod.verbose = False
makeDraftModule.fillCppInfo(genMod)
genMod.createCppModule()
makeDraftModule.fillCInfo(genMod)
genMod.createCModule()
print("Done")
# run conan install
conanCmdString = list()
conanCmdString.append(f'{sys.executable} -m conans.conan install . --build=missing')
conanCmdString.append(' -s build_type=' + str(args.buildType))
conanCmdString.append(' -if ' + buildFolderName)
if args.generator:
conanCmdString.append(' -o generator="' + str(args.generator) + '"')
for opt, value in bskModuleOptionsBool.items():
conanCmdString.append(' -o ' + opt + '=' + str(vars(args)[opt]))
for opt, value in bskModuleOptionsString.items():
if str(vars(args)[opt]):
if opt == "pathToExternalModules":
externalPath = os.path.abspath(str(vars(args)[opt]).rstrip(os.path.sep))
if os.path.exists(externalPath):
conanCmdString.append(' -o ' + opt + '=' + externalPath)
else:
print(f"{failColor}Error: path {str(vars(args)[opt])} does not exist{endColor}")
sys.exit(1)
else:
conanCmdString.append(' -o ' + opt + '=' + str(vars(args)[opt]))
for opt, value in bskModuleOptionsFlag.items():
if vars(args)[opt]:
conanCmdString.append(' -o ' + opt + '=True')
conanCmdString = ''.join(conanCmdString)
print(statusColor + "Running this conan command:" + endColor)
print(conanCmdString)
completedProcess = subprocess.run(conanCmdString, shell=True, check=True)
# run conan build
cmakeCmdString = f'{sys.executable} -m conans.conan build . -if ' + buildFolderName
print(statusColor + "Running cmake:" + endColor)
print(cmakeCmdString)
completedProcess = subprocess.run(cmakeCmdString, shell=True, check=True)