stm32 usart 发送一段ascll
时间: 2023-07-20 07:05:25 浏览: 91
stm32 USART 发送字符串程序(经测试)
4星 · 用户满意度95%
下面是一个使用STM32的USART发送一段ASCII字符串的示例代码:
```c
#include "stm32f4xx.h"
void USART2_Init(void);
void USART2_Write(USART_TypeDef *USARTx, uint16_t data);
void USART2_Write_String(char *str);
int main(void)
{
USART2_Init(); // 初始化USART2
USART2_Write_String("Hello, world!\r\n"); // 发送ASCII字符串
while (1); // 循环等待
}
void USART2_Init(void)
{
RCC_APB1PeriphClockCmd(RCC_APB1Periph_USART2, ENABLE); // 使能USART2时钟
RCC_AHB1PeriphClockCmd(RCC_AHB1Periph_GPIOA, ENABLE); // 使能GPIOA时钟
GPIO_InitTypeDef GPIO_InitStructure;
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_2 | GPIO_Pin_3;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_AF;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_InitStructure.GPIO_OType = GPIO_OType_PP;
GPIO_InitStructure.GPIO_PuPd = GPIO_PuPd_UP;
GPIO_Init(GPIOA, &GPIO_InitStructure);
GPIO_PinAFConfig(GPIOA, GPIO_PinSource2, GPIO_AF_USART2);
GPIO_PinAFConfig(GPIOA, GPIO_PinSource3, GPIO_AF_USART2);
USART_InitTypeDef USART_InitStructure;
USART_InitStructure.USART_BaudRate = 115200;
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_Tx;
USART_Init(USART2, &USART_InitStructure);
USART_Cmd(USART2, ENABLE); // 使能USART2
}
void USART2_Write(USART_TypeDef *USARTx, uint16_t data)
{
while (!(USARTx->SR & USART_SR_TXE)); // 等待发送缓冲区为空
USARTx->DR = (data & 0xFF); // 发送数据
}
void USART2_Write_String(char *str)
{
while (*str != '\0') // 遍历字符串
{
USART2_Write(USART2, *str++); // 发送字符
}
}
```
在上面的代码中,我们使用了USART2发送了一段ASCII字符串“Hello, world!\r\n”。具体实现步骤如下:
1. 初始化USART2:设置GPIO引脚模式为复用模式,并将它们配置为USART2的TX和RX引脚;配置USART2的波特率、数据位、停止位、校验位等参数。
2. 实现USART2_Write函数:该函数通过轮询方式等待发送缓冲区为空,然后将要发送的数据写入USART_DR寄存器中,实现数据的发送。
3. 实现USART2_Write_String函数:该函数使用了指针来遍历输入的字符串,并调用USART2_Write函数将每个字符发送出去。
以上就是使用STM32的USART发送一段ASCII字符串的代码实现。
阅读全文