ユーザーが入力した HTML 文字列を POST からモデル オブジェクトの単純な文字列変数にバインドしようとしています。[AllowHtml]
属性を使用すると、これは正常に機能します。ただし、モデルに入る前に HTML をサニタイズしたいので、ModelBinder を作成しました。
public class SafeHtmlModelBinder : DefaultModelBinder
{
public override object BindModel(ControllerContext controllerCtx, ModelBindingContext bindingCtx)
{
var bound = base.BindModel(controllerCtx, bindingCtx);
// TODO - return a safe HTML fragment string
return bound;
}
}
そしてまたCustomModelBinderAttribute
:
[AttributeUsage(AttributeTargets.Property, AllowMultiple = false, Inherited = false)]
public class SafeHtmlModelBinderAttribute : CustomModelBinderAttribute
{
public SafeHtmlModelBinderAttribute()
{
binder = new SafeHtmlModelBinder();
}
private IModelBinder binder;
public override IModelBinder GetBinder()
{
return binder;
}
}
次に、新しい属性でサニタイズしたいモデル プロパティに注釈を付けます。
[Required(AllowEmptyStrings = false, ErrorMessage = "You must fill in your profile summary")]
[AllowHtml, SafeHtmlModelBinder, WordCount(Min = 1, Max = 300)]
public string Summary { get; set; }
これはhttp://msdn.microsoft.com/en-us/magazine/hh781022.aspxの例に従っています。残念ながら、うまくいかないようです!メソッドにブレークポイントを配置すると、BindModel
ヒットすることはありません。何か案は?
アップデート
Joel からの情報に基づいて、IModelBinder をメソッド内で値をインターセプトするように変更し、代わりに、HTML を含むことができる文字列プロパティを含むクラスに をSetProperty
適用しました。SafeHtmlModelBinderAttribute
このコードは、サニタイズを試みる前に、プロパティが文字列であり、HTML を含めることも許可されていることを確認します。
public class SafeHtmlModelBinder : DefaultModelBinder
{
protected override void SetProperty(
ControllerContext controllerCtx,
ModelBindingContext bindingCtx,
PropertyDescriptor property,
object value)
{
var propertyIsString = property.PropertyType == typeof(string);
var propertyAllowsHtml = property.Attributes.OfType<AllowHtmlAttribute>().Count() >= 1;
var input = value as string;
if (propertyIsString && propertyAllowsHtml && input != null)
{
// TODO - sanitize HTML
value = input;
}
base.SetProperty(controllerCtx, bindingCtx, property, value);
}
}