2

我正在尝试执行远程网格使用的查询,因此我必须处理每个字段的排序(asc,desc)。

以下是模式:

var customerSchema = new mongoose.Schema({
status: {type: mongoose.Schema.Types.ObjectId, ref: 'Status'},
contact: {type: mongoose.Schema.Types.ObjectId, ref: 'Contact'}
}, { collection: 'Customer' });

customerSchema.virtual('contactName').get(function () {
   if (this.contact && this.contact.get) {
       return this.contact.get('firstName') + ' ' + this.contact.get('lastName');
   }

   return '';
});

customerSchema.virtual('statusName').get(function () {
   if (this.status && this.status.get) {
       return this.status.get('name');
   }

   return '';
});

customerSchema.set('toJSON', { virtuals: true });
customerSchema.set('toObject', { virtuals: true });
mongoose.model('Customer', customerSchema);

// STATUS
var statusSchema = new mongoose.Schema({}, { collection: 'Status' });
mongoose.model('Status', statusSchema);

// CONTACT
var contactSchema = new mongoose.Schema({
    firstName: String,
    lastName: String
}, { collection: 'Contact' });
mongoose.model('Contact', contactSchema);

这是查询:

exports.customerList = function (predicate ,callback){
if (!predicate) predicate = 'name';
var Customers = mongoose.model( 'Customer' );
    
Customers.find()
    .select('name phone address status contact contactName statusName')
    .populate('status', 'name')
    .populate('contact', 'firstName lastName')
    .sort(predicate)
    .exec(callback);
};

查询在“姓名”(即 Customer.name)或“地址”(Customer.address)上排序时有效,但在“contact.firstName”(应为 Customer.contact.firstName)时无法正常工作.

populate 函数的第四个参数是一个选项对象,它可以有一个排序对象,但是这样做:

.populate('contact', 'firstName lastName', null, { sort {'firstName': 1}})

不起作用(似乎对客户的联系人列表进行排序)。

我对猫鼬(和猫鼬)完全陌生。我正在尝试将 rails 项目移植到 node/express。

有没有办法按contact.firstName对查询进行排序?


编辑:我最终手动进行了排序(Array.sort),但我真的不喜欢这个解决方案。排序是同步的,所以它会阻塞 node.js 主线程(如果我错了,请纠正我)。

有什么我不明白的吗?排序数据集对我来说是一个数据库问题,而不是应用程序......我对将我的 rails 应用程序转换为 node.js 抱有很大希望,但似乎某些标准操作(分页网格)真的很难实现!

4

1 回答 1

9

您不能对虚拟字段或填充字段进行排序,因为这些字段仅存在于您的应用程序对象(Mongoose 模型实例)中,但排序是在 MongoDB 中执行的。

这是 MongoDB 不支持连接导致的关键限制之一。如果您的数据是高度相关的,那么您应该考虑使用关系数据库而不是 MongoDB。

于 2013-10-18T13:10:00.683 回答