- 串口打印函数
先引入头文件:#include <stdio.h>
方法一:
/*
优点
直接使用printf函数,发送数据长度无限制,不需要额外的数组空间
缺点
只能对应一个串口,暂时没想到解决方案
*/
//头文件中要包含 stdio.h 然后就可以正常使用printf了
int fputc(int ch ,FILE *F)
{
HAL_UART_Transmit(&huart1, (uint8_t *)&ch, 1, HAL_MAX_DELAY); //按照配置自行修改huart1
return ch;
}
方法二:
/*
优点
使用不同的定义可以对应不同的串口
缺点
需要创建额外的数据空间,发送数据长度有限制
*/
//首先要定义 uint8_t u_buf[256]; 这个数组
uint8_t u_buf[256];
#define U1_printf(...) HAL_UART_Transmit(&huart1,(uint8_t *)u_buf,sprintf((char*)u_buf,__VA_ARGS__),HAL_MAX_DELAY) //按照配置自行修改huart1,可变参数宏
例子:
HAL_UART_Transmit(&huart1,temp,5,50);
U1_printf("U1_printf!!!\r\n");
printf("printf stm32! \r\n");
- 条件编译实现打印日志
方法一:
#define Log 1//打印log信息,不想打印改为0 条件编译
#if Log
printf("[\t main] info:stm32! \r\n");
#endif
方法二:
#define USER_MAIN_DEBUG //条件定义
#ifdef USER_MAIN_DEBUG //条件编译,如果定义了USER_MAIN_DEBUG在下面四个宏被调用时就能打印不同
#define user_main_printf(format, ...) printf(format "\r\n",##__VA_ARGS__)//可变参数宏,##无参时传,
#define user_main_info(format, ...) printf("[main]info: " format "\r\n", ##__VA_ARGS__)
#define user_main_debug(format, ...) printf("[main]debug: " format "\r\n", ##__VA_ARGS__)
#define user_main_error(format, ...) printf("[main]error: " format "\r\n", ##__VA_ARGS__)
#else //如果没有定义USER_MAIN_DEBUG将不会打印任何东西,因为没有传参
#define user_main_printf(format, ...)
#define user_main_info(format, ...)
#define user_main_debug(format, ...)
#define user_main_error(format, ...)
#endif
调用:
//日志打印/
user_main_printf("hello stm32!"); //自动加\r\n
user_main_info("hello stm32!"); //[main]info: hello stm32!
user_main_debug("hello stm32!");
user_main_error("hello stm32!");