当第二列不存在时如何使列跨度为全宽? (CSS 网格)

How to make a column span full width when a second column is not there? (CSS Grid)

我知道有类似的问题,但这是专门询问如何使用 CSS 网格布局来做到这一点。

所以我们有了这个基本的网格设置:

HTML(带边栏):

<div class="grid">

  <div class="content">
    <p>content</p>
  </div>

  <div class="sidebar">
    <p>sidebar</p>
  </div>

</div>

CSS:

.grid {
  display: grid;
  grid-template-columns: 1fr 200px;
}

要创建如下所示的布局:

| content               | sidebar |

如果页面没有边栏,即。 html 看起来像这样但具有相同的 CSS:

HTML(无边栏):

<div class="grid">

  <div class="content">
    <p>content</p>
  </div>

</div>

页面布局如下所示(破折号代表空space)

| content               | ------- |

我知道为什么会这样,网格列仍然在 grid-template-columns 规则中定义。

我只是想知道如何告诉网格如果没有内容,然后填充剩余的 space 类似于 flex-growflexbox 的工作方式。

如果没有边栏,所需的结果将如下所示。

| content                         |

不要使用 grid-template-columns.

显式 定义列

将列改为 隐式 ,然后使用 grid-auto-columns 定义它们的宽度。

当第二列 (.sidebar) 不存在时,这将允许第一列 (.content) 消耗行中的所有 space。

.grid {
  display: grid;
  grid-auto-columns: 1fr 200px;
}

.content {
  grid-column: 1;
}

.sidebar {
  grid-column: 2;
}

.grid > * {
  border: 1px dashed red; /* demo only */
}
<p>With side bar:</p>

<div class="grid">

  <div class="content">
    <p>content</p>
  </div>
  
  <div class="sidebar">
    <p>sidebar</p>
  </div>

</div>

<p>No side bar:</p>

<div class="grid">

  <div class="content">
    <p>content</p>
  </div>
  
</div>

您可以通过使用内容大小调整关键字来更接近,例如:

.grid {
  display: grid;
  grid-template-columns: 1fr fit-content(200px);
}

.sidebar {
  width: 100%;
}

fit-content 关键字将查看内容的大小并像 max-content 一样工作,直到达到您传入的值。

实际上,您可能不需要在边栏上设置尺寸,因为内容可能规定至少 200 像素的尺寸(例如),但您可以尝试一下。

我想我现在知道这个问题的最终答案了。到目前为止答案的问题是他们没有解释如何处理主要内容左侧的边栏(主要是因为我在原始问题中没有要求)。

<div class="grid">

  <nav>
    <p>navigation</p>
  </nav>

  <main>
    <p>content</p>
  </main>

  <aside>
    <p>sidebar</p>
  </aside>

</div>

你可以使用这个CSS:

.grid {
  display: grid;
  grid-template-columns: fit-content(200px) 1fr fit-content(200px);
}

nav, aside {
  width: 100%;
}

/* ensures that the content will always be placed in the correct column */
nav { grid-column: 1; }
main { grid-column: 2; }
aside { grid-column: 3; }

这也是网格区域的一个很好的用例

.grid {
  display: grid;
  grid-template-columns: fit-content(200px) 1fr fit-content(200px);
  grid-template-areas: "nav content sidebar";
}

nav, aside {
  width: 100%;
}

/* ensures that the content will always be placed in the correct column */
nav { grid-area: nav; }
main { grid-area: content; }
aside { grid-area: sidebar; }

IE 兼容版本如下所示:

.grid {
  display: -ms-grid;
  display: grid;
  -ms-grid-columns: auto 1fr auto;
  grid-template-columns: auto 1fr auto;
}

nav, aside {
  width: 100%; /* Ensures that if the content exists, it takes up max-width */
  max-width: 200px; /* Prevents the content exceeding 200px in width */
}

/* ensures that the content will always be placed in the correct column */
nav {
  -ms-grid-column: 1;
  grid-column: 1;
}

main {
  -ms-grid-column: 2;
  grid-column: 2;
}

aside {
  -ms-grid-column: 3;
  grid-column: 3;
}