我试图找出如何在运行时访问链接器生成的build-id。
在此页面上,https://linux.die.net/man/1/ld
当我构建如下测试程序时:
% 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
我可以看到二进制文件中存在内部版本ID:
{{1}}
我想在运行时打印出来。
编辑:假定您无法访问从中加载正在运行的进程的elf文件(权限,嵌入式/无文件系统等)。
编辑:可接受的答案有效,但是链接器不一定必须将变量放在本节的末尾。如果可以找到指向本节开头的指针,那将更加可靠。
答案 0 :(得分:1)
弄清楚了。这是一个工作示例,
#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 <
答案 1 :(得分:1)
一种可能性是使用链接程序脚本来获取.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_start
和build_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 <