仅使用标准库stm32f10x.h,编写stm32f103c8t6通过USART2串口输出数值的程序
时间: 2023-03-02 15:17:28 浏览: 124
好的,以下是使用标准库stm32f10x.h编写的stm32f103c8t6通过USART2串口输出数值的程序:
```
#include "stm32f10x.h"
int main(void)
{
// 使能 GPIOA 和 USART2 的时钟
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA | RCC_APB1Periph_USART2, ENABLE);
// 配置 PA2 引脚为复用推挽输出,用于 USART2 的 Tx
GPIO_InitTypeDef GPIO_InitStructure;
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_2;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_AF_PP;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStructure);
// 配置 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);
// 使能 USART2
USART_Cmd(USART2, ENABLE);
// 输出数值
uint16_t value = 12345;
char buffer[16];
int len = sprintf(buffer, "%d\r\n", value);
for (int i = 0; i < len; i++) {
while (USART_GetFlagStatus(USART2, USART_FLAG_TXE) == RESET);
USART_SendData(USART2, buffer[i]);
}
while (1);
}
```
该程序首先使能了 GPIOA 和 USART2 的时钟,然后配置了 PA2 引脚为复用推挽输出,用于 USART2 的 Tx。接着,配置了 USART2 的波特率、数据位、停止位、奇偶校验等参数,使能 USART2,并向 USART2 输出数值。
具体来说,程序输出了一个 uint16_t 类型的数值(这里为 12345),并将其转换为字符串形式,最后使用循环向 USART2 发送字符串中的每个字符。在每个字符发送之前,程序会检查 USART2 是否已经准备好发送数据,以确保不会发送过快导致数据丢失。
注意:在使用该程序时,需要连接 USART2 的 Tx 引脚到一个串口调试工具(如 USB 转串口模块),并在调试工具中设置正确的波特率和换行符。
阅读全文