我试着用CortexM4处理器(我买了一个ATMELSAM4C板)混合C代码和asm。
我正在尝试一个不起作用的简单代码(但它确实可以编译)。
我唯一的调试选项是使用UART(我现在没有任何调试器)。
基本上,我只想编写一个什么也不做的asm函数(直接返回到C代码)。
这是我的C码:

#include <asf.h>
extern uint32_t asmfunc(void);

int main (void){

    //some needed initialisation to use the board
    sysclk_init();
    board_init();

    uint32_t uart_s = 0, uart_r;

    //get_data and send_data get/send the 4 bytes of a 32 bits word
    //they work, I don't show the code here because we don't care

    get_data(&uart_r); //wait to receive data via uart
    send_data(uart_s); //send the value in uart_s

    asmfunc();

    send_data(uart_s);
}

asm代码:
.global asmfunc

asmfunc:
MOV pc, lr

在向UART发送一些数据之后,我应该会收到值“0”的2倍。但是,我只收到一次。我可以假设我的asm功能有问题,但我找不到什么。
我想找个医生,我以为我做得对,但是。。。

最佳答案

asmfunc:
MOV pc, lr

这是手臂组件,不是拇指组件。你没有在拇指模式下组装它,这会导致生成的代码对Cortex-M CPU无效。
将汇编程序设置为Thumb模式并使用适当的操作:
.thumb
.syntax unified

.global asmfunc
asmfunc:
    bx lr

08-15 23:14