CSS: Forms

In CSS, forms refer to the visual styling of HTML form elements like input fields, textareas, and buttons. Here are some common techniques for styling forms:

Input Fields:

  • Use the width property to set the width of input fields.
  • Apply padding and margin to create space inside and around the input fields.
  • Customize borders and add rounded corners using the border and border-radius properties.
  • Change background color and text color with background-color and color.
  • Remove the default blue outline on focus using outline: none.

Textareas:

  • Use the resize property to prevent textareas from being resized.
  • Example form:

HTML

<form action="/submit" method="post">
  <input type="text" name="name" placeholder="Your name">
  <input type="password" name="password" placeholder="Your password">
  <input type="submit" value="Submit">
</form>

Here’s a simple example of a styled form using CSS:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <style>
        /* Basic form styling */
        form {
            max-width: 300px;
            margin: 0 auto;
        }
        input[type="text"],
        input[type="password"] {
            width: 100%;
            padding: 10px;
            margin-bottom: 10px;
            border: 1px solid #ccc;
            border-radius: 5px;
        }
        input[type="submit"] {
            background-color: #007bff;
            color: #fff;
            border: none;
            border-radius: 5px;
            padding: 10px 20px;
            cursor: pointer;
        }
        input[type="submit"]:hover {
            background-color: #0056b3;
        }
    </style>
</head>
<body>
    <form action="/submit" method="post">
        <input type="text" name="name" placeholder="Your name">
        <input type="password" name="password" placeholder="Your password">
        <input type="submit" value="Submit">
    </form>
</body>
</html>

In this example:

  • The form is centered with max-width and margin.
  • Input fields have consistent padding, border, and rounded corners.
  • The submit button changes color on hover.

Feel free to customize the styles to match your website’s design! 😊