2016-08-03 92 views
2

我是很新的NoSQL和奮力寫這個查詢 我對Node.js的查找基於集團的貓鼬

我想實現的是用貓鼬得到一個最新的結果最新記錄基於集團的設備ID。我在SQL中編寫這個函數沒有問題,但是在NoSQL中很難做到這一點。

這裏是模型設置

_id  DeviceID  Coordinate:{lat, long} 
1  2   lat: 1, long: 2 
2  3   lat: 2, long: 3 
3  1   lat: 3, long: 3 
4  3   lat: 5, long: 4 
5  2   lat: 7, long: 5 
6  2   lat: 9, long: 6 
7  3   lat: 111, long: 7 
8  2   lat: 113, long: 8 

,我想輸出是:

_id  DeviceID  Coordinate:{lat, long} 
3  1   lat: 3, long: 3 
7  3   lat: 111, long: 7 
8  2   lat: 113, long: 8 

這是我已經試過,但我已經得到的結果是undefined

注:beginDayID,endDayID是mongoose的變量ObjectId表示開始和結束日期的_id。

mongoose.model('GPSData').aggregate([ 
    {$match: {_id:{$gte: beginDayID, $lt: endDayID}}}, 
    {$unwind: "$Coordinates"}, 
    {$project: {DeviceID: '$DeviceID' }}, 
    {$group: { DeviceID: '$DeviceID', $lat: '$Coordinates.lat', $long: '$Coordinates.long'}} 

    ], (e, data) => { 
    console.error(e) 
    console.log(data) 
    if (e) return callback(e, null); 
    return callback(null, data); 
    }) 
+0

請參閱我的答案 - 如果它不適用於您,請顯示一些真實的示例文檔和預期輸出,以便我們可以更具體 – DAXaholic

回答

2

我假設你有文件有點類似於此

/* 1 */ 
{ 
    "_id" : 1, 
    "DeviceID" : 1, 
    "Coordinate" : { 
     "lat" : 1, 
     "long" : 2 
    } 
} 

/* 2 */ 
{ 
    "_id" : 2, 
    "DeviceID" : 2, 
    "Coordinate" : { 
     "lat" : 1, 
     "long" : 6 
    } 
} 
... 

那麼像這樣的聚合管道應該工作

mongoose.model('GPSData').aggregate([ 
    { 
     $match: ... // your match filter criteria 
    }, 
    { 
     $sort: { 
      _id: 1 
     } 
    }, 
    { 
     $group: { 
      _id: '$DeviceID', 
      lastId: { $last: '$_id' }, 
      lat: { $last: '$Coordinate.lat' }, 
      long: { $last:'$Coordinate.long' } 
     } 
    }, 
    { 
     $project: { 
      _id: '$lastId', 
      DeviceID: '$_id', 
      lat: 1, 
      long: 1 
     } 
    } 
]) 

這樣

/* 1 */ 
{ 
    "_id" : 1, 
    "DeviceID" : 1, 
    "Coordinate" : { 
     "lat" : 1, 
     "long" : 2 
    } 
} 

/* 2 */ 
{ 
    "_id" : 2, 
    "DeviceID" : 2, 
    "Coordinate" : { 
     "lat" : 1, 
     "long" : 6 
    } 
} 
輸出文件形外觀

注意th在$sort的附加階段,因爲在談論保持'最後的值'時你必須指定一個順序。您可能需要指定另一個排序,如果您有其他要求

+0

按預期工作,感謝您的幫幫我 – XPLOT1ON