我正在尝试设计一个用于大型C板驱动程序的日志框架,其中我记录了特定类别的事件:事件,通知,控制消息等。
目前我在文件中有日志记录,由打开文件指针的函数驱动,并根据switch语句将特定语句写入文件,该语句打开描述类型的输入参数。
158 static FILE * fptr = NULL;
159 void log_to_file(const char *str, int type)
160 {
161 if(fptr == NULL)
162 {
163 fptr = fopen("file.txt", "a+");
164 }
165
166 if (fptr == NULL)
167 {
168 printf("Error opening file!\n");
169 }
170 else
171 {
172
173 switch (type)
174 {
175 case 1: //EVENT
176 fprintf(fptr, "[%s] [EVENT] %s\n", get_time(), str);
177 fflush(fptr);
178 break;
179 case 2: //NOTIFICATION
180 fprintf(fptr, "[%s] [NOTIF] %s\n", get_time(), str);
181 fflush(fptr);
182 break;
183 case 3: //CTRL
184 fprintf(fptr, "[%s] [CTRL] %s\n", get_time(), str);
185 fflush(fptr);
186 break;
187 default:
188 fprintf(fptr, "[%s] [UNRECOGNIZED] %s\n", get_time(), str);
189 fflush(fptr);
190 break;
然后我使用这些宏来调用这些函数:
32 #define log_event(str) log_to_file(str, 1)
33 #define log_notif(str) log_to_file(str, 2)
34 #define log_ctrl(str) log_to_file(str, 3)
但是,每次在运行时调用此函数时,我都必须在运行时解析switch语句,这会使我的代码减慢一个数量,即使它可能是可以忽略的。
最好,我想将每个案例拆分成一个单独的函数,我可以使用头文件中的宏来调用,这可以在预处理完成时解决日志记录的情况。这样我可以在需要时调用每个案例,而不必处理类型。但是,这是正确的道路吗?我已经有了一个框架来执行此操作并打印到stdout,但是打开文件指针使得在头文件中执行所有操作变得复杂并从那里调用函数。
有什么建议吗?
答案 0 :(得分:0)
将类型设为字符串参数而不是整数,然后将其替换为fprintf
。
158 static FILE * fptr = NULL;
159 void log_to_file(const char *str, const char *type)
160 {
161 if(fptr == NULL)
162 {
163 fptr = fopen("file.txt", "a+");
164 }
165
166 if (fptr == NULL)
167 {
168 printf("Error opening file!\n");
169 }
170 else
171 {
fprintf(fptr, "[%s] [%s] %s\n", get_time(), type, str);
fflush(fptr);
}
顺便说一下,你应该对函数做局部fptr
,而不是全局变量。
答案 1 :(得分:0)
我说过早优化是无效的,但是你走了。没有时间花在选择类别上:
#include <stdio.h>
#include <stdlib.h>
static FILE *fptr;
#define MK_LOG(Lower,Upper) \
void log_##Lower(char const *str){ \
fptr = fptr ? fptr : fopen("file.txt", "a+"); \
if(!fptr) printf("Error opening file!\n"); \
else { fprintf(fptr, "[%s] [" #Upper "] %s\n", get_time(), str); fflush(fptr); } \
}
char const* get_time(void) { return "now"; }
MK_LOG(event,EVENT)
MK_LOG(notif,NOTIF)
MK_LOG(ctrl,CTRL)
int main()
{
log_event("an event");
log_notif("a notif");
log_ctrl("a ctrl");
system("cat file.txt");
}