컨텐츠 편집 가능한 엔티티의 끝으로 커서를 이동하는 방법


87

캐럿을 contenteditableGmail 노트 위젯처럼 노드 끝으로 이동해야합니다 .

StackOverflow에서 스레드를 읽었지만 해당 솔루션은 입력 사용을 기반으로하며 contenteditable요소 와 함께 작동하지 않습니다 .

답변:


28

또 다른 문제가 있습니다.

니코 화상 경우의 솔루션은 작동 contenteditable사업부 다른 multilined 요소를 포함하지 않습니다.

예를 들어 div에 다른 div가 포함되어 있고 이러한 다른 div에 다른 내용이 포함되어 있으면 몇 가지 문제가 발생할 수 있습니다.

이를 해결하기 위해 다음과 같은 해결책을 마련했습니다. 이는 Nico 의 개선 사항입니다 .

//Namespace management idea from http://enterprisejquery.com/2010/10/how-good-c-habits-can-encourage-bad-javascript-habits-part-1/
(function( cursorManager ) {

    //From: http://www.w3.org/TR/html-markup/syntax.html#syntax-elements
    var voidNodeTags = ['AREA', 'BASE', 'BR', 'COL', 'EMBED', 'HR', 'IMG', 'INPUT', 'KEYGEN', 'LINK', 'MENUITEM', 'META', 'PARAM', 'SOURCE', 'TRACK', 'WBR', 'BASEFONT', 'BGSOUND', 'FRAME', 'ISINDEX'];

    //From: /programming/237104/array-containsobj-in-javascript
    Array.prototype.contains = function(obj) {
        var i = this.length;
        while (i--) {
            if (this[i] === obj) {
                return true;
            }
        }
        return false;
    }

    //Basic idea from: /programming/19790442/test-if-an-element-can-contain-text
    function canContainText(node) {
        if(node.nodeType == 1) { //is an element node
            return !voidNodeTags.contains(node.nodeName);
        } else { //is not an element node
            return false;
        }
    };

    function getLastChildElement(el){
        var lc = el.lastChild;
        while(lc && lc.nodeType != 1) {
            if(lc.previousSibling)
                lc = lc.previousSibling;
            else
                break;
        }
        return lc;
    }

    //Based on Nico Burns's answer
    cursorManager.setEndOfContenteditable = function(contentEditableElement)
    {

        while(getLastChildElement(contentEditableElement) &&
              canContainText(getLastChildElement(contentEditableElement))) {
            contentEditableElement = getLastChildElement(contentEditableElement);
        }

        var range,selection;
        if(document.createRange)//Firefox, Chrome, Opera, Safari, IE 9+
        {    
            range = document.createRange();//Create a range (a range is a like the selection but invisible)
            range.selectNodeContents(contentEditableElement);//Select the entire contents of the element with the range
            range.collapse(false);//collapse the range to the end point. false means collapse to end rather than the start
            selection = window.getSelection();//get the selection object (allows you to change selection)
            selection.removeAllRanges();//remove any selections already made
            selection.addRange(range);//make the range you have just created the visible selection
        }
        else if(document.selection)//IE 8 and lower
        { 
            range = document.body.createTextRange();//Create a range (a range is a like the selection but invisible)
            range.moveToElementText(contentEditableElement);//Select the entire contents of the element with the range
            range.collapse(false);//collapse the range to the end point. false means collapse to end rather than the start
            range.select();//Select the range (make it the visible selection
        }
    }

}( window.cursorManager = window.cursorManager || {}));

용법:

var editableDiv = document.getElementById("my_contentEditableDiv");
cursorManager.setEndOfContenteditable(editableDiv);

이런 식으로 커서는 확실히 마지막 요소의 끝에 위치하며 결국 중첩됩니다.

편집 # 1 : 더 일반적으로 사용하려면 while 문은 텍스트를 포함 할 수없는 다른 모든 태그도 고려해야합니다. 이러한 요소는 명명 된 무효 요소를 , 그리고에서 이 문제 요소가 무효 인 경우 테스트하는 방법에 대한 몇 가지 방법이 있습니다. 따라서 인수가 void 요소가 아닌 경우 canContainText반환 하는 함수가 있다고 가정 true하면 다음 코드 줄이됩니다.

contentEditableElement.lastChild.tagName.toLowerCase() != 'br'

다음으로 교체해야합니다.

canContainText(getLastChildElement(contentEditableElement))

편집 # 2 : 위의 코드는 모든 변경 사항을 설명하고 논의하면서 완전히 업데이트되었습니다.


