Tools: add addr2line_backtrace to extract back-trace info on Unix/Linux #111416

Manually merged
Campbell Barton merged 3 commits from ideasman42/blender:pr-addr2line_backtrace into main 2023-09-06 14:12:55 +02:00
2 changed files with 222 additions and 1 deletions
Showing only changes of commit 1f11110823 - Show all commits

View File

@ -75,7 +75,14 @@ void BLI_system_backtrace(FILE *fp)
char **strings;
int i;
/* include a backtrace for good measure */
/* Include a back-trace for good measure.
*
* NOTE: often values printed are addresses (no line numbers of function names),
* this information can be expanded using `addr2line`, a utility is included to
* conveniently run addr2line on the output generated here:
*
* `./tools/utils/addr2line_backtrace.py --exe=/path/to/blender trace.txt`
*/
nptrs = backtrace(buffer, SIZE);
strings = backtrace_symbols(buffer, nptrs);
for (i = 0; i < nptrs; i++) {

View File

@ -0,0 +1,214 @@
#!/usr/bin/env python3
# SPDX-FileCopyrightText: 2023 Blender Authors
#
# SPDX-License-Identifier: GPL-2.0-or-later
"""
Extract line & function information from addresses (found in back-traces) using addr2line.
Example:
addr2line_backtrace.py --exe=/path/to/blender error.log
Piping from the standard-input is also supported:
cat error.log | addr2line_backtrace.py --exe=blender.bin
The text is printed to the standard output.
"""
import argparse
import multiprocessing
import os
import re
import subprocess
import sys
import time
from typing import (
Any,
Optional,
Tuple,
)
RE_ADDR = re.compile("\\[(0x[A-Fa-f0-9]+)\\]")
IS_ATTY = sys.stdout.isatty()
def value_as_percentage(value_partial: int, value_final: int) -> str:
percent = 0.0 if (value_final == 0) else (value_partial / value_final)
return "{:-6.2f}%".format(percent * 100)
if IS_ATTY:
def progress_output(value_partial: int, value_final: int, info: str) -> None:
sys.stdout.write("\r\033[K[{:s}]: {:s}".format(value_as_percentage(value_partial, value_final), info))
else:
def progress_output(value_partial: int, value_final: int, info: str) -> None:
sys.stdout.write("[{:s}]: {:s}\n".format(value_as_percentage(value_partial, value_final), info))
def find_gitroot(filepath_reference: str) -> Optional[str]:
path = filepath_reference
path_prev = ""
found = False
while not (found := os.path.exists(os.path.join(path, ".git"))) and path != path_prev:
path_prev = path
path = os.path.dirname(path)
if found:
return path
return None
def addr2line_fn(arg_pair: Tuple[Tuple[str, str, bool], str]) -> Tuple[str, str]:
shared_args, addr = arg_pair
(exe, base_path, time_command) = shared_args
cmd = (
"addr2line",
addr,
ideasman42 marked this conversation as resolved Outdated

This can be a list of several addresses instead of a single one.

This can be a list of several addresses instead of a single one.
"--functions",
"--demangle",
"--exe=" + exe,
)
if time_command:
time_beg = time.time()
output = subprocess.check_output(cmd).rstrip().decode("utf-8", errors="surrogateescape")
# Swap (function, line), to (line, function).
line_list = []
for line in output.split("\n"):
if line.startswith(base_path):
line = "." + os.sep + line[len(base_path):]
line_list.append(line)
output = ": ".join(reversed(line_list))
if time_command:
time_end = time.time()
output = "{:s} ({:.2f})".format(output, time_end - time_beg)
return addr, output
def argparse_create() -> argparse.ArgumentParser:
import argparse
# When `--help` or no arguments are given, print this help.
epilog = "This is typically used from the output of a stack-trace on Linux/Unix."
parser = argparse.ArgumentParser(
formatter_class=argparse.RawTextHelpFormatter,
description=__doc__,
epilog=epilog,
)
parser.add_argument(
"--exe",
dest="exe",
metavar='EXECUTABLE',
required=True,
help="Path to the binary.",
)
parser.add_argument(
"--base",
dest="base",
metavar='BASE',
default="",
required=False,
help="Base path.",
)
parser.add_argument(
"--time",
dest="time_command",
action='store_true',
required=False,
help="Time addr2line (useful for checking on especially slow lookup).",
)
parser.add_argument(
"--jobs",
dest="jobs",
type=int,
default=0,
help=(
"The number of processes to use. "
"Defaults to zero which detects the available cores, 1 is single threaded (useful for debugging)."
),
required=False,
)
parser.add_argument(
"backtraces",
nargs='?',
help="Back-trace files to scan for addresses.",
)
return parser
def addr2line_for_filedata(
exe: str,
base_path: str,
time_command: bool,
jobs: int,
backtrace_data: str,
) -> None:
addr_set = set()
for match in RE_ADDR.finditer(backtrace_data):
addr = match.group(1)
addr_set.add(addr)
shared_args = exe, base_path, time_command
addr2line_args = [(shared_args, addr) for addr in addr_set]
addr_map = {}
addr_len = len(addr_set)
with multiprocessing.Pool(jobs) as pool:
for i, (addr, result) in enumerate(pool.imap_unordered(addr2line_fn, addr2line_args), 1):
ideasman42 marked this conversation as resolved Outdated

Should be packed so that each submissions contains as many addresses as possible

Should be packed so that each submissions contains as many addresses as possible
progress_output(i, addr_len, "{:d} of {:d}".format(i, addr_len))
addr_map[addr] = result
if IS_ATTY:
print()
def re_replace_fn(match: re.Match[str]) -> str:
addr = match.group(1)
return "{:s} ({:s})".format(addr_map[addr], addr)
backtrace_data_updated = RE_ADDR.sub(re_replace_fn, backtrace_data)
sys.stdout.write(backtrace_data_updated)
sys.stdout.write("\n")
def main() -> None:
args = argparse_create().parse_args()
jobs = args.jobs
if jobs <= 0:
jobs = multiprocessing.cpu_count() * 2
base_path = args.base
if not base_path:
base_test = find_gitroot(os.getcwd())
if base_test is not None:
base_path = base_test
if base_path:
base_path = base_path.rstrip(os.sep) + os.sep
if args.backtraces:
for backtrace_filepath in args.backtraces:
ideasman42 marked this conversation as resolved Outdated

does not work if there is only one file path given, as args.backtraces is a single string then.

does not work if there is only one file path given, as `args.backtraces` is a single string then.
try:
with open(backtrace_filepath, "utf-8", encoding="surrogateescape") as fh:
ideasman42 marked this conversation as resolved Outdated

hrrrrmmmmmm....

hrrrrmmmmmm....
bactrace_data = fh.read()
except BaseException as ex:
print("Filed to open {:r}, {:s}".format(backtrace_filepath, str(ex)))
ideasman42 marked this conversation as resolved Outdated

{:r} does not exists in string format types specifiers

`{:r}` does not exists in string format [types specifiers](https://docs.python.org/3.10/library/string.html#format-string-syntax)
continue
addr2line_for_filedata(args.exe, base_path, args.time_command, jobs, bactrace_data)
else:
bactrace_data = sys.stdin.read()
addr2line_for_filedata(args.exe, base_path, args.time_command, jobs, bactrace_data)
if __name__ == "__main__":
main()