9

我发现这篇关于 MVC 的 Display 和 EditorTemplates 的帖子:

http://www.growthwiththeweb.com/2012/12/aspnet-mvc-display-and-editor-templates.html

它创建了一个显示模板以轻松显示带有货币符号格式的小数。

示例中使用的模型:

public class TestModel
{
    public decimal Money { get; set; }
}

展示模板:

视图/共享/DisplayTemplates/decimal.cshtml:

@model decimal

@{
    IFormatProvider formatProvider = 
        new System.Globalization.CultureInfo("en-US");
    <span class="currency">@Model.ToString("C", formatProvider)</span>
}

在我的网站中,我有一个辅助类,它有一个方法可以从十进制中检索格式化的货币字符串,所以我将上面的内容替换为:

@model decimal
@(MyHelperClass.GetCurrencyString(Model))

最后是我们想要查看格式化货币的视图:

@model TestModel    
@Html.DisplayFor(e => e.Money)

输出:

<span class="currency">$3.50</span>

我可以毫无问题地实现这一点。但当然我有不同的观点,我想查看格式化的货币。但在某些情况下,我不想显示货币符号。

我现在的问题是我应该如何实现这个小的变化,而不需要太多的代码。

这是我当前的实现:

我已将显示模板更改为:

@model decimal

@{
    bool woCurrency = (bool)ViewData["woCurrency"]; 
 }

@(MyHelperClass.GetCurrencyString(Model)Model,woCurrency))

当然,我也更改为 GetCurrencyString 方法来接受这个附加属性。

在我看来,我现在也必须提供这个属性:

@Html.DisplayFor(m => m.Money, new { woCurrency = true })

所以实际上我一切都像它应该工作的那样工作。但不知何故,我不喜欢这种使视图更复杂的解决方案。

我的问题是:还有其他方法可以实现这样的事情吗?或者有什么建议可以优化我目前的解决方案?

谢谢!

4

2 回答 2

18

您需要将 DisplayFormat 属性应用于您的 Money 属性。例如:

[DisplayFormat(DataFormatString = "{0:C}")]
public decimal Money { get; set; }

有关更多信息,请查看以下两个链接:

  1. DisplayFormatAttribute.DataFormatString(页面底部的示例以货币格式为例)
  2. ASP.NET MVC - DisplayFormat 属性
于 2013-06-03T06:34:05.310 回答
2

那如何自动HtmlHelper检查ViewData["woCurrency"]并输出正确的结果?

    public static string Currency(this HtmlHelper helper, decimal data, string locale = "en-US", bool woCurrency = false)
    {
        var culture = new System.Globalization.CultureInfo(locale);

        if (woCurrency || (helper.ViewData["woCurrency"] != null && (bool)helper.ViewData["woCurrency"]))
            return data.ToString(culture);

        return data.ToString("C", culture);
    }

然后:

@Html.Currency(Model.Money);
于 2013-06-03T06:35:13.060 回答