Tag-подобный автозаполнение и перемещение курсора/курсора в контентных элементах

Я работаю над плагином jQuery, который позволит вам делать теги стиля @username, например, Facebook в окне ввода статуса.

Моя проблема в том, что даже после нескольких часов исследований и экспериментов кажется ДЕЙСТВИТЕЛЬНО трудно просто перемещать каретку. Мне удалось ввести тег <a> с именем кого-то, но поместив каретку после того, как он выглядит как наука о ракетах, особенно если он предположительно работает во всех браузерах.

И я даже не изучал замену напечатанного текста @username тегом, а не просто вставлял его, как я делаю прямо сейчас... lol

Там много вопросов о работе с contenteditable здесь в Stack Overflow, и я думаю, что я прочитал их все, но они действительно не покрывают должным образом то, что мне нужно. Так что любая информация, которую любой может предоставить, была бы замечательной:)

Ответ 1

Вы можете использовать мою библиотеку Rangy, которая с некоторым успехом пытается нормализовать диапазон браузера и варианты выбора. Если вам удалось вставить <a>, как вы говорите, и вы получили его в переменной под названием aElement, вы можете сделать следующее:

var range = rangy.createRange();
range.setStartAfter(aElement);
range.collapse(true);
var sel = rangy.getSelection();
sel.removeAllRanges();
sel.addRange(range);

Ответ 2

Меня это заинтересовало, поэтому я написал отправную точку для полного решения. Следующее использует мою библиотеку Rangy с ее модулем сохранения/восстановления выбора для сохранения и восстановления выбора и нормализации кросс-браузера. Он окружает весь соответствующий текст (@в любом случае в этом случае) с элементом ссылки и позиционирует выбор, где он был ранее. Это срабатывает после того, как на клавиатуре не было активности клавиатуры в течение одной секунды. Это должно быть вполне многоразовым.

function createLink(matchedTextNode) {
    var el = document.createElement("a");
    el.style.backgroundColor = "yellow";
    el.style.padding = "2px";
    el.contentEditable = false;
    var matchedName = matchedTextNode.data.slice(1); // Remove the leading @
    el.href = "http://www.example.com/?name=" + matchedName;
    matchedTextNode.data = matchedName;
    el.appendChild(matchedTextNode);
    return el;
}

function shouldLinkifyContents(el) {
    return el.tagName != "A";
}

function surroundInElement(el, regex, surrounderCreateFunc, shouldSurroundFunc) {
    var child = el.lastChild;
    while (child) {
        if (child.nodeType == 1 && shouldSurroundFunc(el)) {
            surroundInElement(child, regex, surrounderCreateFunc, shouldSurroundFunc);
        } else if (child.nodeType == 3) {
            surroundMatchingText(child, regex, surrounderCreateFunc);
        }
        child = child.previousSibling;
    }
}

function surroundMatchingText(textNode, regex, surrounderCreateFunc) {
    var parent = textNode.parentNode;
    var result, surroundingNode, matchedTextNode, matchLength, matchedText;
    while ( textNode && (result = regex.exec(textNode.data)) ) {
        matchedTextNode = textNode.splitText(result.index);
        matchedText = result[0];
        matchLength = matchedText.length;
        textNode = (matchedTextNode.length > matchLength) ?
            matchedTextNode.splitText(matchLength) : null;
        surroundingNode = surrounderCreateFunc(matchedTextNode.cloneNode(true));
        parent.insertBefore(surroundingNode, matchedTextNode);
        parent.removeChild(matchedTextNode);
    }
}

function updateLinks() {
    var el = document.getElementById("editable");
    var savedSelection = rangy.saveSelection();
    surroundInElement(el, /@\w+/, createLink, shouldLinkifyContents);
    rangy.restoreSelection(savedSelection);
}

var keyTimer = null, keyDelay = 1000;

function keyUpLinkifyHandler() {
    if (keyTimer) {
        window.clearTimeout(keyTimer);
    }
    keyTimer = window.setTimeout(function() {
        updateLinks();
        keyTimer = null;
    }, keyDelay);
}

HTML:

<p contenteditable="true" id="editable" onkeyup="keyUpLinkifyHandler()">
    Some editable content for @someone or other
</p>

Ответ 3

Как вы говорите, вы уже можете вставить тег в каретку, я собираюсь начать с этого момента. Первое, что нужно сделать, - дать вашему тегу идентификатор, когда вы его вставляете. Тогда вы должны иметь что-то вроде этого:

<div contenteditable='true' id='status'>I went shopping with <a href='#' id='atagid'>Jane</a></div>

Вот функция, которая должна поместить курсор сразу после тега.

function setCursorAfterA()
{
    var atag = document.getElementById("atagid");
    var parentdiv = document.getElementById("status");
    var range,selection;
    if(window.getSelection) //FF,Chrome,Opera,Safari,IE9+
    {
        parentdiv.appendChild(document.createTextNode(""));//FF wont allow cursor to be placed directly between <a> tag and the end of the div, so a space is added at the end (this can be trimmed later)
        range = document.createRange();//create range object (like an invisible selection)
        range.setEndAfter(atag);//set end of range selection to just after the <a> tag
        range.setStartAfter(atag);//set start of range selection to just after the <a> tag
        selection = window.getSelection();//get selection object (list of current selections/ranges)
        selection.removeAllRanges();//remove any current selections (FF can have more than one)
        parentdiv.focus();//Focuses contenteditable div (necessary for opera)
        selection.addRange(range);//add our range object to the selection list (make our range visible)
    }
    else if(document.selection)//IE 8 and lower
    { 
        range = document.body.createRange();//create a "Text Range" object (like an invisible selection)
        range.moveToElementText(atag);//select the contents of the a tag (i.e. "Jane")
        range.collapse(false);//collapse selection to end of range (between "e" and "</a>").
        while(range.parentElement() == atag)//while ranges cursor is still inside <a> tag
        {
             range.move("character",1);//move cursor 1 character to the right
        }
        range.move("character",-1);//move cursor 1 character to the left
        range.select()//move the actual cursor to the position of the ranges cursor
    }
    /*OPTIONAL: 
    atag.id = ""; //remove id from a tag
    */
}

EDIT: Протестировано и зафиксировано script. Он определенно работает в IE6, chrome 8, firefox 4 и opera 11. У вас нет других браузеров для проверки, но он не использует какие-либо функции, которые недавно изменились, поэтому он должен работать во всем, что поддерживает contenteditable.

Эта кнопка удобна для тестирования: <input type='button' onclick='setCursorAfterA()' value='Place Cursor After &lt;a/&gt; tag' >

Нико