jq 仅过滤“空”值

jq 仅过滤“空”值

我有一个 json 文件,其中包含 AWS CloudWatch 日志负载(从 CLI 命令生成)。我正在尝试使用 jq仅有的返回没有“retentionInDays”字段的条目的值。我有以下内容,它会按我想要的方式返回所有内容,但我似乎无法过滤掉确实具有retentionInDays 的结果。

# Working output (unfiltered)
jq ".logGroups[] | { log_name: .logGroupName, log_arn: .arn, retention_scheme: .retentionInDays }" cwlogs.json

我尝试了一些方法,但要么出现错误,要么完成但不输出任何内容:

# Doesn't return anything
jq '.logGroups[] | { log_name: .logGroupName, log_arn: .arn, retention_scheme: select(.retentionInDays | contains ("null")?) }' cwlogs.json

# Errors with "jq: error (at cwlogs.json:760): number (7) and string ("null") cannot have their containment checked"
jq '.logGroups[] | { log_name: .logGroupName, log_arn: .arn, retention_scheme: select(.retentionInDays | contains ("null")) }' cwlogs.json

# Hangs forever
jq '.logGroups[] | select(.retentionInDays != "null").type' 

更新:我正在使用的 JSON 的可测试部分

{
    "logGroups": [
        {
            "storedBytes": 0,
            "metricFilterCount": 0,
            "creationTime": 1234,
            "logGroupName": "/aws/elasticbeanstalk/docker",
            "retentionInDays": 7,
            "arn": "longarnhere"
        },
        {
            "storedBytes": 0,
            "metricFilterCount": 0,
            "creationTime": 1245,
            "logGroupName": "/aws/elasticbeanstalk/nginx",
            "arn": "longarnhere"
        }
    ]
}

答案1

我假设您想要获取logGroups根本没有retentionInDays密钥的条目。

$ jq '.logGroups[] | select( has("retentionInDays") == false )' file.json
{
  "storedBytes": 0,
  "metricFilterCount": 0,
  "creationTime": 1245,
  "logGroupName": "/aws/elasticbeanstalk/nginx",
  "arn": "longarnhere"
}

如果您想要一组这些(可能,如果可能有多个):

$ jq '.logGroups | map(select( has("retentionInDays") == false ))' file.json
[
  {
    "storedBytes": 0,
    "metricFilterCount": 0,
    "creationTime": 1245,
    "logGroupName": "/aws/elasticbeanstalk/nginx",
    "arn": "longarnhere"
  }
]

您也可以使用has("retentionInDays") | not代替has("retentionInDays") == false.

答案2

您可以使用替代运算符://

例如:

echo '{"a" : "b"}' | jq '. | .c // "Null"'

type或者在您的示例中,可以通过将太添加到过滤器来完成过滤:

jq '.logGroups[] | select (.retentionInDays.type != null)' 

相关内容