我有一个带有编辑页面的Meteor应用程序,只有编辑才能访问。我正在使用Iron-Router,我的Router.map如下所示。但是,这并不是一种奇怪的方式。如果我提供了一个指向编辑器页面的链接,那么一切都很好,但是如果我尝试输入/ editor url,那么它总是会重定向到home,即使用户角色设置正确也是如此。
(我曾排除的一件事是,如果在之前调用Roles.userIsInRole之前未设置Meteor.userId()。)
任何人都知道为什么会这样?
Router.map(function() {
...
this.route('editor', {
path: '/editor',
waitOn: function() {
//handle subscriptions
},
data: function() {
//handle data
},
before: function() {
if ( !Roles.userIsInRole(Meteor.userId(), 'editor') ) {
this.redirect('home');
}
}
});
...
});
答案 0 :(得分:4)
Roles
包设置automatic publication,在roles
集合上发送Meteor.users
属性。遗憾的是,您无法获得自动发布的订阅句柄,因此您需要自己创建。
设置一个新的订阅,发布用户所需的数据,然后配置路由器在显示任何页面之前检查数据是否准备就绪。
例如:
if (Meteor.isServer) {
Meteor.publish("user", function() {
return Meteor.users.find({
_id: this.userId
}, {
fields: {
roles: true
}
});
});
}
if (Meteor.isClient) {
var userData = Meteor.subscribe("user");
Router.before(function() {
if (Meteor.userId() == null) {
this.redirect('login');
return;
}
if (!userData.ready()) {
this.render('logingInLoading');
this.stop();
return;
}
this.next(); // Needed for iron:router v1+
}, {
// be sure to exclude the pages where you don't want this check!
except: ['register', 'login', 'reset-password']
});
}