在cocos2d-x引入了rapidjson,它处理速度比其他的json库快,反正不管了,我们这边只是学习下如何使用。rapidjson官方网址: https://code.google.com/p/rapidjson/wiki/UserGuide,上面有wiki有部分说明文档,可以看下。
github仓库地址:https://github.com/miloyip/rapidjson
下面我们讲讲rapidjson读写文件。
直接贴代码:
TestJson.h
#ifndef _TEST_JSON_H_
#define _TEST_JSON_H_ #include "json/document.h"
using namespace std;
class TestJson
{
public:
TestJson(void);
~TestJson(void);
//读取文件
void readFile( const char * fileName );
//添加字符串成员
void addStrMenber(const char *key,const char *value);
//是否存在成员
bool hasMenber(const char *key);
//删除成员
void removeMenber(const char *key);
//写入文件
bool writeFile( const char * fileName ); private:
rapidjson::Document _jsonDocument;
};
#endif
TestJson.cpp
#include "TestJson.h"
#include <stdio.h>
#include "json/filestream.h"
#include "json/stringbuffer.h"
#include "json/writer.h"
TestJson::TestJson(void)
{
} TestJson::~TestJson(void)
{
} void TestJson::readFile( const char * fileName )
{
if (fileName == nullptr) return;
FILE * pFile = fopen (fileName , "r");
if(pFile){
//读取文件进行解析成json
rapidjson::FileStream inputStream(pFile);
_jsonDocument.ParseStream<>(inputStream);
fclose(pFile);
}
if(!_jsonDocument.IsObject()){
_jsonDocument.SetObject();
}
} void TestJson::addStrMenber(const char *key,const char *value)
{
rapidjson::Value strValue(rapidjson::kStringType);
strValue.SetString(value,_jsonDocument.GetAllocator());
_jsonDocument.AddMember(key,strValue,_jsonDocument.GetAllocator());
} bool TestJson::hasMenber(const char *key)
{
if (_jsonDocument.HasMember(key)) {
return true;
}
return false;
} void TestJson::removeMenber(const char *key)
{
if (_jsonDocument.HasMember(key)) {
_jsonDocument.RemoveMember(key);
}
} bool TestJson::writeFile( const char * fileName )
{
if (fileName == nullptr) return false;
//转为字符串格式
rapidjson::StringBuffer buffer;
rapidjson::Writer< rapidjson::StringBuffer > writer(buffer);
_jsonDocument.Accept(writer);
const char* str = buffer.GetString();
FILE * pFile = fopen (fileName , "w");
if (!pFile) return false;
fwrite(str,sizeof(char),strlen(str),pFile);
fclose(pFile);
return true;
}