我想创建一个 UserSession 模型,它使用 jQuery cookie 插件加载会话 ID 并将其保存到 cookie 中。
这是我的 UserSession 模型模块的代码:
define(['jQuery', 'Underscore', 'Backbone'],
function($, _, Backbone){
var UserSession = Backbone.Model.extend({
defaults: {
'accessToken': null,
'userId': null
},
initialize: function(){
this.load();
},
authenticated: function(){
return Boolean(this.get('accessToken'));
},
save: function(authHash){
$.cookie('userId', authHash.id);
$.cookie('accessToken', authHash.accessToken);
},
load: function(){
this.userId = $.cookie('userId');
this.accessToken = $.cookie('accessToken');
}
})
return UserSession;
});
但是可以说我想在我的登录视图中访问它:
define(['jQuery', 'Underscore', 'Backbone', 'text!templates/login.html', 'models/UserLogin', 'models/UserSession'],
function($, _, Backbone, loginTemplate, UserLogin, UserSession){
var LoginView = Backbone.View.extend({
model: new UserLogin,
el: $('#screen'),
events: {
'submit #frm-login': 'login'
},
login: function(e){
e.preventDefault(); // Lets not actually submit.
this.model.set({
'username': $('#login-username').val(),
'password': $('#login-password').val()
});
this.model.save(null, {
success: function(nextModel, response){
// Do something here with UserSession model
},
error: function(){
}
});
},
render: function(){
$(this.el).html(_.template(loginTemplate, {}));
return this;
}
});
return new LoginView;
});
问题是每次我在模块中访问 UserSession 模型(参见 model.save 成功回调函数)它使用默认值,所以我需要有某种 UserSession 模型的单例实例,我该怎么做?
我的第一个想法是在我们的 main.js (加载的第一个主模块)中使用 app 命名空间并在那里初始化 UserSession 模块,并且每次另一个模块访问该模块时,需要具有返回对象的主模块UserSession 实例。
怎样才能做到最好?
谢谢