我需要从JSON字符串中提取值,以便我可以比较它们。 我只需要验证它们是否有序(升序/降序)。 我打算检查第一个和第二个“选择”并进行比较。 我没有更高级的东西。
EDIT / UPDATE: 如何在此类查询中使用通配符(*)来跳过每个段?
string one = (string)o[this.Context[*WILDCARD*]["cid1"]].ToString();
/* this works, but has too many []
string one = (string)o[this.Context["partner"]]
[this.Context["campaign"]]
[this.Context["segment1"]]
[this.Context["segment2"]]
[this.Context["qid2"]]
["community"]
[this.Context["cid1"]].ToString();
*/
{
"partner": {
"campaign": {
"round1": {
"round2": {
"def123": {
"community": {
"choicec": 28
},
"user": {
"choice": "choicec",
"writeDateUTC": "2015-06-15T17:21:59Z"
}
}
},
"abc321": {
"community": {
"choicec": 33
},
"user": {
"choice": "choicec",
"writeDateUTC": "2015-06-15T17:21:59Z"
}
}
}
}
}
}
答案 0 :(得分:1)
您遇到一些困难的原因可能是两个"choicec"
属性在JSON层次结构中的深度不同。第一个是"round2"
,而第二个不是。因此,简单的索引不起作用。
假设您可以使用Json.NET,您的选项是:
使用Descendants
查找名为"choicec"
的所有属性,并检查它们是否已订购:
var obj = JObject.Parse(json);
bool inOrder = obj.Descendants()
.OfType<JProperty>()
.Where(p => p.Name == "choicec")
.Select(p => (int)p.Value)
.IsOrdered();
使用SelectTokens
和JsonPath wildcards将搜索限制为部分JSON,如果您的层次结构中恰好有其他名为"choicec"
的属性与您无关查询:
// Find all properties named "choicec" under "community" recursively under "campaign" under "partner".
bool inOrder = obj.SelectTokens("partner.campaign..community.choicec")
.Select(o => (int)o)
.IsOrdered();
这里..
是一个通配符,意思是“递归下降”。
使用this question Mikkel R. Lund之后的IsOrdered
扩展程序:
public static class EnumerableExtensions
{
// Taken from http://stackoverflow.com/questions/19786101/native-c-sharp-support-for-checking-if-an-ienumerable-is-sorted
public static bool IsOrdered<T>(this IEnumerable<T> collection, IComparer<T> comparer = null)
{
if (collection == null)
throw new ArgumentNullException();
comparer = comparer ?? Comparer<T>.Default;
using (var enumerator = collection.GetEnumerator())
{
if (enumerator.MoveNext())
{
var previous = enumerator.Current;
while (enumerator.MoveNext())
{
var current = enumerator.Current;
if (comparer.Compare(previous, current) > 0)
return false;
previous = current;
}
}
}
return true;
}
}