CSS 基本布局以及一些小技巧

1. 左右布局

如果有以下html结构,设置左右两栏布局

  • 设置浮动:左右布局常用的方法就是为子元素设置浮动,然后在其父元素上使用clearfix类清除浮动。示例代码如下:
.clearfix::after{
  content:"";
  display:block;
  clear:both;
}
.leftChild,
.rightChild{
  float:left;
}
  • 设置position绝对定位,为父元素设置position:relative; 为子元素设置position:absolute 。示例代码如下:
.parent{
  position:relative;
}
.leftChild{
  position:absolute;
  left:0;
  top:0;
}
.rightChild{
  position:absolute;
  left:200px;
  top:0;
}

2.左中右布局

左右固定宽度,中间自适应(5种方法)


    
    css布局全解
    

  1. float方法

    

浮动解决方案

  1. absolute方法

    

绝对定位解决方案

  1. flexbox方法

    

flex定位解决方案

  1. table方法

    

表格定位解决方案

  1. grid方法

    

网格定位解决方案

3.水平居中

  • 文字的水平居中:
text-align:center;
  • 单行文字的垂直居中:
line-height:30px;
height:30px;
  • 让有宽度的div水平居中:
margin: 0 auto;
width:300px;//必须要有宽度,margin:0 auto才能让它居中

4.垂直居中

  • 让绝对定位的div垂直居中:
position:absolute;
top:0;
bottom:0;
margin:auto 0;  //垂直方向的auto 发挥的作用
width:300px;
height:300px;
  • 同理,让绝对定位的div水平和垂直方向都居中:
position:absolute;
top:0;
left: 0;
right:0;
bottom:0;
margin:auto; 
width:300px;
height:300px;
  • 已知宽高的容器的水平垂直方向居中:
width: 300px;
height:300px;
position: absolute;
top:50%;
left:50%;
margin-top: -150px; //自身高度的一半
margin-left:-150px;
  • 未知宽高的容器的水平垂直方向居中:
width:300px;
height:300px;
position:absolute;
top:50%;
left:50%;
transform:translate(-50%,-50%);

:transform属性,低版本浏览器不兼容,例如IE8, Android 4.4.2.
移动端可以加入-webkit等前缀解决。
:transform属性对position:fixed子元素有影响,遇到这个问题的是pc: chrome 版本:59.0.3071.115

  • 水平垂直居中记得要想到flexbox:
.container{
  display: flex;
  align-items: center;
  justify-content: center;
}
.container .div{
//whatever
}

此时.div无论是否已知宽高,都能两个方向居中。

  • 垂直居中(表格布局法)
.container{
  display: table;
}
.container .div{
  display: table-cell;
  vertical-align:middle;
}

5.其他小技巧

  • 使用伪元素清除浮动 ,代码展示见下一条。
  • 当要达到一个元素hover状态下有边框,正常情况下无边框时,如果直接在hover状态添加边框,该元素会因为多出来的border宽度导致位置有略微改变。技巧:可以在普通情况下就添加透明色的边框,hover时改变颜色即可。比如
    html代码:

css代码

.clearfix::after{
  content: "";
  display: block;
  clear: both;
}
nav{
  border: 1px solid red;
  float: right;
}
nav > li{
  float: left;
  list-style: none;
}
nav > li > a{
  text-decoration: none;
  color:inherit;
  display: inline-block;
  margin:5px;
  padding:10px;
  border: 3px solid transparent;
  transition:0.3s;
}
nav > li > a:hover{
  border:3px solid blue;
}

效果图:


  • 水平线样式设置
    代码示例:
hr{
    height:0;
    border:none;
    border-top:1px solid red;
}
  • dl中dd、dt设置左右结构
    html代码

num
1
num
2
num
3
num
4

css代码

main > dl{
  width:300px;
  border: 1px solid;
}
main > dl >dt,
main > dl >dd{
  float: left;
  width:30%;
  box-sizing:border-box;
  border:1px solid blue;
}
main > dl >dd{
  width:70%;
}

效果图:


  • 一些图标素材可以使用iconfont网站 来查找
  • 合理使用伪元素(如::after::before
  • 块级元素宽度自使用,合理使用max-width属性
  • a标签去掉其默认样式时,颜色可设置为继承父元素a{color:inherit;}

你可能感兴趣的:(CSS 基本布局以及一些小技巧)