Something about ThinkJs and Mongoose

最近使用thinksjs + mongoose把博客后端的接口搭出来了,过程中遇到了一些问题,也收获了一些新的思路

收获

使用mongoose进行查询时的一些稍微复杂的查询方法,由于是初学,也记录一下:

关联查询

mongoose可以通过populate方法直接进行关联查询,例如我们有这样的两个实例:

1
2
3
4
5
6
7
8
9
10
const articleSchema = new Schema({
title: String,
category: {
type: Schema.Types.ObjectId,
ref: 'Catetory'
}
})
const cateSchema = new Schema({
name: String
})

可以直接这样进行关联查询:

1
2
3
4
5
6
7
8
articleModel.find({})
.populate({
path: 'category',
match,
select,
options
...
})

聚合查询

可以使用aggregate进行聚合查询

主要聚合的OPERATION可以在这里进行查看

比如,针对文章列表,我们想要对其进行时间归档,可以按以下方式查询:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
aggregate([{
$project: {
time: { $dateToString: { format: "%Y-%m", date: "$create_at" } },
data: {
_id: '$_id',
title: '$title'
}
}
}, {
$group: {
_id: '$time',
list: {$push: '$data'}
}
}, {
$sort: {
_id: -1
}
}])

大体思路就是,使用$project修改文档结构,新增time和data字段,time表示对应的年和月,如2018-07。
然后按照对应的time进行分组,将同组的data插入到一个数组中。
最后按照_id进行排序。最后我们可以输出以下结构的数据了:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
_id: '2018-08',
list: [{
_id: 'sdfsdfsdf',
title: '第一篇文章'
}, {
_id: 'sdfaaaaa',
title: '第二篇'
}]
}, {
_id: '2018-08',
list: [{
_id: 'sdfsdfsdf',
title: '第3篇文章'
}, {
_id: 'sdfaaaaa',
title: '第4篇'
}]
}]

问题

think-mongoose对populate的支持问题

在使用think-mongoose进行populate时,会出现相关的model未进行注册

参考issue

需要在return schema时手动实例对应的model

1
2
3
4
5
6
7
8
9
10
11
12
{
get schema () {
const schema = new Schema({
type: {
type: Schema.Types.ObjectId,
ref: `${this.tablePrefix}types`
}
})
think.mongoose('types')
return schema
}
}

其中,types是根据model里的文件名称来进行对应的

使用Context.model返回对象无法确定其类型

我们在Controller中,通过this.mongoose()方法获取Model实例,但是返回的对象是通用的MongooseModel,
typescript无法识别真实实例上的方法,我们需要强制对其进行转化。

1
2
3
private getArticleModel(): ArticleModel {
return this.mongoose('article') as ArticleModel
}

think.Mongoose实例上不能对mongoose的model进行友好提示

看了下think-mongoose的声明文件,针对think.Mongoose的声明如下:

1
2
3
4
5
6
7
interface MongooseModel {
new(modelName?: string, config?: object): MongooseModel;
readonly tablePrefix: string;
readonly tableName: string;
models: object;
mongoose(name: string): MongooseModel;
}

可以看到其未集成mongoose的model声明,我们可以让其集成Model声明,这样在think.Mongoose实例上调用this.find等方法时,就会进行友好的提示及验证了

1
2
interface Base extends Document {}
interface MongooseModel extends Model<Base> {...}