js實現簡單的拖拽效果

本文實例為大傢分享瞭js實現簡單的拖拽效果的具體代碼,供大傢參考,具體內容如下

1.拖拽的基本效果

思路:

鼠標在盒子上按下時,準備移動 (事件加給物體)

鼠標移動時,盒子跟隨鼠標移動 (事件添加給頁面)

鼠標抬起時,盒子停止移動 (事件加給頁面)

var o = document.querySelector('div');
 
        //鼠標按下
        o.onmousedown = function (e) {
            //鼠標相對於盒子的位置
            var offsetX = e.clientX - o.offsetLeft;
            var offsetY = e.clientY - o.offsetTop;
            //鼠標移動
            document.onmousemove = function (e) {
                o.style.left = e.clientX - offsetX + "px";
                o.style.top = e.clientY - offsetY + "px";
            }
            //鼠標抬起
            document.onmouseup = function () {
                document.onmousemove = null;
                document.onmouseup = null;
            }
        }

2.拖拽的問題

若盒子中出現瞭文字,或盒子自身為圖片,由於瀏覽器的默認行為(文字和圖片本身就可以拖拽),我們可以設置return false來阻止它的默認行為,但這種攔截默認行為在IE低版本中,不適用,可以使用全局捕獲來解決IE的問題。

全局捕獲

全局捕獲僅適用於IE低版本瀏覽器。

<button>btn1</button>
    <button>btn2</button>
    <script>
        var bts = document.querySelectorAll('button')
 
        bts[0].onclick = function () {
            console.log(1);
        }
        bts[1].onclick = function () {
            console.log(2);
        }
 
        // bts[0].setCapture()  //添加全局捕獲
        // bts[0].releaseCapture() ;//釋放全局捕獲
</script>

一旦為指定節點添加全局捕獲,則頁面中其它元素就不會觸發同類型事件。

3.完整版的拖拽

var o = document.querySelector('div');
 
        //鼠標按下
        o.onmousedown = function (e) {
            if (o.setCapture) {   //IE低版本
                o.setCapture()
            }
            e = e || window.event
            //鼠標相對於盒子的位置
            var offsetX = e.clientX - o.offsetLeft;
            var offsetY = e.clientY - o.offsetTop;
            //鼠標移動
            document.onmousemove = function (e) {
                e = e || window.event
                o.style.left = e.clientX - offsetX + "px";
                o.style.top = e.clientY - offsetY + "px";
            }
            //鼠標抬起
            document.onmouseup = function () {
                document.onmousemove = null;
                document.onmouseup = null;
                if (o.releaseCapture) {
                    o.releaseCapture();//釋放全局捕獲   
                }
            }
            return false;//標準瀏覽器的默認行為
        }

以上就是本文的全部內容,希望對大傢的學習有所幫助,也希望大傢多多支持WalkonNet。

推薦閱讀: