菜鸟笔记
提升您的技术认知

通过jsoncpp读取json文件-ag真人游戏

最近需要为c 工程开发一个配置文件功能,经过综合考虑,最后决定使用json文件作为配置文件格式。

json作为时下最流行的数据交换语言之一,比txt文件更加简洁明确,比xml更节省存储空间,并且,比数据库更轻巧灵便。在之前的开发经验中,曾经用它来作为配置文件、网络数据传输格式等。json由于其简单明晰的数据格式,使得其易于阅读和编辑,也便于机器对其进行解析,因此,最终成为我们的首选。

目前网络上的c 开源json库很多,例如rapidjson、json11、nlohmannjsoncpp等,想了解更多的同学可参考这位大神的博客:c 中json解析开源库收集,支持json5

我选择的是jsoncpp,不为什么,大概名字更合我心吧哈哈。 

1. jsoncpp库安装

方法1,源码安装 

jsoncpp的开源代码:github-jsoncpp

大家可以自行下载jsoncpp源码,在自己的系统上编译安装,linux和windows均可。

方法2,apt-get安装 

在linux系统上,偷了个懒,直接通过apt-get安装了jsoncpp,命令行如下。

sudo apt-get install libjsoncpp-dev

libjsoncpp.so默认安装路径为/usr/lib/x86_64-linux-gnu/libjsoncpp.so,头文件路径:/usr/include/jsoncpp/json/json.h。如果以上路径不在系统环境变量中,请自行添加。

2. demo

 jsoncpp在解析json文件时最重要的两个结构是json::reader和json::value。其中,json::reader的主要功能是将文件流或字符串解析到json::value中,主要使用parse函数;json::value可以表示所有支持的类型,如:int、double、string、object、array等。

下面我们通过一个小demo来说明其基本的使用方法。

首先,制作一个json文件:

{
	"name": "grace",
	"sex": "woman",
	"age": 28,
	"marriage": true,
	"education": {
		"university": "ustc",
		"major": "automation",
		"courses":["information technology", "automatic control theory", "image processing"]
	}
}

下面是读取以上json文件的c 代码:

#include 
#include 
#include 
#include "jsoncpp/json/json.h"   //头文件在/usr/include/jsoncpp/json/json.h
using namespace std;
int main(int argc, char **argv)
{
	const char *config_file = null;
	
	if(argc > 1)
	{
		config_file = (const char*)argv[1];    // get input json file
	}
	else
	{
		config_file = "config.json";   // if not specified, use the default file name
	}
	
	json::reader json_reader;
	json::value json_value;
	
	ifstream infile(config_file, ios::binary);
	if(!infile.is_open())
	{
		cout << "open config file failed!" << endl;
		return -1;
	}
	
	if(json_reader.parse(infile, json_value))
	{	
		string name = json_value["name"].asstring();  // 读取字符串型参数
		string sex = json_value["sex"].asstring();
		int age = json_value["age"].asint();   // 读取int型参数
		bool marriage = json_value["marriage"].asbool();   // 读取布尔型参数
		string university = json_value["education"]["university"].asstring();  //读取嵌套类型
		string major = json_value["education"]["major"].asstring();
		json::value courses = json_value["education"]["courses"];  // 读取值为array的类型
		
		cout << "name = " << name << endl;
		cout << "sex = " << sex << endl;
		cout << "age = " << age << endl;
		cout << "marriage = " << marriage << endl;
		cout << "education informatin: " << endl;
		cout << "  university: " << university << endl;
		cout << "  major: " << major << endl;
		cout << "  courses:";
		for(int i = 0; i < courses.size(); i  )
		{
			cout << courses[i].asstring();
			if(i != (courses.size() - 1))
			{
				cout << ", ";
			}
			else
			{
				cout << ".";
			}
		}
		cout << endl;
	}
	else
	{
		cout << "can not parse json file!";
	}
	
	infile.close();
	
	return 0;
	
}

编译:

g   -std=c  11 test_jsoncpp.cpp -o test_jsoncpp -ljsoncpp

执行:

 

网站地图