Okay you should be able to get the selected text and its index(text position). I searched and didn't find any solutions to get the text position from <textarea>
. But this answer provided a way to get the text position from <div>
. And you can make <div>
look like <textarea>
. I combined those two answers and slightly modified. Note that changeValue
function is the key for manipulating text.
<html>
<style>
#main {
-moz-appearance: textfield-multiline;
-webkit-appearance: textarea;
border: 1px solid gray;
font: medium -moz-fixed;
font: -webkit-small-control;
height: 28px;
overflow: auto;
padding: 2px;
resize: both;
width: 400px;
}
</style>
<body>
<div id="main" contenteditable>Samudrala RamuSamu</div>
<input type="button" onclick="changeValue()" unselectable="on" value="Get selection">
</body>
<script>
function getSelectionCharOffsetsWithin(element) {
var start = 0, end = 0;
var sel, range, priorRange;
if (typeof window.getSelection != "undefined") {
range = window.getSelection().getRangeAt(0);
priorRange = range.cloneRange();
priorRange.selectNodeContents(element);
priorRange.setEnd(range.startContainer, range.startOffset);
start = priorRange.toString().length;
end = start + range.toString().length;
} else if (typeof document.selection != "undefined" &&
(sel = document.selection).type != "Control") {
range = sel.createRange();
priorRange = document.body.createTextRange();
priorRange.moveToElementText(element);
priorRange.setEndPoint("EndToStart", range);
start = priorRange.text.length;
end = start + range.text.length;
}
return {
start: start,
end: end,
value: range.toString()
};
}
function changeValue() {
var mainDiv = document.getElementById("main");
var sel = getSelectionCharOffsetsWithin(mainDiv);
var mainValue = mainDiv.textContent;
var newValue = mainValue.slice(0,sel.start) + mainValue.slice(sel.end) + sel.value;
mainDiv.textContent = newValue;
}
</script>
</html>