移動端滾動穿透問題完美解決方案

hsany330發表於2020-11-13

問題

眾所周知,移動端當有 fixed 遮罩背景和彈出層時,在螢幕上滑動能夠滑動背景下面的內容,這就是著名的滾動穿透問題

之前搜尋了一圈,找到下面兩種方案
<!-- more -->

css 之 overflow: hidden

.modal-open {
  &, body {
    overflow: hidden;
    height: 100%;
  }
}

頁面彈出層上將 .modal-open 新增到 html 上,禁用 html 和 body 的滾動條
但是這個方案有兩個缺點:

  • 由於 html 和 body的滾動條都被禁用,彈出層後頁面的滾動位置會丟失,需要用 js 來還原

  • 頁面的背景還是能夠有滾的動的效果

js 之 touchmove + preventDefault

modal.addEventListener('touchmove', function(e) {
  e.preventDefault();
}, false);

這樣用 js 阻止滾動後看起來效果不錯了,但是也有一個缺點:

  • 彈出層裡不能有其它需要滾動的內容(如大段文字需要固定高度,顯示滾動條也會被阻止)

上面兩個方案都有缺點,今天用英文關鍵字 google 了一下,才發現原來還有更好的方案

解決方案 position: fixed

body.modal-open {
    position: fixed;
    width: 100%;
}

如果只是上面的 css,滾動條的位置同樣會丟失
所以如果需要保持滾動條的位置需要用 js 儲存滾動條位置關閉的時候還原滾動位置

/**
  * ModalHelper helpers resolve the modal scrolling issue on mobile devices
  * https://github.com/twbs/bootstrap/issues/15852
  * requires document.scrollingElement polyfill https://uedsky.com/demo/src/polyfills/document.scrollingElement.js
  */
var ModalHelper = (function(bodyCls) {
  var scrollTop;
  return {
    afterOpen: function() {
      scrollTop = document.scrollingElement.scrollTop;
      document.body.classList.add(bodyCls);
      document.body.style.top = -scrollTop + 'px';
    },
    beforeClose: function() {
      document.body.classList.remove(bodyCls);
      // scrollTop lost after set position:fixed, restore it back.
      document.scrollingElement.scrollTop = scrollTop;
    }
  };
})('modal-open');

這樣上面3個缺點都解決了,至此滾動穿透就完美解決

完整的示例

document.scrollingElement

因為瀏覽器獲取和設定 scrollTop 存在相容性,為了簡化上面的示例,我直接使用了 document.scrollingElement 這個新標準,對於不支援的瀏覽器我寫了個 polyfill document.scrollingElement.js

參考

原文地址:https://uedsky.com/2016-06/mobile-modal-scroll/

相關文章