我想知道如何在环回查询上进行聚合。我使用MySQL作为数据库,在数据库中有这样的记录-
{ 'app_name': 'chrome', 'duration' : 10000 }, { 'app_name': 'WhatsApp', 'duration' : 25000 } and so on
请注意,持续时间以毫秒为单位。我正在使用angular 7作为前端,我想进行环回查询以汇总所有记录的持续时间,现在我正在进行类似-
Apps.find({}).toPromise()
.then(apps => {
let result = apps.reduce((app, total) = {
total += app.duration;
return total
}, 0)
console.log(result);
})
.catch(err => {
console.log(err);
})
但是,通过这种方法,我可以获得持续时间的总和,但是如果我有数百万个记录,那么它不是一种可伸缩的解决方案,例如从数百万个记录中进行迭代,然后求和持续时间。 我想知道MySQL的回送查询中是否存在聚合。 我想要一个查询-
Apps.find({
aggregation: {
sum: 'duration'
}
}).toPromise()
.then(result => {
console.log(result);
})
.catch(err => {
console.log(err);
})
类似的东西。
答案 0 :(得分:1)
LoopBack还不支持聚合。我的建议是编写一个自定义控制器方法,该方法将执行一个自定义SQL查询以聚合结果。
// in your controller
export class MyController {
constructor(
@repository(AppRepository) protected appRepo: AppRepository
) {}
// default CRUD methods scaffolded by lb4
// custom method
@get('/apps/durations')
getDurations() {
return this.appRepo.getAggregatedDurations();
}
}
// in your AppRepository
export class AppRepository extends DefaultCrudRepository<
App,
typeof App.prototype.id,
AppRelations
> {
constructor(
@inject('datasources.db') dataSource: juggler.DataSource,
// ...
) {
super(App, dataSource);
// ...
}
// add a new method
async getAggregatedDurations(): Promise<number> {
// A mock-up SQL query, you may need to tweak it
const result = await this.execute('SELECT SUM(duration) as total_duration FROM Apps');
// I am not entirely sure what's the shape of result object,
// you have to find out yourself how to access "total_duration" field
return result[0].total_duration;
}
}
另请参见execute
方法的API文档:https://loopback.io/doc/en/lb4/apidocs.repository.executablerepository.execute.html和LoopBack 3.x文档:https://loopback.io/doc/en/lb3/Executing-native-SQL.html