我正在尝试使用HTML5 Canvas和Javascript制作游戏。我想做的是让瓢虫以特定的间隔在屏幕上移动。当鼠标悬停在瓢虫身上时,它会增加间隔并在不同的地方产卵。现在我有了它,所以当你刷新页面时,瓢虫会在不同的地方产生。我不知道如何让它自己更新或如何让它来检测鼠标悬停。
提前谢谢。
这是我到目前为止所做的:
<!DOCTYPE html>
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<title></title>
</head>
<body>
<canvas id="myCanvas" width="600" height="480"></canvas>
<script>
var canvas = document.getElementById('myCanvas');
var context = canvas.getContext('2d');
var posX = (Math.random() * 520) + 1;
var posY = (Math.random() * 400) + 1;
var ladybug = new Image();
var background = new Image();
var velocity = 5;
var FPS = 30;
update();
draw();
background();
function background() {
background.onload = function () {
context.drawImage(background, 50, 50);
}
background.src = 'Images/grass.png';
}
function draw() {
context.clearRect(0, 0, myCanvas.width, myCanvas.height);
context.fillStyle = "black"; // Set color to black
context.font = "bold 16px Arial";
context.fillText("Sup Bro!", posX, posY);
ladybug.onload = function () {
context.drawImage(ladybug, posX, posY);
};
ladybug.src = 'Images/Ladybug.png';
}
function update() {
}
</script>
</body>
</html>
答案 0 :(得分:0)
<强>首先。单独更新。
要让bug在屏幕上移动,您应该定期更新:
// instead of update() use setInterval(update, 1000 / FPS)
//update();
setInterval(update, 1000 / FPS);
其中1000 = 1秒,1000 / FPS
=每秒精确FPS运行。您可以通过添加日志记录到更新来检入浏览器控制台,它每秒执行30次:
function update(){
console.log("Here we go");
}
但要小心:这会给你的浏览器控制台带来麻烦。
在这里你应该从画布中删除旧的bug,重新计算坐标并在新的地方绘制新的。
接下来就是去修复你的背景。将您的background
函数重命名为drawBackground
(或其他),因为您有错误:已定义背景且它是图像。
<强>二。检测悬停。
要检查用户是否悬停在bug上,您应该在画布上使用onmousemove事件:
function init() {
canvas.onmousemove = function(event) {
if (window.event) event = window.event; // IE hack
var mousex = event.clientX - canvas.offsetLeft;
var mousey = event.clientY - canvas.offsetTop;
mousemove(mousex, mousey);
}
}
function mousemove(x, y) {
console.log (x, y);
// here check, if mousex and mousey is in rectangle (x, y, x + width, y + width)
// where x, y, width and height are parameters of lady bug
}
<强> PS:强>
有很多讨厌的框架用于画布和操纵html和dom。他们让生活更轻松。但是在探索它们之前的几分钟内,在纯粹的JS中做它是很好的。