Search code examples
c#asp.net-mvcassemblyinfo

AssemblyInfo and custom attributes


I'd like to add custom attributes to the AssemblyInfo, and I've created an extension class named AssemblyMyCustomAttribute

[AttributeUsage(AttributeTargets.Assembly)]
public class AssemblyMyCustomAttribute : Attribute
{
    private string myAttribute;

    public AssemblyMyCustomAttribute() : this(string.Empty) { }
    public AssemblyMyCustomAttribute(string txt) { myAttribute = txt; }
}

Then I've added reference to the class in the AssemblyInfo.cs and added the value

// General Information about an assembly is controlled through the following
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("My Project")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("My Project")]
[assembly: AssemblyMyCustomAttribute("testing")]
[assembly: AssemblyCopyright("Copyright ©  2016")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCulture("")]

Now I would like to get the value ("testing") in a razor view

I've tried the following with no success:

@ViewContext.Controller.GetType().Assembly.GetCustomAttributes(typeof(AssemblyMyCustomAttribute), false)[0].ToString();

Not sure if this is the best approach, to add custom attributes to my AssemblyInfo. I can't seem to find the correct method to get the value of the attribute.


Solution

  • You need to provide a public member that exposes what you want to display:

    [AttributeUsage(AttributeTargets.Assembly)]
    public class AssemblyMyCustomAttribute : Attribute
    {
        public string Value { get; private set; }
    
        public AssemblyMyCustomAttribute() : this("") { }
        public AssemblyMyCustomAttribute(string value) { Value = value; }
    }
    

    Then cast the attribute and access the member:

    var attribute = ViewContext.Controller.GetType().Assembly.GetCustomAttributes(typeof(AssemblyMyCustomAttribute), false)[0];
    
    @(((AssemblyMyCustomAttribute)attribute).Value)