🌟

モーダルウィンドウをアニメーションで表示したい

2023/04/25に公開

アニメーションで表示されるモーダルウィンドウを作る

ボタンが押されたら、モーダルウィンドウがアニメーション(下からフェードイン)で表示されるUIを作ります!

サンプルコード

HTML

<button id="modal-btn">モーダルを開く</button>

<div id="modal" class="modal fade-in">
    <div class="modal-content">
        <span class="close">&times;</span>
        <p>モーダルウィンドウの内容がここに入ります。</p>
    </div>
</div>

アニメーションさせたい要素(.modal)にfade-inクラスを付けておく。

CSS

/* モーダル全体のスタイル */
.modal {
    background-color: gray;
    /* 画面全体に */
    position: fixed;
    top: 0;
    left: 0;
    width: 100%;
    height: 100%;
    /* 前面表示 */
    z-index: 999;
    /* 子要素を中央配置 */
    display: flex;
    align-items: center;
    justify-content: center;
}

/* モーダル内ウィンドウのスタイル */
.modal-content {
    width: 70%;
    max-width: 700px;
    max-height: 500px;
    background-color: #fefefe;
    box-sizing: border-box;
    padding: 20px;
    border: 1px solid #888;
    border-radius: 20px;
    box-shadow: 5px 5px 10px 5px rgba(0, 0, 0, 0.75);
    font-size: 1rem;
    /* コンテンツがウィンドウからはみ出した場合にスクロールバーを表示 */
    overflow-y: auto;
}

.close {
    color: #aaa;
    float: right;
    font-size: 28px;
    font-weight: bold;
}

.close:hover {
    color: black;
    text-decoration: none;
    cursor: pointer;
}

/* フェードイン(アニメーション前) */
.fade-in {
    transform: translateY(100%); /* 一旦非表示にしておく */
}

/* ボタンが押されたら付与するクラス */
.show {
    /* 縦方向の移動 */
    transform: translateY(0);
    transition: transform 1s ease-in-out; /* アニメーション時間、開始前後の時間 */
}

.fade-inで、transform: translateY(100%);を指定しておくことで、モーダルを一旦非表示にしておきます。

ボタンが押されたら付与するクラス(.show)には、要素の移動指定(100%)をしておくことで、アニメーションが実現します。

JavaScript

const modalBtn = document.getElementById("modal-btn");
const modal = document.getElementById("modal");
const closeBtn = document.getElementsByClassName("close")[0];

modalBtn.onclick = function () {
    modal.classList.add("show"); // クラスを付与
};

closeBtn.onclick = function () {
    modal.classList.remove("show"); // クラスを削除
};

ボタンが押されたらクラスを付与するスクリプトを作っておきます。

以上です。

Discussion