흥미롭게도 브라우저가이 경우를 자동으로 처리 할 것으로 예상했을 것입니다 (그렇지 않다는 사실에 놀랍지는 않지만 브라우저는 contenteditable로 직관적 인 작업을 수행하지 않는 것 같습니다). 솔루션이 작동하지만 내 솔루션이 작동하지 않는 HTML 예제가 있습니까?
Nico Burns

내 코드에는 다른 오류가 하나 있습니다. 나는 그것을 고쳤다. 내 코드에서 작동하는지 지금, 당신은 확인할 수 페이지 당신은하지 않지만,
비토 이방인

귀하의 함수를 사용하여 오류가 발생했습니다. 콘솔에 Uncaught TypeError: Cannot read property 'nodeType' of null이것이 호출되는 getLastChildElement 함수에서 온 것입니다. 이 문제의 원인을 알고 있습니까?
Derek

@VitoGentile 그것은 약간 오래된 대답이지만 솔루션이 블록 요소 만 처리한다는 것을 알고 싶습니다. 인라인 요소가 내부에 있으면 커서가 해당 인라인 요소 (예 : span, em ...) 뒤에 위치합니다. , 쉬운 수정은 인라인 요소를 void 태그로 간주하고이를 voidNodeTags에 추가하여 건너 뛰도록하는 것입니다.
medBouzid

243

Geowa4의 솔루션은 텍스트 영역에서 작동하지만 콘텐츠 편집 가능 요소에는 작동하지 않습니다.

이 솔루션은 캐럿을 contenteditable 요소의 끝으로 이동하기위한 것입니다. contenteditable을 지원하는 모든 브라우저에서 작동합니다.

function setEndOfContenteditable(contentEditableElement)
{
    var range,selection;
    if(document.createRange)//Firefox, Chrome, Opera, Safari, IE 9+
    {
        range = document.createRange();//Create a range (a range is a like the selection but invisible)
        range.selectNodeContents(contentEditableElement);//Select the entire contents of the element with the range
        range.collapse(false);//collapse the range to the end point. false means collapse to end rather than the start
        selection = window.getSelection();//get the selection object (allows you to change selection)
        selection.removeAllRanges();//remove any selections already made
        selection.addRange(range);//make the range you have just created the visible selection
    }
    else if(document.selection)//IE 8 and lower
    { 
        range = document.body.createTextRange();//Create a range (a range is a like the selection but invisible)
        range.moveToElementText(contentEditableElement);//Select the entire contents of the element with the range
        range.collapse(false);//collapse the range to the end point. false means collapse to end rather than the start
        range.select();//Select the range (make it the visible selection
    }
}

다음과 유사한 코드에서 사용할 수 있습니다.

elem = document.getElementById('txt1');//This is the element that you want to move the caret to the end of
setEndOfContenteditable(elem);

1
geowa4의 솔루션은 크롬의 텍스트 영역에서 작동하지만 모든 브라우저의 콘텐츠 편집 가능 요소에는 작동하지 않습니다. 내 콘텐츠 편집 가능한 요소에는 작동하지만 텍스트 영역에는 작동하지 않습니다.
Nico Burns

4
이 질문에 대한 정답입니다. 완벽합니다. Nico 감사합니다.
Rob

7
selectNodeContents내가 분명히 추가 할 필요가 있음을 발견 할 때까지 니코의 크롬과 FF 모두 나 오류를주고 있었다의 일부 (다른 브라우저를 테스트하지 않았다) .get(0)나는 기능을 먹이하는 요소. 나는 이것이 베어 JS 대신 jQuery를 사용하는 것과 관련이 있다고 생각합니까? 나는 질문 4233265 에서 @jwarzech에게서 이것을 배웠다 . 모두에게 감사합니다!
Max Starkenburg 2012 년

5
예,이 함수는 jQuery 객체가 아닌 DOM 요소를 필요로합니다. .get(0)jQuery가 내부에 저장하는 dom 요소를 검색합니다. 이 컨텍스트에서 [0]와 동일한을 추가 할 수도 있습니다 .get(0).
Nico Burns

1
@Nico Burns : 귀하의 방법을 시도했지만 FireFox에서 작동하지 않았습니다.
Lewis

26

이전 브라우저에 관심이 없다면이 브라우저가 나를 위해 트릭을 수행했습니다.

// [optional] make sure focus is on the element
yourContentEditableElement.focus();
// select all the content in the element
document.execCommand('selectAll', false, null);
// collapse selection to the end
document.getSelection().collapseToEnd();

