Asp.Net MVC 2.0プレビュービルドは、次のようなヘルパーを提供します
Html.EditorFor(c => c.propertyname)
プロパティ名が文字列の場合、上記のコードはTexboxをレンダリングします。
MaxLengthプロパティとSizeプロパティをテキストボックスまたは独自のcssクラスプロパティに渡したい場合はどうすればよいですか?
アプリケーションのサイズと長さの組み合わせごとに1つのテンプレートを作成する必要がありますか?その場合、デフォルトのテンプレートは使用可能になりません。
自分の質問に答えるためにブログエントリを書きました
MVC3では、次のように幅を設定できます。
@Html.TextBoxFor(c => c.PropertyName, new { style = "width: 500px;" })
/ Views/Shared/EditorTemplatesフォルダーにString.ascxというEditorTemplateを作成することでこれを解決しました。
<%@ Control Language="C#" Inherits="System.Web.Mvc.ViewUserControl<string>" %>
<% int size = 10;
int maxLength = 100;
if (ViewData["size"] != null)
{
size = (int)ViewData["size"];
}
if (ViewData["maxLength"] != null)
{
maxLength = (int)ViewData["maxLength"];
}
%>
<%= Html.TextBox("", Model, new { Size=size, MaxLength=maxLength }) %>
私の見解では、私は
<%= Html.EditorFor(model => model.SomeStringToBeEdited, new { size = 15, maxLength = 10 }) %>
私にとって魅力的な作品です!
@ Html.EditorForのHTML属性の設定に関するこのスレッドまたは他のスレッドの回答はどれも、私にとって大きな助けにはなりませんでした。しかし、私は素晴らしい答えを見つけました
私は同じアプローチを使用し、多くの余分なコードを書かずに美しく機能しました。 Html.EditorForのhtml出力のid属性が設定されていることに注意してください。ビューコード
<style type="text/css">
#dob
{
width:6em;
}
</style>
@using (Html.BeginForm())
{
Enter date:
@Html.EditorFor(m => m.DateOfBirth, null, "dob", null)
}
「dd MMM yyyy」としてのデータアノテーションと日付フォーマットを持つモデルプロパティ
[Required(ErrorMessage= "Date of birth is required")]
[DisplayFormat(ApplyFormatInEditMode = true, DataFormatString = "{0:dd MMM yyyy}")]
public DateTime DateOfBirth { get; set; }
たくさんの余分なコードを書くことなく、魅力のように機能しました。この回答では、ASP.NET MVC 3 Razor C#を使用しています。
Kiran Chandのブログ記事 を見たいと思うかもしれません。彼はビューモデルで次のようなカスタムメタデータを使用しています。
[HtmlProperties(Size = 5, MaxLength = 10)]
public string Title { get; set; }
これは、メタデータを利用するカスタムテンプレートと組み合わされます。私の意見ではきれいでシンプルなアプローチですが、mvcに組み込まれているこの一般的なユースケースを見たいと思います。
「additionalViewData」でそれを渡し、反対側でそれを読んでいると誰も言及していないことに驚いています。
表示(明確にするために改行あり):
<%= Html.EditorFor(c => c.propertyname, new
{
htmlAttributes = new
{
@class = "myClass"
}
}
)%>
エディターテンプレート:
<%@ Control Language="C#" Inherits="System.Web.Mvc.ViewUserControl<string>" %>
<%= Html.TextBox("", Model, ViewData["htmlAttributes"])) %>
CSSを使用することが道だと思います。 XAMLのように、.NETコーディングでもっとできることを望みますが、ブラウザではCSSが重要です。
Site.css
#account-note-input {
width:1000px;
height:100px;
}
.cshtml
<div class="editor-label">
@Html.LabelFor(model => model.Note)
</div>
<div class="editor-field">
@Html.EditorFor(model => model.Note, null, "account-note-input", null)
@Html.ValidationMessageFor(model => model.Note)
</div>
ジョー
MVC 5のように、属性を追加したい場合は、単純に行うことができます
@Html.EditorFor(m => m.Name, new { htmlAttributes = new { @required = "true", @anotherAttribute = "whatever" } })
このブログ からの情報
問題は、テンプレートに複数のHTML要素を含めることができるため、MVCはサイズ/クラスをどの要素に適用するかを認識できないことです。自分で定義する必要があります。
TextBoxViewModelと呼ばれる独自のクラスからテンプレートを派生させます。
public class TextBoxViewModel
{
public string Value { get; set; }
IDictionary<string, object> moreAttributes;
public TextBoxViewModel(string value, IDictionary<string, object> moreAttributes)
{
// set class properties here
}
public string GetAttributesString()
{
return string.Join(" ", moreAttributes.Select(x => x.Key + "='" + x.Value + "'").ToArray()); // don't forget to encode
}
}
テンプレートでこれを行うことができます:
<input value="<%= Model.Value %>" <%= Model.GetAttributesString() %> />
あなたの意見では:
<%= Html.EditorFor(x => x.StringValue) %>
or
<%= Html.EditorFor(x => new TextBoxViewModel(x.StringValue, new IDictionary<string, object> { {'class', 'myclass'}, {'size', 15}}) %>
最初のフォームは、文字列のデフォルトのテンプレートをレンダリングします。 2番目のフォームは、カスタムテンプレートをレンダリングします。
代替構文は流れるようなインターフェースを使用します:
public class TextBoxViewModel
{
public string Value { get; set; }
IDictionary<string, object> moreAttributes;
public TextBoxViewModel(string value, IDictionary<string, object> moreAttributes)
{
// set class properties here
moreAttributes = new Dictionary<string, object>();
}
public TextBoxViewModel Attr(string name, object value)
{
moreAttributes[name] = value;
return this;
}
}
// and in the view
<%= Html.EditorFor(x => new TextBoxViewModel(x.StringValue).Attr("class", "myclass").Attr("size", 15) %>
ビューでこれを行う代わりに、コントローラーでこれを行うか、ViewModelでさらに改善することができます。
public ActionResult Action()
{
// now you can Html.EditorFor(x => x.StringValue) and it will pick attributes
return View(new { StringValue = new TextBoxViewModel(x.StringValue).Attr("class", "myclass").Attr("size", 15) });
}
また、基本TemplateViewModelクラス(すべてのビューテンプレートの共通基盤)を作成できることに注意してください。これには、属性などの基本的なサポートが含まれます。
しかし、一般的に、MVC v2にはより良いソリューションが必要だと思います。それはまだベータ版です-それを求めに行きます;-)
プロパティの属性を定義できます。
[StringLength(100)]
public string Body { get; set; }
これはSystem.ComponentModel.DataAnnotations
として知られています。必要なValidationAttribute
が見つからない場合は、常にカスタム属性を定義できます。
よろしく、カルロス
これは最も洗練されたソリューションではないかもしれませんが、簡単です。 HtmlHelper.EditorForクラスに拡張機能を作成できます。その拡張機能では、ヘルパーのViewDataにオプションを書き込むオプションパラメーターを指定できます。コードは次のとおりです。
まず、拡張メソッド:
public static MvcHtmlString EditorFor<TModel, TProperty>(this HtmlHelper<TModel> helper, Expression<Func<TModel, TProperty>> expression, TemplateOptions options)
{
return helper.EditorFor(expression, options.TemplateName, new
{
cssClass = options.CssClass
});
}
次に、オプションオブジェクト:
public class TemplateOptions
{
public string TemplateName { get; set; }
public string CssClass { get; set; }
// other properties for info you'd like to pass to your templates,
// and by using an options object, you avoid method overload bloat.
}
最後に、String.ascxテンプレートの行を次に示します。
<%= Html.TextBox("", ViewData.TemplateInfo.FormattedModelValue, new { @class = ViewData["cssClass"] ?? "" }) %>
率直に言って、これはあなたのコードを将来にわたって維持しなければならない貧しい人々にとっては簡単で明確だと思います。また、テンプレートに渡したい他のさまざまな情報にも簡単に拡張できます。これまでのところ、周囲のhtmlを標準化するのに役立つテンプレートのセットにできるだけ多くラップしようとしているプロジェクトでうまく機能しています http://bradwilson.typepad.com/ blog/2009/10/aspnet-mvc-2-templates-part-5-master-page-templates.html 。
Html.EditorForで機能しない理由はわかりませんが、TextBoxForを試してみました。
@Html.TextBoxFor(m => m.Name, new { Class = "className", Size = "40"})
...そして検証も機能します。
質問はEditorForではないため、TextBoxFor WEFXの提案は機能しません。
個々の入力ボックスを変更するには、EditorForメソッドの出力を処理できます。
<%: new HtmlString(Html.EditorFor(m=>m.propertyname).ToString().Replace("class=\"text-box single-line\"", "class=\"text-box single-line my500pxWideClass\"")) %>
MVCがEditorForテキストボックスのクラスを。text-boxで設定するため、すべてのEditorForsを変更することもできます。したがって、スタイルシートまたはページでこのスタイルをオーバーライドできます。
.text-box {
width: 80em;
}
さらに、次のスタイルを設定できます。
input[type="text"] {
width: 200px;
}
これを回避する方法の1つは、ビューモデルにデリゲートを配置して、このような特別なレンダリングを印刷することです。ページングクラスに対してこれを実行しました。モデルFunc<int, string> RenderUrl
のパブリックプロパティを公開して処理します。
したがって、カスタムビットの記述方法を定義します。
Model.Paging.RenderUrl = (page) => { return string.Concat(@"/foo/", page); };
Paging
クラスのビューを出力します。
@Html.DisplayFor(m => m.Paging)
...そして実際のPaging
ビューの場合:
@model Paging
@if (Model.Pages > 1)
{
<ul class="paging">
@for (int page = 1; page <= Model.Pages; page++)
{
<li><a href="@Model.RenderUrl(page)">@page</a></li>
}
</ul>
}
過度に複雑な問題と見なすこともできますが、私はこれらのページャーをどこでも使用しており、同じ定型コードが表示されるのを我慢できませんでした。
また、MVC3でTextBoxの幅を設定する際に問題がありましたが、Clsss属性の設定はTextAreaコントロールでは機能しましたが、TextBoxForコントロールまたはEditorForコントロールでは機能しませんでした。
私は次のことを試しましたが、それは私のために働いた:
@ Html.TextBoxFor(model => model.Title、new {Class = "textBox"、style = "width:90%;"})
この場合も検証は完全に機能しています。
私の練習では、HtmlHelperが1つだけのEditorTemplatesを使用するのが最善であることがわかりました。ほとんどの場合はTextBoxです。より複雑なhtml構造のテンプレートが必要な場合は、別のHtmlHelperを作成します。
TextBoxのhtmlAttributesの代わりにViewDataオブジェクト全体を貼り付けることができると仮定します。さらに、特別な処理が必要な場合は、ViewDataの一部のプロパティのカスタマイズコードを作成できます。
@model DateTime?
@*
1) applies class datepicker to the input;
2) applies additionalViewData object to the attributes of the input
3) applies property "format" to the format of the input date.
*@
@{
if (ViewData["class"] != null) { ViewData["class"] += " datepicker"; }
else { ViewData["class"] = " datepicker"; }
string format = "MM/dd/yyyy";
if (ViewData["format"] != null)
{
format = ViewData["format"].ToString();
ViewData.Remove("format");
}
}
@Html.TextBox("", (Model.HasValue ? Model.Value.ToString(format) : string.Empty), ViewData)
以下は、ビューの構文と出力されたhtmlの例です。
@Html.EditorFor(m => m.Date)
<input class="datepicker" data-val="true" data-val-required="&#39;Date&#39; must not be empty." id="Date" name="Date" type="text" value="01/08/2012">
@Html.EditorFor(m => m.Date, new { @class = "myClass", @format = "M/dd" })
<input class="myClass datepicker" data-val="true" data-val-required="&#39;Date&#39; must not be empty." id="Date" name="Date" type="text" value="1/08">
これは、ここで解決策を得るための最もクリーンでエレガントでシンプルな方法です。
すばらしいブログ投稿で、狂った教授のようなカスタム拡張/ヘルパーメソッドを書くのは面倒です。
http://geekswithblogs.net/michelotti/archive/2010/02/05/mvc-2-editor-template-with-datetime.aspx
更新:hm、モデルは値で渡され、属性は保持されないため、明らかにこれは機能しません。しかし、私はこの答えをアイデアとして残します。
別の解決策は、独自のTextBox/etcヘルパーを追加して、モデルの独自の属性をチェックすることだと思います。
public class ViewModel
{
[MyAddAttribute("class", "myclass")]
public string StringValue { get; set; }
}
public class MyExtensions
{
public static IDictionary<string, object> GetMyAttributes(object model)
{
// kind of prototype code...
return model.GetType().GetCustomAttributes(typeof(MyAddAttribute)).OfType<MyAddAttribute>().ToDictionary(
x => x.Name, x => x.Value);
}
}
<!-- in the template -->
<%= Html.TextBox("Name", Model, MyExtensions.GetMyAttributes(Model)) %>
これは簡単ですが、それほど便利/柔軟ではありません。
/ Views/Shared/EditorTemplatesフォルダーにあるString.ascxという名前のEditorTemplateを利用する@tjeerdansの回答が本当に気に入りました。これは、この質問に対する最も簡単な答えのようです。ただし、Razor構文を使用したテンプレートが必要でした。さらに、MVC3はデフォルトとして文字列テンプレートを使用しているようです(StackOverflowの質問「 整数に文字列のmvc表示テンプレートを使用 」を参照)。したがって、モデルを文字列ではなくオブジェクトに設定する必要があります。私のテンプレートはこれまでのところ機能しているようです:
@model object
@{ int size = 10; int maxLength = 100; }
@if (ViewData["size"] != null) {
Int32.TryParse((string)ViewData["size"], out size);
}
@if (ViewData["maxLength"] != null) {
Int32.TryParse((string)ViewData["maxLength"], out maxLength);
}
@Html.TextBox("", Model, new { Size = size, MaxLength = maxLength})
解決しました!!
Razorの構文は次のとおりです。@Html.TextAreaFor(m=>m.Address, new { style="Width:174px" })
これは、テキスト領域の幅を、styleパラメーターで定義した幅に調整します。
ASPxの構文は次のとおりです。<%=Html.TextAreaFor(m => m.Description, new { cols = "20", rows = "15", style="Width:174px" })%>
これはトリックを行います