我可以在GCC上使用x86汇编的Intel语法吗?

我想写一个小的低级程序。 对于它的某些部分,我将需要使用汇编语言,但其余代码将用C / C ++编写。

因此,如果我将使用GCC将C / C ++与汇编代码混合,是否需要使用AT&T语法,或者我可以使用英特尔语法? 或者,你如何以其他方式混合使用C / C ++和asm(intel语法)?

我意识到,也许我没有选择,必须使用AT&T语法,但我想确定..

如果事实证明是没有选择的,我可以在哪里找到有关AT&T语法的完整/官方文档?

谢谢!


如果您使用单独的汇编文件,gas有指令支持Intel语法:

.intel_syntax noprefix

它使用英特尔语法,并且在注册名称之前不需要%前缀。


如果您正在使用内联汇编,则可以使用-masm=intel编译

在inline asm开始时使用.intel_syntax noprefix ,并使用.att_syntax切换回来可以工作,但如果使用任何m约束则会中断 。 内存引用仍将在AT&T语法中生成。


ninjalj写道,你可以使用内联汇编和-masm = intel,但是当你使用内联汇编包含C / C ++头文件时,它可能会导致错误。 这是重现Cygwin错误的代码。

sample.cpp:
#include <cstdint>
#include <iostream>
#include <boost/thread/future.hpp>

int main(int argc, char* argv[]) {
    using Value = uint32_t;
    Value value = 0;
    asm volatile (
        "mov  %0, 1nt"   // Intel syntax
//      "movl $1, %0nt"  // AT&T  syntax
        :"=r"(value)::);

    auto expr = [](void) -> Value { return 20; };
    boost::unique_future<Value> func { boost::async(boost::launch::async, expr) };
    std::cout << (value + func.get());
    return 0;
}

当我构建这个代码时,我在下面看到错误消息。

g++ -E -std=c++11 -Wall -o sample.s sample.cpp
g++ -std=c++11 -Wall -masm=intel -o sample sample.cpp -lboost_system -lboost_thread
/tmp/ccuw1Qz5.s: Assembler messages:
/tmp/ccuw1Qz5.s:1022: Error: operand size mismatch for `xadd'
/tmp/ccuw1Qz5.s:1049: Error: no such instruction: `incl DWORD PTR [rax]'
/tmp/ccuw1Qz5.s:1075: Error: no such instruction: `movl DWORD PTR [rcx],%eax'
/tmp/ccuw1Qz5.s:1079: Error: no such instruction: `movl %eax,edx'
/tmp/ccuw1Qz5.s:1080: Error: no such instruction: `incl edx'
/tmp/ccuw1Qz5.s:1082: Error: no such instruction: `cmpxchgl edx,DWORD PTR [rcx]'

为了避免这些错误,它需要将内联汇编(代码的上半部分)与需要boost :: future等(下半部分)的C / C ++代码分开。 -masm = intel选项用于编译包含Intel语法内联汇编的.cpp文件,而不是其他.cpp文件。

sample.hpp:
#include <cstdint>
using Value = uint32_t;
extern Value GetValue(void);

sample1.cpp: compile with -masm=intel
#include <iostream>
#include "sample.hpp"
int main(int argc, char* argv[]) {
    Value value = 0;
    asm volatile (
        "mov  %0, 1nt"   // Intel syntax
        :"=r"(value)::);
    std::cout << (value + GetValue());
    return 0;
}

sample2.cpp: compile without -masm=intel
#include <boost/thread/future.hpp>
#include "sample.hpp"
Value GetValue(void) {
    auto expr = [](void) -> Value { return 20; };
    boost::unique_future<Value> func { boost::async(boost::launch::async, expr) };
    return func.get();
}
链接地址: http://www.djcxy.com/p/86791.html

上一篇: Can I use Intel syntax of x86 assembly with GCC?

下一篇: Using GCC to produce readable assembly?