我在客户端应用程序中使用gSOAP(在C中),它正在调用Java-webservice。我正在使用函数json_call()
。
我有一个请求结构填充了JSON输入数据,我得到一个响应结构,填充了来自Java服务的JSON输出数据。两种JSON一般都具有相同的结构,但可以包含更多,更少或更改的元素。
我现在的任务是找出响应与请求不同的元素。 main元素是一个包含大量成员的大型数组,如:
{
"objects": [
{
"@id": "OBJ00001",
"name": "value",
...
},
{
"@id": "OBJ00002",
"number": 123,
...
},
...
]
}
我可以使用@id
字段识别任何类型的对象。
使用以下内容迭代objects
数组很简单:
for(i = 0; i < has_size(value_at(response, "objects")); i++)
但是我找到了一个函数,它可以在请求和响应中将成员(“对象”)与相同的@id
进行比较。比如“findMemberWithSameField”然后“相等”(两者都不存在!):
struct member *currentMemberInResponse = NULL;
struct member *memberWithSameField = NULL;
for(i = 0; i < has_size(value_at(response, "objects")); i++)
{
/* get the current member out of the response array */
currentMemberInResponse = nth_value(value_at(response, "objects"), i);
/* Find member/object with same @id in request */
memberWithSameField = findMemberWithSameField(value_at(request, "objects"), currentMemberInResponse , "@id"));
/* equal is true if all fields are the same */
if(equal(currentMemberInResponse, memberWithSameField))
{
/* Do nothing, because nothing changed */
}
else
{
/* Do something */
}
}
关于这项任务的任何想法?否则我必须写自己的“findMemberWithSameField”和“euqal”。
亲切的问候丹尼尔
答案 0 :(得分:0)
JSON C ++ API定义operator==
以递归方式比较两个对象。最新版本2.8.55可用(我已经过测试)来比较两个JSON对象,其中operator==
调用以下函数:
bool json_eqv(const value& x, const value& y)
{
...
switch (x.__type)
{
...
case SOAP_TYPE__struct:
if (x.size() != y.size())
return false;
else
{
const _struct& s = x;
const _struct& t = y;
for (_struct::iterator i = s.begin(); i != s.end(); ++i)
{
_struct::iterator j;
for (j = t.begin(); j != t.end(); ++j)
if (!strcmp(i.name(), j.name()))
break;
if (j == t.end() || *i != *j)
return false;
}
return true;
}
这可以用以下内容重写为C:
int json_eqv(const value *x, const value *y)
{
if (x->__type != y->__type &&
(x->__type != SOAP_TYPE__i4 || y->__type != SOAP_TYPE__int) &&
(x->__type != SOAP_TYPE__int || y->__type != SOAP_TYPE__i4))
return false;
switch (x->__type)
{
case SOAP_TYPE__boolean:
case SOAP_TYPE__i4:
case SOAP_TYPE__int:
return int_of(x) == int_of(y);
case SOAP_TYPE__double:
return double_of(x) == double_of(y);
case SOAP_TYPE__string:
case SOAP_TYPE__dateTime_DOTiso8601:
return !strcmp(string_of(x), string_of(y));
case SOAP_TYPE__struct:
if (has_size(x) != has_size(y))
return 0;
else
{
size_t i, j;
for (i = 0; i < has_size(x); ++i)
{
for (j = 0; j < has_size(y); ++j)
if (!strcmp(nth_member(x, i), nth_member(y, j))
break;
if (j == has_size(y) || !json_eqv(nth_value(x, i), nth_value(y, j))
return 0;
}
return 1;
}
case SOAP_TYPE__array:
if (has_size(x) != has_size(y))
return 0;
else
{
int i;
for (i = 0 ; i < has_size(x); ++i)
if (!json_eqv(nth_nth(x, i), nth_nth(y, i))
return 0;
return 1;
}
default:
return 0;
}
}