- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
当我使用投影进行查询时,我希望类型会有所不同。例如,我的集合中有用户类型的文档。
interface User {
_id?: ObjectId
username: string
foo: number
}
当我查询它时,我希望结果是 UserView 类型
interface UserView {
_id: ObjectId
username: string
}
我的存储库看起来像这样。
class UserRepository {
private collection: Collection<User>
constructor(db: Db) {
this.collection = db.collection<User>('User')
}
public async getUserById(id: ObjectId): Promise<UserView | null> {
// Result has type User
const result = await this.collection
.findOne({ _id: ${ eq: id } }, { projection: { _id: 1, username: 1 })
}
}
目前我能想到的解决方案是像这样为每种类型创建一个新集合。
this.collection = db.collection<User>('User')
this.viewCollection = db.collection<UserView>('User')
或者省略输入并像这样返回函数:
public async getUserById(id: ObjectId): Promise<UserView | null> {
// Result has type Document
const result = await this.collection
.findOne({ _id: ${ eq: id } }, { projection: { _id: 1, username: 1 })
if (result) return result as Userview
return null
}
在带有投影的 MongoDB 查询中正确输入的最佳方法是什么?
最佳答案
首先,您不需要为您可能使用的每个投影组合创建自定义类型。而不是声明 UserView
您可以使用内置的 Pick 实用程序类型:Pick<User,'_id'|'username'>
.
然后至于用户投影本身的类型安全检索,而不是使用 as
的更容易出错的类型转换,您可以通过类型参数推断和 keyof
充分利用泛型运算符(operator)达到这样的目的:
public async getUserById<Field extends keyof User>(
id: mongodb.ObjectId,
fields: Field[]
): Promise<Pick<User, Field> | null> {
const projection: mongodb.FindOptions['projection'] = {};
fields.forEach((field) => { projection[field] = 1; });
const result = await this.db.collection<User>('users').findOne(
{ _id: id },
{ projection }
);
return result;
}
// Usage:
const user = await this.getUserById('myId', ['_id', 'username']);
console.log(user); // user is fully type-safe with only the _id and username fields
我迭代地达到了以前的解决方案,你可以看到我在 getUserById
的各个版本上的进步下面的方法,如果你想更好地理解它可能会有用:
import * as mongodb from 'mongodb';
interface User {
_id: string,
username: string,
foo: string
}
export default abstract class Test {
private static db: mongodb.Db;
public static async init() {
const client = new mongodb.MongoClient('YOUR_MONGO_URL');
await client.connect();
this.db = client.db();
}
public static async test() {
const user: User = { _id: 'myId', username: 'chris', foo: 'bar' };
console.log(user);
// Iteration 1: Using hardcoded union type and projection (not reusable)
const user1 = await this.getUserById1('myId');
console.log(user1);
// Iteration 2: Using hardcoded projection (not reusable)
const user2 = await this.getUserById2<'_id' | 'username'>('myId');
console.log(user2);
// Interation 3: Using dynamic union type and projection, but duplicated (not ideal)
const user3 = await this.getUserById3<'_id' | 'username'>('myId', ['_id', 'username']);
console.log(user3);
// Iteration 4: Using dynamic projection with generic type argument inference, the best solution!
const user4 = await this.getUserById4('myId', ['_id', 'username']);
console.log(user4);
}
// Iteration 1: Using hardcoded union type and projection (not reusable)
public static async getUserById1(
id: string
): Promise<Pick<User, '_id' | 'username'> | null> {
const result = await this.db.collection<User>('users').findOne(
{ _id: id },
{ projection: { _id: true, username: true } }
);
return result;
}
// Iteration 2: Using hardcoded projection (not reusable)
public static async getUserById2<Field extends keyof User>(
id: string
): Promise<Pick<User, Field> | null> {
const result = await this.db.collection<User>('users').findOne(
{ _id: id },
{ projection: { _id: true, username: true } }
);
return result;
}
// Interation 3: Using dynamic union type and projection, but duplicated (not ideal)
public static async getUserById3<Field extends keyof User>(
id: string,
fields: (keyof User)[]
): Promise<Pick<User, Field> | null> {
const projection: mongodb.FindOptions['projection'] = {};
fields.forEach((field) => { projection[field] = true; });
const result = await this.db.collection<User>('users').findOne(
{ _id: id },
{ projection }
);
return result;
}
// Iteration 4: Using dynamic projection with generic type argument inference, the best solution!
public static async getUserById4<Field extends keyof User>(
id: string,
fields: Field[]
): Promise<Pick<User, Field> | null> {
const projection: mongodb.FindOptions['projection'] = {};
fields.forEach((field) => { projection[field] = true; });
const result = await this.db.collection<User>('users').findOne(
{ _id: id },
{ projection }
);
return result;
}
}
关于typescript - 如何键入 MongoDB 投影结果,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/69865961/
考虑代码: def foo() -> ??: return bar() 我怎么能说我希望 foo 的返回类型与 bar() 的返回类型相同? 在 C++ 中,我可以使用 decltype,类
我运行以下 mysql 查询并看到第一个查询的类型为 ALL。 mysql> EXPLAIN SELECT one.language_id as filter_id,
http://muaddibspace.blogspot.com/2008/01/type-inference-for-simply-typed-lambda.html是 Prolog 中简单类型 l
鉴于类型 type EnumerableComponentFactory = (config: { Container: React.ComponentType; Item: React.Co
我在我的自动 rmarkdown pdf 文档中使用 stargazer 包来制作漂亮的表格。默认情况下,Stargazer 将其表格放置在页面的中心。如何让观星者生成将表格与左侧对齐的 latex
class A: pass class B(A): pass ListOfA = List[A] list_of_a : ListOfA = [A(), A()] for e in [
我目前正在研究学习 WPF 和 Silverlight。到目前为止,我一直在用 Delphi 和 C# (Winforms) 进行开发。在看一些关于 WPF 的书籍和在线观看一些介绍性视频时,我的印象
在输入如下内容后: ) 按钮。但是那个按钮比较不方便。 (请注意,对于 Orientation="Horizontal" 等下拉选项不存在此问题,从下拉菜单中选择 Horizontal 后,插
我在输入以下内容时遇到问题。 问题在于 TeamIcon . 我的对象定义如下。 import TeamIcon from './components/icons/TeamIcon'; export
Demo 我这里有一个验证类是否存在于 div 中的演示。当没有类时,另一个类将从按钮中删除。基本上,当没有禁用按钮时,添加按钮上的禁用将被删除。 如果用户做的最后一件事是更改,这可以正常工作,但如果
这个问题在这里已经有了答案: How can I access object properties containing special characters? (2 个答案) 关闭 9 年前。 我
尝试创建一个 Web 应用程序(使用 mySQL 和 Python),其中包含马萨诸塞州的徒步旅行路线列表。我只想在一页上显示我的数据库中所有路径的名称,但不知道为什么什么都不显示: ########
您好,我想在使用 jQuery 的文本输入字段中键入时用点替换逗号。我现在有这段代码; $(document).on('change', '.unitprice', function() { $(
我为静态主页编写了以下代码。在这里我想使用类型化的库,它包含在部分“head.html”中。但是由于键入我的内容不断跳跃。这是因为在某个时刻字幕容器是空的。我试过添加默认占位符,但这似乎无法解决问题。
我想知道有没有类似于scanf的函数允许在c中自定义输入。我想要做的是当用户输入想要的日期时,每隔几个字符添加一个点。当用户想要确认他的输入时,他应该按下回车键,并且该变量被保存在某处。 示例:用户输
Java 中有没有办法让 ListModel 只接受特定类型?我要找的是类似 DefaultListModel 的东西或 TypedListModel ,因为 DefaultListModel 只实现
考虑如下数组类型: let example1: MyArray = ['John'], example2: MyArray = [4, 5, 1, 5, 'Eric'], exampl
我想弄清楚我是否正确输入了我的 React 高阶组件。在大多数情况下,这是正常工作的,但是在将 React 引用应用于 HOC 实例时,我遇到了输入问题。下面是一个简化的重现: import * as
这是 Python 3.7 我有一个这样的数据类: @dataclass class Action: action: str 但 Action 实际上仅限于值“bla”和“foo”。有没有一种明
我想弄清楚我是否正确输入了我的 React 高阶组件。在大多数情况下,这是正常工作的,但是在将 React 引用应用于 HOC 实例时,我遇到了输入问题。下面是一个简化的重现: import * as
我是一名优秀的程序员,十分优秀!