// 坦克移动的四个方向
var EnumDirection = {
Up: "0",
Right: "1",
Down: "2",
Left: "3"
};
// 通用方法对象
var UtilityClass = {
// 创建dom元素到parentNode中,可指定id,className
CreateE: function (type, id, className, parentNode) {
var J = document.createElement(type);
if (id) { J.id = id };
if (className) { J.className = className };
return parentNode.appendChild(J);
}, // 移除元素
RemoveE: function (obj, parentNode) {
parentNode.removeChild(obj);
},
GetFunctionName: function (context, argumentCallee) {
for (var i in context) {
if (context[i] == argumentCallee) { return i };
}
return "";
}, // 绑定事件,返回func方法,this为传入的obj
BindFunction: function (obj,func) {
return function () {
func.apply(obj, arguments);
};
}
};
1.2.3 创建移动对象
Mover.js
复制代码 代码如下:
// 移动对象,继承自顶层对象
Mover = function () {
this.Direction = EnumDirection.Up;
this.Speed = 1;
}
Mover.prototype = new TankObject();
Mover.prototype.Move = function () {
if (this.lock) {
return;/* 停用或者尚在步进中,操作无效 */
}
// 根据方向设置坦克的背景图片
this.UI.style.backgroundPosition = "0 -" + this.Direction * 40 + "px";
// 如果方向是上和下,vp就是top;如果方向是上和左,val就是-1
var vp = ["top", "left"][((this.Direction == EnumDirection.Up) || (this.Direction == EnumDirection.Down)) ? 0 : 1];
var val = ((this.Direction == EnumDirection.Up) || (this.Direction == EnumDirection.Left)) ? -1 : 1;
this.lock = true;/* 加锁 */
// 把当前对象保存到This
var This = this;
// 记录对象移动起始位置
var startmoveP = parseInt(This.UI.style[vp]);
var xp = This.XPosition, yp = This.YPosition;
var subMove = setInterval(function () {
// 开始移动,每次移动5px
This.UI.style[vp] = parseInt(This.UI.style[vp]) + 5 * val + "px";
// 每次移动一个单元格 40px
if (Math.abs((parseInt(This.UI.style[vp]) - startmoveP)) >= 40) {
clearInterval(subMove);
This.lock = false;/* 解锁,允许再次步进 */
// 记录对象移动后在表格中的位置
This.XPosition = Math.round(This.UI.offsetLeft / 40);
This.YPosition = Math.round(This.UI.offsetTop / 40);
}
}, 80 - this.Speed * 10);
}
这里的移动对象继承自我们的顶级对象 ,这里this就代表调用Move方法的对象。
Move对象的功能根据对象的方向和速度进行移动,每次移动5px总共移动40px一个单元格。后面这个对象还会进行扩展,会加入碰撞检测等功能。
1.2.4 创建坦克对象
Tank.js 文件:
复制代码 代码如下:
//tank对象 继承自Mover
Tank=function(){}
Tank.prototype = new Mover();