Click here to Skip to main content
Click here to Skip to main content

Absolute Position of a DOM Element

By , 22 Apr 2011
 

Introduction

Sometimes (especially in AJAX projects), it is necessary to get the position of some DOM element in "absolute" coordinates within the current document. For example, such an "absolute" position is needed if you would like to show some hidden DIV object exactly on the position (or with some offset) of another element. We use this function in one of our projects to show a popup menu under a text label.

The Solution

Such properties as style.left, style.top, or offsetLeft, offsetTop can be used to get (or set) the position of an element within its parent. So, to get the element's absolute position within the document, we should move upwards on the element's tree and add the position of all the element's parents (except the latest document element).

However, it is not quite easy. There are still some problems:

  1. First, we need to take into account possible scrolling in the element's parents and decrease our result accordingly.
  2. Second, there are some distinctions in the behavior of different browsers (as usual :-( ). For Internet Explorer, we always just subtract the scrolling position of the object stored in the element's offsetParent property. But for FireFox, we also need to take into consideration all the parents accessible by the parentNode properties.
  3. Finally, we should take into account the border width for some parent elements. Unfortunately, this task is not so easy as it can be supposed, especially for Internet Explorer.

So, here is the function we get:

function __getIEVersion() {
    var rv = -1; // Return value assumes failure.
    if (navigator.appName == 'Microsoft Internet Explorer') {
        var ua = navigator.userAgent;
        var re = new RegExp("MSIE ([0-9]{1,}[\.0-9]{0,})");
        if (re.exec(ua) != null)
            rv = parseFloat(RegExp.$1);
    }
    return rv;
}

function __getOperaVersion() {
    var rv = 0; // Default value
    if (window.opera) {
        var sver = window.opera.version();
        rv = parseFloat(sver);
    }
    return rv;
}

var __userAgent = navigator.userAgent;
var __isIE =  navigator.appVersion.match(/MSIE/) != null;
var __IEVersion = __getIEVersion();
var __isIENew = __isIE && __IEVersion >= 8;
var __isIEOld = __isIE && !__isIENew;

var __isFireFox = __userAgent.match(/firefox/i) != null;
var __isFireFoxOld = __isFireFox && ((__userAgent.match(/firefox\/2./i) != null) || 
	(__userAgent.match(/firefox\/1./i) != null));
var __isFireFoxNew = __isFireFox && !__isFireFoxOld;

var __isWebKit =  navigator.appVersion.match(/WebKit/) != null;
var __isChrome =  navigator.appVersion.match(/Chrome/) != null;
var __isOpera =  window.opera != null;
var __operaVersion = __getOperaVersion();
var __isOperaOld = __isOpera && (__operaVersion < 10);

function __parseBorderWidth(width) {
    var res = 0;
    if (typeof(width) == "string" && width != null && width != "" ) {
        var p = width.indexOf("px");
        if (p >= 0) {
            res = parseInt(width.substring(0, p));
        }
        else {
     		//do not know how to calculate other values 
		//(such as 0.5em or 0.1cm) correctly now
    		//so just set the width to 1 pixel
            res = 1; 
        }
    }
    return res;
}

//returns border width for some element
function __getBorderWidth(element) {
	var res = new Object();
	res.left = 0; res.top = 0; res.right = 0; res.bottom = 0;
	if (window.getComputedStyle) {
		//for Firefox
		var elStyle = window.getComputedStyle(element, null);
		res.left = parseInt(elStyle.borderLeftWidth.slice(0, -2));  
		res.top = parseInt(elStyle.borderTopWidth.slice(0, -2));  
		res.right = parseInt(elStyle.borderRightWidth.slice(0, -2));  
		res.bottom = parseInt(elStyle.borderBottomWidth.slice(0, -2));  
	}
	else {
		//for other browsers
		res.left = __parseBorderWidth(element.style.borderLeftWidth);
		res.top = __parseBorderWidth(element.style.borderTopWidth);
		res.right = __parseBorderWidth(element.style.borderRightWidth);
		res.bottom = __parseBorderWidth(element.style.borderBottomWidth);
	}
   
	return res;
}

//returns the absolute position of some element within document
function getElementAbsolutePos(element) {
	var res = new Object();
	res.x = 0; res.y = 0;
	if (element !== null) { 
		if (element.getBoundingClientRect) {
			var viewportElement = document.documentElement;  
 	        var box = element.getBoundingClientRect();
		    var scrollLeft = viewportElement.scrollLeft;
 		    var scrollTop = viewportElement.scrollTop;

		    res.x = box.left + scrollLeft;
		    res.y = box.top + scrollTop;

		}
		else { //for old browsers
			res.x = element.offsetLeft;
			res.y = element.offsetTop;

			var parentNode = element.parentNode;
			var borderWidth = null;

			while (offsetParent != null) {
				res.x += offsetParent.offsetLeft;
				res.y += offsetParent.offsetTop;
				
				var parentTagName = 
					offsetParent.tagName.toLowerCase();	

				if ((__isIEOld && parentTagName != "table") || 
					((__isFireFoxNew || __isChrome) && 
						parentTagName == "td")) {		    
					borderWidth = kGetBorderWidth
							(offsetParent);
					res.x += borderWidth.left;
					res.y += borderWidth.top;
				}
				
				if (offsetParent != document.body && 
				offsetParent != document.documentElement) {
					res.x -= offsetParent.scrollLeft;
					res.y -= offsetParent.scrollTop;
				}


				//next lines are necessary to fix the problem 
				//with offsetParent
				if (!__isIE && !__isOperaOld || __isIENew) {
					while (offsetParent != parentNode && 
						parentNode !== null) {
						res.x -= parentNode.scrollLeft;
						res.y -= parentNode.scrollTop;
						if (__isFireFoxOld || __isWebKit) 
						{
						    borderWidth = 
						     kGetBorderWidth(parentNode);
						    res.x += borderWidth.left;
						    res.y += borderWidth.top;
						}
						parentNode = parentNode.parentNode;
					}    
				}

				parentNode = offsetParent.parentNode;
				offsetParent = offsetParent.offsetParent;
			}
		}
	}
    return res;
}

To use this function, just pass your element in the function's parameter and get the result object with the left and top coordinates stored in the x and y properties accordingly:

var pos = getElementAbsolutePos(myElement);
window.alert("Element's left: " + pos.x + " and top: " + pos.y);

The getElementAbsolutePos function was tested on the most common browsers:

  • Internet Explorer 6.0 and higher
  • Firefox 2.x and higher
  • Opera 9.x and higher
  • Google Chrome

History

  • 21st April, 2009: Initial post
  • 28th April, 2009: Article updated
  • 20th April, 2011: Article updated

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)

