我想根据另一个字段中的数据为一个字段指定正则表达式模式。这可能吗?我尝试过switch和$ 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"
]
}
}
}
}
如何根据模式中的数据设置联系模式,以便如果模式为电子邮件,则验证联系人针对电子邮件格式的正则表达式,如果模式为电话,则验证联系人针对电话的正则表达式格式?我有每个的正则表达式。我需要逻辑来选择其中一个。
答案 0 :(得分:12)
有几种方法可以做到这一点
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 (available in ajv-keywords package,专业人士:错误报告更有意义,accepted to be included in 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"]
}
}
}
}
选择(available in ajv-keywords package,专业人员:比if / then / else更简洁,特别是如果有两个以上的可能值,缺点:not on the standard track yet,但你可以支持它:),需要启用$ data reference和Ajv v5.xx):
{
"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"]
}
}
}
}
我更喜欢最后一个选项。