This will check for any --
in a textarea
, input
, or [contenteditable]
and replace them with —
.
It also works even if the cursor isn't at the end of the content.
document.getElementById('a').addEventListener('keyup', listener);
document.getElementById('b').addEventListener('keyup', listener); // does not work in IE or Edge, for some reason
function listener(e) {
if (e.keyCode === 189 || e.keyCode === 109) {
replaceHyphens(this);
}
}
function replaceHyphens(el) {
var sel = el.selectionStart || getCaretPosition(el),
replaced = false;
var key = (el.value ? 'value' : 'textContent');
// replace any -- with —
el[key] = el[key].replace(/-{2}/g, function(t) {replaced = true; return '—';});
// fix the cursor position
if (replaced) setCaretPosition(el, sel - 1);
}
// from http://stackoverflow.com/a/3976125 - gets the cursor position in a [contenteditable]
function getCaretPosition(editableDiv) {
var caretPos = 0,
sel, range;
if (window.getSelection) {
sel = window.getSelection();
if (sel.rangeCount) {
range = sel.getRangeAt(0);
if (range.commonAncestorContainer.parentNode == editableDiv) {
caretPos = range.endOffset;
}
}
} else if (document.selection && document.selection.createRange) {
range = document.selection.createRange();
if (range.parentElement() == editableDiv) {
var tempEl = document.createElement("span");
editableDiv.insertBefore(tempEl, editableDiv.firstChild);
var tempRange = range.duplicate();
tempRange.moveToElementText(tempEl);
tempRange.setEndPoint("EndToEnd", range);
caretPos = tempRange.text.length;
}
}
return caretPos;
}
function setCaretPosition(el, caret) {
if (el.value) {
el.setSelectionRange(caret, caret);
} else {
// from http://stackoverflow.com/a/6249440 - sets the cursor position in a [contenteditable]
var tNode = el.firstChild;
var range = document.createRange();
range.setStart(tNode, caret);
range.setEnd(tNode, caret);
var sel = window.getSelection();
sel.removeAllRanges();
sel.addRange(range);
}
}
<textarea id="a" rows="6" cols="30"></textarea>
<p contenteditable style="height:100px;width:230px;border:1px solid black" id="b"></p>
As it turns out, getting and setting the cursor in a contenteditable
element isn't quite as simple as it is in an input.