web-dev-qa-db-ja.com

Html.TextBoxForの条件に基づいて無効属性を設定します

以下のようなasp.net MVCのHtml.TextBoxForの条件に基づいて無効属性を設定したい

@Html.TextBoxFor(model => model.ExpireDate, new { style = "width: 70px;", maxlength = "10", id = "expire-date" disabled = (Model.ExpireDate == null ? "disable" : "") })

このヘルパーには、2つの出力disabled = "disabled"またはdisabled = ""があります。どちらのテーマもテキストボックスを無効にします。

Model.ExpireDate == nullの場合はテキストボックスを無効にします。それ以外の場合は有効にします。

74
Ghooti Farangi

有効な方法は次のとおりです。

disabled="disabled"

ブラウザはacceptdisabled=""かもしれませんが、最初のアプローチをお勧めします。

これは、この無効化機能を再利用可能なコードにカプセル化するために、カスタムHTMLヘルパーを作成することをお勧めします。

using System;
using System.Linq.Expressions;
using System.Web;
using System.Web.Mvc;
using System.Web.Mvc.Html;
using System.Web.Routing;

public static class HtmlExtensions
{
    public static IHtmlString MyTextBoxFor<TModel, TProperty>(
        this HtmlHelper<TModel> htmlHelper, 
        Expression<Func<TModel, TProperty>> expression, 
        object htmlAttributes, 
        bool disabled
    )
    {
        var attributes = new RouteValueDictionary(htmlAttributes);
        if (disabled)
        {
            attributes["disabled"] = "disabled";
        }
        return htmlHelper.TextBoxFor(expression, attributes);
    }
}

次のように使用できます:

@Html.MyTextBoxFor(
    model => model.ExpireDate, 
    new { 
        style = "width: 70px;", 
        maxlength = "10", 
        id = "expire-date" 
    }, 
    Model.ExpireDate == null
)

このヘルパーにさらに多くのintelligenceを追加できます。

public static class HtmlExtensions
{
    public static IHtmlString MyTextBoxFor<TModel, TProperty>(
        this HtmlHelper<TModel> htmlHelper,
        Expression<Func<TModel, TProperty>> expression,
        object htmlAttributes
    )
    {
        var attributes = new RouteValueDictionary(htmlAttributes);
        var metaData = ModelMetadata.FromLambdaExpression(expression, htmlHelper.ViewData);
        if (metaData.Model == null)
        {
            attributes["disabled"] = "disabled";
        }
        return htmlHelper.TextBoxFor(expression, attributes);
    }
}

無効な条件を指定する必要がなくなりました。

@Html.MyTextBoxFor(
    model => model.ExpireDate, 
    new { 
        style = "width: 70px;", 
        maxlength = "10", 
        id = "expire-date" 
    }
)
80
Darin Dimitrov

実際、内部動作は匿名オブジェクトを辞書に変換しています。したがって、これらのシナリオで行うことは、辞書を探すことです。

@{
  var htmlAttributes = new Dictionary<string, object>
  {
    { "class" , "form-control"},
    { "placeholder", "Why?" }        
  };
  if (Model.IsDisabled)
  {
    htmlAttributes.Add("disabled", "disabled");
  }
}
@Html.EditorFor(m => m.Description, new { htmlAttributes = htmlAttributes })

または、スティーブンがコメントしたように ここ

@Html.EditorFor(m => m.Description,
    Model.IsDisabled ? (object)new { disabled = "disabled" } : (object)new { })
40
Shimmy

ダリン法が好きです。しかし、これをすばやく解決する方法は、

Html.TextBox("Expiry", null, new { style = "width: 70px;", maxlength = "10", id = "expire-date", disabled = "disabled" }).ToString().Replace("disabled=\"disabled\"", (1 == 2 ? "" : "disabled=\"disabled\""))
23
user571646

いくつかの拡張メソッドを使用して達成しました

private const string endFieldPattern = "^(.*?)>";

    public static MvcHtmlString IsDisabled(this MvcHtmlString htmlString, bool disabled)
    {
        string rawString = htmlString.ToString();
        if (disabled)
        {
            rawString = Regex.Replace(rawString, endFieldPattern, "$1 disabled=\"disabled\">");
        }

        return new MvcHtmlString(rawString);
    }

    public static MvcHtmlString IsReadonly(this MvcHtmlString htmlString, bool @readonly)
    {
        string rawString = htmlString.ToString();
        if (@readonly)
        {
            rawString = Regex.Replace(rawString, endFieldPattern, "$1 readonly=\"readonly\">");
        }

        return new MvcHtmlString(rawString);
    }

その後....

