我试图从文本区域中提取确切的选择和光标位置。像往常一样,在大多数浏览器中都不容易在IE中找到。
我正在使用这个:
var sel=document.selection.createRange();
var temp=sel.duplicate();
temp.moveToElementText(textarea);
temp.setEndPoint("EndToEnd", sel);
selectionEnd = temp.text.length;
selectionStart = selectionEnd - sel.text.length;
99%的时间有效。问题在于
TextRange.text
不返回前导或尾随换行符。因此,当光标在一个段落之后是几行空行时,它将在前一个段落的末尾产生一个位置-而不是实际的光标位置。例如:
the quick brown fox| <- above code thinks the cursor is here
| <- when really it's here
我能想到的唯一解决方法是在选择之前和之后临时插入一个字符,获取实际选择,然后再次删除这些临时字符。这是一个hack,但在快速实验中看起来可以正常工作。
但是首先,我想确保没有更简单的方法。
最佳答案
我要添加另一个答案,因为我之前的答案已经变得有些史诗般的了。
这是我认为最好的版本:它采用bobince的方法(在我的第一个答案的注释中提到),并修复了我不喜欢它的两件事,首先是它依赖于散布在textarea之外的TextRanges。 (因此会损害性能),其次是必须选择一个巨大的数字来移动范围边界的字符数。
function getSelection(el) {
var start = 0, end = 0, normalizedValue, range,
textInputRange, len, endRange;
if (typeof el.selectionStart == "number" && typeof el.selectionEnd == "number") {
start = el.selectionStart;
end = el.selectionEnd;
} else {
range = document.selection.createRange();
if (range && range.parentElement() == el) {
len = el.value.length;
normalizedValue = el.value.replace(/\r\n/g, "\n");
// Create a working TextRange that lives only in the input
textInputRange = el.createTextRange();
textInputRange.moveToBookmark(range.getBookmark());
// Check if the start and end of the selection are at the very end
// of the input, since moveStart/moveEnd doesn't return what we want
// in those cases
endRange = el.createTextRange();
endRange.collapse(false);
if (textInputRange.compareEndPoints("StartToEnd", endRange) > -1) {
start = end = len;
} else {
start = -textInputRange.moveStart("character", -len);
start += normalizedValue.slice(0, start).split("\n").length - 1;
if (textInputRange.compareEndPoints("EndToEnd", endRange) > -1) {
end = len;
} else {
end = -textInputRange.moveEnd("character", -len);
end += normalizedValue.slice(0, end).split("\n").length - 1;
}
}
}
}
return {
start: start,
end: end
};
}
var el = document.getElementById("your_textarea");
var sel = getSelection(el);
alert(sel.start + ", " + sel.end);