如何将 CKEditor 的高级内容过滤器应用于字符串?
我正在尝试使用 editor.on('paste', ...) 拦截粘贴的内容,获取其 ACF 过滤值,然后将我自己的转换应用于过滤值。在这之后,如果它再次通过 ACF 就可以了。
如何将 CKEditor 的高级内容过滤器应用于字符串?
我正在尝试使用 editor.on('paste', ...) 拦截粘贴的内容,获取其 ACF 过滤值,然后将我自己的转换应用于过滤值。在这之后,如果它再次通过 ACF 就可以了。
我最近报告了一张我认为你会觉得有趣的票:http: //dev.ckeditor.com/ticket/11621。这个功能很有可能会在 CKEditor 4.5 中引入。(编辑:这个功能在 4.5 中得到了 CKEditor - CKEDITOR.config.pasteFilter
)。
至于您的问题 - 要将 ACF 应用于 HTML 字符串,您需要:
CKEDITOR.htmlParser.fragment.fromHtml()
.filter.applyTo
在上一步中创建的文档片段。您可以使用标准,也可以使用editor.filter
不同的设置创建自己的实例。例如:
// Create standalone filter passing 'p' and 'b' elements.
var filter = new CKEDITOR.filter( 'p b' ),
// Parse HTML string to pseudo DOM structure.
fragment = CKEDITOR.htmlParser.fragment.fromHtml( '<p><b>foo</b> <i>bar</i></p>' ),
writer = new CKEDITOR.htmlParser.basicWriter();
filter.applyTo( fragment );
fragment.writeHtml( writer );
writer.getHtml(); // -> '<p><b>foo</b> bar</p>'
以@Reinmar 的回答为基础,如果您希望应用某些不允许的规则并可选择对粘贴事件做出反应。
CKEDITOR.on('instanceReady', function(ev) {
ev.editor.on('paste', function(evt) {
// Standalone filter based off the existing filter.
// If the editor is removed, so it our custom filter object.
// We don't need to pass an editor however.
// @see https://ckeditor.com/docs/ckeditor4/latest/api/CKEDITOR_filter.html
var filter = new CKEDITOR.filter(evt.editor);
// Allow all content.
// @see https://ckeditor.com/docs/ckeditor4/latest/guide/dev_allowed_content_rules.html#special-features
// Don't set filter.allowedContent property directly, doesn't work.
var allowed = filter.allow({
'$1': {
// Use the ability to specify elements as an object.
elements: CKEDITOR.dtd,
attributes: true,
styles: true,
classes: true
}
});
if (allowed === false) {
console.warn('An error occured setting the custom rules.');
return;
}
// Now disllow color attribute & colour background-color, text-decoration styles.
// Format "elements [attributes, attr2]{styles}(classes)"."
// Default is '*[color]; *{color, background-color, text-decoration}'.
filter.disallow('*[color]; *{color, background-color, text-decoration}');
// Filter it now.
var fragment = CKEDITOR.htmlParser.fragment.fromHtml(evt.data.dataValue);
var writer = new CKEDITOR.htmlParser.basicWriter();
filter.applyTo(fragment);
fragment.writeHtml(writer);
var processed_html = writer.getHtml();
// Set the value of what will be pasted.
evt.data.dataValue = processed_html;
console.log('Content filtered.');
// Clean up - free up memory.
filter.destroy();
});
});