Ine*_*ion 5 gcc gnu-assembler inline-assembly
我正在尝试使用内联汇编将一堆结构成员(Particle是指向此类结构的指针)加载到某些寄存器中。这是我最初的解决方案:
asm("mov %1(%0), %%edx\n"
"fld %2(%0)\n"
"fld %3(%0)\n"
"fld %4(%0)\n"
"fld %5(%0)\n"
"movups %6(%0), %%xmm1\n"
"movups %7(%0), %%xmm2\n"
"movups %8(%0), %%xmm3\n"
"movups %9(%0), %%xmm4\n"
:
: "r" (Particle),
"n" (offsetof(ptcParticle, Active)),
"n" (offsetof(ptcParticle, Size)),
"n" (offsetof(ptcParticle, Rotation)),
"n" (offsetof(ptcParticle, Time)),
"n" (offsetof(ptcParticle, TimeScale)),
"n" (offsetof(ptcParticle, Colour)),
"n" (offsetof(ptcParticle, Location)),
"n" (offsetof(ptcParticle, Velocity)),
"n" (offsetof(ptcParticle, Accel))
: "%edx", "%st", "%st(1)", "%st(2)", "%st(3)", "%xmm1", "%xmm2",
"%xmm3", "%xmm4"
);
Run Code Online (Sandbox Code Playgroud)
但它不起作用,因为 GCC 将这些偏移量输出为立即数字文字,如下所示:
mov $0(%eax), %edx
fld $44(%eax)
fld $40(%eax)
fld $8(%eax)
fld $4(%eax)
movups $12(%eax), %xmm1
movups $28(%eax), %xmm2
movups $48(%eax), %xmm3
movups $60(%eax), %xmm4
Run Code Online (Sandbox Code Playgroud)
结果,表达式后被gas视为垃圾:(%eax)
Error: junk `(%eax)' after expression
Run Code Online (Sandbox Code Playgroud)
如果我只能去掉输出中的美元符号,这就会起作用。知道如何访问结构成员吗?
好吧,我已经弄清楚了——%c需要操作员。我写了这个辅助宏:
#define DECLARE_STRUCT_OFFSET(Type, Member) \
[Member] "i" (offsetof(Type, Member))
Run Code Online (Sandbox Code Playgroud)
并像这样使用它:
asm("mov %c[Active](%0), %%edx\n"
"fld %c[Size](%0)\n"
"fld %c[Rotation](%0)\n"
"fld %c[Time](%0)\n"
"fld %c[TimeScale](%0)\n"
"movups %c[Colour](%0), %%xmm1\n"
"movups %c[Location](%0), %%xmm2\n"
"movups %c[Velocity](%0), %%xmm3\n"
"movups %c[Accel](%0), %%xmm4\n"
:
: "r" (Particle),
DECLARE_STRUCT_OFFSET(ptcParticle, Active),
DECLARE_STRUCT_OFFSET(ptcParticle, Size),
DECLARE_STRUCT_OFFSET(ptcParticle, Rotation),
DECLARE_STRUCT_OFFSET(ptcParticle, Time),
DECLARE_STRUCT_OFFSET(ptcParticle, TimeScale),
DECLARE_STRUCT_OFFSET(ptcParticle, Colour),
DECLARE_STRUCT_OFFSET(ptcParticle, Location),
DECLARE_STRUCT_OFFSET(ptcParticle, Velocity),
DECLARE_STRUCT_OFFSET(ptcParticle, Accel)
: "%edx", "%st", "%st(1)", "%st(2)", "%st(3)", "%xmm1", "%xmm2",
"%xmm3", "%xmm4"
);
Run Code Online (Sandbox Code Playgroud)
现在生成的程序集是正确的,并且一切似乎都正常。