滑鼠滑動解鎖
版權宣告:本文為博主原創文章,未經博主允許不得轉載。 https://blog.csdn.net/tel13259437538/article/details/79822694
Write By Monkeyfly
以下內容均為原創,如需轉載請註明出處。
前提
之前在優化別人寫的登入介面時,遇到了滑動解鎖成功後傳送簡訊驗證碼的場景,因為涉及到改動,所以必須要明白它是怎麼實現的。
由於本人JavaScript技藝不精,關於滑動解鎖如何實現的問題首先是沒接觸過,那麼實現原理肯定是不懂的。於是就針對這一問題認真研究了一天,並且在看了好幾個版本程式碼的基礎上,總結了別人的方法,同時根據自己理解也實現了滑動解鎖的功能。
分析圖
這是剛開始入手時,為了自己便於理解別人的程式碼,而特意在Windows畫板畫的分析圖,可能和程式碼中有不一致的地方。
主要理解思想就行了,圖中的程式碼可以作為參考,也可以直接忽視。(畢竟是第一版寫的,當時事件全都是給滑塊新增的)
希望對大家理解起來有幫助。
注:圖中的this指的是灰色的帶箭頭的滑塊,即btn。
詳細程式碼如下所示:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>滑塊驗證解鎖</title>
<style>
.drag{
width: 300px;
height: 40px;
line-height: 40px;
background-color: #e8e8e8;
position: relative;
margin:0 auto;
}
.bg{
width:40px;
height: 100%;
position: absolute;
background-color: #75CDF9;
}
.text{
position: absolute;
width: 100%;
height: 100%;
text-align: center;
user-select: none;
}
.btn{
width:40px;
height: 38px;
position: absolute;
border:1px solid #ccc;
cursor: move;
font-family: "宋體";
text-align: center;
background-color: #fff;
user-select: none;
color:#666;
}
</style>
</head>
<body>
<div class="drag">
<div class="bg"></div>
<div class="text" onselectstart="return false;">請拖動滑塊解鎖</div>
<div class="btn">>></div>
</div>
<script>
//一、定義一個獲取DOM元素的方法
var $ = function(selector){
return document.querySelector(selector);
},
box = $(".drag"),//容器
bg = $(".bg"),//背景
text = $(".text"),//文字
btn = $(".btn"),//滑塊
success = false,//是否通過驗證的標誌
distance = box.offsetWidth - btn.offsetWidth;//滑動成功的寬度(距離)
//二、給滑塊註冊滑鼠按下事件
btn.onmousedown = function(e){
//1.滑鼠按下之前必須清除掉後面設定的過渡屬性
btn.style.transition = "";
bg.style.transition ="";
//說明:clientX 事件屬性會返回當事件被觸發時,滑鼠指標向對於瀏覽器頁面(或客戶區)的水平座標。
//2.當滑塊位於初始位置時,得到滑鼠按下時的水平位置
var e = e || window.event;
var downX = e.clientX;
//三、給文件註冊滑鼠移動事件
document.onmousemove = function(e){
var e = e || window.event;
//1.獲取滑鼠移動後的水平位置
var moveX = e.clientX;
//2.得到滑鼠水平位置的偏移量(滑鼠移動時的位置 - 滑鼠按下時的位置)
var offsetX = moveX - downX;
//3.在這裡判斷一下:滑鼠水平移動的距離 與 滑動成功的距離 之間的關係
if( offsetX > distance){
offsetX = distance;//如果滑過了終點,就將它停留在終點位置
}else if( offsetX < 0){
offsetX = 0;//如果滑到了起點的左側,就將它重置為起點位置
}
//4.根據滑鼠移動的距離來動態設定滑塊的偏移量和背景顏色的寬度
btn.style.left = offsetX + "px";
bg.style.width = offsetX + "px";
//如果滑鼠的水平移動距離 = 滑動成功的寬度
if( offsetX == distance){
//1.設定滑動成功後的樣式
text.innerHTML = "驗證通過";
text.style.color = "#fff";
btn.innerHTML = "√";
btn.style.color = "green";
bg.style.backgroundColor = "lightgreen";
//2.設定滑動成功後的狀態
success = true;
//成功後,清除掉滑鼠按下事件和移動事件(因為移動時並不會涉及到滑鼠鬆開事件)
btn.onmousedown = null;
document.onmousemove = null;
//3.成功解鎖後的回撥函式
setTimeout(function(){
alert('解鎖成功!');
},100);
}
}
//四、給文件註冊滑鼠鬆開事件
document.onmouseup = function(e){
//如果滑鼠鬆開時,滑到了終點,則驗證通過
if(success){
return;
}else{
//反之,則將滑塊復位(設定了1s的屬性過渡效果)
btn.style.left = 0;
bg.style.width = 0;
btn.style.transition = "left 1s ease";
bg.style.transition = "width 1s ease";
}
//只要滑鼠鬆開了,說明此時不需要拖動滑塊了,那麼就清除滑鼠移動和鬆開事件。
document.onmousemove = null;
document.onmouseup = null;
}
}
</script>
</body>
</html>