forked from AVSLab/basilisk
-
Notifications
You must be signed in to change notification settings - Fork 0
/
conanfile.py
373 lines (324 loc) · 15.6 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
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
try:
from conans import ConanFile, CMake, tools
from conans.tools import Version
from conans import __version__ as conan_version
except ModuleNotFoundError:
print("Please make sure you install python conan package\nRun command `pip install conan` "
"for Windows\nRun command `pip3 install conan` for Linux/MacOS")
sys.exit(1)
# define BSK module option list (option name and default value)
bskModuleOptionsBool = {
"opNav": False,
"vizInterface": True,
"buildProject": True
}
bskModuleOptionsString = {
"autoKey": "",
"pathToExternalModules": ""
}
bskModuleOptionsFlag = {
"clean": False,
"allOptPkg": False
}
# 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("")
# define the print color codes
statusColor = '\033[92m'
failColor = '\033[91m'
warningColor = '\033[93m'
endColor = '\033[0m'
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.3.9"
settings = "os", "compiler", "build_type", "arch"
build_policy = "missing"
license = "ISC"
options = {"generator": "ANY"}
default_options = {"generator": ""}
# check conan version
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)
# ensure latest pip is installed
if is_running_virtual_env() or platform.system() == "Windows":
cmakeCmdString = 'python -m pip install --upgrade pip'
else:
cmakeCmdString = 'python3 -m pip install --upgrade pip'
print(statusColor + "Updating pip:" + endColor)
print(cmakeCmdString)
os.system(cmakeCmdString)
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
# make sure conan is configured to use the libstdc++11 by default
if platform.system() != "Darwin":
try:
subprocess.check_output(["conan", "profile", "new", "default", "--detect"], stdout=subprocess.DEVNULL)
except:
pass
if platform.system() == "Linux":
try:
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")
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):
reqFile = open('docs/source/bskPkgRequired.txt', 'r')
required = reqFile.read().replace("`", "").split('\n')
reqFile.close()
pkgList = [x.lower() for x in required]
checkStr = "Required"
if self.options.allOptPkg:
optFile = open('docs/source/bskPkgOptions.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:")
for elem in pkgList:
try:
pkg_resources.require(elem)
print("Found: " + statusColor + elem + endColor)
except (pkg_resources.DistributionNotFound, pkg_resources.VersionConflict):
installCmd = [sys.executable, "-m", "pip", "install"]
if not is_running_virtual_env():
if self.options.autoKey:
choice = self.options.autoKey
else:
choice = input(warningColor + "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)
except subprocess.CalledProcessError:
print(failColor + "Was not able to install " + elem + endColor)
# check the version of Python
print("\nChecking Python version:")
if not (sys.version_info.major == 3 and sys.version_info.minor >= 7):
print(warningColor + "Python 3.7 or newer should be used with Basilisk." + endColor)
print("You are using Python {}.{}.{}".format(sys.version_info.major,
sys.version_info.minor, sys.version_info.micro))
else:
print(statusColor + "Python {}.{}.{}".format(sys.version_info.major,
sys.version_info.minor, sys.version_info.micro)
+ " is acceptable for Basilisk" + endColor)
print("\n")
def requirements(self):
if self.options.opNav:
self.requires.add("pcre/8.45")
self.requires.add("opencv/4.1.2")
self.requires.add("zlib/1.2.13")
if self.options.vizInterface or self.options.opNav:
self.requires.add("libsodium/1.0.18")
self.requires.add("protobuf/3.17.1")
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'].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 generateMessageModules(self, originalWorkingDirectory):
cmdString = [sys.executable, "GenCMessages.py"]
if self.options.pathToExternalModules:
cmdString.extend(["--pathToExternalModules", str(self.options.pathToExternalModules)])
subprocess.check_call(cmdString)
os.chdir(originalWorkingDirectory)
print("Done")
def build(self):
# auto-generate C message definition files
print(statusColor + "Auto-generating message definitions:" + endColor, end=" ")
bskPath = os.getcwd()
os.chdir(os.path.join(bskPath, "src/architecture/messaging/msgAutoSource"))
self.generateMessageModules(bskPath)
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"] = sys.version_info.major + 0.1*sys.version_info.minor
cmake.parallel = True
print(statusColor + "Configuring cmake..." + endColor)
cmake.configure()
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")
add_basilisk_module_command = [sys.executable, "-m", "pip", "install", "-e", "."]
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 err:
print("Error %s while running %s" % (err.decode(), add_basilisk_module_command))
sys.exit(1)
else:
print("This resulted in the output: \n%s" % output.decode())
if __name__ == "__main__":
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():
parser.add_argument("--" + opt, help="using flag option for " + opt, action="store_true")
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()
if is_running_virtual_env() or platform.system() == "Windows":
conanCmdString.append('python -m conans.conan install . --build=missing')
else:
conanCmdString.append('python3 -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)
os.system(conanCmdString)
# run conan build
if is_running_virtual_env() or platform.system() == "Windows":
cmakeCmdString = 'python -m conans.conan build . -if ' + buildFolderName
else:
cmakeCmdString = 'python3 -m conans.conan build . -if ' + buildFolderName
print(statusColor + "Running cmake:" + endColor)
print(cmakeCmdString)
os.system(cmakeCmdString)