精确获取页面元素的位置
1.
//取得元素x坐标
2.
function
pageX(elem) {
3.
return
elem.offsetParent?(elem.offsetLeft+pageX(elem.offsetParent)):elem.offsetLeft;
4.
}
5.
//取得元素y坐标
6.
function
pageY(elem) {
7.
return
elem.offsetParent?(elem.offsetTop+pageY(elem.offsetParent)):elem.offsetTop;
8.
}
貌似这位大神在出这本书时比较赶,有许多纰漏,最后大神也发觉这两个函数有问题,并没有把它们运用到JQuery中。由于是用累加的方式去计算,只要一个元素出现问题,就有可能层层被大,因此我在精确获取样式属性时就摒弃这种方法。主要误算参照大神的结论:
- Handling table border offsets.
- Fixed positioned elements.
- Scroll offsets within another element.
- Borders of overflowed parent elements.
- Miscalculation of absolutely positioned elements.

随着新锐浏览器都支持IE的getBoundingClientRect方法,我们得以用更简单更快捷更安全的方法来定位页面元素。getBoundingClientRect返回的是一个集合,分别为元素在浏览器可视区的四个角的坐标。
不过它在IE的标准模式存在一个奇怪的问题,html元素是有border的,默认是2px,并且是不可修改的;怪癖模式是没有的。详见http://msdn.microsoft.com/en-us/library/ms536433(VS.85).aspx
This method retrieves an object that exposes the left, top, right, and bottom coordinates of the union of rectangles relative to the client's upper-left corner. In Microsoft Internet Explorer 5, the window's upper-left is at 2,2 (pixels) with respect to the true client.
我们做一些测试(请分别在IE6与IE8中进行):
1、标准模式,没有重设html的border
2、标准模式,重设html的border
3、怪癖模式,没有重设html的border
4、怪癖模式,重设html的border
John Resig给出的方案就是用clientTop,clientLeft作减值。以下函数就是从JQuery中抠出来,就后就用它获取页面元素的坐标,比offset大法安全多了。
01.
var
getCoords =
function
(el){
02.
var
box = el.getBoundingClientRect(),
03.
isQuirk = (document.documentMode) ? (document.documentMode==5) ?
true
:
false
: ((document.compatMode==
"CSS1Compat"
) ?
false
:
true
),
04.
doc = el.ownerDocument,
05.
body = doc.body,
06.
html = doc.documentElement,
07.
clientTop = html.clientTop || body.clientTop || 0,
08.
clientLeft = html.clientLeft || body.clientLeft || 0,
09.
top = box.top + (self.pageYOffset || !isQuirk && html.scrollTop || body.scrollTop ) - clientTop,
10.
left = box.left + (self.pageXOffset || !isQuirk && html.scrollLeft || body.scrollLeft) - clientLeft;
11.
return
{ top: top, left: left };
12.
};
其中self.pageYOffset相当于window.self.pageYOffset,是火狐的一个属性,相当于document.body.scrollTop。以下是它的定义:
Definition: The pageYOffset property is used to determine the Y coordinate of the scroll position in some browsers. This is not a reserved word so you can declare your own variable or function called pageYOffset but if you do then you will not be able to find or alter the scroll position of a window in some browsers
注:本文转自http://www.cnblogs.com/rubylouvre/archive/2009/09/08/1562444.html