重新定向c库函数printf到USART1,由printf调用
时间: 2024-06-02 16:06:38 浏览: 95
STM32 printf 函数重定向
在重新定向c库函数printf到USART1之前,需要先初始化USART1的GPIO口和串口配置,这里假设使用的是STM32F4系列的芯片。下面是一个示例代码:
```
#include "stm32f4xx.h"
#include <stdio.h>
// 重定向c库函数printf到USART1
int fputc(int ch, FILE *f)
{
while(!(USART1->SR & 0x0080));
USART1->DR = (uint8_t) ch;
return ch;
}
int main()
{
GPIO_InitTypeDef GPIO_InitStructure;
USART_InitTypeDef USART_InitStructure;
// 打开GPIO和USART1的时钟
RCC_AHB1PeriphClockCmd(RCC_AHB1Periph_GPIOA, ENABLE);
RCC_APB2PeriphClockCmd(RCC_APB2Periph_USART1, ENABLE);
// 配置USART1 Tx (PA9) 的 GPIO
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_9;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_AF;
GPIO_InitStructure.GPIO_OType = GPIO_OType_PP;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_100MHz;
GPIO_InitStructure.GPIO_PuPd = GPIO_PuPd_UP;
GPIO_Init(GPIOA, &GPIO_InitStructure);
// 将GPIO与USART1的Tx引脚连接起来
GPIO_PinAFConfig(GPIOA, GPIO_PinSource9, GPIO_AF_USART1);
// 配置USART1
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(USART1, &USART_InitStructure);
USART_Cmd(USART1, ENABLE);
// 测试printf是否正常工作
printf("Hello, World!\n");
while(1);
}
```
在这个示例代码中,我们首先定义了一个名为`fputc`的函数,这个函数是重定向c库函数printf到USART1的关键所在。`fputc`函数会在printf函数调用的时候被自动调用,它将printf中的每个字符一个一个地输出到USART1,并且等待USART1缓冲区准备好下一个字符。
在主函数中,我们首先初始化了GPIO和USART1的时钟,并且配置了USART1的Tx引脚对应的GPIO口。然后,我们将GPIO和USART1的Tx引脚连接起来,并且配置了USART1的波特率、字长、停止位、奇偶校验等参数。最后,我们测试了一下printf是否正常工作,并且进入了一个死循环。
如果你想使用这个示例代码,记得在工程属性中开启`use MicroLIB`和`use float with printf`选项。
阅读全文