stm32f103c8t6与cc2530实现串口通信中stm32f103c8t6作为接收端的代码
时间: 2023-07-26 21:04:16 浏览: 124
STM32F103C8T6串口通信
以下是一个简单的例子,演示了如何在STM32F103C8T6作为接收端与CC2530进行串口通信。
```c
#include "stm32f10x.h"
#define RX_BUF_SIZE 64
volatile uint8_t rx_buffer[RX_BUF_SIZE];
volatile uint8_t rx_buffer_index = 0;
void USART1_Init(void) {
// 使能 USART1 时钟
RCC_APB2PeriphClockCmd(RCC_APB2Periph_USART1, ENABLE);
// 配置 USART1 引脚
GPIO_InitTypeDef GPIO_InitStruct;
GPIO_InitStruct.GPIO_Pin = GPIO_Pin_10; // RX引脚
GPIO_InitStruct.GPIO_Mode = GPIO_Mode_IN_FLOATING;
GPIO_InitStruct.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStruct);
// 配置 USART1
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_Rx;
USART_Init(USART1, &USART_InitStruct);
// 使能接收中断
USART_ITConfig(USART1, USART_IT_RXNE, ENABLE);
// 使能 USART1
USART_Cmd(USART1, ENABLE);
// 配置中断优先级
NVIC_InitTypeDef NVIC_InitStruct;
NVIC_InitStruct.NVIC_IRQChannel = USART1_IRQn;
NVIC_InitStruct.NVIC_IRQChannelPreemptionPriority = 0;
NVIC_InitStruct.NVIC_IRQChannelSubPriority = 0;
NVIC_InitStruct.NVIC_IRQChannelCmd = ENABLE;
NVIC_Init(&NVIC_InitStruct);
}
void USART1_IRQHandler(void) {
if (USART_GetITStatus(USART1, USART_IT_RXNE) != RESET) {
// 读取接收到的数据
uint8_t data = USART_ReceiveData(USART1);
// 将接收到的数据存储到缓冲区
rx_buffer[rx_buffer_index++] = data;
// 如果缓冲区已满,则重置索引
if (rx_buffer_index >= RX_BUF_SIZE) {
rx_buffer_index = 0;
}
}
}
int main(void) {
USART1_Init();
while (1) {
// 在这里进行你的业务逻辑处理
}
}
```
在上面的代码中,我们首先初始化了USART1,并配置了接收中断。在接收中断处理函数中,我们将接收到的数据存储到一个缓冲区中。你可以在主循环中添加你的业务逻辑处理代码,根据需要进行处理接收到的数据。
阅读全文