51 lines
1.5 KiB
C
51 lines
1.5 KiB
C
#include "debug.h"
|
|
#include <stdarg.h>
|
|
#include <string.h>
|
|
|
|
// Global debug level (default: no debug output)
|
|
debug_level_t g_debug_level = DEBUG_LEVEL_NONE;
|
|
|
|
void debug_init(int level) {
|
|
if (level < 0) level = 0;
|
|
if (level > 5) level = 5;
|
|
g_debug_level = (debug_level_t)level;
|
|
}
|
|
|
|
void debug_log(debug_level_t level, const char* file, int line, const char* format, ...) {
|
|
// Get timestamp
|
|
time_t now = time(NULL);
|
|
struct tm* tm_info = localtime(&now);
|
|
char timestamp[32];
|
|
strftime(timestamp, sizeof(timestamp), "%Y-%m-%d %H:%M:%S", tm_info);
|
|
|
|
// Get level string
|
|
const char* level_str = "UNKNOWN";
|
|
switch (level) {
|
|
case DEBUG_LEVEL_ERROR: level_str = "ERROR"; break;
|
|
case DEBUG_LEVEL_WARN: level_str = "WARN "; break;
|
|
case DEBUG_LEVEL_INFO: level_str = "INFO "; break;
|
|
case DEBUG_LEVEL_DEBUG: level_str = "DEBUG"; break;
|
|
case DEBUG_LEVEL_TRACE: level_str = "TRACE"; break;
|
|
default: break;
|
|
}
|
|
|
|
// Print prefix with timestamp and level
|
|
printf("[%s] [%s] ", timestamp, level_str);
|
|
|
|
// Print source location when debug level is TRACE (5) or higher
|
|
if (file && g_debug_level >= DEBUG_LEVEL_TRACE) {
|
|
// Extract just the filename (not full path)
|
|
const char* filename = strrchr(file, '/');
|
|
filename = filename ? filename + 1 : file;
|
|
printf("[%s:%d] ", filename, line);
|
|
}
|
|
|
|
// Print message
|
|
va_list args;
|
|
va_start(args, format);
|
|
vprintf(format, args);
|
|
va_end(args);
|
|
|
|
printf("\n");
|
|
fflush(stdout);
|
|
} |