按动按钮来移动笑脸:
如何使用图片?
要在画布上添加图片时, getContext("2d")的对象具有内置的图像属性和方法。
在我们的游戏中,打造gamepiece作为图像,使用组件构造,但不是指一个颜色,你必须引用图像的URL。 你必须告诉构造函数,这个组件类型的"image" :
例
function startGame() {
myGamePiece = new component(30, 30, "smiley.gif" ,
10, 120, "image" );
myGameArea.start();
}
在组件构造我们测试如果组件类型的"image" ,并通过使用内置的“新创建的图像对象Image()对象的构造函数。 当我们准备好绘制图像,我们使用drawImage方法,而不是fillRect方法:
例
function component(width, height, color, x, y, type) {
this.type = type;
if
(type == "image") {
this.image = new Image();
this.image.src = color;
}
this.width =
width;
this.height = height;
this.speedX = 0;
this.speedY = 0;
this.x = x;
this.y = y;
this.update = function() {
ctx =
myGameArea.context;
if (type == "image") {
ctx.drawImage(this.image,
this.x,
this.y,
this.width, this.height);
} else {
ctx.fillStyle = color;
ctx.fillRect(this.x, this.y, this.width, this.height);
}
}
}
试一试» 改变图像
当你通过改变喜欢,你可以改变图像src
的财产image
组件的对象。
如果你想改变它移动笑脸每次,当用户点击一个按钮,恢复正常时,按钮没有点击改变图像来源:
例
function move(dir) {
myGamePiece.image.src =
"angry.gif";
if (dir == "up")
{myGamePiece.speedY = -1; }
if (dir == "down")
{myGamePiece.speedY = 1; }
if (dir == "left")
{myGamePiece.speedX = -1; }
if (dir == "right")
{myGamePiece.speedX = 1; }
}
function clearmove() {
myGamePiece.image.src = "smiley.gif";
myGamePiece.speedX = 0;
myGamePiece.speedY = 0;
}
试一试» 背景图片
背景图片添加到您的游戏区可以将其作为一个组成部分,也是更新每一帧的背景:
例
var myGamePiece;
var myBackground;
function
startGame() {
myGamePiece = new component(30, 30,
"smiley.gif" , 10, 120, "image");
myBackground
= new component(656, 270, "citymarket.jpg" , 0, 0, "image");
myGameArea.start();
}
function updateGameArea() {
myGameArea.clear();
myBackground.newPos();
myBackground.update();
myGamePiece.newPos();
myGamePiece.update();
}
试一试» 移动背景
更改背景组件的speedX
属性,以使背景的举动:
例
function updateGameArea() {
myGameArea.clear();
myBackground.speedX = -1;
myBackground.newPos();
myBackground.update();
myGamePiece.newPos();
myGamePiece.update();
}
试一试» 背景环路
为了使相同的背景永远循环下去,我们必须使用特定的技术。
告诉组件构造,这是一个后台启动。 然后该组件构造将添加图像两次,第一图像之后立即将所述第二图像。
在newPos()
方法,检查x
组件的位置已经到达图像的结尾,如果它有,所述设定x
组件的位置,以0:
例
function component(width, height, color, x, y, type) {
this.type = type;
if (type == "image" || type
== "background" ) {
this.image = new Image();
this.image.src = color;
}
this.width = width;
this.height = height;
this.speedX = 0;
this.speedY = 0;
this.x = x;
this.y = y;
this.update = function() {
ctx
= myGameArea.context;
if (type
== "image" || type == "background") {
ctx.drawImage(this.image,
this.x, this.y, this.width, this.height);
if (type == "background") {
ctx.drawImage(this.image,
this.x + this.width, this.y, this.width, this.height);
}
} else {
ctx.fillStyle = color;
ctx.fillRect(this.x, this.y, this.width, this.height);
}
}
this.newPos = function() {
this.x += this.speedX;
this.y
+= this.speedY;
if
(this.type == "background") {
if (this.x == -(this.width)) {
this.x = 0;
}
}
}
}
试一试»