Question
Answer and Explanation
To get values from multiple configuration files in C, you'll typically need to implement a function that reads each file, parses its contents, and stores the data in a way that your program can access it. Here's a general approach, along with some code examples:
1. Choose a Configuration File Format:
- Simple Key-Value Pairs: Suitable for basic configurations. Each line could be in the format 'key=value'.
  - INI Files: A slightly more structured format, with sections and key-value pairs, like [section] key=value.
- JSON or YAML: More complex but can handle nested configurations and are widely supported.
2. Implement the Reading and Parsing Functions:
Here's an example for handling simple key-value pair configurations. This example avoids external libraries and uses standard C functionalities:
                            
                                #include <stdio.h>
                        
                                #include <stdlib.h>
                                #include <string.h>
                                #define MAX_LINE_LENGTH 256
                                #define MAX_CONFIG_ENTRIES 100
                                typedef struct {
                                  char key[64];
                                  char value[64];
                                } ConfigEntry;
                                ConfigEntry config[MAX_CONFIG_ENTRIES];
                                int config_count = 0;
                                int read_config_file(const char filename) {
                                  FILE file = fopen(filename, "r");
                                  if (!file) {
                                    perror("Error opening file");
                                    return 1; // Indicate error
                                  }
                                  char line[MAX_LINE_LENGTH];
                                  while (fgets(line, sizeof(line), file)) {
                                    line[strcspn(line, "\r\n")] = 0; // Remove trailing newline/carriage return
                                    if (line[0] == '#' || line[0] == '\0') continue; //Skip comments and empty lines
                                    char equals = strchr(line, '=');
                                    if (equals) {
                                      equals = '\0'; // Split the line into key and value
                                      char key = line;
                                      char value = equals + 1;
                                      strncpy(config[config_count].key, key, sizeof(config[config_count].key) - 1);
                                      strncpy(config[config_count].value, value, sizeof(config[config_count].value) - 1);
                                      config[config_count].key[sizeof(config[config_count].key) - 1] = '\0';// Ensure null-termination
                                      config[config_count].value[sizeof(config[config_count].value) - 1] = '\0';
                                      config_count++;
                                      if(config_count >= MAX_CONFIG_ENTRIES){
                                        fprintf(stderr, "Too many config entries. Increase MAX_CONFIG_ENTRIES.\n");
                                        break;
                                    }
                                    }
                                 }
                                  fclose(file);
                                  return 0; // Indicate success
                                }
                                char get_config_value(const char key){
                                    for (int i = 0; i < config_count; i++) {
                                        if(strcmp(config[i].key, key) == 0){
                                            return config[i].value;
                                        }
                                    }
                                    return NULL; // Key not found
                                }
                                int main() {
                                  char files[] = {"config1.txt", "config2.txt"};
                                  for(size_t i = 0; i < sizeof(files)/sizeof(files[0]); i++) {
                                    if (read_config_file(files[i]) != 0) {
                                      fprintf(stderr, "Failed to read config file: %s\n", files[i]);
                                    }
                                 }
                                 
                                  char server_address = get_config_value("server_address");
                                  char server_port = get_config_value("server_port");
                                 
                                  if(server_address){
                                    printf("Server Address: %s\n", server_address);
                                 } else {
                                    printf("Server address not found!\n");
                                 }
                                   if(server_port){
                                    printf("Server Port: %s\n", server_port);
                                 } else {
                                   printf("Server port not found!\n");
                                 }
                                  return 0;
                                }
                            
3. How to use the example:
  - Save the above code as a .c file, for example config_reader.c
  - Create two files called config1.txt and config2.txt in the same directory.
- Add content to them as key-value pairs like this:
 config1.txt:
 
                                server_address=127.0.0.1
                                # this is a comment
                                 timeout=10
                            
 config2.txt:
                                server_port=8080
                                log_level=debug
                            
 - Compile it with a C compiler gcc config_reader.c -o config_reader.
- Run the compiled program with ./config_reader.
4. Explanation:
  - The read_config_file function reads each line from a specified file, skipping comments and empty lines. It parses key-value pairs and stores them in a global array called config. 
  - The get_config_value function retrieves values based on keys.
  -  The main function iterates through an array of file names, reads each config, and then demonstrates fetching a couple of config values.
5. Considerations
- Error Handling: Make sure you have good error handling in place, specially around file opening and parsing, to avoid crashes and provide user-friendly messages.
- Memory Management: This simple example has several potential memory issues, for example a buffer overflow if the keys or values are too long, a fixed amount of entries can be read and so on, for production use, you should use dynamic memory allocation.
- Robust Parsing: The simple parsing here can be enhanced with trimming whitespaces, more strict format validations, and support for additional format parameters.
- Complexity: For more complex configuration needs, consider using libraries like libconfig, json-c, or YAML-C.
This example is a simple starting point, and you will need to adapt it based on your specific file formats and requirements. Good error checking and defensive programming are essential for any system that reads external configuration files.