이것은 크롬 확장을위한 백그라운드 스크립트 안에서 나를 위해 일한 유일한 것입니다
Rob

1
이것은 잘 작동합니다. Chrome 71.0.3578.98 및 Android 5.1의 WebView에서 테스트되었습니다.
maswerdna

3
document.execCommand이제 더 이상 사용되지 않습니다 . developer.mozilla.org/en-US/docs/Web/API/Document/execCommand .
웹 프로그래머 2020 년

2020 년에도 여전히 크롬 버전 83.0.4103.116 (공식 빌드) (64 비트)에서 작동합니다
user2677034

이것은 승자입니다!
MNN TNK

8

범위를 통해 커서를 끝까지 설정할 수 있습니다.

setCaretToEnd(target/*: HTMLDivElement*/) {
  const range = document.createRange();
  const sel = window.getSelection();
  range.selectNodeContents(target);
  range.collapse(false);
  sel.removeAllRanges();
  sel.addRange(range);
  target.focus();
  range.detach(); // optimization

  // set scroll to the end if multiline
  target.scrollTop = target.scrollHeight; 
}

위의 코드를 사용하면 트릭이됩니다.하지만 콘텐츠 편집 가능한 div 내에서 커서를 어디로 든 이동하고 해당 지점에서 계속 입력 할 수 있기를 원합니다. 예를 들어 사용자가 오타를 인식했습니다. 위의 코드를 이것으로 수정합니까?
Zabs

1
@Zabs는 매우 쉽습니다. setCaretToEnd()매번 호출하지 마십시오. 필요할 때만 호출하십시오. 예를 들어 Copy-Paste 후 또는 메시지 길이를 제한 한 후 호출하십시오.
am0wa

이것은 나를 위해 일했습니다. 사용자가 태그를 선택한 후 contenteditable div의 커서를 끝으로 이동합니다.
Ayudh

0

요소를 편집 가능하게 만들려고 비슷한 문제가 발생했습니다. Chrome과 FireFox에서 가능했지만 FireFox에서는 캐럿이 입력의 시작 부분으로 이동하거나 입력이 끝난 후 한 칸 이동했습니다. 내용을 편집하려는 최종 사용자에게 매우 혼란 스럽습니다.

몇 가지 시도하는 해결책을 찾지 못했습니다. 나를 위해 일한 유일한 것은 내 .NET 내부에 평범한 텍스트 입력을 넣어 "문제를 해결"하는 것입니다. 이제 작동합니다. "컨텐츠 편집 가능"은 여전히 ​​최첨단 기술이며 상황에 따라 원하는대로 작동 할 수도 있고 작동하지 않을 수도 있습니다.


0

포커스 이벤트에 대한 응답으로 커서를 편집 가능한 범위의 끝으로 이동 :

  moveCursorToEnd(el){
    if(el.innerText && document.createRange)
    {
      window.setTimeout(() =>
        {
          let selection = document.getSelection();
          let range = document.createRange();

          range.setStart(el.childNodes[0],el.innerText.length);
          range.collapse(true);
          selection.removeAllRanges();
          selection.addRange(range);
        }
      ,1);
    }
  }

그리고 이벤트 핸들러에서 호출합니다 (React here) :

onFocus={(e) => this.moveCursorToEnd(e.target)}} 

0

contenteditable <div>및 의 문제 <span>는 처음에 입력을 시작하면 해결됩니다. 이에 대한 한 가지 해결 방법은 div 요소와 해당 함수에서 포커스 이벤트를 트리거하고 div 요소에 이미있는 항목을 지우고 다시 채우는 것입니다. 이렇게하면 문제가 해결되고 마지막으로 범위와 선택을 사용하여 끝에 커서를 놓을 수 있습니다. 나를 위해 일했습니다.

  moveCursorToEnd(e : any) {
    let placeholderText = e.target.innerText;
    e.target.innerText = '';
    e.target.innerText = placeholderText;

    if(e.target.innerText && document.createRange)
    {
      let range = document.createRange();
      let selection = window.getSelection();
      range.selectNodeContents(e.target);
      range.setStart(e.target.firstChild,e.target.innerText.length);
      range.setEnd(e.target.firstChild,e.target.innerText.length);
      selection.removeAllRanges();
      selection.addRange(range);
    }
  }

HTML 코드에서 :

<div contentEditable="true" (focus)="moveCursorToEnd($event)"></div>
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.