我正在关注排行榜的MeteorJS示例:https://www.meteor.com/examples/leaderboard
我想将投票限制为每天一次(每个IP地址)。最好的方法是什么?
答案 0 :(得分:2)
以下解决方案假设您从排行榜示例的干净版本开始。
第一步:声明一个新的集合来保存IP地址和日期信息。这可以添加到Players
的定义之下。
IPs = new Meteor.Collection('ips');
第二步:通过调用我们的新方法givePoints
替换增量事件。
Template.leaderboard.events({
'click input.inc': function() {
var playerId = Session.get('selected_player');
Meteor.call('givePoints', playerId, function(err) {
if (err)
alert(err.reason);
});
}
});
第三步:在服务器上定义givePoints
方法(this.connection
仅适用于服务器)。您可以通过在Meteor.isServer
检查内的任何位置插入以下内容或在/server
目录下创建新文件来执行此操作。
Meteor.methods({
givePoints: function(playerId) {
check(playerId, String);
// we want to use a date with a 1-day granularity
var startOfDay = new Date;
startOfDay.setHours(0, 0, 0, 0);
// the IP address of the caller
ip = this.connection.clientAddress;
// check by ip and date (these should be indexed)
if (IPs.findOne({ip: ip, date: startOfDay})) {
throw new Meteor.Error(403, 'You already voted!');
} else {
// the player has not voted yet
Players.update(playerId, {$inc: {score: 5}});
// make sure she cannot vote again today
IPs.insert({ip: ip, date: startOfDay});
}
}
});
完整的代码可以在this gist中找到。