gcc 4.5.1 c89
我使用以下代码从配置文件中读取一行文本。此配置文件很小,随着要添加的新字段的增长而增长。我几乎可以设计配置文件看起来像我自己。所以我通过以下方式完成了它:
的config.cfg
# Configuration file to be loaded
# protocol to use either ISDN, SIP,
protocol: ISDN
# run application in the following mode, makecall or waitcall
mode: makecall
我使用冒号作为搜索所需配置类型的方法。我只是想知道是否有更好的方法来做到这一点?
我使用的代码如下:
static int load_config(FILE *fp)
{
char line_read[LINE_SIZE] = {0};
char *type = NULL;
char field[LINE_SIZE] = {0};
char *carriage_return = NULL;
/* Read each line */
while(fgets(line_read, LINE_SIZE, fp) != NULL) {
if(line_read != NULL) {
/* Ignore any hashs and blank lines */
if((line_read[0] != '#') && (strlen(line_read) > 1)) {
/* I don't like the carriage return, so remove it. */
carriage_return = strrchr(line_read, '\n');
if(carriage_return != NULL) {
/* carriage return found so relace with a null */
*carriage_return = '\0';
}
/* Parse line_read to extract the field name i.e. protocol, mode, etc */
parse_string(field, line_read);
if(field != NULL) {
type = strchr(line_read, ':');
type+=2; /* Point to the first character after the space */
if(strcmp("protocol", field) == 0) {
/* Check the protocol type */
printf("protocol [ %s ]\n", type);
}
else if (strcmp("mode", field) == 0) {
/* Check the mode type */
printf("mode [ %s ]\n", type);
}
}
}
}
}
return TRUE;
}
/* Extract the field name for the read in line from the configuration file. */
static void parse_string(char *dest, const char *string)
{
/* Copy string up to the colon to determine configuration type */
while(*string != ':') {
*dest++ = *string++;
}
/* Insert nul terminator */
*dest = '\0';
}
答案 0 :(得分:1)
答案 1 :(得分:1)
如果您可以设计配置文件的样子,我会选择XML,并使用Expat进行解析。这很痛苦。
答案 2 :(得分:1)
简单解析问题的标准答案是使用lex和yacc。
但是,由于您可以自由设置配置文件的形式,因此您应该使用众多实现各种配置文件格式的库之一,并使用它。
http://www.google.com/search?q=configuration+file+parser
例如,http://www.nongnu.org/confuse/似乎可以充分满足您的需求,但请看一下可能更简单的其他各种选项。
答案 3 :(得分:1)
应该更容易:
static int load_config(FILE *fp)
{
int r=0;
char line[LINE_SIZE], field[LINE_SIZE], type[LINE_SIZE], dummy[LINE_SIZE];
/* Read each line */
while( fgets(line, LINE_SIZE, fp) )
{
if( strchr(line,'\n') ) *strchr(line,'\n')=0;
if( 3==sscanf(line,"%[^: ]%[: ]%s,field,dummy,type) )
++r,printf("\n %s [ %s ]",field,type);
}
return r;
}