CSS: Padding

Padding in CSS is used to create space inside an element, separating its content from its border. It defines the distance between the content area and the element's border. Padding is particularly useful for adding breathing room around text, images, or other content within an element. Here's how padding works in CSS:

  • Padding Property (padding): The padding property sets the padding for all four sides of an element (top, right, bottom, left) simultaneously. You can specify one, two, three, or four values to control each side individually or set them all to the same value for uniform spacing.
.box {
    padding: 10px; /* 10 pixels padding on all sides */
}

.vertical-padding {
    padding: 20px 0; /* 20 pixels top and bottom padding, 0 padding left and right */
}

.specific-padding {
    padding: 10px 20px 30px 40px; /* Top, right, bottom, left padding in clockwise order */
}
  • Padding Shorthand (padding-top, padding-right, padding-bottom, padding-left): You can also use individual padding properties to set padding for specific sides of an element.
.box {
    padding-top: 10px;
    padding-right: 20px;
    padding-bottom: 30px;
    padding-left: 40px;
}
  • Percentage Padding: Padding values can be specified as percentages relative to the width of the containing block. This is useful for creating responsive designs where padding scales with the element's size.
.percentage-padding {
    padding: 5% 10%; /* 5% top and bottom padding, 10% left and right padding */
}
  • Padding Box Sizing (box-sizing: border-box): By default, padding is added to the width and height of an element, increasing its overall size. You can change this behavior using the box-sizing property with a value of border-box, which includes padding and border in the specified width and height.
.box {
    width: 200px;
    padding: 20px;
    box-sizing: border-box; /* Includes padding in the width calculation */
}
  • Nested Padding: Padding values can be inherited from parent elements, but they are not cumulative. If an element has padding and is nested within another element with padding, the inner element's padding is applied within the parent's padding area.
.parent {
    padding: 20px;
}

.child {
    padding: 10px;
}

 

<div class="parent">
    <div class="child">Nested Element</div>
</div>

Padding is a fundamental part of CSS layouts, providing spacing and visual separation between elements. It's commonly used in conjunction with margins, borders, and content to create well-structured and visually appealing web pages.