我想根据另一个字段中的数据为一个字段指定正则表达式模式。 这可能吗? 我已经尝试过开关和$data但不确定如何使用它们。例如,如果数据如下所示:
{
"contacts":[
{
"mode":"Email",
"contact":"john.doe@abc.com"
},
{
"mode":"Phone",
"contact":"111-555-1234"
}
]
}
架构如下所示:
"$schema":"http://json-schema.org/draft-04/schema#",
"type":"object",
"properties":{
"Contacts":{
"type":"array",
"minItems":1,
"items":{
"type":"object",
"properties":{
"mode":{
"type":"string",
"enum":[
"Email",
"Phone"
]
},
"contact":{
"type":"string",
"pattern":"?????"
}
},
"required":[
"mode",
"contact"
]
}
}
}
}
如何根据模式下的数据设置联系人模式,以便如果模式为电子邮件,它会根据电子邮件格式的正则表达式验证联系人,如果模式为电话,则根据电话格式的正则表达式验证联系人? 我有每个人的正则表达式。 我需要逻辑来选择一个或另一个。
有几种方法可以做到这一点
anyOf (优点:与 draft-04 兼容,缺点:错误报告有点冗长 - 如果没有匹配,您将从两个子架构中得到错误(:
{
"type": "object",
"properties": {
"Contacts": {
"type": "array",
"minItems": 1,
"items": {
"type": "object",
"anyOf": [
{
"properties": {
"mode": {"enum": ["Email"]},
"contact": {
"type": "string",
"format": "email"
}
}
},
{
"properties": {
"mode": {"enum": ["Phone"]},
"contact": {
"type": "string",
"pattern": "phone_pattern"
}
}
}
],
"required": ["mode", "contact"]
}
}
}
}
if/then/else(在 AJV 关键字包中可用,优点:错误报告更有意义,被接受包含在 draft-07 中,缺点:目前不是标准(:
{
"type": "object",
"properties": {
"Contacts": {
"type": "array",
"minItems": 1,
"items": {
"type": "object",
"properties": {
"mode": {"type": "string", "enum": ["Email", "Phone"]},
"contact": {"type": "string"}
},
"if": {
"properties": {
"mode": {"enum": ["Email"]}
}
},
"then": {
"properties": {
"contact": {"format": "email"}
}
},
"else": {
"properties": {
"contact": {"pattern": "phone_pattern"}
}
}
"required": ["mode", "contact"]
}
}
}
}
选择(在 AJV 关键字包中可用,优点:比 if/then/else 更简洁,特别是如果有两个以上的可能值,缺点:尚未在标准轨道上,但您可以在:)支持它,需要启用$data引用和 Ajv v5.x.x(:
{
"type": "object",
"properties": {
"Contacts": {
"type": "array",
"minItems": 1,
"items": {
"type": "object",
"properties": {
"mode": {"type": "string"},
"contact": {"type": "string"}
},
"select": { "$data": "0/mode" },
"selectCases": {
"Email": {
"properties": {
"contact": {"format": "email"}
}
},
"Phone": {
"properties": {
"contact": {"pattern": "phone_pattern"}
}
}
},
"selectDefault": false,
"required": ["mode", "contact"]
}
}
}
}
我更喜欢最后一个选项。