使用 position: fixed 和 top: 0 可实现页眉固定在视口顶部,通过 z-index 确保层级优先,配合 padding-top 或占位元素防止内容被遮挡,并可添加 box-shadow、transition 和 backdrop-filter 优化视觉效果。

要实现固定页眉,关键在于使用 position: fixed 结合 top 属性,让页眉始终停留在浏览器视口的顶部,即使页面滚动也不会移动。
1. 基本语法:position 与 top 配合
将页眉元素设置为固定定位,并指定它距离视口顶部的距离:
.header {
position: fixed;
top: 0;
left: 0;
width: 100%;
background-color: #333;
color: white;
padding: 15px;
z-index: 1000;
}
说明:
- position: fixed:脱离文档流,相对于浏览器窗口固定位置。
- top: 0:紧贴视口顶部。
- left: 0 和 width: 100% 确保横跨整个屏幕。
- z-index 确保页眉在其他内容之上显示。
2. 防止内容被遮挡
固定定位会使页眉覆盖在内容上方,可能遮挡页面顶部内容。解决方法是在主体内容前添加空白或内边距:
body {
padding-top: 70px; /* 高度至少等于页眉高度 */
}
或者使用一个占位的空 div:
立即学习“前端免费学习笔记(深入)”;
.spacer {
height: 70px; /* 与页眉高度一致 */
margin-bottom: 20px;
}
3. 常见应用场景优化
实际开发中可进一步优化体验:
- 添加 box-shadow 增加层次感
- 使用 transition 实现平滑背景变化(如滚动后变暗)
- 移动端考虑使用 backdrop-filter 实现毛玻璃效果
.header {
backdrop-filter: blur(5px);
box-shadow: 0 2px 10px rgba(0,0,0,0.1);
}
基本上就这些,核心是 position: fixed + top: 0,再处理好布局冲突即可。










