CSS: Max-Width

The max-width property in CSS is used to set the maximum width of an element. It ensures that the width of the element does not exceed the specified value, even if the content inside the element would otherwise require more space.

Syntax

selector {
  max-width: value;
}

Values

  • none: This is the default value. The element has no maximum width.
  • <length>: Specifies a fixed maximum width using units such as px, em, rem, etc.
  • <percentage>: Specifies a maximum width as a percentage of the containing block's width.
  • inherit: The element inherits the max-width value from its parent.
  • initial: Sets the property to its default value (none).
  • unset: Resets the property to its inherited value if it inherits from its parent, or to its initial value if it does not inherit.

Examples

Setting a fixed maximum width:

This will ensure that the .container element will not exceed 500 pixels in width.

.container {
  max-width: 500px;
}

Setting a percentage-based maximum width:

This will ensure that the .container element will not exceed 80% of the width of its containing block.

.container {
  max-width: 80%;
}

Combining with width for responsive design:

In this case, the .container element will try to take up 100% of the width of its parent, but it will not exceed 600 pixels. This is useful for responsive design, ensuring that the element does not get too wide on large screens.

.container {
  width: 100%;
  max-width: 600px;
}

Usage Tips

  • The max-width property is particularly useful in responsive web design. It allows you to set a flexible width that adjusts to the screen size but restricts it to a maximum value to prevent overly wide elements on large screens.
  • When using max-width, combining it with width: 100% or width: auto can help the element resize gracefully within the bounds you set.

Example in HTML and CSS

<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <style>
    .content {
      width: 100%;
      max-width: 600px;
      background-color: lightgray;
      margin: 0 auto;
      padding: 20px;
    }
  </style>
</head>
<body>
  <div class="content">
    <p>This div will take up 100% of the width of its parent container, but no more than 600 pixels. It's centered using auto margins.</p>
  </div>
</body>
</html>

In this example, the .content div will be responsive. It will expand to fit the width of the parent element but will not exceed 600 pixels, and it will be centered on the page due to the margin: 0 auto; rule.