使用 TypeScript 进行填充
Mongoose 的 TypeScript 绑定 为 populate()
添加了一个泛型参数 Paths
。
import { Schema, model, Document, Types } from 'mongoose';
// `Parent` represents the object as it is stored in MongoDB
interface Parent {
child?: Types.ObjectId,
name?: string
}
const ParentModel = model<Parent>('Parent', new Schema({
child: { type: Schema.Types.ObjectId, ref: 'Child' },
name: String
}));
interface Child {
name: string;
}
const childSchema: Schema = new Schema({ name: String });
const ChildModel = model<Child>('Child', childSchema);
// Populate with `Paths` generic `{ child: Child }` to override `child` path
ParentModel.findOne({}).populate<{ child: Child }>('child').orFail().then(doc => {
// Works
const t: string = doc.child.name;
});
另一种方法是定义一个 PopulatedParent
接口并使用 Pick<>
来提取要填充的属性。
import { Schema, model, Document, Types } from 'mongoose';
// `Parent` represents the object as it is stored in MongoDB
interface Parent {
child?: Types.ObjectId,
name?: string
}
interface Child {
name: string;
}
interface PopulatedParent {
child: Child | null;
}
const ParentModel = model<Parent>('Parent', new Schema({
child: { type: Schema.Types.ObjectId, ref: 'Child' },
name: String
}));
const childSchema: Schema = new Schema({ name: String });
const ChildModel = model<Child>('Child', childSchema);
// Populate with `Paths` generic `{ child: Child }` to override `child` path
ParentModel.findOne({}).populate<Pick<PopulatedParent, 'child'>>('child').orFail().then(doc => {
// Works
const t: string = doc.child.name;
});
使用 PopulatedDoc
Mongoose 还导出一个 PopulatedDoc
类型,它可以帮助您在文档接口中定义填充的文档。
import { Schema, model, Document, PopulatedDoc } from 'mongoose';
// `child` is either an ObjectId or a populated document
interface Parent {
child?: PopulatedDoc<Document<ObjectId> & Child>,
name?: string
}
const ParentModel = model<Parent>('Parent', new Schema({
child: { type: 'ObjectId', ref: 'Child' },
name: String
}));
interface Child {
name?: string;
}
const childSchema: Schema = new Schema({ name: String });
const ChildModel = model<Child>('Child', childSchema);
ParentModel.findOne({}).populate('child').orFail().then((doc: Parent) => {
const child = doc.child;
if (child == null || child instanceof ObjectId) {
throw new Error('should be populated');
} else {
// Works
doc.child.name.trim();
}
});
但是,我们建议使用第一节中的 .populate<{ child: Child }>
语法,而不是 PopulatedDoc
。以下两个原因是:
- 您仍然需要添加一个额外的检查来查看
child instanceof ObjectId
。否则,TypeScript 编译器将以Property name does not exist on type ObjectId
失败。因此,使用PopulatedDoc<>
意味着您需要在使用doc.child
的每个地方都进行额外的检查。 - 在
Parent
接口中,child
是一个水化的文档,这使得 Mongoose 在您使用lean()
或toObject()
时难以推断child
的类型。