今天在工作中编写相对简单的 C 代码时,我开始做一些白日梦,并编写了以下库以有效地生成错误消息。陪审团仍然没有结果——至少在我看来——这是否是一种比简单地适应你的目的更有效的方法perror
......errno
它甚至根本不需要成为一个“图书馆”,而只是一组宏。
现在,我正在调用图书馆elib
:
elib.h
#ifndef _ELIB_H_
#define _ELIB_H_
struct ErrorMap {
void (*fp);
int errorCode;
char * message;
};
#define eperror(...) fprintf(stderr, ##__VA_ARGS__)
char * getErrorMsg(struct ErrorMap *, void (*fp), int);
#endif /* _ELIB_H_ */
elib.c
#include <stdlib.h>
#include "elib.h"
char * getErrorMsg(struct ErrorMap * errorMap, void (*fp), int code)
{
int i;
// TODO: Replace naive search
for (i=0; errorMap[i].fp != NULL; i++)
{
if (errorMap[i].fp == fp && errorMap[i].errorCode == code)
{
return errorMap[i].message;
}
}
return NULL;
}
test.c(示例应用程序“xyzlib”)
#include <stdio.h>
#include <string.h>
#include "elib.h"
int xyzlib_openFile(int);
int xyzlib_putStuff(char *);
static struct ErrorMap xyzlib_ErrorMap [] = {
{xyzlib_openFile, -1, "Argument is less than 3"},
{xyzlib_putStuff, -1, "Argument is NULL"},
{xyzlib_putStuff, -2, "Length of argument is 0"},
{xyzlib_putStuff, -3, "Stuff is too long"},
{NULL, 0, NULL}
};
int xyzlib_openFile(int fd)
{
if (fd > 3)
{
return (-1);
}
// open a file.. or something.
return 0;
}
int xyzlib_putStuff(char * stuff)
{
if (stuff == NULL)
{
return (-1);
}
if (strlen(stuff) == 0)
{
return (-2);
}
if (strlen(stuff) > 3)
{
return (-3);
}
// do something ...
return (0);
}
int main(int argc, char ** argv)
{
int code;
if (argc != 2)
{
printf("Usage: %s <arg>\n", argv[0]);
return 1;
}
code = xyzlib_putStuff(argv[1]);
if (code < 0)
{
eperror("Error: %s\n", getErrorMsg(xyzlib_ErrorMap, xyzlib_openFile, code));
}
}
基本上,您在 ErrorMap 表中定义/注册返回代码,如果您收到错误指示(响应值 < 0),则将getErrorMsg
通过注册表查找相应的代码和函数以获取正确的消息。我认为价值在于,对于采用这种错误报告方法的给定库,可以按函数(而不是全局)定义错误代码 - 简化所有代码的管理。
但是,除了查找适当消息的少量开销外,所有采用这种方法的 C 代码都需要每个函数(不返回非负整数)返回int
s,然后使用第一个参数作为指向返回值——稍微不习惯但常用。
假设目标市场是用于高可靠性嵌入式设备的软件(但不是非常受资源限制)。
有什么想法吗?提前致谢。