blob: 9c602cc1d2680beb568cd41e34372cdac501c2c7 [file] [log] [blame]
Elliott Hughes17de6ce2021-06-23 18:00:46 -07001#!/usr/bin/env python3
Josh Gao043bad72015-09-22 11:43:08 -07002#
3# Copyright (C) 2015 The Android Open Source Project
4#
5# Licensed under the Apache License, Version 2.0 (the "License");
6# you may not use this file except in compliance with the License.
7# You may obtain a copy of the License at
8#
9# http://www.apache.org/licenses/LICENSE-2.0
10#
11# Unless required by applicable law or agreed to in writing, software
12# distributed under the License is distributed on an "AS IS" BASIS,
13# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14# See the License for the specific language governing permissions and
15# limitations under the License.
16#
17
18import adb
19import argparse
Alex Light92476652019-01-17 11:18:48 -080020import json
Josh Gao043bad72015-09-22 11:43:08 -070021import logging
22import os
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -070023import posixpath
Elliott Hughes89e1ecf2017-06-30 14:03:32 -070024import re
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -070025import shutil
Josh Gao043bad72015-09-22 11:43:08 -070026import subprocess
27import sys
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -070028import tempfile
Alex Light92476652019-01-17 11:18:48 -080029import textwrap
Josh Gao043bad72015-09-22 11:43:08 -070030
Nikita Putikhin516960e2023-05-31 21:57:38 +000031from typing import BinaryIO
32
Josh Gao043bad72015-09-22 11:43:08 -070033# Shared functions across gdbclient.py and ndk-gdb.py.
34import gdbrunner
35
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -070036g_temp_dirs = []
37
Haibo Huange194fce2020-01-06 14:40:27 -080038
Nikita Putikhin516960e2023-05-31 21:57:38 +000039def read_toolchain_config(root: str) -> str:
Pirama Arumuga Nainarf7f95442021-06-30 13:31:41 -070040 """Finds out current toolchain version."""
41 version_output = subprocess.check_output(
42 f'{root}/build/soong/scripts/get_clang_version.py',
43 text=True)
44 return version_output.strip()
Haibo Huange194fce2020-01-06 14:40:27 -080045
46
Nikita Putikhin516960e2023-05-31 21:57:38 +000047def get_lldb_path(toolchain_path: str) -> str | None:
Haibo Huange4d8bfd2020-07-22 16:37:35 -070048 for lldb_name in ['lldb.sh', 'lldb.cmd', 'lldb', 'lldb.exe']:
49 debugger_path = os.path.join(toolchain_path, "bin", lldb_name)
50 if os.path.isfile(debugger_path):
51 return debugger_path
52 return None
53
54
Nikita Putikhin516960e2023-05-31 21:57:38 +000055def get_lldb_server_path(root: str, clang_base: str, clang_version: str, arch: str) -> str:
Haibo Huange194fce2020-01-06 14:40:27 -080056 arch = {
57 'arm': 'arm',
58 'arm64': 'aarch64',
59 'x86': 'i386',
60 'x86_64': 'x86_64',
61 }[arch]
62 return os.path.join(root, clang_base, "linux-x86",
63 clang_version, "runtimes_ndk_cxx", arch, "lldb-server")
64
65
Nikita Putikhin516960e2023-05-31 21:57:38 +000066def get_tracer_pid(device: adb.AndroidDevice, pid: int | str | None) -> int:
Elliott Hughes89e1ecf2017-06-30 14:03:32 -070067 if pid is None:
68 return 0
69
70 line, _ = device.shell(["grep", "-e", "^TracerPid:", "/proc/{}/status".format(pid)])
71 tracer_pid = re.sub('TracerPid:\t(.*)\n', r'\1', line)
72 return int(tracer_pid)
73
74
Nikita Putikhin516960e2023-05-31 21:57:38 +000075def parse_args() -> argparse.Namespace:
Josh Gao043bad72015-09-22 11:43:08 -070076 parser = gdbrunner.ArgumentParser()
77
78 group = parser.add_argument_group(title="attach target")
79 group = group.add_mutually_exclusive_group(required=True)
80 group.add_argument(
81 "-p", dest="target_pid", metavar="PID", type=int,
82 help="attach to a process with specified PID")
83 group.add_argument(
84 "-n", dest="target_name", metavar="NAME",
85 help="attach to a process with specified name")
86 group.add_argument(
87 "-r", dest="run_cmd", metavar="CMD", nargs=argparse.REMAINDER,
88 help="run a binary on the device, with args")
89
90 parser.add_argument(
91 "--port", nargs="?", default="5039",
Elliott Hughes89e1ecf2017-06-30 14:03:32 -070092 help="override the port used on the host [default: 5039]")
Josh Gao043bad72015-09-22 11:43:08 -070093 parser.add_argument(
94 "--user", nargs="?", default="root",
95 help="user to run commands as on the device [default: root]")
Alex Light92476652019-01-17 11:18:48 -080096 parser.add_argument(
Alex Lighta8f224d2020-11-10 10:30:19 -080097 "--setup-forwarding", default=None,
Elliott Hughes4c8e8752021-06-25 14:23:22 -070098 choices=["lldb", "vscode-lldb"],
99 help=("Set up lldb-server and port forwarding. Prints commands or " +
Alex Light92476652019-01-17 11:18:48 -0800100 ".vscode/launch.json configuration needed to connect the debugging " +
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700101 "client to the server. 'vscode' with llbd and 'vscode-lldb' both " +
102 "require the 'vadimcn.vscode-lldb' extension."))
Haibo Huange194fce2020-01-06 14:40:27 -0800103
Peter Collingbourne63bf1082018-12-19 20:51:42 -0800104 parser.add_argument(
105 "--env", nargs=1, action="append", metavar="VAR=VALUE",
106 help="set environment variable when running a binary")
Peter Collingbourneba548262022-03-03 12:17:43 -0800107 parser.add_argument(
108 "--chroot", nargs='?', default="", metavar="PATH",
109 help="run command in a chroot in the given directory")
Peter Collingbourne63bf1082018-12-19 20:51:42 -0800110
Josh Gao043bad72015-09-22 11:43:08 -0700111 return parser.parse_args()
112
113
Nikita Putikhin516960e2023-05-31 21:57:38 +0000114def verify_device(device: adb.AndroidDevice) -> None:
Junichi Uekawa6612c922020-09-07 11:20:59 +0900115 names = set([device.get_prop("ro.build.product"), device.get_prop("ro.product.name")])
Josh Gao466e2892017-07-13 15:39:05 -0700116 target_device = os.environ["TARGET_PRODUCT"]
Junichi Uekawa6612c922020-09-07 11:20:59 +0900117 if target_device not in names:
Josh Gao466e2892017-07-13 15:39:05 -0700118 msg = "TARGET_PRODUCT ({}) does not match attached device ({})"
Nikita Putikhin516960e2023-05-31 21:57:38 +0000119 sys.exit(msg.format(target_device, ", ".join(n if n else "None" for n in names)))
Josh Gao043bad72015-09-22 11:43:08 -0700120
121
Nikita Putikhin516960e2023-05-31 21:57:38 +0000122def get_remote_pid(device: adb.AndroidDevice, process_name: str) -> int:
Josh Gao043bad72015-09-22 11:43:08 -0700123 processes = gdbrunner.get_processes(device)
124 if process_name not in processes:
125 msg = "failed to find running process {}".format(process_name)
126 sys.exit(msg)
127 pids = processes[process_name]
128 if len(pids) > 1:
129 msg = "multiple processes match '{}': {}".format(process_name, pids)
130 sys.exit(msg)
131
132 # Fetch the binary using the PID later.
133 return pids[0]
134
135
Nikita Putikhin516960e2023-05-31 21:57:38 +0000136def make_temp_dir(prefix: str) -> str:
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700137 global g_temp_dirs
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700138 result = tempfile.mkdtemp(prefix='lldbclient-linker-')
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700139 g_temp_dirs.append(result)
140 return result
141
142
Nikita Putikhin516960e2023-05-31 21:57:38 +0000143def ensure_linker(device: adb.AndroidDevice, sysroot: str, interp: str | None) -> str | None:
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700144 """Ensure that the device's linker exists on the host.
145
146 PT_INTERP is usually /system/bin/linker[64], but on the device, that file is
147 a symlink to /apex/com.android.runtime/bin/linker[64]. The symbolized linker
148 binary on the host is located in ${sysroot}/apex, not in ${sysroot}/system,
149 so add the ${sysroot}/apex path to the solib search path.
150
151 PT_INTERP will be /system/bin/bootstrap/linker[64] for executables using the
152 non-APEX/bootstrap linker. No search path modification is needed.
153
154 For a tapas build, only an unbundled app is built, and there is no linker in
155 ${sysroot} at all, so copy the linker from the device.
156
157 Returns:
158 A directory to add to the soinfo search path or None if no directory
159 needs to be added.
160 """
161
162 # Static executables have no interpreter.
163 if interp is None:
164 return None
165
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700166 # lldb will search for the linker using the PT_INTERP path. First try to find
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700167 # it in the sysroot.
168 local_path = os.path.join(sysroot, interp.lstrip("/"))
169 if os.path.exists(local_path):
170 return None
171
172 # If the linker on the device is a symlink, search for the symlink's target
173 # in the sysroot directory.
174 interp_real, _ = device.shell(["realpath", interp])
175 interp_real = interp_real.strip()
176 local_path = os.path.join(sysroot, interp_real.lstrip("/"))
177 if os.path.exists(local_path):
178 if posixpath.basename(interp) == posixpath.basename(interp_real):
179 # Add the interpreter's directory to the search path.
180 return os.path.dirname(local_path)
181 else:
182 # If PT_INTERP is linker_asan[64], but the sysroot file is
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700183 # linker[64], then copy the local file to the name lldb expects.
184 result = make_temp_dir('lldbclient-linker-')
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700185 shutil.copy(local_path, os.path.join(result, posixpath.basename(interp)))
186 return result
187
188 # Pull the system linker.
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700189 result = make_temp_dir('lldbclient-linker-')
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700190 device.pull(interp, os.path.join(result, posixpath.basename(interp)))
191 return result
Josh Gao043bad72015-09-22 11:43:08 -0700192
193
Nikita Putikhin516960e2023-05-31 21:57:38 +0000194def handle_switches(args, sysroot: str) -> tuple[BinaryIO, int | None, str | None]:
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700195 """Fetch the targeted binary and determine how to attach lldb.
Josh Gao043bad72015-09-22 11:43:08 -0700196
197 Args:
198 args: Parsed arguments.
199 sysroot: Local sysroot path.
200
201 Returns:
202 (binary_file, attach_pid, run_cmd).
203 Precisely one of attach_pid or run_cmd will be None.
204 """
205
206 device = args.device
207 binary_file = None
208 pid = None
209 run_cmd = None
210
Josh Gao057c2732017-05-24 15:55:50 -0700211 args.su_cmd = ["su", args.user] if args.user else []
212
Josh Gao043bad72015-09-22 11:43:08 -0700213 if args.target_pid:
214 # Fetch the binary using the PID later.
215 pid = args.target_pid
216 elif args.target_name:
217 # Fetch the binary using the PID later.
218 pid = get_remote_pid(device, args.target_name)
219 elif args.run_cmd:
220 if not args.run_cmd[0]:
221 sys.exit("empty command passed to -r")
Josh Gao043bad72015-09-22 11:43:08 -0700222 run_cmd = args.run_cmd
Kevin Rocard258c89e2017-07-12 18:21:29 -0700223 if not run_cmd[0].startswith("/"):
224 try:
225 run_cmd[0] = gdbrunner.find_executable_path(device, args.run_cmd[0],
226 run_as_cmd=args.su_cmd)
227 except RuntimeError:
228 sys.exit("Could not find executable '{}' passed to -r, "
229 "please provide an absolute path.".format(args.run_cmd[0]))
230
David Pursell639d1c42015-10-20 15:38:32 -0700231 binary_file, local = gdbrunner.find_file(device, run_cmd[0], sysroot,
Josh Gao057c2732017-05-24 15:55:50 -0700232 run_as_cmd=args.su_cmd)
Josh Gao043bad72015-09-22 11:43:08 -0700233 if binary_file is None:
234 assert pid is not None
235 try:
David Pursell639d1c42015-10-20 15:38:32 -0700236 binary_file, local = gdbrunner.find_binary(device, pid, sysroot,
Josh Gao057c2732017-05-24 15:55:50 -0700237 run_as_cmd=args.su_cmd)
Josh Gao043bad72015-09-22 11:43:08 -0700238 except adb.ShellError:
239 sys.exit("failed to pull binary for PID {}".format(pid))
240
David Pursell639d1c42015-10-20 15:38:32 -0700241 if not local:
242 logging.warning("Couldn't find local unstripped executable in {},"
243 " symbols may not be available.".format(sysroot))
244
Josh Gao043bad72015-09-22 11:43:08 -0700245 return (binary_file, pid, run_cmd)
246
Nikita Putikhin516960e2023-05-31 21:57:38 +0000247def generate_vscode_lldb_script(root: str, sysroot: str, binary_name: str, port: str | int, solib_search_path: list[str]) -> str:
Alex Lighta8f224d2020-11-10 10:30:19 -0800248 # TODO It would be nice if we didn't need to copy this or run the
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700249 # lldbclient.py program manually. Doing this would probably require
Alex Lighta8f224d2020-11-10 10:30:19 -0800250 # writing a vscode extension or modifying an existing one.
251 # TODO: https://code.visualstudio.com/api/references/vscode-api#debug and
252 # https://code.visualstudio.com/api/extension-guides/debugger-extension and
253 # https://github.com/vadimcn/vscode-lldb/blob/6b775c439992b6615e92f4938ee4e211f1b060cf/extension/pickProcess.ts#L6
254 res = {
255 "name": "(lldbclient.py) Attach {} (port: {})".format(binary_name.split("/")[-1], port),
256 "type": "lldb",
257 "request": "custom",
258 "relativePathBase": root,
259 "sourceMap": { "/b/f/w" : root, '': root, '.': root },
260 "initCommands": ['settings append target.exec-search-paths {}'.format(' '.join(solib_search_path))],
261 "targetCreateCommands": ["target create {}".format(binary_name),
262 "target modules search-paths add / {}/".format(sysroot)],
Peter Collingbourneb6b58a42023-03-15 14:11:00 -0700263 "processCreateCommands": ["gdb-remote {}".format(str(port))]
Alex Lighta8f224d2020-11-10 10:30:19 -0800264 }
265 return json.dumps(res, indent=4)
266
Nikita Putikhin516960e2023-05-31 21:57:38 +0000267def generate_lldb_script(root: str, sysroot: str, binary_name: str, port: str | int, solib_search_path: list[str]) -> str:
Haibo Huange194fce2020-01-06 14:40:27 -0800268 commands = []
269 commands.append(
270 'settings append target.exec-search-paths {}'.format(' '.join(solib_search_path)))
271
272 commands.append('target create {}'.format(binary_name))
Haibo Huang987436c2020-09-22 21:01:31 -0700273 # For RBE support.
274 commands.append("settings append target.source-map '/b/f/w' '{}'".format(root))
275 commands.append("settings append target.source-map '' '{}'".format(root))
Haibo Huange194fce2020-01-06 14:40:27 -0800276 commands.append('target modules search-paths add / {}/'.format(sysroot))
Peter Collingbourneb6b58a42023-03-15 14:11:00 -0700277 commands.append('gdb-remote {}'.format(str(port)))
Haibo Huange194fce2020-01-06 14:40:27 -0800278 return '\n'.join(commands)
279
280
Nikita Putikhin516960e2023-05-31 21:57:38 +0000281def generate_setup_script(sysroot: str, linker_search_dir: str | None, binary_name: str, is64bit: bool, port: str | int, debugger: str) -> str:
Alex Light92476652019-01-17 11:18:48 -0800282 # Generate a setup script.
Alex Light92476652019-01-17 11:18:48 -0800283 root = os.environ["ANDROID_BUILD_TOP"]
284 symbols_dir = os.path.join(sysroot, "system", "lib64" if is64bit else "lib")
285 vendor_dir = os.path.join(sysroot, "vendor", "lib64" if is64bit else "lib")
286
287 solib_search_path = []
288 symbols_paths = ["", "hw", "ssl/engines", "drm", "egl", "soundfx"]
289 vendor_paths = ["", "hw", "egl"]
290 solib_search_path += [os.path.join(symbols_dir, x) for x in symbols_paths]
291 solib_search_path += [os.path.join(vendor_dir, x) for x in vendor_paths]
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700292 if linker_search_dir is not None:
293 solib_search_path += [linker_search_dir]
Alex Light92476652019-01-17 11:18:48 -0800294
Alex Lighta8f224d2020-11-10 10:30:19 -0800295 if debugger == "vscode-lldb":
296 return generate_vscode_lldb_script(
Nikita Putikhin516960e2023-05-31 21:57:38 +0000297 root, sysroot, binary_name, port, solib_search_path)
Haibo Huange194fce2020-01-06 14:40:27 -0800298 elif debugger == 'lldb':
299 return generate_lldb_script(
Nikita Putikhin516960e2023-05-31 21:57:38 +0000300 root, sysroot, binary_name, port, solib_search_path)
Alex Light92476652019-01-17 11:18:48 -0800301 else:
302 raise Exception("Unknown debugger type " + debugger)
303
Josh Gao043bad72015-09-22 11:43:08 -0700304
Nikita Putikhin516960e2023-05-31 21:57:38 +0000305def do_main() -> None:
Josh Gao466e2892017-07-13 15:39:05 -0700306 required_env = ["ANDROID_BUILD_TOP",
307 "ANDROID_PRODUCT_OUT", "TARGET_PRODUCT"]
308 for env in required_env:
309 if env not in os.environ:
310 sys.exit(
311 "Environment variable '{}' not defined, have you run lunch?".format(env))
312
Josh Gao043bad72015-09-22 11:43:08 -0700313 args = parse_args()
314 device = args.device
Josh Gao44b84a82015-10-28 11:57:37 -0700315
316 if device is None:
317 sys.exit("ERROR: Failed to find device.")
318
Josh Gao043bad72015-09-22 11:43:08 -0700319 root = os.environ["ANDROID_BUILD_TOP"]
Josh Gao466e2892017-07-13 15:39:05 -0700320 sysroot = os.path.join(os.environ["ANDROID_PRODUCT_OUT"], "symbols")
Josh Gao043bad72015-09-22 11:43:08 -0700321
322 # Make sure the environment matches the attached device.
Peter Collingbourneba548262022-03-03 12:17:43 -0800323 # Skip when running in a chroot because the chroot lunch target may not
324 # match the device's lunch target.
325 if not args.chroot:
Nikita Putikhin516960e2023-05-31 21:57:38 +0000326 verify_device(device)
Josh Gao043bad72015-09-22 11:43:08 -0700327
328 debug_socket = "/data/local/tmp/debug_socket"
329 pid = None
330 run_cmd = None
331
332 # Fetch binary for -p, -n.
David Pursell639d1c42015-10-20 15:38:32 -0700333 binary_file, pid, run_cmd = handle_switches(args, sysroot)
Josh Gao043bad72015-09-22 11:43:08 -0700334
335 with binary_file:
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700336 if sys.platform.startswith("linux"):
337 platform_name = "linux-x86"
338 elif sys.platform.startswith("darwin"):
339 platform_name = "darwin-x86"
340 else:
341 sys.exit("Unknown platform: {}".format(sys.platform))
342
Josh Gao043bad72015-09-22 11:43:08 -0700343 arch = gdbrunner.get_binary_arch(binary_file)
344 is64bit = arch.endswith("64")
345
346 # Make sure we have the linker
Pirama Arumuga Nainarf7f95442021-06-30 13:31:41 -0700347 clang_base = 'prebuilts/clang/host'
348 clang_version = read_toolchain_config(root)
Haibo Huange194fce2020-01-06 14:40:27 -0800349 toolchain_path = os.path.join(root, clang_base, platform_name,
350 clang_version)
351 llvm_readobj_path = os.path.join(toolchain_path, "bin", "llvm-readobj")
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700352 interp = gdbrunner.get_binary_interp(binary_file.name, llvm_readobj_path)
353 linker_search_dir = ensure_linker(device, sysroot, interp)
Josh Gao043bad72015-09-22 11:43:08 -0700354
Elliott Hughes89e1ecf2017-06-30 14:03:32 -0700355 tracer_pid = get_tracer_pid(device, pid)
356 if tracer_pid == 0:
Peter Collingbourne63bf1082018-12-19 20:51:42 -0800357 cmd_prefix = args.su_cmd
358 if args.env:
359 cmd_prefix += ['env'] + [v[0] for v in args.env]
360
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700361 # Start lldb-server.
362 server_local_path = get_lldb_server_path(root, clang_base, clang_version, arch)
363 server_remote_path = "/data/local/tmp/{}-lldb-server".format(arch)
Elliott Hughes89e1ecf2017-06-30 14:03:32 -0700364 gdbrunner.start_gdbserver(
Haibo Huange194fce2020-01-06 14:40:27 -0800365 device, server_local_path, server_remote_path,
Elliott Hughes89e1ecf2017-06-30 14:03:32 -0700366 target_pid=pid, run_cmd=run_cmd, debug_socket=debug_socket,
Peter Collingbourneba548262022-03-03 12:17:43 -0800367 port=args.port, run_as_cmd=cmd_prefix, lldb=True, chroot=args.chroot)
Elliott Hughes89e1ecf2017-06-30 14:03:32 -0700368 else:
Haibo Huange194fce2020-01-06 14:40:27 -0800369 print(
370 "Connecting to tracing pid {} using local port {}".format(
371 tracer_pid, args.port))
Elliott Hughes89e1ecf2017-06-30 14:03:32 -0700372 gdbrunner.forward_gdbserver_port(device, local=args.port,
373 remote="tcp:{}".format(args.port))
Josh Gao043bad72015-09-22 11:43:08 -0700374
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700375 debugger_path = get_lldb_path(toolchain_path)
376 debugger = args.setup_forwarding or 'lldb'
Haibo Huange194fce2020-01-06 14:40:27 -0800377
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700378 # Generate the lldb script.
Nikita Putikhin516960e2023-05-31 21:57:38 +0000379 setup_commands = generate_setup_script(sysroot=sysroot,
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700380 linker_search_dir=linker_search_dir,
Nikita Putikhin516960e2023-05-31 21:57:38 +0000381 binary_name=binary_file.name,
Alex Light92476652019-01-17 11:18:48 -0800382 is64bit=is64bit,
383 port=args.port,
Haibo Huange194fce2020-01-06 14:40:27 -0800384 debugger=debugger)
Josh Gao043bad72015-09-22 11:43:08 -0700385
Alex Lighta8f224d2020-11-10 10:30:19 -0800386 if not args.setup_forwarding:
Alex Light92476652019-01-17 11:18:48 -0800387 # Print a newline to separate our messages from the GDB session.
388 print("")
David Pursell639d1c42015-10-20 15:38:32 -0700389
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700390 # Start lldb.
391 gdbrunner.start_gdb(debugger_path, setup_commands, lldb=True)
Alex Light92476652019-01-17 11:18:48 -0800392 else:
393 print("")
Haibo Huange194fce2020-01-06 14:40:27 -0800394 print(setup_commands)
Alex Light92476652019-01-17 11:18:48 -0800395 print("")
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700396 if args.setup_forwarding == "vscode-lldb":
Haibo Huange194fce2020-01-06 14:40:27 -0800397 print(textwrap.dedent("""
Alex Light92476652019-01-17 11:18:48 -0800398 Paste the above json into .vscode/launch.json and start the debugger as
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700399 normal. Press enter in this terminal once debugging is finished to shut
400 lldb-server down and close all the ports."""))
Alex Light92476652019-01-17 11:18:48 -0800401 else:
Haibo Huange194fce2020-01-06 14:40:27 -0800402 print(textwrap.dedent("""
Elliott Hughes4c8e8752021-06-25 14:23:22 -0700403 Paste the lldb commands above into the lldb frontend to set up the
404 lldb-server connection. Press enter in this terminal once debugging is
405 finished to shut lldb-server down and close all the ports."""))
Alex Light92476652019-01-17 11:18:48 -0800406 print("")
Siarhei Vishniakou9c4f1b32021-12-02 10:43:14 -0800407 input("Press enter to shut down lldb-server")
Josh Gao043bad72015-09-22 11:43:08 -0700408
Ryan Prichard5d1c3cb2019-06-04 16:35:02 -0700409
410def main():
411 try:
412 do_main()
413 finally:
414 global g_temp_dirs
415 for temp_dir in g_temp_dirs:
416 shutil.rmtree(temp_dir)
417
418
Josh Gao043bad72015-09-22 11:43:08 -0700419if __name__ == "__main__":
420 main()