我正在研究文档生成器。 MSDN文档显示应用它们时传递给Attributes的参数。例如[ComVisibleAttribute(true)]
。我如何通过反射,pdb文件或其他方式获取那些参数值和/或我的c#代码中调用的构造函数?
澄清>如果有人记录了一个具有属性的方法,如下所示:
/// <summary> foo does bar </summary>
[SomeCustomAttribute("a supplied value")]
void Foo() {
DoBar();
}
我希望能够在我的文档中显示方法的签名,如下所示:
Signature:
[SomeCustomAttribute("a supplied value")]
void Foo();
答案 0 :(得分:6)
如果您有要获取自定义属性和构造函数参数的成员,则可以使用以下反射代码:
MemberInfo member; // <-- Get a member
var customAttributes = member.GetCustomAttributesData();
foreach (var data in customAttributes)
{
// The type of the attribute,
// e.g. "SomeCustomAttribute"
Console.WriteLine(data.AttributeType);
foreach (var arg in data.ConstructorArguments)
{
// The type and value of the constructor arguments,
// e.g. "System.String a supplied value"
Console.WriteLine(arg.ArgumentType + " " + arg.Value);
}
}
要获得会员,请先获取该类型。有两种方法可以获得类型。
obj
,请致电Type type = obj.GetType();
。MyType
,请执行Type type = typeof(MyType);
。然后你可以找到一个特定的方法。查看reflection documentation了解更多信息。
MemberInfo member = typeof(MyType).GetMethod("Foo");
答案 1 :(得分:3)
对于ComVisibileAttribute
,传递给构造函数的参数将成为Value
属性。
[ComVisibleAttribute(true)]
public class MyClass { ... }
...
Type classType = typeof(MyClass);
object[] attrs = classType.GetCustomAttributes(true);
foreach (object attr in attrs)
{
ComVisibleAttribute comVisible = attr as ComVisibleAttribute;
if (comVisible != null)
{
return comVisible.Value // returns true
}
}
其他属性将遵循类似的设计模式。
修改强>
我发现this article关于Mono.Cecil描述了如何做一些非常相似的事情。这看起来应该做你需要的。
foreach (CustomAttribute eca in classType.CustomAttributes)
{
Console.WriteLine("[{0}({1})]", eca, eca.ConstructorParameters.Join(", "));
}