HAL库串口2接收中断接收,再通过串口1打印出来
时间: 2023-11-06 12:51:16 浏览: 60
好的,可以参考以下代码实现:
```c
#include "stm32f10x.h"
#include <stdio.h>
#include <string.h>
// 定义串口缓冲区长度
#define RX_BUF_SIZE 256
// 串口1发送函数
void USART1_SendString(const char* s)
{
while (*s)
{
while ((USART1->SR & USART_SR_TXE) == 0);
USART1->DR = *s++;
}
}
// 串口2接收中断处理函数
void USART2_IRQHandler(void)
{
static uint8_t rx_buf[RX_BUF_SIZE]; // 定义串口2接收缓冲区
static uint8_t rx_idx = 0; // 定义串口2接收计数器
if (USART2->SR & USART_SR_RXNE)
{
uint8_t data = USART2->DR;
if (rx_idx < RX_BUF_SIZE - 1 && data != '\r' && data != '\n')
{
rx_buf[rx_idx++] = data; // 将接收到的数据存入缓冲区
}
else
{
rx_buf[rx_idx] = '\0'; // 在缓冲区末尾添加结束符
USART1_SendString((const char*)rx_buf); // 将接收到的数据通过串口1发送出去
rx_idx = 0; // 清空接收计数器
}
}
}
int main(void)
{
// 初始化串口1
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA | RCC_APB2Periph_USART1, ENABLE);
GPIO_InitTypeDef GPIO_InitStruct;
GPIO_InitStruct.GPIO_Pin = GPIO_Pin_9;
GPIO_InitStruct.GPIO_Mode = GPIO_Mode_AF_PP;
GPIO_InitStruct.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStruct);
USART_InitTypeDef USART_InitStruct;
USART_InitStruct.USART_BaudRate = 115200;
USART_InitStruct.USART_WordLength = USART_WordLength_8b;
USART_InitStruct.USART_StopBits = USART_StopBits_1;
USART_InitStruct.USART_Parity = USART_Parity_No;
USART_InitStruct.USART_HardwareFlowControl = USART_HardwareFlowControl_None;
USART_InitStruct.USART_Mode = USART_Mode_Tx;
USART_Init(USART1, &USART_InitStruct);
USART_Cmd(USART1, ENABLE);
// 初始化串口2
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA | RCC_APB2Periph_AFIO, ENABLE);
RCC_APB1PeriphClockCmd(RCC_APB1Periph_USART2, ENABLE);
GPIO_InitStruct.GPIO_Pin = GPIO_Pin_3;
GPIO_InitStruct.GPIO_Mode = GPIO_Mode_IN_FLOATING;
GPIO_InitStruct.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStruct);
GPIO_PinRemapConfig(GPIO_Remap_USART2, ENABLE);
USART_InitStruct.USART_BaudRate = 115200;
USART_InitStruct.USART_WordLength = USART_WordLength_8b;
USART_InitStruct.USART_StopBits = USART_StopBits_1;
USART_InitStruct.USART_Parity = USART_Parity_No;
USART_InitStruct.USART_HardwareFlowControl = USART_HardwareFlowControl_None;
USART_InitStruct.USART_Mode = USART_Mode_Rx;
USART_Init(USART2, &USART_InitStruct);
USART_Cmd(USART2, ENABLE);
USART_ITConfig(USART2, USART_IT_RXNE, ENABLE);
NVIC_EnableIRQ(USART2_IRQn);
while (1)
{
// 主循环中不需要做任何事情
}
}
```
在上述代码中,我们定义了一个长度为 256 的缓冲区 `rx_buf`,用于存储串口2接收到的数据。在串口2接收到数据时,如果缓冲区未满且数据不是回车或换行符,就将其存入缓冲区;否则,就在缓冲区末尾添加结束符,并将缓冲区内容通过串口1发送出去。需要注意的是,我们在串口2的初始化中开启了接收中断,并在中断处理函数中完成了缓冲区的处理和数据发送。在主循环中不需要做任何事情。
阅读全文