检测 COFF 对象文件中C++内联符号

Detect C++ inline symbols in COFF object file

本文关键字:符号 C++ COFF 对象 文件 检测      更新时间:2023-10-16

我想生成一个.def文件,用于使用MSVC编译器构建DLL。我使用 LLVM 搜索编译的 .obj 文件,以查找C++函数或变量的所有定义。我想区分普通定义和内联定义,以便仅导出 DLL 中的普通定义。我用这个简单的.cpp文件作为例子:

测试.cpp:

#include <string>
static std::string static_test() {
return "test.cpp";
}
std::string test() { return static_test(); }

编译器生成包含标准库定义的多个函数的目标文件test.cpp.obj。其中一个函数是内联构造函数public: __cdecl std::exception::exception(char const *const, int)。COFF 符号类对于std::string test()std::exception::exception(char const*, int)IMAGE_SYM_CLASS_EXTERNAL。有没有办法分解这些功能?

我自己找到了一个解决方案,该信息包含在 COMDAT 部分定义中,请参阅 https://learn.microsoft.com/en-us/windows/win32/debug/pe-format#comdat-sections-object-only。

这是我使用 LLVM 检测定义的代码:

void process_obj(const llvm::object::COFFObjectFile &object) {
std::vector<bool> section_contains_definition(object.getNumberOfSections() + 1);// sections are 1-based, +1 to avoid index arithm
for (const auto &sym : object.symbols()) {
const auto &coff_symbol = object.getCOFFSymbol(sym);
if (coff_symbol.isSectionDefinition()) {
const llvm::object::coff_section *section = nullptr;
uint32_t section_number = coff_symbol.getSectionNumber();
object.getSection(section_number, section);
if (!section)
continue;
// this is true for some sections containing global variables
if (!(section->Characteristics & llvm::COFF::IMAGE_SCN_LNK_COMDAT)) {
section_contains_definition[section_number] = true;
} else {
auto *def = coff_symbol.getSectionDefinition();
section_contains_definition[section_number] =
def->Selection == llvm::COFF::IMAGE_COMDAT_SELECT_NODUPLICATES;
}
}
}
for (const auto &sym : object.symbols()) {
const auto &coff_symbol = object.getCOFFSymbol(sym);
if (!coff_symbol.isExternal() || coff_symbol.isAnyUndefined() || !section_contains_definition[coff_symbol.getSectionNumber()])
continue;

... this coff_symbol is a definition ...
}
}