我正在处理一组数据,这些数据是产品目录。大约只有2万种商品,而且价格变化很少发生。每月最多可能进行100次更新。
但是,在这种情况下,价格变化是一件有趣的事情,我想长时间跟踪价格。
我正在尝试以一种易于查询的方式找到存储价格数据的最佳方法。
当前,它存储在产品文档上的数组中。简单的价格和时间戳。鉴于数据量很小且相当静态,您将如何设计模型?
还有一个额外的问题,一个什么样的过滤器会给出当前价格低于上一个价格的产品列表?
示例数据,模型的简化版本:
// Match, current price is lower than previous price
db.TestC.insert({Name: "P1", CurrentPrice: 10.0, PriceHistory: [{Price: 14.0, Timestamp: ISODate("2019-04-26T07:11:11.939Z")}, {Price: 12.0, Timestamp: ISODate("2019-04-27T07:11:11.939Z")}]})
// No match, price history doesn't exist yet
db.TestC.insert({Name: "P2", CurrentPrice: 10.0, PriceHistory: null})
// No match, previous price was lower than current price
db.TestC.insert({Name: "P3", CurrentPrice: 18.0, PriceHistory: [{Price: 14.0, Timestamp: ISODate("2019-04-26T07:11:11.939Z")}, {Price: 12.0, Timestamp: ISODate("2019-04-27T07:11:11.939Z")}]})
在对此进行更多工作之后进行编辑:
因此,我终于想出了我真正需要的东西,并认为我应该分享以防它对某人有所帮助:
db.TestCollection.aggregate({
'$project': {
'Number': 1,
'AssortmentKey': 1,
'AssortmentName': 1,
'NameExtension': 1,
'Name': 1,
'CurrentPrice': {
'$arrayElemAt': [
'$PriceHistory', -1
]
},
'PreviousPrice': {
'$arrayElemAt': [
'$PriceHistory', -2
]
}
}
}, {
'$match': {
'$expr': {
'$lt': [
'$CurrentPrice.Price', '$PreviousPrice.Price'
]
}
}
})
答案 0 :(得分:2)
我实际上将以相同的方式组织文档。请记住,MongoDB对每个文档有16 MB的硬限制,这是非常高的限制,在这种情况下几乎无法达到,但是仍然存在。
如果您只需要知道当前价格而没有历史记录,则可以使用投影查询,以免通过网络发送庞大的数组:
db.TestC.find({Name: 'P1'}, {Name, CurrentPrice}});
关于奖励问题,您可以利用聚合框架:
db.TestC.aggregate([
{
$project: {
Name: 1,
CurrentPrice: 1,
PreviousPrice: { // remove this key if you don't need to have previous price in the result
$arrayElemAt: [
"$PriceHistory",
0 // depends on whether you store prices by pushing to the end of history array, or to the beginning of it
]
},
IsCurrentPriceLower: {
$lt: [
"$CurrentPrice",
{
$arrayElemAt: [
"$PriceHistory",
0 // depends on whether you store prices by pushing to the end of history array, or to the beginning of it
]
}
]
}
},
},
{
$match: {
IsCurrentPriceLower: true
}
}
])