自定义属性的扩展方法

时间:2013-08-07 20:06:09

标签: c# c#-4.0 reflection extension-methods custom-attributes

我正在使用ASP.net MVC4网站并拥有模型&查看模型层。 由于某些原因我在Model和ViewModel

中为少数属性设置了不同的名称

模型

public partial class Project
{
   public string Desc {get; set;}
}

查看模型

public class ProjectViewModel
{
   public string Description { get; set; }
}

现在在模型层,如果属性不同,我需要使用属性的ViewModel名称。我正在考虑创建一个自定义属性,以便我可以在模型中使用这样的东西:

public partial class Project
{
    [ViewModelPropertyName("Description")]
    public string Desc {get;set;}
}

并在模型层使用它

string.Format("ViewModel Property Name is {0}", this.Desc.ViewModelPropertyName())

我希望这是通用的,这样如果属性上没有ViewModelPropertyName属性,那么它应该返回相同的属性名称,即如果Desc属性没有属性,那么它应该返回{{1}只有。

以下是我尝试的内容

"Desc"

需要有关如何访问自定义属性的帮助

当前状态

public class ViewModelPropertyNameAttribute : System.Attribute
{
    #region Fields

    string viewModelPropertyName;

    #endregion

    #region Properties

    public string GetViewModelPropertyName()
    {
        return viewModelPropertyName;
    }

    #endregion

    #region Constructor

    public ViewModelPropertyNameAttribute(string propertyName)
    {
        this.viewModelPropertyName = propertyName;
    }

    #endregion
}

但这有编译时错误:

1 个答案:

答案 0 :(得分:1)

遗憾的是,您无法通过反映属性本身的类型来获取用于装饰属性的属性。因此,我稍微修改了您的 ViewModelPropertyName(此对象)扩展方法,以获取所需属性的名称。

此方法现在将获取您希望获取其属性的属性的名称。如果属性存在,它将返回传递给其构造函数的值,如果它不存在,它将只返回您传入的属性的名称。

public static class ModelExtensionMethods
{
    public static string ViewModelPropertyName(this object obj, string name)
    {
        var attributes = obj.GetType()
                            .GetCustomAttributes(true)
                            .OfType<MetadataTypeAttribute>()
                            .First()
                            .MetadataClassType 
                            .GetProperty(name)
                            .GetCustomAttributes(true);

        if (attributes.OfType<ViewModelPropertyNameAttribute>().Any())
        {
            return attributes.OfType<ViewModelPropertyNameAttribute>()
                             .First()
                             .GetViewModelPropertyName();
        }
        else
        {
            return name;
        } 
    }
}

您还可以定义以下类来测试这种新方法。

[MetadataType(typeof(TestClassMeta))]
class TestClass { }

class TestClassMeta
{
    [ViewModelPropertyName("TheName")]
    public string FirstName { get; set; }

    public string LastName { get; set; }
}

另外,正如您从以下代码行中可以看到的,现在将在您的TestClass实例上调用 ViewModelPropertyName(此对象,字符串)扩展方法,而不是在财产本身。

class Program
{
    static void Main()
    {
        Console.WriteLine(new TestClass().ViewModelPropertyName("FirstName"));
        Console.WriteLine(new TestClass().ViewModelPropertyName("LastName"));

        Console.Read();
    }
}