2
0

probe-gdb-support.py 2.4 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788
  1. #!/usr/bin/env python3
  2. # coding: utf-8
  3. #
  4. # Probe gdb for supported architectures.
  5. #
  6. # This is required to support testing of the gdbstub as its hard to
  7. # handle errors gracefully during the test. Instead this script when
  8. # passed a GDB binary will probe its architecture support and return a
  9. # string of supported arches, stripped of guff.
  10. #
  11. # Copyright 2023 Linaro Ltd
  12. #
  13. # Author: Alex Bennée <alex.bennee@linaro.org>
  14. #
  15. # This work is licensed under the terms of the GNU GPL, version 2 or later.
  16. # See the COPYING file in the top-level directory.
  17. #
  18. # SPDX-License-Identifier: GPL-2.0-or-later
  19. import argparse
  20. import re
  21. from subprocess import check_output, STDOUT
  22. # mappings from gdb arch to QEMU target
  23. mappings = {
  24. "alpha" : "alpha",
  25. "aarch64" : ["aarch64", "aarch64_be"],
  26. "armv7": "arm",
  27. "armv8-a" : ["aarch64", "aarch64_be"],
  28. "avr" : "avr",
  29. "cris" : "cris",
  30. # no hexagon in upstream gdb
  31. "hppa1.0" : "hppa",
  32. "i386" : "i386",
  33. "i386:x86-64" : "x86_64",
  34. "Loongarch64" : "loongarch64",
  35. "m68k" : "m68k",
  36. "MicroBlaze" : "microblaze",
  37. "mips:isa64" : ["mips64", "mips64el"],
  38. "nios2" : "nios2",
  39. "or1k" : "or1k",
  40. "powerpc:common" : "ppc",
  41. "powerpc:common64" : ["ppc64", "ppc64le"],
  42. "riscv:rv32" : "riscv32",
  43. "riscv:rv64" : "riscv64",
  44. "s390:64-bit" : "s390x",
  45. "sh4" : ["sh4", "sh4eb"],
  46. "sparc": "sparc",
  47. "sparc:v8plus": "sparc32plus",
  48. "sparc:v9a" : "sparc64",
  49. # no tricore in upstream gdb
  50. "xtensa" : ["xtensa", "xtensaeb"]
  51. }
  52. def do_probe(gdb):
  53. gdb_out = check_output([gdb,
  54. "-ex", "set architecture",
  55. "-ex", "quit"], stderr=STDOUT)
  56. m = re.search(r"Valid arguments are (.*)",
  57. gdb_out.decode("utf-8"))
  58. valid_arches = set()
  59. if m.group(1):
  60. for arch in m.group(1).split(", "):
  61. if arch in mappings:
  62. mapping = mappings[arch]
  63. if isinstance(mapping, str):
  64. valid_arches.add(mapping)
  65. else:
  66. for entry in mapping:
  67. valid_arches.add(entry)
  68. return valid_arches
  69. def main() -> None:
  70. parser = argparse.ArgumentParser(description='Probe GDB Architectures')
  71. parser.add_argument('gdb', help='Path to GDB binary.')
  72. args = parser.parse_args()
  73. supported = do_probe(args.gdb)
  74. print(" ".join(supported))
  75. if __name__ == '__main__':
  76. main()