10

我正在开发一个可以独立执行以打印它自己的版本号的共享库。

我已将自定义入口点定义为:

const char my_interp[] __attribute__((section(".interp"))) = "/lib64/ld-linux-x86-64.so.2";

void my_main() {
   printf("VERSION: %d\n", 0);
   _exit(0);
}

我编译

gcc -o list.os -c -g -Wall -fPIC list.c
gcc -o liblist.so -g -Wl,-e,my_main -shared list.os -lc

该代码可以完美编译运行。

我的问题是当我将 printf 的参数更改为浮点数或双精度数(%f 或 %lf)时。然后该库将编译,但运行时会出现段错误。

有人有想法么?

编辑1:

这是段错误的代码:

const char my_interp[] __attribute__((section(".interp"))) = "/lib64/ld-linux-x86-64.so.2"; 

void my_main() { 
    printf("VERSION: %f\n", 0.1f); 
    _exit(0); 
} 

编辑2:

其他环境细节:

uname -a

Linux mjolnir.site 3.1.10-1.16-desktop #1 SMP PREEMPT Wed Jun 27 05:21:40 UTC 2012 (d016078) x86_64 x86_64 x86_64 GNU/Linux

gcc --version

gcc (SUSE Linux) 4.6.2

/lib64/libc.so.6

为 x86_64-suse-linux 配置。由 GNU CC 版本 4.6.2 编译。于 2012 年 3 月 30 日在 Linux 3.1.0 系统上编译。

编辑3:

段错误时在 /var/log/messages 中的输出:

8 月 11 日 08:27:45 mjolnir 内核:[10560.068741] liblist.so[11222] 一般保护 ip:7fc2b3cb2314 sp:7fff4f5c7de8 error:0 in libc-2.14.1.so[7fc2b3c63000+187000]

4

1 回答 1

5

弄清楚了。:)

x86_64 上的浮点运算使用 xmm 向量寄存器。对这些的访问必须在 16 字节边界上对齐。这就解释了为什么 32 位平台不受影响并且整数和字符打印工作正常。

我已经将我的代码编译为:

gcc -W list.c -o list.S -shared -Wl,-e,my_main -S -fPIC

然后将“my_main”函数更改为拥有更多堆栈空间。

前:

my_main:
 .LFB6:
 .cfi_startproc
 pushq   %rbp
 .cfi_def_cfa_offset 16
 .cfi_offset 6, -16
 movq    %rsp, %rbp
 .cfi_def_cfa_register 6
 movl    $.LC0, %eax
 movsd   .LC1(%rip), %xmm0
 movq    %rax, %rdi
 movl    $1, %eax
 call    printf
 movl    $0, %edi
 call    _exit
 .cfi_endproc

后:

my_main:
 .LFB6:
 .cfi_startproc
 pushq   %rbp
 .cfi_def_cfa_offset 16
 .cfi_offset 6, -16
 subq    $8, %rsp ;;;;;;;;;;;;;;; ADDED THIS LINE
 movq    %rsp, %rbp
 .cfi_def_cfa_register 6
 movl    $.LC0, %eax
 movsd   .LC1(%rip), %xmm0
 movq    %rax, %rdi
 movl    $1, %eax
 call    printf
 movl    $0, %edi
 call    _exit
 .cfi_endproc

然后我通过以下方式编译了这个 .S 文件:

gcc list.S -o liblist.so -Wl,-e,my_main -shared

这解决了这个问题,但我会将此线程转发到 GCC 和 GLIBC 邮件列表,因为它看起来像一个错误。

编辑1:

根据gcc irc 中的noshadow,这是一种非标准的方法。他说如果要使用 gcc -e 选项,要么手动初始化 C 运行时,要么不使用 libc 函数。说得通。

于 2012-08-11T09:54:23.237 回答