To be clear, in general, overloaded methods differing only in ref or out, or in array rank, are not CLS-compliant, according to MSDN.
You can verify the compiler does indeed check for this specific case by writing a simple non-generic version:
using System;
[assembly: CLSCompliant (true)]
public class Test {
public static void Expect(int arg)
{
}
public static void Expect(ref int arg)
{
}
public static void Main ()
{
}
}
However, you seem to have hit upon a compiler edge-case, since if you add in the generic method overloads, the compiler doesn't seem to complain.
I would say this is either a bug in the compiler (as in this similar question), or there is indeed a more relaxed specification for generics, since they are a latter addition to the specification.
I would err on the side of some kind of compiler limitation, given that this example also raises CS3006:
using System;
[assembly: CLSCompliant(true)]
public class Test<T>
{
public static void Expect(T arg)
{
}
public static void Expect(ref T arg)
{
}
public static void Main()
{
}
}
Apparently adding the generics to the class, rather than the method, raises the compiler's attention...
T
andref T
as the same asT
vsT*
(even though they are semantically different, it helps me to organize the difference in my C-wired brain) – Sanitize