@Html.TextBoxFor(model => model.Name, new { @class= "someclass"}).IsDisabled(Model.ExpireDate == null)
13
MurtuzaB

HTMLヘルパーを使用しない場合は、次のような簡単な3項式を使用できます。

<input name="Field"
       value="@Model.Field" tabindex="0"
       @(Model.IsDisabledField ? "disabled=\"disabled\"" : "")>
11

私が使用した1つの単純なアプローチは、条件付きレンダリングです。

@(Model.ExpireDate == null ? 
  @Html.TextBoxFor(m => m.ExpireDate, new { @disabled = "disabled" }) : 
  @Html.TextBoxFor(m => m.ExpireDate)
)
11
mfsumption

これは遅いですが、一部の人々に役立つかもしれません。

@DarinDimitrovの答えを拡張して、disabled="disabled" checked="checked", selected="selected"などのような任意の数のブールhtml属性をとる2番目のオブジェクトを渡すことができるようにしました。

プロパティ値がtrueである場合のみ属性をレンダリングし、それ以外の場合は属性はまったくレンダリングされません。

カスタム再利用可能なHtmlHelper:

public static class HtmlExtensions
{
    public static IHtmlString MyTextBoxFor<TModel, TProperty>(this HtmlHelper<TModel> htmlHelper,
                                                                Expression<Func<TModel, TProperty>> expression,
                                                                object htmlAttributes,
                                                                object booleanHtmlAttributes)
    {
        var attributes = new RouteValueDictionary(htmlAttributes);

        //Reflect over the properties of the newly added booleanHtmlAttributes object
        foreach (var prop in booleanHtmlAttributes.GetType().GetProperties())
        {
            //Find only the properties that are true and inject into the main attributes.
            //and discard the rest.
            if (ValueIsTrue(prop.GetValue(booleanHtmlAttributes, null)))
            {
                attributes[prop.Name] = prop.Name;
            }                
        }                                

        return htmlHelper.TextBoxFor(expression, attributes);
    }

    private static bool ValueIsTrue(object obj)
    {
        bool res = false;
        try
        {
            res = Convert.ToBoolean(obj);
        }
        catch (FormatException)
        {
            res = false;
        }
        catch(InvalidCastException)
        {
            res = false;
        }
        return res;
    }

}

次のように使用できます:

@Html.MyTextBoxFor(m => Model.Employee.Name
                   , new { @class = "x-large" , placeholder = "Type something…" }
                   , new { disabled = true})
10
kooldave98

RouteValueDictionary(IDictionaryに基づいているため、htmlAttributesとして正常に動作します)と拡張メソッドを使用してこれを解決します。

public static RouteValueDictionary AddIf(this RouteValueDictionary dict, bool condition, string name, object value)
{
    if (condition) dict.Add(name, value);
    return dict;
}

使用法:

@Html.TextBoxFor(m => m.GovId, new RouteValueDictionary(new { @class = "form-control" })
.AddIf(Model.IsEntityFieldsLocked, "disabled", "disabled"))

クレジットは https://stackoverflow.com/a/3481969/40939 に行きます

7
Niels Bosma

あなたがHtmlヘルパーを使用したくない場合は、私のソリューションを見てください

disabled="@(your Expression that returns true or false")"

そのこと

@{
    bool isManager = (Session["User"] as User).IsManager;
}
<textarea rows="4" name="LetterManagerNotes" disabled="@(!isManager)"></textarea>

そして、それを行うためのより良い方法は、コントローラをチェックインして、ビュー(Razorエンジン)内でアクセス可能な変数内に保存して、the view free from business logicを作成することだと思います

5

さらに別の解決策は、TextBoxForを呼び出す前にDictionary<string, object>を作成し、その辞書を渡すことです。辞書で、テキストボックスを無効にする場合にのみ"disabled"キーを追加します。最も近い解決策ではなく、シンプルで簡単です。

4
Kjell Rilbe

別のアプローチは、クライアント側でテキストボックスを無効にすることです。

無効にする必要があるテキストボックスは1つだけですが、無効にする必要のない複数の入力、選択、およびテキスト領域フィールドがある場合を考えてください。

Jquery +を介して行う方がはるかに簡単です(クライアントからのデータに依存できないため)これらのフィールドが保存されないようにするために、コントローラーにロジックを追加します。

以下に例を示します。

<input id="document_Status" name="document.Status" type="hidden" value="2" />

$(document).ready(function () {

    disableAll();
}

function disableAll() {
  var status = $('#document_Status').val();

  if (status != 0) {
      $("input").attr('disabled', true);
      $("textarea").attr('disabled', true);
      $("select").attr('disabled', true);
  }
}
2
Dror