- Java 双重比较
- java - 比较器与 Apache BeanComparator
- Objective-C 完成 block 导致额外的方法调用?
- database - RESTful URI 是否应该公开数据库主键?
假设我们有这样一个模式(我借用了 OpenAPI 3.0 格式,但我认为意图很明确):
{
"components": {
"schemas": {
"HasName": {
"type": "object",
"properties": {
"name": { "type": "string" }
}
},
"HasEmail": {
"type": "object",
"properties": {
"email": { "type": "string" }
}
},
"OneOfSample": {
"oneOf": [
{ "$ref": "#/components/schemas/HasName" },
{ "$ref": "#/components/schemas/HasEmail" }
]
},
"AllOfSample": {
"allOf": [
{ "$ref": "#/components/schemas/HasName" },
{ "$ref": "#/components/schemas/HasEmail" }
]
},
"AnyOfSample": {
"anyOf": [
{ "$ref": "#/components/schemas/HasName" },
{ "$ref": "#/components/schemas/HasEmail" }
]
}
}
}
}
基于这个模式和我目前阅读的文档,我会像这样表达类型 OneOfSample
和 AllOfSample
:
type OneOfSample = HasName | HasEmail // Union type
type AllOfSample = HasName & HasEmail // Intersection type
但是我将如何表达 AnyOfSample
类型?基于此页面:https://swagger.io/docs/specification/data-models/oneof-anyof-allof-not/我会想到这样的事情:
type AnyOfSample = HasName | HasEmail | (HasName & HasEmail)
问题是如何在 typescript 中正确表达 JSON 模式中的 anyOf 类型?
最佳答案
看起来“OneOf”的意思是“必须完全一个”,而“AnyOf”的意思是“必须至少个匹配”。事实证明,“至少一个”是一个更基本的概念,对应于union。 |
表示的操作(“inclusive or ”)象征。因此,您的问题的答案是:
type AnyOfSample = HasName | HasEmail // Union type
与交集的进一步并集不会改变接受的值:
type AnyOfSample = HasName | HasEmail | (HasName & HasEmail)
因为联合只能添加元素,而HasName & HasEmail
的所有元素已经出现在 HasName | HasEmail
中.观察:
type HasName = { name: string }
type HasEmail = { email: string };
type AnyOfIntersection = HasName | HasEmail | (HasName & HasEmail)
type AnyOfWithout = HasName | HasEmail
const aI: AnyOfIntersection = { name: "", email: "" }; // of course
const aW: AnyOfWithout = { name: "", email: "" }; // also accepted
如果要使用 the in
operator to narrow values,您可能希望保留交集,这做出了技术上不正确但通常有用的假设,即如果某个键未知存在于某个类型中,那么它不存在:
function processAnyOf(aI: AnyOfIntersection, aW: AnyOfWithout) {
if (("name" in aI) && ("email" in aI)) {
aI; // (HasName & HasEmail)
}
if (("name" in aW) && ("email" in aW)) {
aW; // never
}
}
当然,这意味着您对 OneOfSample
的定义不正确.这个操作更像是一个 disjunctive union ( "exclusive or" ),虽然不完全是因为当你有三个或更多集合时,析取并集的通常定义意味着“匹配奇数”,这不是你想要的。顺便说一句,我找不到我们在这里谈论的析取联合类型的广泛使用的名称,尽管这里有一个 interesting paper。讨论它。
那么,我们如何在 TypeScript 中表示“完全匹配”?这并不简单,因为它最容易根据 negation 构建或 subtraction TypeScript 目前无法做到的类型。也就是说,您想说这样的话:
type OneOfSample = (HasName | HasEmail) & Not<HasName & HasEmail>; // Not doesn't exist
但是没有Not
在这里工作。因此,您所能做的就是某种解决方法……那么有什么可能呢?您可以告诉 TypeScript 一个类型可能没有特定的属性。例如类型 NoFoo
可能没有 foo
键:
type ProhibitKeys<K extends keyof any> = {[P in K]?: never};
type NoFoo = ProhibitKeys<'foo'>; // becomes {foo?: never};
并且您可以使用条件类型获取一个键名列表并从另一个列表中删除键名(即减去字符串文字):
type Subtract = Exclude<'a'|'b'|'c', 'c'|'d'>; // becomes 'a'|'b'
这让您可以执行以下操作:
type AllKeysOf<T> = T extends any ? keyof T : never; // get all keys of a union
type ProhibitKeys<K extends keyof any> = {[P in K]?: never }; // from above
type ExactlyOneOf<T extends any[]> = {
[K in keyof T]: T[K] & ProhibitKeys<Exclude<AllKeysOf<T[number]>, keyof T[K]>>;
}[number];
在这种情况下,ExactlyOneOf
需要一个类型的元组,并将表示元组的每个元素的联合,明确禁止来自其他类型的键。让我们看看它的实际效果:
type HasName = { name: string };
type HasEmail = { email: string };
type OneOfSample = ExactlyOneOf<[HasName, HasEmail]>;
如果我们检查 OneOfSample
使用 IntelliSense,它是:
type OneOfSample = (HasEmail & ProhibitKeys<"name">) | (HasName & ProhibitKeys<"email">);
这是说“没有 HasEmail
属性的 name
,或者没有 HasName
属性的 email
。它有效吗?
const okayName: OneOfSample = { name: "Rando" }; // okay
const okayEmail: OneOfSample = { email: "rando@example.com" }; // okay
const notOkay: OneOfSample = { name: "Rando", email: "rando@example.com" }; // error
看起来像。
元组语法允许您添加三种或更多类型:
type HasCoolSunglasses = { shades: true };
type AnotherOneOfSample = ExactlyOneOf<[HasName, HasEmail, HasCoolSunglasses]>;
这检查为
type AnotherOneOfSample = (HasEmail & ProhibitKeys<"name" | "shades">) |
(HasName & ProhibitKeys<"email" | "shades">) |
(HasCoolSunglasses & ProhibitKeys<"email" | "name">)
如您所见,它正确地分发了被禁止的 key 。
还有其他方法可以做到这一点,但这就是我继续进行的方式。这是一种变通方法而不是完美的解决方案,因为它无法正确处理某些情况,例如具有相同键的两种类型的属性是不同类型:
declare class Animal { legs: number };
declare class Dog extends Animal { bark(): void };
declare class Cat extends Animal { meow(): void };
type HasPetCat = { pet: Cat };
type HasPetDog = { pet: Dog };
type HasOneOfPetCatOrDog = ExactlyOneOf<[HasPetCat, HasPetDog]>;
declare const abomination: Cat & Dog;
const oops: HasOneOfPetCatOrDog = { pet: abomination }; // not an error
在上面,ExactlyOneOf<>
无法向下递归到 pet
的属性属性以确保它不是一个 Cat
和一个 Dog
.这可以解决,但它开始变得比您可能想要的更复杂。还有其他边缘情况。这取决于您的需求。
关于typescript - JSON 模式的 anyOf 类型如何转换为 typescript ?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/52836812/
对此感到疯狂,真的缺少一些东西。 我有webpack 4.6.0,webpack-cli ^ 2.1.2,所以是最新的。 在文档(https://webpack.js.org/concepts/mod
object Host "os.google.com" { import "windows" address = "linux.google.com" groups = ["linux"] } obj
每当我安装我的应用程序时,我都可以将数据库从 Assets 文件夹复制到 /data/data/packagename/databases/ .到此为止,应用程序工作得很好。 但 10 或 15 秒后
我在 cc 模式缓冲区中使用 hideshow.el 来折叠我不查看的文件部分。 如果能够在 XML 文档中做到这一点就好了。我使用 emacs 22.2.1 和内置的 sgml-mode 进行 xm
已结束。此问题不符合 Stack Overflow guidelines .它目前不接受答案。 我们不允许提出有关书籍、工具、软件库等方面的建议的问题。您可以编辑问题,以便用事实和引用来回答它。 关闭
根据java: public Scanner useDelimiter(String pattern) Sets this scanner's delimiting pattern to a patt
我读过一些关于 PRG 模式以及它如何防止用户重新提交表单的文章。比如this post有一张不错的图: 我能理解为什么在收到 2xx 后用户刷新页面时不会发生表单提交。但我仍然想知道: (1) 如果
看看下面的图片,您可能会清楚地看到这一点。 那么如何在带有其他一些 View 的简单屏幕中实现没有任何弹出/对话框/模式的微调器日期选择器? 我在整个网络上进行了谷歌搜索,但没有找到与之相关的任何合适
我不知道该怎么做,我一直遇到问题。 以下是代码: rows = int(input()) for i in range(1,rows): for j in range(1,i+1):
我想为重写创建一个正则表达式。 将所有请求重写为 index.php(不需要匹配),它不是以/api 开头,或者不是以('.html',或'.js'或'.css'或'.png'结束) 我的例子还是这样
MVC模式代表 Model-View-Controller(模型-视图-控制器) 模式 MVC模式用于应用程序的分层开发 Model(模型) - 模型代表一个存取数据的对象或 JAVA PO
我想为组织模式创建一个 RDF 模式世界。您可能知道,组织模式文档基于层次结构大纲,其中标题是主要的分组实体。 * March auxiliary :PROPERTIES: :HLEVEL: 1 :E
我正在编写一个可以从文件中读取 JSON 数据的软件。该文件包含“person”——一个值为对象数组的对象。我打算使用 JSON 模式验证库来验证内容,而不是自己编写代码。符合代表以下数据的 JSON
假设我有 4 张 table 人 公司 团体 和 账单 现在bills/persons和bills/companys和bills/groups之间是多对多的关系。 我看到了 4 种可能的 sql 模式
假设您有这样的文档: doc1: id:1 text: ... references: Journal1, 2013, pag 123 references: Journal2, 2014,
我有这个架构。它检查评论,目前工作正常。 var schema = { id: '', type: 'object', additionalProperties: false, pro
这可能很简单,但有人可以解释为什么以下模式匹配不明智吗?它说其他规则,例如1, 0, _ 永远不会匹配。 let matchTest(n : int) = let ran = new Rand
我有以下选择序列作为 XML 模式的一部分。理想情况下,我想要一个序列: 来自 my:namespace 的元素必须严格解析。 来自任何其他命名空间的元素,不包括 ##targetNamespace和
我希望编写一个 json 模式来涵盖这个(简化的)示例 { "errorMessage": "", "nbRunningQueries": 0, "isError": Fals
首先,我是 f# 的新手,所以也许答案很明显,但我没有看到。所以我有一些带有 id 和值的元组。我知道我正在寻找的 id,我想从我传入的三个元组中选择正确的元组。我打算用两个 match 语句来做到这
我是一名优秀的程序员,十分优秀!