MM32F0010串口打印
时间: 2023-09-01 21:07:12 浏览: 70
以下是在MM32F0010上使用串口进行打印的示例代码:
```c
#include "mm32f0010.h"
void uart_init(void)
{
// 使能 USART2 时钟
RCC_APB1PeriphClockCmd(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);
}
void uart_send_char(char c)
{
// 等待发送缓冲区为空
while (USART_GetFlagStatus(USART2, USART_FLAG_TXE) == RESET);
// 发送数据
USART_SendData(USART2, c);
}
void uart_send_string(char *str)
{
while (*str != '\0') {
uart_send_char(*str++);
}
}
int main(void)
{
// 初始化串口
uart_init();
// 发送字符串
uart_send_string("Hello World!\r\n");
while (1);
}
```
在上述代码中,我们首先通过 `RCC_APB1PeriphClockCmd()` 函数使能了 USART2 的时钟。然后,我们通过 `GPIO_Init()` 函数将 PA2 配置为 USART2_TX 引脚。接着,我们通过 `USART_Init()` 函数配置了 USART2,设置波特率为 115200,数据位为 8 位,停止位为 1 位,无校验位,无硬件流控制。最后,我们通过 `USART_Cmd()` 函数使能了 USART2。
在 `uart_send_char()` 函数中,我们通过 `USART_GetFlagStatus()` 函数等待发送缓冲区为空,然后通过 `USART_SendData()` 函数发送一个字符。
在 `uart_send_string()` 函数中,我们通过循环调用 `uart_send_char()` 函数发送字符串中的每一个字符。
在 `main()` 函数中,我们首先调用了 `uart_init()` 函数初始化串口,然后调用了 `uart_send_string()` 函数发送了一个字符串。最后,我们通过一个死循环使程序不会退出。
阅读全文