获取参数对象的属性
本文关键字:属性 对象 参数 获取 | 更新日期: 2023-09-27 18:18:48
嗨,我只是学习反射,我正试图读取用属性T4ValidateAttribute装饰的控制器中动作的参数。
让我们举个例子:
public class LoginModelDTO
{
[Required(ErrorMessage = "Username is required")]
[MaxLength(50, ErrorMessage = "Username should not have more then 50 chars")]
[MinLength(25 , ErrorMessage = "Username should have at least 25 chars")]
public string UserName { get; set; }
[Required(ErrorMessage = "Password is required")]
[StringLength(25)]
public string Password { get; set; }
public bool RememberMe { get; set; }
}
[T4ValidateAttribute]
public bool LogIn(LoginModelDTO modelDTO)
{
return m_loginService.Login(modelDTO);
}
我的控制器在一个名为project的项目中。WebApi和我的DTO都在一个名为project. domainservices . contracts的项目中。我不会添加ControllerInfo,因为它可以工作,如果你们认为需要,我会添加它。
//This code get all the controllers that inherit from the BaseApiController
List<Type> controllers = ControllersInfo.GetControllers<BaseApiController>("project.WebApi");
foreach (var controller in controllers)
{
//This retrives a Dictionary that has the key the method name and the valie an array of ParameterInfo[]
var actions = ControllersInfo.GetAllCustomActionsInController(controller, new T4ValidateAttribute());
foreach (var parameterInfose in actions)
{
var parameters = parameterInfose.Value;
foreach (var parameterInfo in parameters)
{
//This is where I do not knwo what to do
}
}
}
如果你稍微看一下代码并阅读注释,你可以看到此时我可以从每个操作中访问它的参数。
在我们的示例中,返回参数的类型将是LoginModelDTO。
从这里开始,我想对这个对象的所有属性进行迭代,为每个属性获取它的CustomAttributes。
我怎样才能做到这一点?
最简单的:
var attribs = Attribute.GetCustomAttributes(parameterInfo);
如果您感兴趣的所有属性都有一个共同的基本类型,您可以将其限制为:
var attribs = Attribute.GetCustomAttributes(parameterInfo,
typeof(CommonBaseAttribute));
然后循环attribs
,选择你关心的。如果您认为最多有一种特定类型:
SomeAttributeType attrib = (SomeAttributeType)Attribute.GetCustomAttribute(
parameterInfo, typeof(SomeAttributeType));
if(attrib != null) {
// ...
}
最后,如果只是想知道属性是否被声明,这比GetCustomAttribute[s]
便宜得多:
if(Attribute.IsDefined(parameterInfo, typeof(SomeAttributeType))) {
// ...
}
但是,请注意,在您的示例中,参数没有属性。参见这个问题
基本上他们使用ReflectedControllerDescriptor
来获取ActionDescriptor
实例列表(我认为你在ControllersInfo.GetAllCustomActionsInController
方法中做了类似的事情):
var actionDescriptors = new ReflectedControllerDescriptor(GetType())
.GetCanonicalActions();
foreach(var action in actionDescriptors)
{
object[] attributes = action.GetCustomAttributes(false);
// if you want to get your custom attribute only
var t4Attributes = action.GetCustomAttributes(false)
.Where(a => a is T4ValidateAttribute).ToList();
}