>웹 프론트엔드 >CSS 튜토리얼 >CSS 그리드 배우기: 다양한 예시가 포함된 간단한 가이드

CSS 그리드 배우기: 다양한 예시가 포함된 간단한 가이드

Barbara Streisand
Barbara Streisand원래의
2024-10-05 06:16:30929검색

こんにちは! CSS グリッドは目隠しをしてルービック キューブを解こうとしているようなものだと感じたことがあるのは、あなただけではありません。私は Eleftheria です。今日は、CSS グリッドを簡単に操作できるようにお手伝いします。それでは、詳しく見ていきましょう。 ?

CSS グリッドの概要

CSS グリッドは、以前は実現するのが大変だった複雑な 2 次元レイアウトを作成できるようにするために作られています。 Grid が登場する前は、フロート、テーブル、またはフレックスボックスを使ってレイアウトを調整していました。 Grid は、「ビールを待ってください」と言い、Web ページを構造化するためのより直感的で強力な方法を提供しました。

Learn CSS Grid: Simple Guide with Plenty of Examples

CSS グリッドを学ぶ理由

  • 効率

    : グリッドを使用すると、レイアウトの設計方法が簡素化され、レイアウト目的のためだけにネストされた要素の必要性が減ります。
  • 柔軟性

    : レスポンシブ デザインに最適で、さまざまな画面サイズに美しく適応します。
  • パワー

    : Grid を使用すると、要素を垂直方向と水平方向の両方に簡単に整列させることができます。これは、古い方法では悪夢でした。

CSS グリッドの基本

一番最初から始めましょう。 CSS グリッドを使用するには、コンテナをグリッドとして定義する必要があります。例:

.container { display: grid;}


この単純な行は、.container をグリッド コンテナに変換します。これは、その直接の子がグリッド アイテムになることを意味します。

グリッドの列と行の作成

列と行を指定してグリッド構造を定義します。

.grid-container {
    display: grid;
    grid-template-columns: 1fr 1fr 1fr; /* Three columns with equal width */
    grid-template-rows: auto auto auto;  /* Three rows with automatic height */
}



ここで、1fr は利用可能なスペースの 1 分の 1 を意味し、列の幅が等しくなります。

グリッドにアイテムを配置する

グリッド列プロパティとグリッド行プロパティを使用して、特定の領域に項目を配置できます。

.item-a {
    grid-column: 1 / 3; /* Start at line 1, end at line 3 */
    grid-row: 1 / 2;    /* Span from line 1 to line 2 */
}



これにより、.item-a が最初の列行から 3 行目、そして最初の行まで配置されます。

グリッド線とエリア

参照しやすいように行に名前を付けることができます:

.grid-container {
    grid-template-columns: [start] 1fr [line2] 1fr [end];
    grid-template-rows: [row1-start] auto [row2-start] auto [row3-end];
}


次に、次の名前を使用します:

.item-b {
    grid-column: start / line2;
    grid-row: row1-start / row2-start;
}


グリッドエリア

より視覚的なアプローチとして、領域に名前を付けることができます:

.grid-container {
    display: grid;
    grid-template-areas:
    "header header header"
    "sidebar main main"
    "footer footer footer";
}


次に、これらの領域に要素を割り当てます。

<div class="grid-container">
    <div class="header">Header</div>
    <div class="sidebar">Sidebar</div>
    <div class="main">Main</div>
    <div class="footer">Footer</div>
</div>



.header { grid-area: header; }
.sidebar { grid-area: sidebar; }
.main { grid-area: main; }
.footer { grid-area: footer; }


CSS グリッドの動作例をさらに見る

1.メディアクエリを使用したレスポンシブレイアウト

CSS グリッドの長所の 1 つは、レスポンシブ デザインの取り扱いが容易であることです。 さまざまな画面サイズ

に合わせてグリッド レイアウトを調整する方法を示す例を次に示します。

.grid-container {
    display: grid;
    grid-template-columns: repeat(auto-fit, minmax(300px, 1fr));
    gap: 20px;
}

@media (max-width: 768px) {
    .grid-container {
        grid-template-columns: 1fr;
    }
}


この設定では、各アイテムの幅が少なくとも 300 ピクセルであるグリッドが作成されますが、使用可能なスペースを占めるまで大きくなります。 768px より小さい画面では、単一列レイアウトに移行します。

2.複雑なレイアウト: 雑誌スタイル

大きな特集記事、小さな副記事、広告が含まれる雑誌のページを想像してください。

<div class="grid-container">
    <article class="featured">Featured Article</article>
    <article class="side">Side Article 1</article>
    <article class="side">Side Article 2</article>
    <div class="ad">Advertisement</div>
    <footer class="footer">Footer</footer>
</div>



.grid-container {
    display: grid;
    grid-template-columns: repeat(3, 1fr);
    grid-template-areas: 
        "featured featured ad"
        "side1 side2 ad"
        "footer footer footer";
    gap: 10px;
}

.featured { grid-area: featured; }
.side:nth-child(1) { grid-area: side1; }
.side:nth-child(2) { grid-area: side2; }
.ad { grid-area: ad; }
.footer { grid-area: footer; }


この例では、名前付きグリッド領域を使用して、複雑だが視覚的に魅力的なレイアウトを作成します。

3.コンポーネント設計用のネストされたグリッド

グリッド内のコンポーネントについては、グリッドをネストすることができます。

<div class="grid-container">
    <div class="card">
        <h2 class="card-title">Card Title</h2>
        <div class="card-content">
            <p>Content Here</p>
            <button class="card-button">Action</button>
        </div>
    </div>
</div>



