6

这是我所拥有的课程的简化视图:

public class SalesMixRow
{
    [DisplayFormat(DataFormatString = "{0:c0}")]
    public decimal? DelSales { get; set; }
}

在 web 应用程序剃刀视图中,我可以得到该值,其格式如下:

@Html.DisplayFor(model => model.DelSales)

我有一个控制台应用程序也需要输出这个值。如何在控制台应用程序中输出它而不在任何地方重复 DataFormatString?

更新:我喜欢使用反射的想法,因为这解决了我要单独提出的问题!这是一个完整的工作示例,我通过字符串路径获取属性并使用 DisplayFormat (如果可用)输出:

void Main()
{
    var model = new SmrDistrictModel
    {
        Title = "DFW",
        SalesMixRow = new SalesMixRow
        {
            DelSales = 500m
        }
    };

    Console.WriteLine(FollowPropertyPath(model, "Title"));
    Console.WriteLine(FollowPropertyPath(model, "SalesMixRow.DelSales"));
}

public static object FollowPropertyPath(object value, string path)
{
    Type currentType = value.GetType();
    DisplayFormatAttribute currentDisplayFormatAttribute;
    string currentDataFormatString = "{0}";

    foreach (string propertyName in path.Split('.'))
    {
        PropertyInfo property = currentType.GetProperty(propertyName);
        currentDisplayFormatAttribute = (DisplayFormatAttribute)property.GetCustomAttributes(typeof(DisplayFormatAttribute), true).FirstOrDefault();
        if (currentDisplayFormatAttribute != null)
        {
            currentDataFormatString = currentDisplayFormatAttribute.DataFormatString;
        }
        value = property.GetValue(value, null);
        currentType = property.PropertyType;
    }
    return string.Format(currentDataFormatString, value);
}

public class SmrDistrictModel
{
    public string Title { get; set; }
    public SalesMixRow SalesMixRow { get; set; }
}

public class SalesMixRow
{
    [DisplayFormat(DataFormatString = "{0:c0}")]
    public decimal? DelSales { get; set; }
}
4

2 回答 2

10

您可以使用反射从类中检索属性。然后从属性中获取格式字符串,并使用string.Format.

SalesMixRow instance = new SalesMixRow { DelSales=1.23 };

PropertyInfo prop = typeof(SalesMixRow).GetProperty("DelSales");
var att = (DisplayFormatAttribute)prop.GetCustomAttributes(typeof(DisplayFormatAttribute), true).FirstOrDefault();
if (att != null)
{
    Console.WriteLine(att.DataFormatString, instance.DelSales);
}

(请注意,您需要添加System.ComponentModel.DataAnnotations.dll包含该DisplayFormat属性的程序集。)

于 2012-11-18T19:22:55.157 回答
0

根据DisplayFormat我的经验,它适用于 MVC 应用程序。对于控制台应用程序,您可以通过String.Format. 有关详细信息,请参阅此链接

在你的情况下,你可以这样写

Console.WriteLine(string.Format("0:c0", SalesMixRow.DataSales));
于 2012-11-18T19:27:16.790 回答