AVR-GCC 未将 C++ 与汇编函数链接

Soc*_*314 2 c++ assembly avr-gcc

我试图从 C++ 调用一个汇编函数,链接器说我试图调用的函数不存在。这是错误:

avr-gcc -mmcu=atmega328 -Wall -o main.elf hello.S main.cpp
/tmp/ccS7uaAX.o: In function `main':
main.cpp:(.text+0x14): undefined reference to `hello(char, char, char, char, char)'
collect2: error: ld returned 1 exit status
Run Code Online (Sandbox Code Playgroud)

这是我的来源:

//Somewhere in hello.S

.global hello
hello:
    ret

//In main.cpp

extern void hello(char, char, char, char, char);

int main(){
    hello(1, 2, 3, 4, 5);
}
Run Code Online (Sandbox Code Playgroud)

如果这有帮助,以下是我将它们编译成目标文件后对文件的反汇编:

这是 main.o:

00000000 <main>:
   0:   0f 93           push    r16
   2:   cf 93           push    r28
   4:   df 93           push    r29
   6:   cd b7           in  r28, 0x3d   ; 61
   8:   de b7           in  r29, 0x3e   ; 62
   a:   05 e0           ldi r16, 0x05   ; 5
   c:   24 e0           ldi r18, 0x04   ; 4
   e:   43 e0           ldi r20, 0x03   ; 3
  10:   62 e0           ldi r22, 0x02   ; 2
  12:   81 e0           ldi r24, 0x01   ; 1
  14:   0e 94 00 00     call    0   ; 0x0 <main>
  18:   80 e0           ldi r24, 0x00   ; 0
  1a:   90 e0           ldi r25, 0x00   ; 0
  1c:   df 91           pop r29
  1e:   cf 91           pop r28
  20:   0f 91           pop r16
  22:   08 95           ret
Run Code Online (Sandbox Code Playgroud)

这是你好.o:

00000000 <hello>:
   0:   08 95           ret
Run Code Online (Sandbox Code Playgroud)

我已经搜索了几个小时了,我真的不知道发生了什么。

每个文件单独编译,它只是我认为搞砸了的链接。

我也可以毫无问题地编译纯汇编。

任何帮助将不胜感激,我刚刚开始研究为 AVR 混合汇编和 C++。

cxw*_*cxw 5

试试这个:在 main.cpp 中,

extern "C" void hello(char, char, char, char, char); 
Run Code Online (Sandbox Code Playgroud)

里面有一个"C"。C++ 更改函数的名称以包含其类型,这称为name mangling。“C”告诉编译器不要破坏。汇编器不会损坏,所以编译器需要知道不要。

顺便说一句,重整是链接器能够告诉您hello它正在寻找的参数类型的方式。

strings main.o |grep hello在您当前的目标文件上编辑Do ,您将看到对 hello 的引用,后面有各种有趣的字符。那是乱七八糟的名字。

  • 最好执行 `nm main.o` 来查看损坏的名称。 (2认同)