@Html.TextBoxFor
使用我创建的自定义类型渲染文本框时遇到问题。我的自定义类型如下所示:
public class Encrypted<T>
{
private readonly Lazy<T> _decrypted;
private readonly Lazy<string> _encrypted;
public static implicit operator Encrypted<T>(T value)
{
return new Encrypted<T>(value);
}
public static implicit operator string(Encrypted<T> value)
{
return value._encrypted.Value;
}
...
}
然后在我的模型上,我有:
public class ExampleModel
{
public Encrypted<string> Name { get; set; }
}
如果我在控制器操作中手动填充值:
public ActionResult Index()
{
var model = new ExampleModel
{
Name = "Example Name";
};
return View(model);
}
然后在我看来我有标准@Html.TextBoxFor(m => m.Name)
。但是,当它呈现时,我的文本框的值设置为:Services.Encrypted`1[System.String]`
大概这是因为我使用的是自定义类型,而编译器不知道如何将我的类型转换为字符串值。
我试过使用自定义TypeConverter
:
public override bool CanConvertTo(ITypeDescriptorContext context, Type destinationType)
{
return destinationType == typeof(string);
}
public override object ConvertTo(ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, Type destinationType)
{
if (destinationType == typeof(string))
{
var encrypted = value as IEncrypted;
if (encrypted != null)
{
return encrypted.DecryptedValue();
}
}
return null;
}
然后在我的加密模型上,我添加了:
[TypeConverter(typeof(EncryptedTypeConveter))]
但是它似乎没有使用 custom TypeConverter
。有谁知道我该如何解决这个问题?