问题
I have the following two methods that I am wondering if they are appropriate:
public bool IsGetter(MethodInfo method)
{
return method.IsSpecialName
&& method.Name.StartsWith("get_", StringComparison.Ordinal);
}
public bool IsSetter(MethodInfo method)
{
return method.IsSpecialName
&& method.Name.StartsWith("set_", StringComparison.Ordinal);
}
While this code works, I'm hoping to avoid the portion that checks the StartsWith and programmatically get the naming convention. Basically, are there any .NET 4.5 classes that are able to see if the MethodInfo is a property getter/setter?
回答1:
A property method has three extra characteristics, compared with a normal method:
- They always start with
get_
orset_
, while a normal method CAN start with those prefixes. - The property
MethodInfo.IsSpecialName
is set to true. - The MethodInfo has a custom attribute
System.Runtime.CompilerServices.CompilerGeneratedAttribute
.
You could check on 1, combined with option 2 or 3. Since the prefixes are a standard, you should not really worry about checking on it.
The other method is to enumerate through all properties and match the methods, which will be much slower:
public bool IsGetter(MethodInfo method)
{
if (!method.IsSpecialName)
return false; // Easy and fast way out.
return method.DeclaringType
.GetProperties(BindingFlags.Instance | BindingFlags.Static | BindingFlags.Public | BindingFlags.NonPublic)
.Any(p => p.GetGetMethod() == method);
}
回答2:
You could try the following:
public bool IsGetter(MethodInfo method)
{
return method.DeclaringType.GetProperties().
Any(propInfo => propInfo.GetMethod == method);
}
You can optionally specify the binding flags for GetProperties
来源:https://stackoverflow.com/questions/16718772/is-the-method-naming-for-property-getters-setters-standardized-in-il