stm32f103c8t6串口通信例程
时间: 2023-08-24 14:04:53 浏览: 153
stm32f103c8t6实现用摇杆模块joystick和串口模块实现控制方向的代码例程,可在特定位置添加想要的代码
5星 · 资源好评率100%
以下是一个简单的 STM32F103C8T6串口通信例程,使用的是USART1串口,波特率为9600:
```c
#include "stm32f10x.h"
void USART1_Init(void)
{
GPIO_InitTypeDef GPIO_InitStructure;
USART_InitTypeDef USART_InitStructure;
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA | RCC_APB2Periph_USART1, ENABLE);
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_9;
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;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_IN_FLOATING;
GPIO_Init(GPIOA, &GPIO_InitStructure);
USART_InitStructure.USART_BaudRate = 9600;
USART_InitStructure.USART_WordLength = USART_WordLength_8b;
USART_InitStructure.USART_StopBits = USART_StopBits_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_Cmd(USART1, ENABLE);
}
void USART1_SendChar(char b)
{
while (USART_GetFlagStatus(USART1, USART_FLAG_TXE) == RESET);
USART_SendData(USART1, b);
}
void USART1_SendString(char *s)
{
while (*s != 0)
{
USART1_SendChar(*s++);
}
}
char USART1_ReceiveChar(void)
{
while (USART_GetFlagStatus(USART1, USART_FLAG_RXNE) == RESET);
return USART_ReceiveData(USART1);
}
int main(void)
{
USART1_Init();
while (1)
{
char c = USART1_ReceiveChar();
USART1_SendChar(c);
}
}
```
在此例程中,我们首先初始化了USART1串口并设置其波特率为9600。然后,我们实现了发送单个字符和发送字符串的函数,以及接收单个字符的函数。在主函数中,我们一直接收串口发送过来的字符,并将其原样发送回去。
注意,此例程中使用了CMSIS库和标准外设库(STM32F10x_StdPeriph_Driver),需要在工程中添加相应的库文件和头文件。
阅读全文