好BenM說,你需要檢測視+滾動位置的高度,用你最poisiton匹配:
function isOnScreen(element)
{
var curPos = element.offset();
var curTop = curPos.top;
var screenHeight = $(window).height();
return (curTop > screenHeight) ? false : true;
}
,然後使用類似調用該函數。你使用的功能是好的,做這項工作,儘管它需要更復雜的運動。
如果你不使用jQuery
那麼腳本會是這樣的:
function posY(elm) {
var test = elm, top = 0;
while(!!test && test.tagName.toLowerCase() !== "body") {
top += test.offsetTop;
test = test.offsetParent;
}
return top;
}
function viewPortHeight() {
var de = document.documentElement;
if(!!window.innerWidth)
{ return window.innerHeight; }
else if(de && !isNaN(de.clientHeight))
{ return de.clientHeight; }
return 0;
}
function scrollY() {
if(window.pageYOffset) { return window.pageYOffset; }
return Math.max(document.documentElement.scrollTop, document.body.scrollTop);
}
function checkvisible(elm) {
var vpH = viewPortHeight(), // Viewport Height
st = scrollY(), // Scroll Top
y = posY(elm);
return (y > (vpH + st));
}
使用jQuery是一個容易得多:
function checkVisible(elm, evalType) {
evalType = evalType || "visible";
var vpH = $(window).height(), // Viewport Height
st = $(window).scrollTop(), // Scroll Top
y = $(elm).offset().top,
elementHeight = $(elm).height();
if (evalType === "visible") return ((y < (vpH + st)) && (y > (st - elementHeight)));
if (evalType === "above") return ((y < (vpH + st)));
}
這甚至提供了第二個參數。使用「可見」(或沒有第二個參數),它會嚴格檢查屏幕上是否有元素。如果它設置爲「高於」,則當有問題的元素位於或高於屏幕時,它將返回true。
見行動:http://jsfiddle.net/RJX5N/2/
我希望這回答了你的問題。
- 改進VERSION--
這是短了很多,應該做得一樣好:用小提琴
function checkVisible(elm) {
var rect = elm.getBoundingClientRect();
var viewHeight = Math.max(document.documentElement.clientHeight, window.innerHeight);
return !(rect.bottom < 0 || rect.top - viewHeight >= 0);
}
來證明這一點:http://jsfiddle.net/t2L274ty/1/
和版本包括threshold
和mode
:
function checkVisible(elm, threshold, mode) {
threshold = threshold || 0;
mode = mode || 'visible';
var rect = elm.getBoundingClientRect();
var viewHeight = Math.max(document.documentElement.clientHeight, window.innerHeight);
var above = rect.bottom - threshold < 0;
var below = rect.top - viewHeight + threshold >= 0;
return mode === 'above' ? above : (mode === 'below' ? below : !above && !below);
}
並用小提琴來證明它:http://jsfiddle.net/t2L274ty/2/
你試過用'top'代替offsetTop嗎? – Neal 2011-03-18 15:16:57
檢出:http://stackoverflow.com/questions/487073/jquery-check-if-element-is-visible-after-scroling – RDL 2011-03-18 15:28:17