1.JSON格式简述
JSON(JavaScript Object Notation) 是一种轻量级的数据交换格式。易于人阅读和编写,同时也易于机器解析和生成。它基于JavaScript(Standard ECMA-262 3rd Edition - December 1999)的一个子集。 JSON采用完全独立于语言的文本格式,但是也使用了类似于C语言家族的习惯(包括C,C++,C#,Java,JavaScript,Perl,Python等)。这些特性使JSON成为理想的数据交换语言。
接触yeelink平台之后,慢慢接触到JSON格式,虽然一些简单的情况可以通过string库函数解析和组装JSON数据包,但是若有cJSON库的帮助,解析和组装JSON数据包的工作便会变得简单的多,下面就从两个例子出发说明cJSON数据包的使用方法。
2.JSON结构体
熟悉使用cJSON库函数可从cJSON结构体入手,cJSON结构体如下所示:
cJSon类型
/* cJSON Types: */
#define cJSON_False 0
#define cJSON_True 1
#define cJSON_NULL 2
#define cJSON_Number 3
#define cJSON_String 4
#define cJSON_Array 5
#define cJSON_Object 6
#define cJSON_IsReference 256
#define cJSON_StringIsConst 512
#define cJSON_False 0
#define cJSON_True 1
#define cJSON_NULL 2
#define cJSON_Number 3
#define cJSON_String 4
#define cJSON_Array 5
#define cJSON_Object 6
#define cJSON_IsReference 256
#define cJSON_StringIsConst 512
说明
1.cJOSN结构体为一个双向列表,并可通过child指针访问下一层。
2.type变量决定数据项类型(键的类型),数据项可以是字符串可以是整形,也可以是浮点型。如果是整形值的话可从valueint,如果是浮点型的话可从valuedouble取出,以此类推。
3.解析JSON数据包
例如在QCA平台中读取一个开关量的结果,向QCA平台请求之后可以获得以下JSON数据包:
{"timestamp":"2013-11-19T08:50:11","value":1}
在这个JSON数据包中有两个数据项(键值对),一个是时间戳,该时间戳为字符串形式;另一个是开关值,该开关值为整型。该例子主要用于模拟向QCA平台请求开关量数据。
参考代码
- #include<stdio.h>
- #include<stdlib.h>
- #include"cJSON.h"
- //被解析的JSON数据包
- chartext[]="{\"timestamp\":\"2013-11-19T08:50:11\",\"value\":1}";
- intmain(intargc,constchar*argv[])
- {
- cJSON*json,*json_value,*json_timestamp;
- //解析数据包
- json=cJSON_Parse(text);
- if(!json)
- {
- printf("Errorbefore:[%s]\n",cJSON_GetErrorPtr());
- }
- else
- //解析开关值
- json_value=cJSON_GetObjectItem(json,"value");
- if(json_value->type==cJSON_Number)
- //从valueint中获得结果
- printf("value:%d\r\n",json_value->valueint);
- }
- //解析时间戳
- json_timestamp=cJSON_GetObjectItem(json,"timestamp");
- if(json_timestamp->type==cJSON_String)
- //valuestring中获得结果
- printf("%s\r\n",json_timestamp->valuestring);
- //释放内存空间
- cJSON_Delete(json);
- return0;
- }