stm32f103 usart1串口通讯中断接收
时间: 2023-05-25 07:06:09 浏览: 217
以下是stm32f103 usart1串口通讯中断接收代码:
```c
#include "stm32f10x.h"
#include "stdio.h"
uint8_t USART1_Receive_Buffer[500]; //定义一个接收缓冲区
int USART1_Receive_Index = 0; //定义一个接收数据索引
void USART1_Configuration(void)
{
USART_InitTypeDef USART_InitStructure;
NVIC_InitTypeDef NVIC_InitStructure;
GPIO_InitTypeDef GPIO_InitStructure;
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA | RCC_APB2Periph_AFIO, ENABLE); //使能GPIO和AFIO时钟
RCC_APB2PeriphClockCmd(RCC_APB2Periph_USART1, ENABLE); //使能USART1时钟
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_9; //USART1_TX
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_AF_PP; //推挽输出
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStructure);
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_10; //USART1_RX
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_IN_FLOATING; //浮空输入
GPIO_Init(GPIOA, &GPIO_InitStructure);
USART_InitStructure.USART_BaudRate = 9600; //设置波特率为9600
USART_InitStructure.USART_WordLength = USART_WordLength_8b; //数据位长度为8位
USART_InitStructure.USART_StopBits = USART_StopBits_1; //停止位为1位
USART_InitStructure.USART_Parity = USART_Parity_No; //无奇偶校验位
USART_InitStructure.USART_HardwareFlowControl = USART_HardwareFlowControl_None;//无硬件流
USART_InitStructure.USART_Mode = USART_Mode_Rx | USART_Mode_Tx;//串口发送接收模式为同时接收和发送
USART_Init(USART1, &USART_InitStructure);
USART_ITConfig(USART1, USART_IT_RXNE, ENABLE);//使能接收中断
NVIC_InitStructure.NVIC_IRQChannel = USART1_IRQn;//设置中断组和通道号
NVIC_InitStructure.NVIC_IRQChannelCmd = ENABLE;//使能接收中断通道
NVIC_InitStructure.NVIC_IRQChannelPreemptionPriority = 2;//抢占优先级为2
NVIC_InitStructure.NVIC_IRQChannelSubPriority = 0;//响应优先级为0
NVIC_Init(&NVIC_InitStructure);
USART_Cmd(USART1, ENABLE);//使能USART1外设
}
void USART1_IRQHandler(void)
{
if (USART_GetITStatus(USART1, USART_IT_RXNE) == SET) //判断是否接收到数据
{
USART1_Receive_Buffer[USART1_Receive_Index++] = USART_ReceiveData(USART1); //接收数据,存入缓冲区
if (USART1_Receive_Index >= 500) //如果接收到的数据超出缓冲区大小
{
USART1_Receive_Index = 0; //重置索引
}
}
}
int main()
{
USART1_Configuration();
while (1)
{
if (USART1_Receive_Index) //如果接收到数据
{
USART_SendData(USART1, USART1_Receive_Buffer[USART1_Receive_Index - 1]); //发送上一次接收到的数据
USART1_Receive_Index--; //接收数据索引减1
}
}
}
```
在该代码中,首先对USART1进行了初始化配置,包括GPIO配置、波特率、数据位、停止位、校验位、硬件流控制等,以及开启中断并设置中断优先级。然后在中断处理函数中判断是否接收到数据,如果接收到数据,则将数据存入接收缓冲区中。最后在while循环中对接收缓冲区进行处理,将接收到的数据原样发送回去。
需要注意的是,接收中断是在USART1的接收寄存器接收到数据后触发的,需要在中断处理函数中进行判断和处理。同时,在处理接收到的数据时,需要判断缓冲区是否已满,避免数据溢出。
阅读全文