11

我目前正在将 TinyMCE 源作为依赖项传递,然后调用 tinyMCE.init({}); 但它没有初始化 TinyMCE。当我 console.log TinyMCE 时,它返回一个 TinyMCE 对象。下面的代码示例:

define([
'jQuery',
'Underscore',
'Backbone',
'TinyMCE'
], function($, _, Backbone, tinyMCE) {

        tinyMCE.init({
            mode: "exact",
            elements: $('textarea'),
            theme: "advanced",
            theme_advanced_toolbar_location: 'top',
            theme_advanced_buttons1: 'bold,italic,underline,bullist,numlist,link,unlink',
            theme_advanced_buttons2: '',
            theme_advanced_buttons3: '',
            theme_advanced_toolbar_align: 'left',
            plugins: 'paste,inlinepopups',
            width: '100%',
            height: textarea.attr('data-height'),
            oninit: function () {
                console.log('TargetTD :');
                console.log(targetTD);

            }
        });
   }
});
4

3 回答 3

34

对于 requirejs 2.1.0 或更高版本,您可以使用“shim”,请参见下面的主脚本示例:

requirejs.config({
    baseUrl: "js",
    paths: {
        tinyMCE: 'libs/tinymce/tiny_mce'
    },
    shim: {
        tinyMCE: {
            exports: 'tinyMCE',
            init: function () {
                this.tinyMCE.DOM.events.domLoaded = true;
                return this.tinyMCE;
            }
        }
    }
});

requirejs([
    'tinyMCE'
], function (tinyMCE) {
    console.log(tinyMCE);

    // your code here
});

编辑:我在评论中添加了 iimuhin 的片段。没有它似乎行不通。我添加它是因为未来的搜索者会喜欢避免增加的 IE 头痛。

于 2013-03-12T14:13:47.300 回答
6

有同样的问题。我的解决方案是直接使用 TinyMCE jQuery 插件而不是 TinyMCE。这样它工作正常。

define(['jquery', 'tiny_mce/jquery.tinymce'], function ($) {
    $('textarea').tinymce({
        script_url : 'js/tiny_mce/tiny_mce.js',
        theme : 'advanced',
        theme_advanced_buttons1 : 'fontselect,fontsizeselect,forecolor,bold,italic,underline,strikethrough,justifyleft,justifycenter,justifyright,justifyfull,removeformat,indent,outdent,numlist,bullist,copy,paste,link',
        theme_advanced_buttons2 : '',
        theme_advanced_buttons3 : '',
        theme_advanced_toolbar_location : 'top',
        theme_advanced_toolbar_align : 'left'
   });
});
于 2012-07-06T08:12:21.803 回答
0

您可以像往常一样在主干视图中实现 tinyMCE。但是你必须等到视图的 el 插入到 dom 中之后才能初始化 tinyMCE。在 javascript 中,现在可以检测元素何时插入 DOM。但是当一个主干视图被渲染时(Backbone.View.render()),该元素将在当前浏览器的进程之后插入到dom中。使用“setTimeout”以 1 毫秒初始化微小的 mce 元素(这将简单地在下一个浏览器进程中执行代码)。

var FormTextArea = Backbone.View.extend({
    template : _.template('<%=value%>'),
    tagName: 'textarea',
    className: "control-group",
    render: function(){ 
        this.$el.html(this.template(this.model.toJSON()));
        setTimeout(_.bind(this.initMCE, this), 1);
        return this;
    },
    initMCE: function(){
        tinymce.init({selector: 'textarea'});
    }
});

var v = new FormTextArea({
    model: new Backbone.Model({value: '<h2>Heading 2</h2><p>A paragraph here</p>'})
});

$('body').append(v.render().el);

这是一个jsfiddle:

http://jsfiddle.net/pCdSy/10/

于 2015-08-26T19:29:44.450 回答