jquery를 사용하여 뷰포트에 상대적인 요소 위치 가져 오기


117

문서가 아닌 뷰포트를 기준으로 페이지에서 요소의 위치를 ​​가져 오는 올바른 방법은 무엇입니까? jQuery.offset기능이 유망 해 보였습니다.

문서를 기준으로 첫 번째 요소의 현재 좌표를 가져 오거나 일치하는 요소 집합에서 모든 요소의 좌표를 설정합니다.

그러나 그것은 문서와 관련이 있습니다. 뷰포트에 상대적인 오프셋을 반환하는 동등한 메서드가 있습니까?


5
주 : @Igor G의 대답은 ...
칼 스미스

3
DA에게 Igor G의 대답을 수락 한 것으로 설정해야합니다. 그것은 생명의 은인입니다!
Vincent Duprez 2015-08-16

답변:


26

Dimensions 플러그인, 특히 scrollTop()/를 살펴보십시오 scrollLeft(). 정보는 http://api.jquery.com/scrollTop 에서 찾을 수 있습니다 .


8
다른 플러그인을 사용하고 싶지 않았지만 $ (window) .scrollTop ()이 정확히 필요한 것입니다! 감사!
DA.

16
차원 플러그인은 이제 jQuery 코어의 일부입니다. ViewPort 플러그인도 유용 할 수 있습니다. appelsiini.net/projects/viewport
StriplingWarrior

287

요소의 크기와 위치를 결정하는 가장 쉬운 방법은 getBoundingClientRect () 메서드 를 호출하는 것입니다. 이 메서드는 뷰포트 좌표의 요소 위치를 반환합니다. 인수가 필요하지 않으며 left, right, topbottom 속성이있는 객체를 반환합니다 . left 및 top 속성은 요소의 왼쪽 상단 모서리의 X 및 Y 좌표를 제공하고 right 및 bottom 속성은 오른쪽 하단 모서리의 좌표를 제공합니다.

element.getBoundingClientRect(); // Get position in viewport coordinates

모든 곳에서 지원됩니다.


15
이 방법이 IE5에 의해 추가되었다는 것은 놀랍습니다 ... 무언가가 좋을 때 좋습니다!
roy riojas 2013 년

이것은 처음에는 훌륭해 보였지만 모바일 Safari 7에서 확대 / 축소하는 사용자를 고려하지 않습니다.
MyNameIsKo

2
최신 파이어 폭스에서 지원하지 않음getBoundingClientRect is not a function
user007 2014-08-06

2
@ user007 최신 파이어 폭스에서 지원한다는 것을 확인합니다.
adriendenat

26
훌륭한 대답이며 jquery로 만들려면 다음과 같이 간단하게 수행하십시오. $('#myElement')[0].getBoundingClientRect().top(또는 다른 위치)
Guillaume Arluison

40

다음은 (비대해진) 차원 플러그인을 사용하지 않고 페이지 높이와 스크롤 양 (x, y)을 가져 오는 두 가지 함수입니다.

// getPageScroll() by quirksmode.com
function getPageScroll() {
    var xScroll, yScroll;
    if (self.pageYOffset) {
      yScroll = self.pageYOffset;
      xScroll = self.pageXOffset;
    } else if (document.documentElement && document.documentElement.scrollTop) {
      yScroll = document.documentElement.scrollTop;
      xScroll = document.documentElement.scrollLeft;
    } else if (document.body) {// all other Explorers
      yScroll = document.body.scrollTop;
      xScroll = document.body.scrollLeft;
    }
    return new Array(xScroll,yScroll)
}

// Adapted from getPageSize() by quirksmode.com
function getPageHeight() {
    var windowHeight
    if (self.innerHeight) { // all except Explorer
      windowHeight = self.innerHeight;
    } else if (document.documentElement && document.documentElement.clientHeight) {
      windowHeight = document.documentElement.clientHeight;
    } else if (document.body) { // other Explorers
      windowHeight = document.body.clientHeight;
    }
    return windowHeight
}

이것은 훌륭합니다. 굉장히 유용하다.
Jimmy

호기심 때문에이 경우 창 대신 "self"속성을 사용한 이유는 무엇입니까?
dkugappi


23

jQuery.offset요구와 결합 할 수 scrollTopscrollLeft이 도면에 도시 된 바와 같이

뷰포트 스크롤 및 요소 오프셋

데모:

