最新的Web开发教程
 

JavaScript HTML DOM动画


了解如何创建使用JavaScript的HTML动画。


一个基本的Web页

为了演示如何创建使用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>

风格元素

容器元素应该有型有款=创造“的立场:相对”。

动画元素应该有型有款=创造“的立场:绝对的”。

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

动画代码

JavaScript的动画通过编程元素的风格逐渐变化完成。

这些变化是由定时器调用。 当定时器的时间间隔小,则动画看起来是连续的。

基本的代码是:

var id = setInterval(frame, 5);

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

创建动画使用JavaScript

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