Reputation: 1
I'm trying to customize a code that was pre-written, so I'm not a coding expert and need this explained to me in layman's terms. Basically, I'm trying to horizontally center align a subscribe button.
Here's my code below:
<div class="clear"><input type="submit" value="Subscribe" name="subscribe" id="mc-embedded-subscribe" class="button"></div>
Upvotes: 0
Views: 6008
Reputation: 299
Note that centering must happen in a parent div or p tag, not in the button itself
Upvotes: 0
Reputation: 1543
You have got many right answers, but I want to add some more thing to make this happen
You have to use "margin:0 auto" this will center align the element in its immediate container.
Your container should have width more than the width of item you want to be centered and div normally takes 100% of width so you may not feel it center until you give it some width in % or px.
See this example. in this outer div has 100% width but its child div has only width required for button and is centered using margin: 0 auto.
<div style="width:100%">
<div style="margin:0 auto; width:75px;">
<input type="submit" value="Subscribe" name="subscribe" id="mc-embedded-subscribe" class="button">
</div>
</div>
Upvotes: 1
Reputation: 2211
Try this. This is the easiest way to horizontally center. The margin: 0 auto, auto detected where center now, and places div in the center of the page.
<div style="margin: 0 auto;" class="clear">
<input type="submit" value="Subscribe" name="subscribe" id="mc-embedded-subscribe" class="button">
</div>
Upvotes: 0
Reputation: 11
The easiest way to horizontally center an element is to set its margin-left and margin-right to "auto" in your CSS.
For example, styling the element by id:
#mc-embedded-subscribe {
margin-left: auto;
margin-right: auto;
}
Or use margin to center elements with class of "button" horizontally, with no top or bottom margin:
input.button {
margin: 0 auto;
}
AleshaOleg's inline style will work, too. (And it's probably the better way to go if you're not comfortable with CSS.
Upvotes: 1
Reputation: 104
in css it should be
.clear {
text-align:center;
}
.clear .button {
margin:auto;
}
the margin:auto; isn't always necessary but in some more stubborn cases makes things center. Tables are one such instance that don't seem to align without margin:auto;. Also make sure your div width is larger than your button width.
Upvotes: 0