我正在尝试在Aarch64平台上使用nostdlib标志编译二进制文件。
我已经通过以下方式在x86-64平台上成功处理了它:
OAuth2Handler
在aarch64平台上是否有任何类似的东西可以做同样的事情?(特别是系统退出调用)
答案 0 :(得分:3)
以下示例应在aarch64-linux-gnu系统上工作-在我的x86_64 linux系统上运行qemu-aarch64 3.0确实可以工作。
出于谦虚的目的,最简洁/松散耦合的信息源将是musl-libc源代码:
然后我们应该使用:
static inline long __syscall1(long n, long a)
{
register long x8 __asm__("x8") = n;
register long x0 __asm__("x0") = a;
__asm_syscall("r"(x8), "0"(x0));
}
和__NR_exit:
#define __NR_exit 93
#define __NR_exit_group 94
C语言中的一个基本示例是syscall-exit.c:
#include "syscall_arch.h"
#include "syscall.h.in"
int main(void)
{
// exiting with return code 1.
__syscall1(__NR_exit, 1);
// we should have exited.
for (;;);
}
编译/执行/检查返回码:
/opt/linaro/gcc-linaro-7.3.1-2018.05-x86_64_aarch64-linux-gnu/bin/aarch64-linux-gnu-gcc -static -O0 -o exit-syscall exit-syscall.c
qemu-aarch64 exit-syscall
echo $?
1
使用以下方法仔细查看main()和__syscall1()的生成代码:
/opt/linaro/gcc-linaro-7.3.1-2018.05-x86_64_aarch64-linux-gnu/bin/aarch64-linux-gnu-objdump -D exit-syscall > exit-syscall.lst
看起来像是
0000000000400554 <main>:
400554: a9bf7bfd stp x29, x30, [sp, #-16]!
400558: 910003fd mov x29, sp
40055c: d2800021 mov x1, #0x1 // #1
400560: d2800ba0 mov x0, #0x5d // #93
400564: 97fffff4 bl 400534 <__syscall1>
0000000000400534 <__syscall1>:
400534: d10043ff sub sp, sp, #0x10
400538: f90007e0 str x0, [sp, #8]
40053c: f90003e1 str x1, [sp]
400540: f94007e8 ldr x8, [sp, #8]
400544: f94003e0 ldr x0, [sp]
400548: d4000001 svc #0x0
40054c: 910043ff add sp, sp, #0x10
400550: d65f03c0 ret
有关更多信息,请参见文档“ Procedure Call Standard for the ARM 64-bit Architecture(AArch64)”。
因此,与x86_64代码等效的Aarch64将是exit-asm.c:
void main(void) {
/* exit system call - calling NR_exit with 1 as the return code*/
asm("mov x0, #1;"
"mov x8, #93;"
"svc #0x0;"
);
for (;;);
}
/opt/linaro/gcc-linaro-7.3.1-2018.05-x86_64_aarch64-linux-gnu/bin/aarch64-linux-gnu-gcc -static -o example example.c
qemu-aarch64 example
echo $?
1
请注意,exit()的glibc实现在调用__NR_exit之前确实先调用__NR_exit_group。