8

对于这里的许多人来说,这个问题可能很愚蠢。我在纯 JS 中滚动后制作粘性 div。有些人可能会建议用 jQuery 制作它,但我对此不感兴趣。我需要的是与此类似的东西。这里 div 一直移动到顶部,但我需要它有 60px 顶部。我做了一个脚本,但它不起作用。谁能帮我解决这个问题?

这是我的代码。

HTML

<div id="left"></div>
<div id="right"></div>

CSS

#left{
    float:left;
    width:100px;
    height:200px;
    background:yellow;
}

#right{
    float:right;
    width:100px;
    height:1000px;
    background:red;
    margin-top:200px;
}

JS

window.onscroll = function()
{
    var left = document.getElementById("left");



    if (left.scrollTop < 60 || self.pageYOffset < 60) {
        left.style.position = 'fixed';
        left.style.top = '60px';
    } else if (left.scrollTop > 60 || self.pageYOffset > 60) {
        left.style.position = 'absolute';
        left.style.margin-top = '200px';
    }

}

这是我需要实现的。左边的 div 必须有margin-top:200px并且position:absolute在页面加载。当用户滚动页面时,左边的 div 应该滚动,当它到达top:60px;它的位置时,margin-top 应该变为position:fixedmargin-top:60px;

这是小提琴

4

1 回答 1

21

CSS

#left {
  float:left;
  width:100px;
  height:200px;
  background:yellow;
  margin:200px 0 0;
}
#left.stick {
  position:fixed;
  top:0;
  margin:60px 0 0
}

添加了一个stick类,因此javascript不必做太多工作。

JS

    // set everything outside the onscroll event (less work per scroll)
var left      = document.getElementById("left"),
    // -60 so it won't be jumpy
    stop      = left.offsetTop - 60,
    docBody   = document.documentElement || document.body.parentNode || document.body,
    hasOffset = window.pageYOffset !== undefined,
    scrollTop;

window.onscroll = function (e) {
  // cross-browser compatible scrollTop.
  scrollTop = hasOffset ? window.pageYOffset : docBody.scrollTop;

  // if user scrolls to 60px from the top of the left div
  if (scrollTop >= stop) {
    // stick the div
    left.className = 'stick';
  } else {
    // release the div
    left.className = ''; 
  }
}

工作 JSFIDDLE

于 2013-07-27T03:47:03.930 回答