[lldb] Add windows support for LLDB_EXPORT_ALL_SYMBOLS (#67628)

LLDB_EXPORT_ALL_SYMBOLS is useful when building out-of-tree plugins and
extensions that rely on LLDB's internal symbols. For example, this is
how the Mojo language provides its REPL and debugger support.

Supporting this on windows is kind of tricky because this is normally
expected to be done using dllexport/dllimport, but lldb uses these with
the public api. This PR takes an approach similar to what LLVM does with
LLVM_EXPORT_SYMBOLS_FOR_PLUGINS, and what chromium does for
[abseil](253d14e20f/third_party/abseil-cpp/generate_def_files.py),
and uses a python script to extract the necessary symbols by looking at
the symbol table for the various lldb libraries.
This commit is contained in:
River Riddle 2023-09-29 10:33:11 -07:00 committed by GitHub
parent 3661a48a84
commit a514c30a7c
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
3 changed files with 141 additions and 8 deletions

View File

@ -122,14 +122,8 @@ if(APPLE AND CMAKE_GENERATOR STREQUAL Xcode)
endif() endif()
endif() endif()
if (NOT CMAKE_SYSTEM_NAME MATCHES "Windows") set(LLDB_EXPORT_ALL_SYMBOLS 0 CACHE BOOL
set(LLDB_EXPORT_ALL_SYMBOLS 0 CACHE BOOL "Causes lldb to export all symbols when building liblldb.")
"Causes lldb to export all symbols when building liblldb.")
else()
# Windows doesn't support toggling this, so don't bother making it a
# cache variable.
set(LLDB_EXPORT_ALL_SYMBOLS 0)
endif()
if ((NOT MSVC) OR MSVC12) if ((NOT MSVC) OR MSVC12)
add_definitions( -DHAVE_ROUND ) add_definitions( -DHAVE_ROUND )

View File

@ -0,0 +1,102 @@
"""A tool for extracting a list of private lldb symbols to export for MSVC.
When exporting symbols from a dll or exe we either need to mark the symbols in
the source code as __declspec(dllexport) or supply a list of symbols to the
linker. Private symbols in LLDB don't explicitly specific dllexport, so we
automate that by examining the symbol table.
"""
import argparse
import os
import re
import subprocess
import sys
def extract_symbols(nm_path: str, lib: str):
"""Extract all of the private lldb symbols from the given path to llvm-nm and
library to extract from."""
# Matches mangled symbols containing 'lldb_private'.
lldb_sym_re = r"0* [BT] (?P<symbol>[?]+[^?].*lldb_private.*)"
# '-g' means we only get global symbols.
# '-p' do not waste time sorting the symbols.
process = subprocess.Popen(
[nm_path, "-g", "-p", lib],
bufsize=1,
stdout=subprocess.PIPE,
stdin=subprocess.PIPE,
universal_newlines=True,
)
process.stdin.close()
lldb_symbols = set()
for line in process.stdout:
match = re.match(lldb_sym_re, line)
if match:
symbol = match.group("symbol")
assert (
symbol.count(" ") == 0
), "Regex matched too much, probably got undecorated name as well"
# Deleting destructors start with ?_G or ?_E and can be discarded
# because link.exe gives you a warning telling you they can't be
# exported if you don't.
if symbol.startswith("??_G") or symbol.startswith("??_E"):
continue
lldb_symbols.add(symbol)
return lldb_symbols
def main():
parser = argparse.ArgumentParser(description="Generate LLDB dll exports")
parser.add_argument(
"-o", metavar="file", type=str, help="The name of the resultant export file."
)
parser.add_argument("--nm", help="Path to the llvm-nm executable.")
parser.add_argument(
"libs",
metavar="lib",
type=str,
nargs="+",
help="The libraries to extract symbols from.",
)
args = parser.parse_args()
# Get the list of libraries to extract symbols from
libs = list()
for lib in args.libs:
# When invoked by cmake the arguments are the cmake target names of the
# libraries, so we need to add .lib/.a to the end and maybe lib to the
# start to get the filename. Also allow objects.
suffixes = [".lib", ".a", ".obj", ".o"]
if not any([lib.endswith(s) for s in suffixes]):
for suffix in suffixes:
if os.path.exists(lib + suffix):
lib = lib + suffix
break
if os.path.exists("lib" + lib + suffix):
lib = "lib" + lib + suffix
break
if not any([lib.endswith(s) for s in suffixes]):
print(
"Unknown extension type for library argument: " + lib, file=sys.stderr
)
exit(1)
libs.append(lib)
# Extract symbols from the input libraries.
symbols = set()
for lib in libs:
for sym in list(extract_symbols(args.nm, lib)):
symbols.add(sym)
# Write out the symbols to the output file.
with open(args.o, "w", newline="") as f:
for s in sorted(symbols):
f.write(f"{s}\n")
if __name__ == "__main__":
main()

View File

@ -184,6 +184,43 @@ if (NOT CMAKE_SYSTEM_NAME MATCHES "Windows")
add_llvm_symbol_exports(liblldb ${CMAKE_CURRENT_SOURCE_DIR}/liblldb-private.exports) add_llvm_symbol_exports(liblldb ${CMAKE_CURRENT_SOURCE_DIR}/liblldb-private.exports)
endif() endif()
set_target_properties(liblldb_exports PROPERTIES FOLDER "lldb misc") set_target_properties(liblldb_exports PROPERTIES FOLDER "lldb misc")
elseif (LLDB_EXPORT_ALL_SYMBOLS)
MESSAGE("-- Symbols (liblldb): exporting all symbols from the lldb and lldb_private namespaces")
# Pull out the various lldb libraries linked into liblldb, these will be used
# when looking for symbols to extract. We ignore plugin libraries here,
# because these symbols aren't publicly exposed.
get_target_property(all_liblldb_libs liblldb LINK_LIBRARIES)
set(lldb_libs "")
foreach(lib ${all_liblldb_libs})
if(TARGET ${lib} AND ${lib} MATCHES "^lldb" AND
NOT ${lib} MATCHES "^lldbPlugin")
get_target_property(lib_type ${lib} TYPE)
if("${lib_type}" STREQUAL "STATIC_LIBRARY")
list(APPEND lldb_libs ${lib})
endif()
endif()
endforeach(lib)
list(REMOVE_DUPLICATES lldb_libs)
# Extract all of the private symbols and produce a single file we can use for
# the exports.
set(exported_symbol_file ${CMAKE_CURRENT_BINARY_DIR}/${CMAKE_CFG_INTDIR}/liblldb_private.symbols)
get_host_tool_path(llvm-nm LLVM_NM llvm_nm_exe llvm_nm_target)
add_custom_command(
OUTPUT ${exported_symbol_file}
COMMAND "${Python3_EXECUTABLE}"
${LLDB_SOURCE_DIR}/scripts/msvc_extract_private_symbols.py
${lldb_libs} -o ${exported_symbol_file} --nm=${llvm_nm_exe}
WORKING_DIRECTORY ${LLVM_LIBRARY_OUTPUT_INTDIR}
DEPENDS ${LLDB_SOURCE_DIR}/scripts/msvc_extract_private_symbols.py
${lldb_libs} ${llvm_nm_target}
VERBATIM
COMMENT "Generating liblldb private export list"
)
add_llvm_symbol_exports(liblldb ${exported_symbol_file})
set_target_properties(liblldb_exports PROPERTIES FOLDER "lldb misc")
endif() endif()
if (NOT MSVC) if (NOT MSVC)