我正在学习Backbone和javascript。我遇到了一个错误,这个错误可能与纯javascript有关,而不是主干。
在浏览Backbone教程时(不使用requireJS),我发现下面的代码行。
var FirstSubViewModel = Backbone.View.extend({
render: function() {
var source = $("#vehicleTemplate").html();
var template = _.template(source);
this.$el.html(template(this.model.toJSON()));
this.$el.attr("data-color", this.model.get("color"));
return this;
},
});
我们可以清楚地看到代码returns this
。一切正常。
现在我想在我自己的代码库中做同样的事情(我使用了require.JS。
我的观点型号:错误:无效
define(['backbone'], function(Backbone) {
var FirstSubViewModel = Backbone.View.extend({
template: _.template($('#myChart-template').html()),
render: function() {
$(this.el).html(this.template());
var ctx = $(this.el).find('#lineChart')[0];
return this;
},
initialize: function() {
this.render();
}
});
});
我的控制器:
define(['backbone', 'FirstSubViewModel'], function(Backbone, FirstSubViewModel)
{ var ch = new dashboardModel.chart({});
new FirstSubViewModel({
^^ HERE I GET ERROR
el: '#chartAnchor1',
model: ch
});
});
我的观点型号:工作完全正常
define(['backbone'], function(Backbone) {
var FirstSubViewModel = Backbone.View.extend({
template: _.template($('#myChart-template').html()),
render: function() {
$(this.el).html(this.template());
var ctx = $(this.el).find('#lineChart')[0];
// return this; Commented Out!**
},
initialize: function() {
this.render();
}
});
return FirstSubViewModel;
});
问题:如果我在底部使用return FirstSubViewModel
而不是在渲染函数中返回它,那么一切正常。但我想在return this
中尝试render function
并希望一切正常。我最后不想做return FirstSubViewModel
。
在渲染功能中使用“return this”时出错:
FirstSubViewModel
不是构造函数
答案 0 :(得分:2)
最后一次返回定义了将包含在其他模块中的内容,在这种情况下是必需的。如果没有这个,这个模块将返回undefined
。
让我们在控制台中尝试:
x = undefined
new x()
TypeError:x不是构造函数
return FirstSubViewModel
是强制性的。建议使用渲染功能return this
。
代码:
define(['backbone'], function (Backbone) {
var FirstSubViewModel = Backbone.View.extend({
template: _.template($('#myChart-template').html()),
render: function () {
console.log("inside first sub view render");
$(this.el).html(this.template());
var ctx = $(this.el).find('#lineChart')[0];
return this;
},
initialize: function () {
this.render();
}
});
return FirstSubViewModel; // Works as expected.
});