About the Author

Sergiy Korzh
Founder Korzh.com
Ukraine Ukraine
Member
Software developer and architect, entrepreneur.
Main kind of activity and interest:
- software development and promotion (.NET and Delphi components mainly, see devtools.korzh.com for details);
- software engineering (extreme programming, design patterns, etc.);
- IT industry trends.
 
Main projects:
* EQB - user-friendly query builder with natural language UI;
* Localizer - localization tool kit for Delphi applications;

Sign Up to vote   Poor Excellent
Add a reason or comment to your vote: x
Votes of 3 or less require a comment

Comments and Discussions

 
Hint: For improved responsiveness ensure Javascript is enabled and choose 'Normal' from the Layout dropdown and hit 'Update'.
You must Sign In to use this message board.
Search this forum  
    Spacing  Noise  Layout  Per page   
SuggestionBugfix for Chromememberenhzflep4 Oct '12 - 21:34 
BugIn Chrome and Safari (webkit browsers), the code doesn't work if the page has been scrolled.memberMember 87787201 Apr '12 - 11:52 
GeneralRe: In Chrome and Safari (webkit browsers), the code doesn't work if the page has been scrolled.memberSergiy Korzh3 Apr '12 - 19:14 
QuestionDoesn't seem to work with Chrome.memberMagnamus25 Oct '11 - 2:13 
AnswerRe: Doesn't seem to work with Chrome.memberSergiy Korzh25 Oct '11 - 21:55 
GeneralThanks !!!!memberMember 253297130 Jun '11 - 23:23 
GeneralRealy usefull thanks!memberjulio.soares10 May '11 - 21:36 
GeneralVery cool.memberRene Pilon2 May '11 - 12:36 
GeneralgetBoundingClientRectmemberWhiteRose161124 Apr '11 - 23:31 
GeneralRe: getBoundingClientRectmemberSergiy Korzh25 Apr '11 - 1:40 
GeneralFunction not working in new browsers (IE 9, Firefox 4)membervitor salgado11 Apr '11 - 12:20 
GeneralRe: Function not working in new browsers (IE 9, Firefox 4)memberSergiy Korzh20 Apr '11 - 8:43 
GeneralMy vote of 5memberashokmk29 Mar '11 - 7:09 
GeneralThanksmemberSabarinathan Arthanari2 Mar '10 - 23:18 
GeneralBest JS article EVERmemberSteve Westbrook29 Apr '09 - 4:32 
QuestionVisibility of DOM element?memberChiPlastique28 Apr '09 - 10:32 
AnswerRe: Visibility of DOM element?memberSergiy Korzh29 Apr '09 - 10:15 
QuestionNice, but discrepancies in material providedmemberGladToBeGrey27 Apr '09 - 21:45 
AnswerRe: Nice, but discrepancies in material providedmemberSergiy Korzh28 Apr '09 - 20:19 
GeneralNicememberMember 252246421 Apr '09 - 20:29 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Rant Rant    Admin Admin   

Permalink | Advertise | Privacy | Mobile
Web02 | 2.6.130513.1 | Last Updated 22 Apr 2011
Article Copyright 2009 by Sergiy Korzh
Everything else Copyright © CodeProject, 1999-2013
Terms of Use
Layout: fixed | fluid