.grid-container {
    display: grid;
    grid-template-columns: 1fr 1fr 1fr;
    gap: 20px;
}

.card {
    display: grid;
    grid-template-columns: 1fr;
    gap: 10px;
}

.card-title {
    /* Styles for title */
}

.card-content {
    display: grid;
    grid-template-columns: 2fr 1fr;
    gap: 10px;
}

.card-button {
    align-self: flex-start;
}


ここでは、各カード自体がグリッドを使用してタイトルとコンテンツをレイアウトし、デザイン要素を細かく制御するためにグリッドをネストする方法を示しています。

4.画像付きの動的グリッド

ギャラリーまたはポートフォリオの場合:

<div class="gallery">
    <img src="img1.jpg" alt="Image 1">
    <img src="img2.jpg" alt="Image 2">
    <img src="img3.jpg" alt="Image 3">
    <!-- More images -->
</div>



.gallery {
    display: grid;
    grid-template-columns: repeat(auto-fill, minmax(200px, 1fr));
    gap: 10px;
}

.gallery img {
    width: 100%;
    height: auto;
}


このグリッドは、各行にできるだけ多く収まる、幅 200 ピクセル以上の画像でコンテナを埋めるように動的に調整されます。

高度なグリッド機能

  • グリッド自動フロー

    : アイテムを自動的に配置します。
  • グリッド ギャップ

    : グリッド セル間にスペースを追加します。
  • Minmax()

    : 行または列のサイズ範囲を定義します。

グリッド自動フロー

Grid Auto-Flow

は、項目が明示的に配置されていない場合に、ブラウザーが項目をグリッドにどのように埋めるかを制御します。デフォルトでは、項目は行優先の順序で配置されます。つまり、項目は次の行に移動する前に行全体に配置されます。ただし、この動作は変更できます:
  • row

    : 次の列に移動する前に項目が行に配置されるデフォルトの動作。
  • column

    : 項目は次の行に移動する前に列に配置されます。<script> // Detect dark theme var iframe = document.getElementById('tweet-1832648056296063240-389'); if (document.body.className.includes('dark-theme')) { iframe.src = "https://platform.twitter.com/embed/Tweet.html?id=1832648056296063240&theme=dark" } </script>
  • dense : This option tells the browser to fill in gaps in the grid as items are placed, potentially rearranging items to avoid empty spaces. This can result in an "optimal" arrangement but can also lead to unexpected layouts if not used carefully.

Example:


.grid-container {
    display: grid;
    grid-template-columns: repeat(3, 1fr);
    grid-auto-flow: column; /* Items will fill by column before moving to next row */
}


Grid Gaps (or Gutter)

Grid Gaps add space between grid cells, which is crucial for visual breathing room in your layout. You can set gaps for rows, columns, or both:

Example:


.grid-container {
    display: grid;
    grid-template-columns: 1fr 1fr 1fr;
    gap: 20px 40px; /* 20px vertical gap, 40px horizontal gap */
    grid-row-gap: 30px; /* Alternative for vertical gap */
    grid-column-gap: 50px; /* Alternative for horizontal gap */
}


Using gap is shorthand for both grid-row-gap and grid-column-gap. This feature helps in creating a more polished and organized look, making your content feel less cramped.

Minmax() Function

The Minmax() function in CSS Grid allows you to define a size range for grid tracks (rows or columns). This is extremely useful for creating flexible yet controlled layouts:

Example:


.grid-container {
    display: grid;
    grid-template-columns: repeat(auto-fill, minmax(100px, 1fr));
}


  • minmax(min, max): Here, min is the minimum width (or height for rows) the track can take, and max is the maximum. The track will grow from min to max as more space becomes available.

  • auto-fill inside repeat alongside minmax means the browser will automatically generate as many columns as fit within the container, each having a minimum width of 100px but can expand if there's space.

  • 1fr means the track can grow to take up an equal fraction of the available space if there's room after all minimum sizes are accounted for.

Real Example Use:

Imagine designing a dashboard where you want cards to have at least 200px width but grow to fill the space without exceeding 400px:

Solution:


.dashboard {
    display: grid;
    grid-template-columns: repeat(auto-fill, minmax(200px, 400px));
    gap: 20px;
}


This setup ensures each card is visible and usable on smaller screens while maximizing space on larger displays.

  • Grid Auto-flow helps in managing how items are naturally placed within your grid, optimizing for space or maintaining order.

  • Grid Gaps provide the breathing room that makes layouts more visually appealing and user-friendly.

  • Minmax offers the flexibility to design layouts that adapt beautifully to different screen sizes and content volumes.

Conclusion

I hope by now, you've seen Grid not just as a layout tool, but as a creative companion in your web design adventures. CSS Grid has transformed how we approach layout design, offering a blend of simplicity and power that was hard to imagine before its arrival.

Remember, mastering Grid isn't about memorizing every property or function, but understanding its logic. Like learning any new language, it's about practicetrying out different configurations, seeing how elements respond, and adapting your design to the fluidity of the web.

As you incorporate Grid into your projects, whether they're personal blogs, complex dashboards, or innovative web applications, you'll find yourself equipped to handle challenges with elegance and efficiency. Keep this guide handy, refer back to these examples, and most importantly, keep experimenting.

Thank you for joining me on this exploration of CSS Grid.


? Hello, I'm Eleftheria, Community Manager, developer, public speaker, and content creator.

? If you liked this article, consider sharing it.

? All links | X | LinkedIn

위 내용은 CSS 그리드 배우기: 다양한 예시가 포함된 간단한 가이드의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
이전 기사:jQuery를 사용하여다음 기사:jQuery를 사용하여