答案:该C++简易INI解析器通过map存储节与键值对,逐行读取文件并处理节、键值、注释及空白,提供查询接口。

要实现一个简单的INI配置文件解析器,核心是理解INI文件的结构:由节(section)、键(key)和值(value)组成,格式如下:
[section1] key1=value1 key2=value2[section2] key3=value3
下面是一个基于C++的简易INI解析器实现方法,支持读取文件、解析节与键值对,并提供基本的查询功能。
1. 定义数据结构与类接口
使用std::map存储节和键值对,结构清晰且便于查找。
立即学习“C++免费学习笔记(深入)”;
#include#include #include
2. 实现文件加载与解析逻辑
逐行读取文件,识别节名和键值对,跳过空行和注释(以#或;开头)。
立即学习“C++免费学习笔记(深入)”;
bool IniParser::load(const std::string& filename) {
std::ifstream file(filename);
if (!file.is_open()) {
return false;
}
std::string line;
while (std::getline(file, line)) {
// 去除首尾空白
size_t start = line.find_first_not_of(" \t\r\n");
if (start == std::string::npos) continue; // 空行
size_t end = line.find_last_not_of(" \t\r\n");
line = line.substr(start, end - start + 1);
// 跳过注释
if (line[0] == '#' || line[0] == ';') continue;
// 匹配节 [section]
if (line[0] == '[') {
size_t close = line.find(']');
if (close != std::string::npos) {
currentSection = line.substr(1, close - 1);
}
} else {
// 匹配 key=value
size_t sep = line.find('=');
if (sep != std::string::npos) {
std::string key = line.substr(0, sep);
std::string value = line.substr(sep + 1);
// 清理key和value两端空白
key.erase(key.find_last_not_of(" \t") + 1);
value.erase(0, value.find_first_not_of(" \t"));
data[currentSection][key] = value;
}
}
}
file.close();
return true;}
3. 提供查询接口
通过get方法获取指定节中的键值,若不存在返回默认值。
立即学习“C++免费学习笔记(深入)”;
std::string IniParser::get(const std::string& section, const std::string& key, const std::string& defaultValue) {
if (data.find(section) != data.end()) {
auto& sec = data[section];
if (sec.find(key) != sec.end()) {
return sec[key];
}
}
return defaultValue;
}
bool IniParser::hasSection(const std::string& section) {
return data.find(section) != data.end();
}
bool IniParser::hasKey(const std::string& section, const std::string& key) {
return hasSection(section) && data[section].find(key) != data[section].end();
}
4. 使用示例
创建一个config.ini文件:
[database]
host = localhost
port = 3306
[app]
debug = true
name = MyApp
主程序中使用解析器:
立即学习“C++免费学习笔记(深入)”;
int main() {
IniParser parser;
if (!parser.load("config.ini")) {
std::cout << "无法加载配置文件!\n";
return -1;
}
std::cout zuojiankuohaophpcnzuojiankuohaophpcn "数据库主机: " zuojiankuohaophpcnzuojiankuohaophpcn parser.get("database", "host") zuojiankuohaophpcnzuojiankuohaophpcn "\n";
std::cout zuojiankuohaophpcnzuojiankuohaophpcn "应用名称: " zuojiankuohaophpcnzuojiankuohaophpcn parser.get("app", "name") zuojiankuohaophpcnzuojiankuohaophpcn "\n";
std::cout zuojiankuohaophpcnzuojiankuohaophpcn "调试模式: " zuojiankuohaophpcnzuojiankuohaophpcn parser.get("app", "debug") zuojiankuohaophpcnzuojiankuohaophpcn "\n";
return 0;}
基本上就这些。这个实现虽然简单,但足够用于小型项目或学习用途。你可以根据需要扩展功能,比如支持整数、布尔类型转换,或者写入配置文件等。不复杂但容易忽略细节,比如空白处理和注释识别。











