c语言 - 在运行时访问构建 ID



我正在尝试弄清楚如何在运行时访问链接器生成的构建 ID。

在此页面中,https://linux.die.net/man/1/ld

当我构建一个测试程序时,例如:

% gcc test.c -o test -Wl,--build-id=sha1

我可以看到构建 ID 存在于二进制文件中:

% readelf -n test
Displaying notes found in: .note.gnu.build-id
Owner                 Data size   Description
GNU                  0x00000014   NT_GNU_BUILD_ID (unique build ID bitstring)
Build ID: 85aa97bd52ddc4dc2a704949c2545a3a9c69c6db

我想在运行时打印它。

编辑:假设您无法访问从中加载正在运行的进程的 elf 文件(权限、嵌入式/无文件系统等)。

编辑:接受的答案有效,但链接器不一定必须将变量放在部分的末尾。如果有一种方法可以获取指向该部分开头的指针,那将更可靠。

想通了。这是一个工作示例,

#include <stdio.h>
//
// variable must have an initializer
//  https://gcc.gnu.org/onlinedocs/gcc-3.3.1/gcc/Variable-Attributes.html
//
// the linker places this immediately after the section data
// 
char build_id __attribute__((section(".note.gnu.build-id"))) = '!';
int main(int argc, char ** argv)
{
const char * s;
s = &build_id;
// section data is 20 bytes in size
s -= 20;
// sha1 data continues for 20 bytes
printf("  > Build ID: ");
int x;
for(x = 0; x < 20; x++) {
printf("%02hhx", s[x]);
}
printf(" <n");
return 0;
}

当我运行这个时,我得到与 readelf 匹配的输出,

0 % gcc -g main.c -o test -Wl,--build-id=sha1 && readelf -n test | tail -n 5 && ./test
Displaying notes found in: .note.gnu.build-id
Owner                 Data size       Description
GNU                  0x00000014       NT_GNU_BUILD_ID (unique build ID bitstring)
Build ID: c5eca2cb08f4f5a31bb695955c7ebd2722ca10e9
> Build ID: c5eca2cb08f4f5a31bb695955c7ebd2722ca10e9 <

一种可能性是使用链接器脚本来获取.note.gnu.build-id节的地址:

#include <stdio.h>
// These will be set by the linker script
extern char build_id_start;
extern char build_id_end;
int main(int argc, char **argv) {
const char *s;
s = &build_id_start;
// skip over header (16 bytes)
s += 16;
printf("  > Build ID: ");
for (; s < &build_id_end; s++) {
printf("%02hhx", *s);
}
printf(" <n");
return 0;
}

在链接器脚本中,定义了符号build_id_startbuild_id_end

build_id_start = ADDR(.note.gnu.build-id);
build_id_end = ADDR(.note.gnu.build-id) + SIZEOF(.note.gnu.build-id);

然后可以编译并运行代码:

gcc build-id.c linker-script.ld -o test && readelf -n test | grep NT_GNU_BUILD_ID -A1 && ./test
GNU                  0x00000014   NT_GNU_BUILD_ID (unique build ID bitstring)
Build ID: 7e87ff227443c8f2d5c8e2340638a2ec77d008a1
> Build ID: 7e87ff227443c8f2d5c8e2340638a2ec77d008a1 <

我找到了可以在运行时获取 BuildId 的 build-id 库。

auto path="/path/to/executable";
const struct build_id_note *note = build_id_find_nhdr_by_name(path);
if (!note) {
return std::nullopt;
}
ElfW(Word) len = build_id_length(note);
const uint8_t *build_id = build_id_data(note);
std::vector<byte> result(build_id,build_id+len);

最新更新