1

我在 Couchbase 中有以下对象:

{
   "postReplyId": "Reply_9AE1F47E585522FD1D2EFFEA7671C0855BBFDA991698B23886E37D1C65DAC8AF_1375468399745",
   "userId": "User_9AE1F47E585522FD1D2EFFEA7671C0855BBFDA991698B23886E37D1C65DAC8AF",
   "postId": "Message_9AE1F47E585522FD1D2EFFEA7671C0855BBFDA991698B23886E37D1C65DAC8AF_1375457606125",
   "post_reply_message": "Testing",
   "attachments": {
   "images": [
   ],
   "audio": [
   ],
   "videos": [
   ]
   },
   "upVoters": [
   ],
   "downVoters": [
   ],
   "upVotes": 0,
   "report": 0,
   "reporters": [
   ],
   "timestamp": 1375468399745,
   "mtype": "reply"
}

我想查看并返回30 minutes用户上次创建的所有帖子x

我做了:

function (doc, meta) {
  if(doc.mtype == "reply") {
    var dt = new Date();
    if((dt.getTime() - doc.timestamp) < 1800000 )
    emit(doc.userId, doc);
  }
}

我将 userIds 作为 URL 中的多个键传递,但我得到旧结果

有人可以提出解决方案吗?

4

1 回答 1

3

视图在添加/修改文档时运行,并且仅在请求或自动更新时运行。它不会不断地重新运行,更重要的是,它不会为已添加的文档重新运行。因此,正如您所写的那样,您的视图将仅包含旧结果。

您需要发出所有文档并将时间戳作为发出的一部分包含在内,以便您可以将其用作对视图(时间范围)的查询的一部分。

因此,在您的发出函数中,您可能会改为(未经测试的代码):

function (doc, meta) {
  if (doc.mtype === "reply") {
    // dt will be when the document is processed by the view, which may
    // not when the document was added.
    var dt = new Date();  
    var year = dt.getFullYear();
    var month = dt.getMonth() + 1; // make month 1-12
    var day = dt.getDate();
    var hours = dt.getHours();
    var minutes = dt.getMinutes();
    var seconds = dt.getSeconds();

    // emit the full key, including the user id and the date of the document.
    emit([doc.userId, year, month, day, hours, minutes, seconds], doc._id);
  }
}

那么您的查询可能是这个范围(为了便于阅读,分成几行):

/salamis_db/_design/docs/_view/by_user_date?
     startkey=["the-userId", 2013, 8, 7, 10, 30, 0]
     &endkey=["the-userId", 2013, 8, 7, 11, 00, 00]

尽管endkey严格来说不是必需的,但为了清楚起见,我将其保留了下来。

由于 Couchbase 视图的工作方式,视图可能并不总是包含所有数据(来自此处):

无论 stale 参数如何,只有在文档被持久化到磁盘后,系统才能对文档进行索引。如果文档没有被持久化到磁盘,使用陈旧的文件不会强制执行这个过程。您可以使用观察操作来监视文档何时保存到磁盘和/或在索引中更新。

另外,请注意默认情况下不会立即将文档添加到视图中。阅读内容以获取更多信息。

于 2013-08-06T12:24:18.030 回答