stm32 usart1串口通讯完整函数
时间: 2023-05-25 13:06:07 浏览: 199
以下是一个使用USART1串口通信的STM32完整函数的示例:
```
#include "stm32f4xx.h"
void USART1_Init(void)
{
USART_InitTypeDef USART_InitStruct;
GPIO_InitTypeDef GPIO_InitStruct;
RCC_AHB1PeriphClockCmd(RCC_AHB1Periph_GPIOB, ENABLE);
RCC_APB2PeriphClockCmd(RCC_APB2Periph_USART1,ENABLE);
GPIO_InitStruct.GPIO_Pin = GPIO_Pin_6 | GPIO_Pin_7;
GPIO_InitStruct.GPIO_Mode = GPIO_Mode_AF;
GPIO_InitStruct.GPIO_OType = GPIO_OType_PP;
GPIO_InitStruct.GPIO_PuPd = GPIO_PuPd_UP;
GPIO_InitStruct.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOB, &GPIO_InitStruct);
GPIO_PinAFConfig(GPIOB, GPIO_PinSource6, GPIO_AF_USART1); //TX
GPIO_PinAFConfig(GPIOB, GPIO_PinSource7, GPIO_AF_USART1); //RX
USART_InitStruct.USART_BaudRate = 9600;
USART_InitStruct.USART_HardwareFlowControl = USART_HardwareFlowControl_None;
USART_InitStruct.USART_Mode = USART_Mode_Tx | USART_Mode_Rx;
USART_InitStruct.USART_Parity = USART_Parity_No;
USART_InitStruct.USART_StopBits = USART_StopBits_1;
USART_InitStruct.USART_WordLength = USART_WordLength_8b;
USART_Init(USART1, &USART_InitStruct);
USART_Cmd(USART1, ENABLE);
}
void USART1_SendChar(uint16_t ch)
{
while (USART_GetFlagStatus(USART1, USART_FLAG_TXE) == RESET){}
USART_SendData(USART1, (uint8_t) ch);
}
uint16_t USART1_ReceiveChar(void)
{
while (USART_GetFlagStatus(USART1, USART_FLAG_RXNE) == RESET){}
return (uint16_t)USART_ReceiveData(USART1);
}
```
使用USART1串口通信时,需要按照以下步骤进行初始化:
- 开启USART1和GPIOB的时钟
- 设置GPIOB Pin6和Pin7的模式为AF模式
- 配置USART1的波特率、数据位、停止位及校验位等参数
- 启用USART1
在发送数据时,需要使用`USART1_SendChar`函数,该函数的输入参数为uint16_t类型,但实际只会发送其中的低8位。
在接收数据时,需要使用`USART1_ReceiveChar`函数,该函数返回uint16_t类型的数据,但实际接收到的只有其中的低8位。如果需要接收多个字节,需要使用循环调用该函数进行数据接收。
需要注意的是,在发送或接收数据时,需要先检查USART是否处于空闲状态(即判断`USART_FLAG_TXE`或`USART_FLAG_RXNE`是否被置位),否则可能会出现通信错误。
阅读全文