以下功能将在所有主要浏览器中执行此操作:
function placeCaretAtEnd(el) {
el.focus();
if (typeof window.getSelection != "undefined"
&& typeof document.createRange != "undefined") {
var range = document.createRange();
range.selectNodeContents(el);
range.collapse(false);
var sel = window.getSelection();
sel.removeAllRanges();
sel.addRange(range);
} else if (typeof document.body.createTextRange != "undefined") {
var textRange = document.body.createTextRange();
textRange.moveToElementText(el);
textRange.collapse(false);
textRange.select();
}
}
placeCaretAtEnd( document.querySelector('p') );
p{ padding:.5em; border:1px solid black; }
<p contentEditable>foo bar </p>
将插入符号放在开头几乎是相同的:它只需要将传递到调用中的布尔值更改为
collapse()
。下面是一个创建将插入符号放在开头和结尾的函数的示例:
function createCaretPlacer(atStart) {
return function(el) {
el.focus();
if (typeof window.getSelection != "undefined"
&& typeof document.createRange != "undefined") {
var range = document.createRange();
range.selectNodeContents(el);
range.collapse(atStart);
var sel = window.getSelection();
sel.removeAllRanges();
sel.addRange(range);
} else if (typeof document.body.createTextRange != "undefined") {
var textRange = document.body.createTextRange();
textRange.moveToElementText(el);
textRange.collapse(atStart);
textRange.select();
}
};
}
var placeCaretAtStart = createCaretPlacer(true);
var placeCaretAtEnd = createCaretPlacer(false);
不幸的是,蒂姆的出色答案对我来说只适用于放在最后,要放在开始时我必须稍微修改它。
function setCaret(target, isStart) {
const range = document.createRange();
const sel = window.getSelection();
if (isStart) {
const newText = document.createTextNode('');
target.appendChild(newText);
range.setStart(target.childNodes[0], 0);
} else {
range.selectNodeContents(target);
}
range.collapse(isStart);
sel.removeAllRanges();
sel.addRange(range);
target.focus();
target.select();
}
不确定是否确实需要
focus()
和 select()
。
这个(实时)示例显示了一个简短的简单函数,
setCaretAtStartEnd
,它有两个参数;用于放置插入符号的(可编辑)节点和一个指示放置位置的布尔值(节点的开始或结束)
const editableElm = document.querySelector('[contenteditable]');
document.querySelectorAll('button').forEach((elm, idx) =>
elm.addEventListener('click', () => {
editableElm.focus()
setCaretAtStartEnd(editableElm, idx)
})
)
function setCaretAtStartEnd( node, atEnd ){
const sel = document.getSelection();
node = node.firstChild;
if( sel.rangeCount ){
['Start', 'End'].forEach(pos =>
sel.getRangeAt(0)["set" + pos](node, atEnd ? node.length : 0)
)
}
}
[contenteditable]{ padding:5px; border:1px solid; }
<h1 contenteditable>Place the caret anywhere</h1>
<br>
<button>Move caret to start</button>
<button>Move caret to end</button>
如果您使用的是谷歌闭包编译器,您可以执行以下操作(从 Tim 的答案中进行了一些简化):
function placeCaretAtEnd(el) {
el.focus();
range = goog.dom.Range.createFromNodeContents(el);
range.collapse(false);
range.select();
}
ClojureScript 中也有同样的事情:
(defn place-caret-at-end [el]
(.focus el)
(doto (.createFromNodeContents goog.dom.Range el)
(.collapse false)
.select))
我已经在 Chrome、Safari 和 FireFox 中测试过这个,不确定 IE...