function getViewportOffset($e) {
  var $window = $(window),
    scrollLeft = $window.scrollLeft(),
    scrollTop = $window.scrollTop(),
    offset = $e.offset(),
    rect1 = { x1: scrollLeft, y1: scrollTop, x2: scrollLeft + $window.width(), y2: scrollTop + $window.height() },
    rect2 = { x1: offset.left, y1: offset.top, x2: offset.left + $e.width(), y2: offset.top + $e.height() };
  return {
    left: offset.left - scrollLeft,
    top: offset.top - scrollTop,
    insideViewport: rect1.x1 < rect2.x2 && rect1.x2 > rect2.x1 && rect1.y1 < rect2.y2 && rect1.y2 > rect2.y1
  };
}
$(window).on("load scroll resize", function() {
  var viewportOffset = getViewportOffset($("#element"));
  $("#log").text("left: " + viewportOffset.left + ", top: " + viewportOffset.top + ", insideViewport: " + viewportOffset.insideViewport);
});
body { margin: 0; padding: 0; width: 1600px; height: 2048px; background-color: #CCCCCC; }
#element { width: 384px; height: 384px; margin-top: 1088px; margin-left: 768px; background-color: #99CCFF; }
#log { position: fixed; left: 0; top: 0; font: medium monospace; background-color: #EEE8AA; }
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.9.1/jquery.min.js"></script>

<!-- scroll right and bottom to locate the blue square -->
<div id="element"></div>
<div id="log"></div>


2
이것은 나를 위해 잘 작동했지만 툴팁이 범위를 벗어 났는지
Jordan

이것은 절대적으로 정답입니다. 다른 모든 것은 마우스 / 스크롤 델타 구성, 브라우저, obj 위치 등에 따라 문제가 있습니다.
Pedro Ferreira

2

다음은 뷰포트 내 요소의 현재 위치를 계산하는 함수입니다.

/**
 * Calculates the position of a given element within the viewport
 *
 * @param {string} obj jQuery object of the dom element to be monitored
 * @return {array} An array containing both X and Y positions as a number
 * ranging from 0 (under/right of viewport) to 1 (above/left of viewport)
 */
function visibility(obj) {
    var winw = jQuery(window).width(), winh = jQuery(window).height(),
        elw = obj.width(), elh = obj.height(),
        o = obj[0].getBoundingClientRect(),
        x1 = o.left - winw, x2 = o.left + elw,
        y1 = o.top - winh, y2 = o.top + elh;

    return [
        Math.max(0, Math.min((0 - x1) / (x2 - x1), 1)),
        Math.max(0, Math.min((0 - y1) / (y2 - y1), 1))
    ];
}

반환 값은 다음과 같이 계산됩니다.

용법:

visibility($('#example'));  // returns [0.3742887830933581, 0.6103752759381899]

데모:

function visibility(obj) {var winw = jQuery(window).width(),winh = jQuery(window).height(),elw = obj.width(),
    elh = obj.height(), o = obj[0].getBoundingClientRect(),x1 = o.left - winw, x2 = o.left + elw, y1 = o.top - winh, y2 = o.top + elh; return [Math.max(0, Math.min((0 - x1) / (x2 - x1), 1)),Math.max(0, Math.min((0 - y1) / (y2 - y1), 1))];
}
setInterval(function() {
  res = visibility($('#block'));
  $('#x').text(Math.round(res[0] * 100) + '%');
  $('#y').text(Math.round(res[1] * 100) + '%');
}, 100);
#block { width: 100px; height: 100px; border: 1px solid red; background: yellow; top: 50%; left: 50%; position: relative;
} #container { background: #EFF0F1; height: 950px; width: 1800px; margin-top: -40%; margin-left: -40%; overflow: scroll; position: relative;
} #res { position: fixed; top: 0; z-index: 2; font-family: Verdana; background: #c0c0c0; line-height: .1em; padding: 0 .5em; font-size: 12px;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<div id="res">
  <p>X: <span id="x"></span></p>
  <p>Y: <span id="y"></span></p>
</div>
<div id="container"><div id="block"></div></div>


0

cballou의 답변은 2014 년 1 월 현재 Firefox에서 더 이상 작동하지 않는다는 것을 발견했습니다. 특히 if (self.pageYOffset)클라이언트가 오른쪽으로 스크롤 한 경우 트리거되지 않았지만 아래로 스크롤되지 않았습니다 0. 이는 잘못된 숫자 이기 때문 입니다. Firefox가 document.body.scrollLeft/를 지원했기 때문에 잠시 동안 감지되지 Top않았지만 더 이상 작동하지 않습니다 (Firefox 26.0에서).

내 수정 된 솔루션은 다음과 같습니다.

var getPageScroll = function(document_el, window_el) {
  var xScroll = 0, yScroll = 0;
  if (window_el.pageYOffset !== undefined) {
    yScroll = window_el.pageYOffset;
    xScroll = window_el.pageXOffset;
  } else if (document_el.documentElement !== undefined && document_el.documentElement.scrollTop) {
    yScroll = document_el.documentElement.scrollTop;
    xScroll = document_el.documentElement.scrollLeft;
  } else if (document_el.body !== undefined) {// all other Explorers
    yScroll = document_el.body.scrollTop;
    xScroll = document_el.body.scrollLeft;
  }
  return [xScroll,yScroll];
};

FF26, Chrome 31, IE11에서 테스트 및 작동했습니다. 거의 확실하게 이전 버전에서 작동합니다.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.