-
Notifications
You must be signed in to change notification settings - Fork 18
/
setup.py
executable file
·287 lines (236 loc) · 12.5 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
276
277
278
279
280
281
282
283
284
285
286
287
#!/usr/bin/env python3
import sys
sys.dont_write_bytecode = True
import os
import platform
import sys
import re
import subprocess
import shutil
import argparse
import install_deps as core_deps
from extensions.ros2 import install_deps as ros2_deps
from extensions.pcl import install_deps as pcl_deps
class Config:
# Default values for Linux
CUDA_MIN_VER_MAJOR = 11
CUDA_MIN_VER_MINOR = 7
CUDA_MIN_VER_PATCH = 0
CMAKE_GENERATOR = "'Unix Makefiles'"
RGL_BLOBS_DIR = os.path.join("external", "rgl_blobs")
RGL_BLOBS_REPO = "[email protected]:RobotecAI/RGL-blobs.git"
RGL_BLOBS_BRANCH = "main"
def __init__(self):
# Platform-dependent configuration
if on_windows():
self.CUDA_MIN_VER_MINOR = 4
self.CUDA_MIN_VER_PATCH = 152 # patch for CUDA 11.4 Update 4
self.CMAKE_GENERATOR = "Ninja"
def main():
cfg = Config()
# Parse arguments
parser = argparse.ArgumentParser(description="Helper script to build RGL.")
parser.add_argument("--build-dir", type=str, default="build",
help="Path to build directory. Default: 'build'")
parser.add_argument("--install-deps", action='store_true',
help="Install dependencies for RGL and exit")
parser.add_argument("--install-pcl-deps", action='store_true',
help="Install dependencies for PCL extension and exit")
parser.add_argument("--install-ros2-deps", action='store_true',
help="Install dependencies for ROS2 extension and exit")
parser.add_argument("--fetch-rgl-blobs", action='store_true',
help="Fetch RGL blobs and exit (repo used for storing closed-source testing data)")
parser.add_argument("--clean-build", action='store_true',
help="Remove build directory before cmake")
parser.add_argument("--with-pcl", action='store_true',
help="Build RGL with PCL extension")
parser.add_argument("--with-ros2", action='store_true',
help="Build RGL with ROS2 extension")
parser.add_argument("--with-ros2-standalone", action='store_true',
help="Build RGL with ROS2 extension and install all dependent ROS2 libraries additionally")
parser.add_argument("--with-udp", action='store_true',
help="Build RGL with UDP extension (closed-source extension)")
parser.add_argument("--with-weather", action='store_true',
help="Build RGL with weather simulation extension (closed-source extension)")
parser.add_argument("--cmake", type=str, default="",
help="Pass arguments to cmake. Usage: --cmake=\"args...\"")
if on_linux():
parser.add_argument("--make", type=str, default=f"-j{os.cpu_count()}", dest="build_args",
help="Pass arguments to make. Usage: --make=\"args...\". Defaults to \"-j <cpu count>\"")
parser.add_argument("--lib-rpath", type=str, nargs='*',
help="Add run-time search path(s) for RGL library. $ORIGIN (actual library path) is added by default.")
parser.add_argument("--build-taped-test", action='store_true',
help="Build taped test (requires RGL blobs repo in runtime)")
if on_windows():
parser.add_argument("--ninja", type=str, default=f"-j{os.cpu_count()}", dest="build_args",
help="Pass arguments to ninja. Usage: --ninja=\"args...\". Defaults to \"-j <cpu count>\"")
args = parser.parse_args()
# ROS2 standalone obviously implies ROS2
if args.with_ros2_standalone:
args.with_ros2 = True
# Go to script directory
os.chdir(sys.path[0])
# Install RGL dependencies
if args.install_deps:
core_deps.install_deps()
return 0
# Install dependencies for PCL extension
if args.install_pcl_deps:
pcl_deps.install_deps()
return 0
# Install dependencies for ROS2 extension
if args.install_ros2_deps:
ros2_deps.install_deps()
return 0
# Install dependencies for ROS2 extension
if args.fetch_rgl_blobs:
fetch_rgl_blobs_repo(cfg)
return 0
# Check CUDA
if not is_cuda_version_ok(cfg):
raise RuntimeError(
f"CUDA version not supported! Get CUDA {cfg.CUDA_MIN_VER_MAJOR}.{cfg.CUDA_MIN_VER_MINOR}.{cfg.CUDA_MIN_VER_PATCH}+")
# Check OptiX_INSTALL_DIR
if os.environ["OptiX_INSTALL_DIR"] == "":
raise RuntimeError("OptiX not found! Make sure you have exported environment variable OptiX_INSTALL_DIR")
# Check if dependencies are installed
if not core_deps.are_deps_installed():
raise RuntimeError(
"RGL requires dependencies to be installed: run this script with --install-deps flag")
if args.with_pcl and not pcl_deps.are_deps_installed():
raise RuntimeError(
"PCL extension requires dependencies to be installed: run this script with --install-pcl-deps flag")
if args.with_ros2 and not ros2_deps.are_deps_installed():
raise RuntimeError(
"ROS2 extension requires radar_msgs to be built: run this script with --install-ros2-deps flag")
# Prepare build directory
if args.clean_build and os.path.isdir(args.build_dir):
shutil.rmtree(args.build_dir, ignore_errors=True)
if not os.path.isdir(args.build_dir):
os.makedirs(args.build_dir)
# Extend Path with libRobotecGPULidar location to link tests properly during the build on Windows
if on_windows():
os.environ["Path"] = os.environ["Path"] + ";" + os.path.join(os.getcwd(), args.build_dir)
if args.with_ros2:
cfg_ros2 = ros2_deps.Config()
# Source environment for additional packages
# ROS2 itself must be sourced by the user, because its location is unknown to this script
ros2_deps.check_ros2_version()
setup = "setup.bat" if on_windows() else "setup.sh"
source_environment(os.path.join(os.getcwd(), cfg_ros2.RADAR_MSGS_INSTALL_DIR, setup))
# Build
cmake_args = [
f"-DCMAKE_TOOLCHAIN_FILE={os.path.join(pcl_deps.Config().VCPKG_DIR, 'scripts', 'buildsystems', 'vcpkg.cmake') if args.with_pcl else ''}",
f"-DVCPKG_TARGET_TRIPLET={pcl_deps.Config().VCPKG_TRIPLET if args.with_pcl else ''}",
f"-DRGL_BUILD_PCL_EXTENSION={'ON' if args.with_pcl else 'OFF'}",
f"-DRGL_BUILD_ROS2_EXTENSION={'ON' if args.with_ros2 else 'OFF'}",
f"-DRGL_BUILD_UDP_EXTENSION={'ON' if args.with_udp else 'OFF'}",
f"-DRGL_BUILD_WEATHER_EXTENSION={'ON' if args.with_weather else 'OFF'}"
]
if on_linux():
# Set rpaths
linker_rpath_flags = ["-Wl,-rpath=\\$ORIGIN"] # add directory in which an RGL library is located
if args.lib_rpath is not None:
for rpath in args.lib_rpath:
rpath = rpath.replace("$ORIGIN", "\\$ORIGIN") # cmake should not treat this as variable
linker_rpath_flags.append(f"-Wl,-rpath={rpath}")
cmake_args.append(f"-DCMAKE_SHARED_LINKER_FLAGS=\"{' '.join(linker_rpath_flags)}\"")
# Taped test
cmake_args.append(f"-DRGL_BUILD_TAPED_TESTS={'ON' if args.build_taped_test else 'OFF'}")
# Append user args, possibly overwriting
cmake_args.append(args.cmake)
cmake_args = " ".join(cmake_args)
run_subprocess_command(f"cmake -B {args.build_dir} -G {cfg.CMAKE_GENERATOR} {cmake_args}")
run_subprocess_command(f"cmake --build {args.build_dir} -- {args.build_args}")
if args.with_ros2_standalone:
# Build RobotecGPULidar_ros2_standalone project to find and install all dependent ROS2 libraries and their
# dependencies. It cannot be added as a subdirectory of RobotecGPULidar project because there is a conflict in
# the same libraries required by RGL and ROS2 RGL takes them from vcpkg as statically linked objects while
# ROS2 standalone required them as a shared objects
ros2_standalone_cmake_args = f"-DCMAKE_INSTALL_PREFIX={os.path.join(os.getcwd(), args.build_dir)}"
run_subprocess_command(
f"cmake ros2_standalone -B {args.build_dir}/ros2_standalone -G {cfg.CMAKE_GENERATOR} {ros2_standalone_cmake_args}")
run_subprocess_command(f"cmake --install {args.build_dir}/ros2_standalone")
def on_linux():
return platform.system() == "Linux"
def on_windows():
return platform.system() == "Windows"
def run_subprocess_command(command: str, shell=True, stderr=sys.stderr, stdout=sys.stdout):
print(f"Executing command: '{command}'")
process = subprocess.Popen(command, shell=shell, stderr=stderr, stdout=stdout)
process.wait()
if process.returncode != 0:
raise RuntimeError(f"Failed to execute command: '{command}'")
def is_cuda_version_ok(cfg):
nvcc_process = subprocess.run("nvcc --version", shell=True, stdout=subprocess.PIPE)
nvcc_ver_match = re.search("V[0-9]+.[0-9]+.[0-9]+", nvcc_process.stdout.decode("utf-8"))
if not nvcc_ver_match:
raise RuntimeError("CUDA not found")
major = int(nvcc_ver_match[0].split(".")[0][1:]) # [1:] to remove char 'v'
minor = int(nvcc_ver_match[0].split(".")[1])
patch = int(nvcc_ver_match[0].split(".")[2])
print(f"Found CUDA {major}.{minor}.{patch}")
for (actual, expected) in [(major, cfg.CUDA_MIN_VER_MAJOR), (minor, cfg.CUDA_MIN_VER_MINOR),
(patch, cfg.CUDA_MIN_VER_PATCH)]:
if actual > expected:
return True
if actual < expected:
return False
return True
# Returns a dict with env variables visible for a command after running in a system shell
# Used to capture effects of sourcing file such as ros2 setup
def capture_environment(command="cd ."):
env = "set" if on_windows() else "env"
command = f"{command} && {env}"
# Run the command and capture the output
proc = subprocess.Popen(command, stdout=subprocess.PIPE, shell=True)
output, _ = proc.communicate()
return {key: value for key, _, value in (line.partition('=')
for line in output.decode().splitlines())}
# Updates environment of this python process with env variables added/modified after sourcing given file
def source_environment(filepath):
print(f"Sourcing {filepath}")
# Store the original environment variables
source = "call" if on_windows() else "."
original_env = capture_environment() # No-op working on both Windows and Linux
new_env = capture_environment(f"{source} {filepath}")
for new_key, new_value in new_env.items():
if new_key not in original_env:
print(f"Added environment variable: {new_key}={new_env[new_key]}")
if new_key in original_env and original_env[new_key] != new_value:
print(f"Modified environment variable: {new_key}={new_env[new_key]}")
os.environ[new_key] = new_env[new_key]
def is_command_available(command):
process = subprocess.Popen(f"{command}", shell=True, stderr=subprocess.DEVNULL, stdout=subprocess.DEVNULL)
process.wait()
return process.returncode == 0
def fetch_rgl_blobs_repo(cfg):
def is_up_to_date(branch):
result = subprocess.Popen("git fetch --dry-run --verbose", shell=True, stdout=subprocess.PIPE,
stderr=subprocess.STDOUT)
stdout, _ = result.communicate()
return f"[up to date] {branch}" in stdout.decode()
def ensure_git_lfs_installed():
if not is_command_available("git-lfs --help"):
print("Installing git-lfs...")
run_subprocess_command(
"curl -s https://packagecloud.io/install/repositories/github/git-lfs/script.deb.sh | sudo bash")
run_subprocess_command("sudo apt install git-lfs")
ensure_git_lfs_installed()
if not os.path.isdir(cfg.RGL_BLOBS_DIR):
print("Cloning rgl blobs repository...")
run_subprocess_command(
f"git clone -b {cfg.RGL_BLOBS_BRANCH} --single-branch --depth 1 {cfg.RGL_BLOBS_REPO} {cfg.RGL_BLOBS_DIR}")
os.chdir(cfg.RGL_BLOBS_DIR)
# Set up git-lfs for this repository
run_subprocess_command("git-lfs install && git-lfs pull")
print("RGL blobs repo cloned successfully")
return
print("Checking for updates in rgl blobs repository...")
os.chdir(cfg.RGL_BLOBS_DIR)
if not is_up_to_date(cfg.RGL_BLOBS_BRANCH):
print("Updating rgl blobs repository...")
run_subprocess_command("git pull && git-lfs pull")
print("RGL blobs repo fetched successfully")
if __name__ == "__main__":
sys.exit(main())