我正在使用node.js + cradle和couchdb。
开发消息传递系统当用户提取其邮件列表时,我需要提取向其发送邮件的用户的在线状态。在线状态存储在每个注册用户的用户文档中,消息信息存储在单独的文档中。
这是我能够设法做我需要的唯一方法,但效率极低
privatemessages / all key =邮件收件人的用户名
db.view('privatemessages/all', {"key":username}, function (err, res) {
res.forEach(function (rowA) {
db.view('users/all', {"key":rowA.username}, function (err, res) {
res.forEach(function (row) {
result.push({onlinestatus:row.onlinestatus, messagedata: rowA});
});
});
});
response.end(JSON.stringify(result));
});
有人可以告诉我这样做的正确方法吗?
谢谢
答案 0 :(得分:1)
我认为你的系统可以使用像memcached这样的内存哈希映射。每个用户状态条目将在时间限制后过期。 映射将是 [用户 - > lasttimeseen]
如果hashmap包含用户,则该用户在线。 在某些特定操作上,请刷新lasttimeseen。
然后,不是每次都ping整个世界,只需查询地图本身并返回结果。
答案 1 :(得分:1)
您的代码可能返回空结果,因为您在尚未从DB获取用户状态时调用响应。其他问题是,如果我收到来自同一用户的多条消息,那么呼叫他的状态可能是双重的。下面是一个函数,它首先从数据库中获取消息,避免用户的两面性,然后获取其状态。
function getMessages(username, callback) {
// this would be "buffer" for senders of the messages
var users = {};
// variable for a number of total users I have - it would be used to determine
// the callback call because this function is doing async jobs
var usersCount = 0;
// helpers vars
var i = 0, user, item;
// get all the messages which recipient is "username"
db.view('privatemessages/all', {"key":username}, function (errA, resA) {
// for each of the message
resA.forEach(function (rowA) {
user = users[rowA.username];
// if user doesn't exists - add him to users list with current message
// else - add current message to existing user
if(!user) {
users[rowA.username] = {
// I guess this is the name of the sender
name: rowA.username,
// here will come his current status later
status: "",
// in this case I may only need content, so there is probably
// no need to insert whole message to array
messages: [rowA]
};
usersCount++;
} else {
user.messages.push(rowA);
}
});
// I should have all the senders with their messages
// and now I need to get their statuses
for(item in users) {
// assuming that user documents have keys based on their names
db.get(item, function(err, doc) {
i++;
// assign user status
users[item].status = doc.onlineStatus;
// when I finally fetched status of the last user, it's time to
// execute callback and rerutn my results
if(i === usersCount) {
callback(users);
}
});
}
});
}
...
getMessages(username, function(result) {
response.end(JSON.stringify(result));
});
虽然CouchDB是一个很棒的文档数据库,但您应该小心频繁更新现有文档,因为它会在每次更新后创建全新的文档版本(这是因为它的MVCC模型用于实现高可用性和数据持久性)。此行为的后果是更高的磁盘空间消耗(更多数据/更新,需要更多磁盘空间 - example),因此您应该观察它并相应地运行数据库消耗。
答案 2 :(得分:0)
我想起了这个演讲:
引自Tim O'Reilly:
“星期一,友人为45000名用户调查了flickr近300万次,其中只有6,000人登录。架构不匹配。”
正如其他答案中所指出的,CouchDB中的更新很昂贵,如果可能的话应该避免,并且可能不需要这些数据是持久的。缓存或消息传递系统可以更优雅,更有效地解决您的问题。