首先来了解一下,面向对象练习的基本规则和问题:函数
先写出普通的写法,而后改为面向对象写法项布局
先把拖拽效果的布局完善好:HTML
结构:<div id="box"></div>
this
csc
样式:#box{position: absolute;width: 200px;height: 200px;background: red;}
prototype
第一步,首先把面向过程的拖拽回顾一下指针
window.onload = function (){ // 获取元素和初始值 var oBox = document.getElementById('box'), disX = 0, disY = 0; // 容器鼠标按下事件 oBox.onmousedown = function (e){ var e = e || window.event; disX = e.clientX - this.offsetLeft; disY = e.clientY - this.offsetTop; document.onmousemove = function (e){ var e = e || window.event; oBox.style.left = (e.clientX - disX) + 'px'; oBox.style.top = (e.clientY - disY) + 'px'; }; document.onmouseup = function (){ document.onmousemove = null; document.onmouseup = null; }; return false; }; };
第二步,把面向过程改写为面向对象code
window.onload = function (){ var drag = new Drag('box'); drag.init(); }; // 构造函数Drag function Drag(id){ this.obj = document.getElementById(id); this.disX = 0; this.disY = 0; } Drag.prototype.init = function (){ // this指针 var me = this; this.obj.onmousedown = function (e){ var e = e || event; me.mouseDown(e); // 阻止默认事件 return false; }; }; Drag.prototype.mouseDown = function (e){ // this指针 var me = this; this.disX = e.clientX - this.obj.offsetLeft; this.disY = e.clientY - this.obj.offsetTop; document.onmousemove = function (e){ var e = e || window.event; me.mouseMove(e); }; document.onmouseup = function (){ me.mouseUp(); } }; Drag.prototype.mouseMove = function (e){ this.obj.style.left = (e.clientX - this.disX) + 'px'; this.obj.style.top = (e.clientY - this.disY) + 'px'; }; Drag.prototype.mouseUp = function (){ document.onmousemove = null; document.onmouseup = null; };
第三步,看看代码有哪些不同对象
首页使用了构造函数来建立一个对象:事件
// 构造函数Drag function Drag(id){ this.obj = document.getElementById(id); this.disX = 0; this.disY = 0; }
遵照前面的写好的规则,把全局变量都变成属性!get
而后就是把函数都写在原型上面:原型
Drag.prototype.init = function (){ }; Drag.prototype.mouseDown = function (){ }; Drag.prototype.mouseMove = function (){ }; Drag.prototype.mouseUp = function (){ };
先来看看init
函数:
Drag.prototype.init = function (){ // this指针 var me = this; this.obj.onmousedown = function (e){ var e = e || event; me.mouseDown(e); // 阻止默认事件 return false; }; };
咱们使用me变量来保存了this
指针,为了后面的代码不出现this
指向的错误
接着是mouseDown
函数:
Drag.prototype.mouseDown = function (e){ // this指针 var me = this; this.disX = e.clientX - this.obj.offsetLeft; this.disY = e.clientY - this.obj.offsetTop; document.onmousemove = function (e){ var e = e || window.event; me.mouseMove(e); }; document.onmouseup = function (){ me.mouseUp(); } };
改写成面向对象的时候要注意一下event对象
。由于event对象
只出如今事件中,因此咱们要把event对象
保存变量,而后经过参数传递!
后面的mouseMove
函数和mouseUp
函数就没什么要注意的地方了!
关于this
指针的问题,面向对象里面this
特别重要!
this拓展阅读:
http://div.io/topic/809
关于event对象
的问题,event对象
只出如今事件里面,因此写方法的时候要注意一下!