How do I know the IntersectionObserver scroll direction?

后端 未结 5 2037
半阙折子戏
半阙折子戏 2020-12-07 18:48

So, how do I know the scroll direction when the event it\'s triggered?

In the returned object the closest possibility I see is interacting with the boundingCli

5条回答
  •  庸人自扰
    2020-12-07 19:38

    I don't know if handling boundingClientRect will end up on performance issues.

    MDN states that the IntersectionObserver does not run on the main thread:

    This way, sites no longer need to do anything on the main thread to watch for this kind of element intersection, and the browser is free to optimize the management of intersections as it sees fit.

    MDN, "Intersection Observer API"

    We can compute the scrolling direction by saving the value of IntersectionObserverEntry.boundingClientRect.y and compare that to the previous value.

    Run the following snippet for an example:

    const state = document.querySelector('.observer__state')
    const target = document.querySelector('.observer__target')
    
    const thresholdArray = steps => Array(steps + 1)
     .fill(0)
     .map((_, index) => index / steps || 0)
    
    let previousY = 0
    let previousRatio = 0
    
    const handleIntersect = entries => {
      entries.forEach(entry => {
        const currentY = entry.boundingClientRect.y
        const currentRatio = entry.intersectionRatio
        const isIntersecting = entry.isIntersecting
    
        // Scrolling down/up
        if (currentY < previousY) {
          if (currentRatio > previousRatio && isIntersecting) {
            state.textContent ="Scrolling down enter"
          } else {
            state.textContent ="Scrolling down leave"
          }
        } else if (currentY > previousY && isIntersecting) {
          if (currentRatio < previousRatio) {
            state.textContent ="Scrolling up leave"
          } else {
            state.textContent ="Scrolling up enter"
          }
        }
    
        previousY = currentY
        previousRatio = currentRatio
      })
    }
    
    const observer = new IntersectionObserver(handleIntersect, {
      threshold: thresholdArray(20),
    })
    
    observer.observe(target)
    html,
    body {
      margin: 0;
    }
    
    .observer__target {
      position: relative;
      width: 100%;
      height: 350px;
      margin: 1500px 0;
      background: rebeccapurple;
    }
    
    .observer__state {
      position: fixed;
      top: 1em;
      left: 1em;
      color: #111;
      font: 400 1.125em/1.5 sans-serif;
      background: #fff;
    }


    If the thresholdArray helper function might confuse you, it builds an array ranging from 0.0 to 1.0by the given amount of steps. Passing 5 will return [0.0, 0.2, 0.4, 0.6, 0.8, 1.0].

提交回复
热议问题