mk.
mk.

Reputation: 11710

javascript selection/range coordinates

I would like to absolute-position a div on either the initial or terminal corner of a text selection, as the user drags their mouse along. Unfortunately, Range only provides the index position, not the x/y coordinates. I think there might be a way to do this with range.insertNode, but only for one side. (This might also help someone position an auto-complete box under a contenteditable.)

How can I get the x/y coordinates of a text selection, or of the text cursor?

Upvotes: 4

Views: 6553

Answers (2)

mk.
mk.

Reputation: 11710

Works in chrome/webkit, positioning the div after the last-selected letter. Usually.

<html><head>
<script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jquery/1.3.2/jquery.min.js"></script>
<script>
var $div;
var last;
function find() {
    var selection = window.getSelection();
    var text = selection.toString();
    if (last==text) return; else last=text; // prevent needless computations if no changes to selection
    if (selection.rangeCount==0) return;

    var range = selection.getRangeAt(0);
    var $span= $("<span/>");

    newRange = document.createRange();
    newRange.setStart(selection.focusNode, range.endOffset);
    newRange.insertNode($span[0]); // using 'range' here instead of newRange unselects or causes flicker on chrome/webkit

    var x = $span.offset().left;
    var y = $span.offset().top;
    $div.text(x+" "+y);
    $div.css({left:x,top:y+($div.height())});
    $span.remove();
}
$(window).load(function() {
    $("body").keydown(function(e) {
        //find();
        setTimeout(find,0);
    });
    $("body").mousemove(function(e) {
        //find();
        setTimeout(find,0);
    });
    $div=$("<div style='border:1px solid red;background:white; position:absolute;'>").appendTo($("body"));
});
</script>
</head>
<body><p>the quick brown fox</p><ul><li>jumps <i>over</i></li></ul><p>the lazy dog</p></body>
</html>

Upvotes: 6

Gabriel McAdams
Gabriel McAdams

Reputation: 58291

You would have to get the mouse position from the mouse move event. Then you can get the position of the text input element and do the math (make the mouse position relative).

EDIT:

Here is a page where you can get JavaScript code that will get the caret position in pixels.

If you want to use JQuery, you can use this

Upvotes: 0

Related Questions