2

嗨,我想知道是否有一种直接的方法可以在我的模型 VIA 控制器中检索自定义属性的值。为了争论......假设我的模型中有这个:

[DisplayName("A name")]
public string test;

在我的控制器中,我想通过使用类似于以下内容来检索“A name”:

ModelName.test.Attributes("DisplayName").value

是不是很玄幻?

提前致谢。
WML

4

3 回答 3

3

这是一篇关于如何从属性中检索值的好文章。我认为除了反思之外没有其他方法可以做到这一点。

从文章中(只需更改示例的属性类型:)):

   public static void PrintAuthorInfo(Type t) 
   {
      Console.WriteLine("Author information for {0}", t);
      Attribute[] attrs = Attribute.GetCustomAttributes(t);
      foreach(Attribute attr in attrs) 
      {
         if (attr is Author) 
         {
            Author a = (Author)attr;
            Console.WriteLine("   {0}, version {1:f}",
a.GetName(), a.version);
         }
      }
   }
于 2012-04-19T03:58:33.237 回答
1

试试这个:

var viewData = new ViewDataDictionary<MyType>(/*myTypeInstance*/);
string testDisplayName = ModelMetadata.FromLambdaExpression(t => t.test, viewData).GetDisplayName();
于 2012-04-19T04:27:50.533 回答
1

用反射很容易做到。内部控制器:

 public void TestAttribute()
    {
        MailJobView view = new MailJobView();
        string displayname = view.Attributes<DisplayNameAttribute>("Name") ;


    }

延期:

   public static class AttributeSniff
{
    public static string Attributes<T>(this object inputobject, string propertyname) where T : Attribute
    {
        //each attribute can have different internal properties
        //DisplayNameAttribute has  public virtual string DisplayName{get;}
        Type objtype = inputobject.GetType();
        PropertyInfo propertyInfo = objtype.GetProperty(propertyname);
        if (propertyInfo != null)
        {
            object[] customAttributes = propertyInfo.GetCustomAttributes(typeof(T), true);

            // take only publics and return first attribute
            if (propertyInfo.CanRead && customAttributes.Count() > 0)
            {
                //get that first one for now

                Type ourFirstAttribute = customAttributes[0].GetType();
                //Assuming your attribute will have public field with its name
                //DisplayNameAttribute will have DisplayName property
                PropertyInfo defaultAttributeProperty = ourFirstAttribute.GetProperty(ourFirstAttribute.Name.Replace("Attribute",""));
                if (defaultAttributeProperty != null)
                {
                    object obj1Value = defaultAttributeProperty.GetValue(customAttributes[0], null);
                    if (obj1Value != null)
                    {
                        return obj1Value.ToString();
                    }
                }

            }

        }

        return null;
    }

}

我测试它工作正常。它将使用该属性的第一个属性。MailJobView 类有一个名为“Name”的属性,带有 DisplayNameAttribute。

于 2012-04-19T04:45:05.383 回答