我正在制作一个包含丰富文字的表格。我有TinyMCE,Backbone控制逻辑,下划线用于模板。
我无法找到将Backbone模型绑定到TinyMCE值的方法吗?
类似的东西:
var backboneModel = new BackBobeModel();
tinymce.init({
selector:'#rich-text',
'data-object': backboneModel.richText
});
答案 0 :(得分:1)
据我所知,TinyMCE不会自动与Backbone绑定。所以我创建了一个简单的可重用TextArea
组件。
它是从Backbone View创建的,它将自己的根<textarea>
元素作为TinyMCE实例初始化,并将自身绑定到其Change
事件中。
var TextArea = Backbone.View.extend({
tagName: 'textarea',
initialize: function(options) {
// set the default options
options = this.options = _.extend({
attribute: 'value',
format: 'raw'
}, options);
// initialize a default model if not provided
if (!this.model) this.model = new Backbone.Model();
if (!this.getValue()) this.setValue('');
this.listenTo(this.model, 'change:' + options.attribute, this.onModelChange);
},
render: function() {
this.$el.html(this.getValue());
tinymce.init({
target: this.el,
init_instance_callback: this.onEditorInit.bind(this)
});
return this;
},
// simple accessors
getValue: function() {
return this.model.get(this.options.attribute) || '';
},
setValue: function(value, options) {
return this.model.set(this.options.attribute, value, options);
},
// event handlers
onEditorInit: function(editor) {
editor.on('Change', this.onTextChange.bind(this));
this.editor = editor;
},
onTextChange: function(e) {
this.setValue(this.editor.getContent());
},
onModelChange: function(model, value, options) {
if (!this.editor) return;
this.editor.setContent(value, { format: this.options.format });
}
});
您可以在没有模型的情况下使用它,它将创建自己的模型来跟踪数据。
var component = new TextArea({ content: "initial content" });
可以检索数据甚至收听组件的模型。
component.getValue();
// or use events:
Backbone.listenTo(component.model, 'change:value', function(model, value, options) {
// use the new value
});
假设您有一个具有任意属性的自定义模型。
var car = new CarModel({
make: "mazda",
description: "This is a car"
// ...
});
将它传递给组件,定义它应该用于更新模型的属性。
var component = new TextArea({
model: car,
//
attribute: 'description'
});
现在,只要用户在TinyMCE框中输入内容,就会自动更新相同的初始模型实例description
属性。
Backbone.listenTo(car , 'change:description', function(model, value, options) {
console.log("Car description changed:", value);
});