目录

JavaScript HTML DOM 动画


学习使用 JavaScript 创建 HTML 动画。


一个基本的网页

为了演示如何使用JavaScript创建HTML动画,我们将使用一个简单的网页:

示例

<!DOCTYPE html>
<html>
<body>

<h1>My First JavaScript Animation</h1>

<div id="animation">My animation will go here</div>

</body>
</html>

创建动画容器

所有动画都应该与容器元素相关。

示例

<div id ="container">
  <div id ="animate">My animation will go here</div>
</div>

元素样式

应该使用样式=”创建容器元素position: relative”。

动画元素应使用style =”创建position: absolute”。

示例

#container {
  width: 400px;
  height: 400px;
  position: relative;
  background: yellow;
}
#animate {
  width: 50px;
  height: 50px;
  position: absolute;
  background: red;
}
亲自试一试 »


动画代码

JavaScript动画是通过编程元素样式逐渐更改来完成的。

这些更改由计时器调用。当计时器间隔很小时,动画看起来很连续。

基本代码是:

示例

id = setInterval(frame, 5);

function frame() {
  if (/* test for finished */) {
    clearInterval(id);
  } else {
    /* code to change the element style */ 
  }
}

使用 JavaScript 创建完整的动画

示例

function myMove() {
  let id = null;
  const elem = document.getElementById("animate");
  let pos = 0;
  clearInterval(id);
  id = setInterval(frame, 5);
  function frame() {
    if (pos == 350) {
      clearInterval(id);
    } else {
      pos++;
      elem.style.top = pos + 'px';
      elem.style.left = pos + 'px';
    }
  }
}
亲自试一试 »