Okey, I solved this when i was just about to post here.
I was looking for a way to distinguish between something like event Action testEvt1;
and event Action testEvt1 { add { } remove { }}
with reflection, since both end up as a pair of add_testEvt1 remove_testEvt1 methods. Surprisingly, CompilerGeneratedAttribute does not help here.
The solution turned out to be to look for private backing filed with the same name as the event - the compiler will only generate one for simple events and won't let you have other fields with the same name.
As the code demonstrates:
class Program
{
static void Main(string[] args)
{
EventInfo evt1 = typeof(a).GetEvent("testEvt1");
EventInfo evt2 = typeof(a).GetEvent("testEvt2");
var evt1Attrib = Attribute.GetCustomAttribute(evt1, typeof(CompilerGeneratedAttribute));
var evt2Attrib = Attribute.GetCustomAttribute(evt2, typeof(CompilerGeneratedAttribute));
var evt1Backfield = typeof(a).GetField(evt1.Name,BindingFlags.NonPublic | BindingFlags.Instance);
var evt2Backfield = typeof(a).GetField(evt2.Name, BindingFlags.NonPublic | BindingFlags.Instance);
}
}
public class a
{
//private Action testEvt1;
public event Action testEvt1;
public event Action testEvt2
{
add { }
remove { }
}
}
evt1Attrib and evt2Attrib both end up null. But the backing filed can only be found for the simple testEvt1, not testEvt2.
I decided to post this if anyone else happens to have same problem and maybe ask, does anyone know an easier way to distinguis testEvt1 from testEvt2 and why the compiler does not add CompilerGeneratedAttribute to add and remove methods for events? I'd like to know of a method that does not rely on backing field naming rules that may be changed in the future.
Answer described above. You have to look for a private instance or static (same as event in question) backing field with the same name.