Reputation: 196439
how do you change the width of a textbox in an asp.net-mvc View
i want to have these fields side by side and the state textbox much shorter width
<p>
<label for="city">City:</label>
<%= Html.TextBox("city")%>
<label for="state">State:</label>
<%= Html.TextBox("state")%>
</p>
EDIT:
none of the below answers seem to work for me. I noticed that in site.css i see this:
fieldset p
{
margin: 2px 12px 10px 10px;
}
fieldset label
{
display: block;
}
fieldset label.inline
{
display: inline;
}
legend
{
font-size: 1.1em;
font-weight: 600;
padding: 2px 4px 8px 4px;
}
input[type="text"]
{
width: 200px;
border: 1px solid #CCC;
}
input[type="password"]
{
width: 200px;
border: 1px solid #CCC;
}
how do i override this behavior for one field (textbox)
Upvotes: 20
Views: 64207
Reputation: 1388
If using the default MVC template that ships with VS. Explictly specifying a class in the html attributes of the textbox doesn't seem to override Site.css, however, an inline style does work. So:
{@style= "width: 400px;"}
will work, whereas this wont:
{@class="myclass"}
Upvotes: 0
Reputation: 14508
css
.yourcssclassname{width:50px;}
html
<%= Html.TextBox("city", null, new{@class="yourcssclassname"})%>
that should do it... you could also obviously send along a style attribute, but css classes are a better path to choose.
string.Empty represents the default value.
Edit: see tvanfosson's post
fixed answer so it solves the problems mentioned in the comments.
Upvotes: 1
Reputation: 4876
<%= Html.TextBox("state", null, new { @style = "width: 300px;" })%>
Upvotes: 22
Reputation: 26096
You can use the TextBox helper to add any arbitrary attibutes to your textbox. For instance:
<%= Html.TextBox( "state", null, new { size = "10" } ) %>
Will render something like:
<input type="text" name="state" size="10" />
Upvotes: 0
Reputation: 532445
I would use the helper signature that takes HTML attributes and assign it a CSS class. You would then use CSS to achieve the desired look and feel.
<%= Html.TextBox( "state", null, new { @class = "small-input" } ) %>
Upvotes: 32