Json架构-数组中有多个if-then子句

bpzcxfmw  于 2023-03-13  发布在  其他
关注(0)|答案(1)|浏览(118)

这个问题我已经研究了一段时间了,但没有找到解决办法。
Json文件遵循类似于下面的结构:

[
  {
    "type": "label",
    "element": "text_lbl_1",
    "value": "Some text here"
  },
  {
    "type": "label",
    "element": "text_lbl_2",
    "value": 3
  },
  {
    "type": "image",
    "element": "im_url_1",
    "value": "https://example.com/image/kartofen.png"
  }
]

因此,这是一个对象列表,我希望在其中验证typevalue类型是否对齐:标签应该有一个字符串,图像应该有一个网址。
我提出的方案是:

{
  "$schema": "http://json-schema.org/draft-07/schema#",
  "type": "array",
  "items": {
    "type": "object",
    "required": [
      "type",
      "element",
      "value"
    ],
    "allOf": [
      {
        "if": {
          "properties": {
            "type": {
              "const": "label"
            }
          },
          "required": [
            "type"
          ],
          "then": {
            "properties": {
              "value": {
                "type": "string"
              }
            }
          }
        }
      },
      {
        "if": {
          "properties": {
            "type": {
              "const": "image"
            }
          },
          "required": [
            "type"
          ],
          "then": {
            "properties": {
              "value": {
                "type": "string",
                "format": "uri"
              }
            }
          }
        }
      }
    ]
  }
}

但它应该验证错误与以前的json,因为标签值不能是数字。您可以检查它here
我将在python的jsonschema实现中验证这一点,所以我正在使用draft 7。
你知道我哪里做错了吗?

thtygnil

thtygnil1#

您的模式运行良好。您刚刚将then关键字作为if的子关键字,但它们应该处于同一级别:

{
  "$schema": "http://json-schema.org/draft-07/schema#",
  "type": "array",
  "items": {
    "type": "object",
    "required": [ "type", "element", "value" ],
    "allOf": [
      {
        "if": {
          "properties": {
            "type": { "const": "label" }
          },
          "required": [ "type" ]
        },
        "then": {
          "properties": {
            "value": { "type": "string" }
          }
        }
      },
      {
        "if": {
          "properties": {
            "type": { "const": "image" }
          },
          "required": [ "type" ]
        },
        "then": {
          "properties": {
            "value": {
              "type": "string",
              "format": "uri"
            }
          }
        }
      }
    ]
  }
}

相关问题