最新的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';
        }
    }
}
試一試»