JQ获取终端唯一值并按键进行过滤

时间:2018-07-16 21:53:18

标签: json key jq

我正在发现jq,这真是太棒了。在GitHub上发布了一些内容,他们告诉我在此处发布使用问题。

我正在尝试从json获取键/值的列表并进行过滤,以保持属于列表/数组的每个键的唯一值。 输入json是

{
"key0": {
"key1": "valueA",
"key2": 123456,
"key3": [{
  "key4": "anotherValue41",
  "key5": "anotherValue51",
  "key6": 999
}, {
  "key4": "anotherValue42",
  "key5": "anotherValue52",
  "key6": 666
}],
    "key10": {
        "key11": "lastvalue"
    }
}
}

我的keyList是

["key1","key2","key4","key5","key6","key9","key11"]

预期结果是仅保留与键列表匹配的键/值,并按键对值进行分组。

{
"key1": ["valueA"],
"key2": [123456],
"key4": ["anotherValue41", "anotherValue42"],
"key5": ["anotherValue51", "anotherValue52"],
"key6": [999, 666],
"key11": "lastvalue"
}

我尝试使用键,但是无法恢复为值...我发现的所有其他示例都具有重复的json结构。

我希望我足够清楚。

谢谢 西里尔

1 个答案:

答案 0 :(得分:2)

首先,让我们集中精力解决问题,而不用担心keyList。

使用tostream和以下辅助函数可以方便地完成此操作:

# s should be a stream of [key, value] pairs
def aggregate(s):
 reduce s as $x ({}; .[$x[0]] += [$x[1]] );

主过滤器可以这样写:

aggregate( tostream
  | select(length==2 and (.[0][-1] | type == "string"))
  | [.[0][-1], .[1]] )

碰巧,这将产生原始问题的结果:

{
  "key1": [
    "valueA"
  ],
  "key11": [
    "lastvalue"
  ],
  "key2": [
    123456
  ],
  "key4": [
    "anotherValue41",
    "anotherValue42"
  ],
  "key5": [
    "anotherValue51",
    "anotherValue52"
  ],
  "key6": [
    999,
    666
  ]
}

keyList

为了满足有关keyList的要求,我们假设列表以$keyList的形式提供。

然后,我们可以简单地通过使用select添加一个index条件来达到预期的结果:

aggregate( tostream
  | select(length==2 and (.[0][-1] | type == "string"))
  | [.[0][-1], .[1]]
  | select(.[0] as $k | $keyList|index($k) ))