1

我想选择编辑器的所有内容并在 CKEditor 5 中对其执行命令。

是否可以?

4

1 回答 1

1

可以让您到达那里的最短代码是:

const root = doc.getRoot();

editor.model.change( writer => {
    writer.setSelection( root, 'in' );

    // Execute command in the same change() block to have just one undo step.
    editor.execute( 'someCommand' );
} );

它使用模型作者的setSelection().

然而,这并不完全正确。上面的代码尝试做出以下选择:

<$root>[<paragraph>X</paragraph><paragraph>Y</paragraph>]</$root>

虽然你想要的是:

<$root><paragraph>[X</paragraph><paragraph>Y]</paragraph></$root>

那是因为选择应该始终坚持文本(或对象元素)。

幸运的是,由于版本 11.0.0 CKEditor 5 验证了选择的位置,因此它会自动移动到正确的位置。

在 v11.0.0 之前,或者如果你想真正正确,你需要实现一个更长的解决方案,在内容的开头和结尾找到正确的选择位置:

import Range from '@ckeditor/ckeditor5-engine/src/model/range';

const doc = editor.model.document;
const root = doc.getRoot();

editor.model.change( writer => {
    const range = Range.createIn( root );

    const startRange = editor.model.schema.getNearestSelectionRange( range.start );
    const endRange = editor.model.schema.getNearestSelectionRange( range.end );

    writer.setSelection( new Range( startRange.start, endRange.end ) );

    // Execute command in the same change() block to have just one undo step.
    editor.execute( 'someCommand' );
} );
于 2018-03-19T08:25:19.067 回答