31588d1d2332458711b35c0246391f675edfacb2
[mono.git] / mcs / gmcs / decl.cs
1 //
2 // decl.cs: Declaration base class for structs, classes, enums and interfaces.
3 //
4 // Author: Miguel de Icaza (miguel@gnu.org)
5 //         Marek Safar (marek.safar@seznam.cz)
6 //
7 // Licensed under the terms of the GNU GPL
8 //
9 // (C) 2001 Ximian, Inc (http://www.ximian.com)
10 // (C) 2004 Novell, Inc
11 //
12 // TODO: Move the method verification stuff from the class.cs and interface.cs here
13 //
14
15 using System;
16 using System.Text;
17 using System.Collections;
18 using System.Globalization;
19 using System.Reflection.Emit;
20 using System.Reflection;
21 using System.Xml;
22
23 namespace Mono.CSharp {
24
25         public class MemberName {
26                 public readonly string Name;
27                 public readonly TypeArguments TypeArguments;
28
29                 public readonly MemberName Left;
30
31                 public static readonly MemberName Null = new MemberName ("");
32
33                 public MemberName (string name)
34                 {
35                         this.Name = name;
36                 }
37
38                 public MemberName (string name, TypeArguments args)
39                         : this (name)
40                 {
41                         this.TypeArguments = args;
42                 }
43
44                 public MemberName (MemberName left, string name)
45                         : this (left, name, null)
46                 {
47                 }
48
49                 public MemberName (MemberName left, string name, TypeArguments args)
50                         : this (name, args)
51                 {
52                         this.Left = left;
53                 }
54
55                 public MemberName (MemberName left, MemberName right)
56                         : this (left, right.Name, right.TypeArguments)
57                 {
58                         Name = right.Name;
59                         Left = (right.Left == null) ? left : new MemberName (left, right.Left);
60                         TypeArguments = right.TypeArguments;
61                 }
62
63                 static readonly char [] dot_array = { '.' };
64
65                 public static MemberName FromDotted (string name)
66                 {
67                         string [] elements = name.Split (dot_array);
68                         int count = elements.Length;
69                         int i = 0;
70                         MemberName n = new MemberName (elements [i++]);
71                         while (i < count)
72                                 n = new MemberName (n, elements [i++]);
73                         return n;
74                 }
75
76                 public string GetName ()
77                 {
78                         if (Left != null)
79                                 return Left.GetName () + "." + Name;
80                         else
81                                 return Name;
82                 }
83
84                 public bool IsGeneric {
85                         get {
86                                 if (TypeArguments != null)
87                                         return true;
88                                 else if (Left != null)
89                                         return Left.IsGeneric;
90                                 else
91                                         return false;
92                         }
93                 }
94
95                 public string GetName (bool is_generic)
96                 {
97                         string name = is_generic ? Basename : Name;
98                         if (Left != null)
99                                 return Left.GetName (is_generic) + "." + name;
100                         else
101                                 return name;
102                 }
103
104                 public int CountTypeArguments {
105                         get {
106                                 if (TypeArguments == null)
107                                         return 0;
108                                 else
109                                         return TypeArguments.Count;
110                         }
111                 }
112
113                 public string GetMethodName ()
114                 {
115                         if (Left != null)
116                                 return Left.GetTypeName () + "." + Name;
117                         else
118                                 return Name;
119                 }
120
121                 public static string MakeName (string name, TypeArguments args)
122                 {
123                         if (args == null)
124                                 return name;
125                         else
126                                 return name + "`" + args.Count;
127                 }
128
129                 public static string MakeName (string name, int count)
130                 {
131                         return name + "`" + count;
132                 }
133
134                 public string GetTypeName ()
135                 {
136                         if (Left != null)
137                                 return Left.GetTypeName () + "." +
138                                         MakeName (Name, TypeArguments);
139                         else
140                                 return MakeName (Name, TypeArguments);
141                 }
142
143                 protected bool IsUnbound {
144                         get {
145                                 if ((Left != null) && Left.IsUnbound)
146                                         return true;
147                                 else if (TypeArguments == null)
148                                         return false;
149                                 else
150                                         return TypeArguments.IsUnbound;
151                         }
152                 }
153
154                 protected bool CheckUnbound (Location loc)
155                 {
156                         if ((Left != null) && !Left.CheckUnbound (loc))
157                                 return false;
158                         if ((TypeArguments != null) && !TypeArguments.IsUnbound) {
159                                 Report.Error (1031, loc, "Type expected");
160                                 return false;
161                         }
162
163                         return true;
164                 }
165
166                 public Expression GetTypeExpression (Location loc)
167                 {
168                         if (IsUnbound) {
169                                 if (!CheckUnbound (loc))
170                                         return null;
171
172                                 return new UnboundTypeExpression (GetTypeName ());
173                         }
174
175                         if (Left != null) {
176                                 Expression lexpr = Left.GetTypeExpression (loc);
177
178                                 return new MemberAccess (lexpr, Name, TypeArguments, loc);
179                         } else {
180                                 if (TypeArguments != null)
181                                         return new SimpleName (Basename, TypeArguments, loc);
182                                 else
183                                         return new SimpleName (Name, loc);
184                         }
185                 }
186
187                 public MemberName Clone ()
188                 {
189                         if (Left != null)
190                                 return new MemberName (Left.Clone (), Name, TypeArguments);
191                         else
192                                 return new MemberName (Name, TypeArguments);
193                 }
194
195                 public string Basename {
196                         get {
197                                 if (TypeArguments != null)
198                                         return MakeName (Name, TypeArguments);
199                                 else
200                                         return Name;
201                         }
202                 }
203
204                 public override string ToString ()
205                 {
206                         string full_name;
207                         if (TypeArguments != null)
208                                 full_name = Name + "<" + TypeArguments + ">";
209                         else
210                                 full_name = Name;
211
212                         if (Left != null)
213                                 return Left + "." + full_name;
214                         else
215                                 return full_name;
216                 }
217
218                 public override bool Equals (object other)
219                 {
220                         return Equals (other as MemberName);
221                 }
222
223                 public bool Equals (MemberName other)
224                 {
225                         if (this == other)
226                                 return true;
227                         if (other == null || Name != other.Name)
228                                 return false;
229
230                         if ((TypeArguments != null) &&
231                             (other.TypeArguments == null || TypeArguments.Count != other.TypeArguments.Count))
232                                 return false;
233
234                         if ((TypeArguments == null) && (other.TypeArguments != null))
235                                 return false;
236
237                         if (Left == null)
238                                 return other.Left == null;
239
240                         return Left.Equals (other.Left);
241                 }
242
243                 public override int GetHashCode ()
244                 {
245                         int hash = Name.GetHashCode ();
246                         for (MemberName n = Left; n != null; n = n.Left)
247                                 hash ^= n.Name.GetHashCode ();
248
249                         if (TypeArguments != null)
250                                 hash ^= TypeArguments.Count << 5;
251
252                         return hash & 0x7FFFFFFF;
253                 }
254         }
255
256         /// <summary>
257         ///   Base representation for members.  This is used to keep track
258         ///   of Name, Location and Modifier flags, and handling Attributes.
259         /// </summary>
260         public abstract class MemberCore : Attributable {
261                 /// <summary>
262                 ///   Public name
263                 /// </summary>
264
265                 protected string cached_name;
266                 public string Name {
267                         get {
268                                 if (cached_name == null)
269                                         cached_name = MemberName.GetName (!(this is GenericMethod) && !(this is Method));
270                                 return cached_name;
271                         }
272                 }
273
274                 // Is not readonly because of IndexerName attribute
275                 private MemberName member_name;
276                 public MemberName MemberName {
277                         get { return member_name; }
278                 }
279
280                 /// <summary>
281                 ///   Modifier flags that the user specified in the source code
282                 /// </summary>
283                 public int ModFlags;
284
285                 public /*readonly*/ TypeContainer Parent;
286
287                 /// <summary>
288                 ///   Location where this declaration happens
289                 /// </summary>
290                 public readonly Location Location;
291
292                 /// <summary>
293                 ///   XML documentation comment
294                 /// </summary>
295                 public string DocComment;
296
297                 /// <summary>
298                 ///   Represents header string for documentation comment 
299                 ///   for each member types.
300                 /// </summary>
301                 public abstract string DocCommentHeader { get; }
302
303                 [Flags]
304                 public enum Flags {
305                         Obsolete_Undetected = 1,                // Obsolete attribute has not been detected yet
306                         Obsolete = 1 << 1,                      // Type has obsolete attribute
307                         ClsCompliance_Undetected = 1 << 2,      // CLS Compliance has not been detected yet
308                         ClsCompliant = 1 << 3,                  // Type is CLS Compliant
309                         CloseTypeCreated = 1 << 4,              // Tracks whether we have Closed the type
310                         HasCompliantAttribute_Undetected = 1 << 5,      // Presence of CLSCompliantAttribute has not been detected
311                         HasClsCompliantAttribute = 1 << 6,                      // Type has CLSCompliantAttribute
312                         ClsCompliantAttributeTrue = 1 << 7,                     // Type has CLSCompliant (true)
313                         Excluded_Undetected = 1 << 8,           // Conditional attribute has not been detected yet
314                         Excluded = 1 << 9,                                      // Method is conditional
315                         TestMethodDuplication = 1 << 10,                // Test for duplication must be performed
316                         IsUsed = 1 << 11
317                 }
318   
319                 /// <summary>
320                 ///   MemberCore flags at first detected then cached
321                 /// </summary>
322                 internal Flags caching_flags;
323
324                 public MemberCore (TypeContainer parent, MemberName name, Attributes attrs,
325                                    Location loc)
326                         : base (attrs)
327                 {
328                         if (parent is PartialContainer && !(this is PartialContainer))
329                                 throw new InternalErrorException ("A PartialContainer cannot be the direct parent of a member");
330
331                         Parent = parent;
332                         member_name = name;
333                         Location = loc;
334                         caching_flags = Flags.Obsolete_Undetected | Flags.ClsCompliance_Undetected | Flags.HasCompliantAttribute_Undetected | Flags.Excluded_Undetected;
335                 }
336
337                 protected virtual void SetMemberName (MemberName new_name)
338                 {
339                         member_name = new_name;
340                         cached_name = null;
341                 }
342
343                 /// <summary>
344                 /// Tests presence of ObsoleteAttribute and report proper error
345                 /// </summary>
346                 protected void CheckUsageOfObsoleteAttribute (Type type)
347                 {
348                         if (type == null)
349                                 return;
350
351                         ObsoleteAttribute obsolete_attr = AttributeTester.GetObsoleteAttribute (type);
352                         if (obsolete_attr == null)
353                                 return;
354
355                         AttributeTester.Report_ObsoleteMessage (obsolete_attr, type.FullName, Location);
356                 }
357
358                 public abstract bool Define ();
359
360                 // 
361                 // Returns full member name for error message
362                 //
363                 public virtual string GetSignatureForError ()
364                 {
365                         return Name;
366                 }
367
368                 /// <summary>
369                 /// Use this method when MethodBuilder is null
370                 /// </summary>
371                 public virtual string GetSignatureForError (TypeContainer tc)
372                 {
373                         return Name;
374                 }
375
376                 /// <summary>
377                 /// Base Emit method. This is also entry point for CLS-Compliant verification.
378                 /// </summary>
379                 public virtual void Emit ()
380                 {
381                         // Hack with Parent == null is for EnumMember
382                         if (Parent == null || (GetObsoleteAttribute (Parent) == null && Parent.GetObsoleteAttribute (Parent) == null))
383                                 VerifyObsoleteAttribute ();
384
385                         if (!RootContext.VerifyClsCompliance)
386                                 return;
387
388                         VerifyClsCompliance (Parent);
389                 }
390
391                 public bool InUnsafe {
392                         get {
393                                 return ((ModFlags & Modifiers.UNSAFE) != 0) || Parent.UnsafeContext;
394                         }
395                 }
396
397                 public virtual bool IsUsed {
398                         get {
399                                 return (caching_flags & Flags.IsUsed) != 0;
400                         }
401                 }
402
403                 public void SetMemberIsUsed ()
404                 {
405                         caching_flags |= Flags.IsUsed;
406                 }
407
408                 // 
409                 // Whehter is it ok to use an unsafe pointer in this type container
410                 //
411                 public bool UnsafeOK (DeclSpace parent)
412                 {
413                         //
414                         // First check if this MemberCore modifier flags has unsafe set
415                         //
416                         if ((ModFlags & Modifiers.UNSAFE) != 0)
417                                 return true;
418
419                         if (parent.UnsafeContext)
420                                 return true;
421
422                         Expression.UnsafeError (Location);
423                         return false;
424                 }
425
426                 /// <summary>
427                 /// Returns instance of ObsoleteAttribute for this MemberCore
428                 /// </summary>
429                 public ObsoleteAttribute GetObsoleteAttribute (DeclSpace ds)
430                 {
431                         // ((flags & (Flags.Obsolete_Undetected | Flags.Obsolete)) == 0) is slower, but why ?
432                         if ((caching_flags & Flags.Obsolete_Undetected) == 0 && (caching_flags & Flags.Obsolete) == 0) {
433                                 return null;
434                         }
435
436                         caching_flags &= ~Flags.Obsolete_Undetected;
437
438                         if (OptAttributes == null)
439                                 return null;
440
441                         Attribute obsolete_attr = OptAttributes.Search (
442                                 TypeManager.obsolete_attribute_type, ds.EmitContext);
443                         if (obsolete_attr == null)
444                                 return null;
445
446                         ObsoleteAttribute obsolete = obsolete_attr.GetObsoleteAttribute (ds.EmitContext);
447                         if (obsolete == null)
448                                 return null;
449
450                         caching_flags |= Flags.Obsolete;
451                         return obsolete;
452                 }
453
454                 /// <summary>
455                 /// Analyze whether CLS-Compliant verification must be execute for this MemberCore.
456                 /// </summary>
457                 public override bool IsClsCompliaceRequired (DeclSpace container)
458                 {
459                         if ((caching_flags & Flags.ClsCompliance_Undetected) == 0)
460                                 return (caching_flags & Flags.ClsCompliant) != 0;
461
462                         if (GetClsCompliantAttributeValue (container) && IsExposedFromAssembly (container)) {
463                                 caching_flags &= ~Flags.ClsCompliance_Undetected;
464                                 caching_flags |= Flags.ClsCompliant;
465                                 return true;
466                         }
467
468                         caching_flags &= ~Flags.ClsCompliance_Undetected;
469                         return false;
470                 }
471
472                 /// <summary>
473                 /// Returns true when MemberCore is exposed from assembly.
474                 /// </summary>
475                 public bool IsExposedFromAssembly (DeclSpace ds)
476                 {
477                         if ((ModFlags & (Modifiers.PUBLIC | Modifiers.PROTECTED)) == 0)
478                                 return false;
479                         
480                         DeclSpace parentContainer = ds;
481                         while (parentContainer != null && parentContainer.ModFlags != 0) {
482                                 if ((parentContainer.ModFlags & (Modifiers.PUBLIC | Modifiers.PROTECTED)) == 0)
483                                         return false;
484                                 parentContainer = parentContainer.Parent;
485                         }
486                         return true;
487                 }
488
489                 /// <summary>
490                 /// Resolve CLSCompliantAttribute value or gets cached value.
491                 /// </summary>
492                 bool GetClsCompliantAttributeValue (DeclSpace ds)
493                 {
494                         if (OptAttributes != null) {
495                                 Attribute cls_attribute = OptAttributes.Search (
496                                         TypeManager.cls_compliant_attribute_type, ds.EmitContext);
497                                 if (cls_attribute != null) {
498                                         caching_flags |= Flags.HasClsCompliantAttribute;
499                                         return cls_attribute.GetClsCompliantAttributeValue (ds.EmitContext);
500                                 }
501                         }
502                         return ds.GetClsCompliantAttributeValue ();
503                 }
504
505                 /// <summary>
506                 /// Returns true if MemberCore is explicitly marked with CLSCompliantAttribute
507                 /// </summary>
508                 protected bool HasClsCompliantAttribute {
509                         get {
510                                 return (caching_flags & Flags.HasClsCompliantAttribute) != 0;
511                         }
512                 }
513
514                 /// <summary>
515                 /// It helps to handle error 102 & 111 detection
516                 /// </summary>
517                 public virtual bool MarkForDuplicationCheck ()
518                 {
519                         return false;
520                 }
521
522                 /// <summary>
523                 /// The main virtual method for CLS-Compliant verifications.
524                 /// The method returns true if member is CLS-Compliant and false if member is not
525                 /// CLS-Compliant which means that CLS-Compliant tests are not necessary. A descendants override it
526                 /// and add their extra verifications.
527                 /// </summary>
528                 protected virtual bool VerifyClsCompliance (DeclSpace ds)
529                 {
530                         if (!IsClsCompliaceRequired (ds)) {
531                                 if (HasClsCompliantAttribute && RootContext.WarningLevel >= 2) {
532                                         if (!IsExposedFromAssembly (ds))
533                                                 Report.Warning (3019, Location, "CLS compliance checking will not be performed on '{0}' because it is private or internal", GetSignatureForError ());
534                                         if (!CodeGen.Assembly.IsClsCompliant)
535                                                 Report.Warning (3021, Location, "'{0}' does not need a CLSCompliant attribute because the assembly does not have a CLSCompliant attribute", GetSignatureForError ());
536                                 }
537                                 return false;
538                         }
539
540                         if (!CodeGen.Assembly.IsClsCompliant) {
541                                 if (HasClsCompliantAttribute) {
542                                         Report.Error (3014, Location, "'{0}' cannot be marked as CLS-compliant because the assembly does not have a CLSCompliant attribute", GetSignatureForError ());
543                                 }
544                                 return false;
545                         }
546
547                         int index = Name.LastIndexOf ('.');
548                         if (Name [index > 0 ? index + 1 : 0] == '_') {
549                                 Report.Error (3008, Location, "Identifier '{0}' is not CLS-compliant", GetSignatureForError () );
550                         }
551                         return true;
552                 }
553
554                 protected abstract void VerifyObsoleteAttribute ();
555
556                 //
557                 // Raised (and passed an XmlElement that contains the comment)
558                 // when GenerateDocComment is writing documentation expectedly.
559                 //
560                 internal virtual void OnGenerateDocComment (DeclSpace ds, XmlElement intermediateNode)
561                 {
562                 }
563
564                 //
565                 // Returns a string that represents the signature for this 
566                 // member which should be used in XML documentation.
567                 //
568                 public virtual string GetDocCommentName (DeclSpace ds)
569                 {
570                         if (ds == null || this is DeclSpace)
571                                 return DocCommentHeader + Name;
572                         else
573                                 return String.Concat (DocCommentHeader, ds.Name, ".", Name);
574                 }
575
576                 //
577                 // Generates xml doc comments (if any), and if required,
578                 // handle warning report.
579                 //
580                 internal virtual void GenerateDocComment (DeclSpace ds)
581                 {
582                         DocUtil.GenerateDocComment (this, ds);
583                 }
584         }
585
586         /// <summary>
587         ///   Base class for structs, classes, enumerations and interfaces.  
588         /// </summary>
589         /// <remarks>
590         ///   They all create new declaration spaces.  This
591         ///   provides the common foundation for managing those name
592         ///   spaces.
593         /// </remarks>
594         public abstract class DeclSpace : MemberCore, IAlias {
595                 /// <summary>
596                 ///   This points to the actual definition that is being
597                 ///   created with System.Reflection.Emit
598                 /// </summary>
599                 public TypeBuilder TypeBuilder;
600
601                 /// <summary>
602                 ///   If we are a generic type, this is the type we are
603                 ///   currently defining.  We need to lookup members on this
604                 ///   instead of the TypeBuilder.
605                 /// </summary>
606                 public Type CurrentType;
607
608                 //
609                 // This is the namespace in which this typecontainer
610                 // was declared.  We use this to resolve names.
611                 //
612                 public NamespaceEntry NamespaceEntry;
613
614                 private Hashtable Cache = new Hashtable ();
615                 
616                 public readonly string Basename;
617                 
618                 protected Hashtable defined_names;
619
620                 readonly bool is_generic;
621                 readonly int count_type_params;
622                 readonly int count_current_type_params;
623
624                 // The emit context for toplevel objects.
625                 protected EmitContext ec;
626                 
627                 public EmitContext EmitContext {
628                         get { return ec; }
629                 }
630
631                 //
632                 // Whether we are Generic
633                 //
634                 public bool IsGeneric {
635                         get {
636                                 if (is_generic)
637                                         return true;
638                                 else if (Parent != null)
639                                         return Parent.IsGeneric;
640                                 else
641                                         return false;
642                         }
643                 }
644
645                 static string[] attribute_targets = new string [] { "type" };
646
647                 public DeclSpace (NamespaceEntry ns, TypeContainer parent, MemberName name,
648                                   Attributes attrs, Location l)
649                         : base (parent, name, attrs, l)
650                 {
651                         NamespaceEntry = ns;
652                         Basename = name.Basename;
653                         defined_names = new Hashtable ();
654                         if (name.TypeArguments != null) {
655                                 is_generic = true;
656                                 count_type_params = count_current_type_params = name.TypeArguments.Count;
657                         }
658                         if (parent != null)
659                                 count_type_params += parent.count_type_params;
660                 }
661
662                 /// <summary>
663                 /// Adds the member to defined_names table. It tests for duplications and enclosing name conflicts
664                 /// </summary>
665                 protected bool AddToContainer (MemberCore symbol, string name)
666                 {
667                         if (name == Basename && !(this is Interface) && !(this is Enum)) {
668                                 if (symbol is TypeParameter)
669                                         Report.Error (694, "Type parameter `{0}' has same name as " +
670                                                       "containing type or method", name);
671                                 else {
672                                         Report.SymbolRelatedToPreviousError (this);
673                                         Report.Error (542, "'{0}': member names cannot be the same as their " +
674                                                       "enclosing type", symbol.Location, symbol.GetSignatureForError ());
675                                 }
676                                 return false;
677                         }
678
679                         MemberCore mc = (MemberCore) defined_names [name];
680
681                         if (mc == null) {
682                                 defined_names.Add (name, symbol);
683                                 return true;
684                         }
685
686                         if (symbol.MarkForDuplicationCheck () && mc.MarkForDuplicationCheck ())
687                                 return true;
688
689                         if (symbol is TypeParameter)
690                                 Report.Error (692, symbol.Location, "Duplicate type parameter `{0}'", name);
691                         else {
692                                 Report.SymbolRelatedToPreviousError (mc);
693                                 Report.Error (102, symbol.Location,
694                                               "The type '{0}' already contains a definition for '{1}'",
695                                               GetSignatureForError (), name);
696                         }
697                         return false;
698                 }
699
700                 public void RecordDecl ()
701                 {
702                         if ((NamespaceEntry != null) && (Parent == RootContext.Tree.Types))
703                                 NamespaceEntry.DefineName (MemberName.Basename, this);
704                 }
705
706                 /// <summary>
707                 ///   Returns the MemberCore associated with a given name in the declaration
708                 ///   space. It doesn't return method based symbols !!
709                 /// </summary>
710                 /// 
711                 public MemberCore GetDefinition (string name)
712                 {
713                         return (MemberCore)defined_names [name];
714                 }
715
716                 bool in_transit = false;
717                 
718                 /// <summary>
719                 ///   This function is used to catch recursive definitions
720                 ///   in declarations.
721                 /// </summary>
722                 public bool InTransit {
723                         get {
724                                 return in_transit;
725                         }
726
727                         set {
728                                 in_transit = value;
729                         }
730                 }
731                 
732                 // 
733                 // root_types contains all the types.  All TopLevel types
734                 // hence have a parent that points to `root_types', that is
735                 // why there is a non-obvious test down here.
736                 //
737                 public bool IsTopLevel {
738                         get {
739                                 if (Parent != null){
740                                         if (Parent.Parent == null)
741                                                 return true;
742                                 }
743                                 return false;
744                         }
745                 }
746
747                 public virtual void CloseType ()
748                 {
749                         if ((caching_flags & Flags.CloseTypeCreated) == 0){
750                                 try {
751                                         TypeBuilder.CreateType ();
752                                 } catch {
753                                         //
754                                         // The try/catch is needed because
755                                         // nested enumerations fail to load when they
756                                         // are defined.
757                                         //
758                                         // Even if this is the right order (enumerations
759                                         // declared after types).
760                                         //
761                                         // Note that this still creates the type and
762                                         // it is possible to save it
763                                 }
764                                 caching_flags |= Flags.CloseTypeCreated;
765                         }
766                 }
767
768                 protected virtual TypeAttributes TypeAttr {
769                         get {
770                                 return CodeGen.Module.DefaultCharSetType;
771                         }
772                 }
773
774                 /// <remarks>
775                 ///  Should be overriten by the appropriate declaration space
776                 /// </remarks>
777                 public abstract TypeBuilder DefineType ();
778                 
779                 /// <summary>
780                 ///   Define all members, but don't apply any attributes or do anything which may
781                 ///   access not-yet-defined classes.  This method also creates the MemberCache.
782                 /// </summary>
783                 public abstract bool DefineMembers (TypeContainer parent);
784
785                 //
786                 // Whether this is an `unsafe context'
787                 //
788                 public bool UnsafeContext {
789                         get {
790                                 if ((ModFlags & Modifiers.UNSAFE) != 0)
791                                         return true;
792                                 if (Parent != null)
793                                         return Parent.UnsafeContext;
794                                 return false;
795                         }
796                 }
797
798                 EmitContext type_resolve_ec;
799                 protected EmitContext TypeResolveEmitContext {
800                         get {
801                                 if (type_resolve_ec == null) {
802                                         // FIXME: I think this should really be one of:
803                                         //
804                                         // a. type_resolve_ec = Parent.EmitContext;
805                                         // b. type_resolve_ec = new EmitContext (Parent, Parent, loc, null, null, ModFlags, false);
806                                         //
807                                         // However, if Parent == RootContext.Tree.Types, its NamespaceEntry will be null.
808                                         //
809                                         type_resolve_ec = new EmitContext (Parent, this, Location.Null, null, null, ModFlags, false);
810                                 }
811                                 return type_resolve_ec;
812                         }
813                 }
814
815                 // <summary>
816                 //    Resolves the expression `e' for a type, and will recursively define
817                 //    types.  This should only be used for resolving base types.
818                 // </summary>
819                 public TypeExpr ResolveBaseTypeExpr (Expression e, bool silent, Location loc)
820                 {
821                         TypeResolveEmitContext.loc = loc;
822                         TypeResolveEmitContext.ContainerType = TypeBuilder;
823                         if (this is GenericMethod)
824                                 TypeResolveEmitContext.ContainerType = Parent.TypeBuilder;
825                         else
826                                 TypeResolveEmitContext.ContainerType = TypeBuilder;
827
828                         return e.ResolveAsTypeTerminal (TypeResolveEmitContext);
829                 }
830                 
831                 public bool CheckAccessLevel (Type check_type) 
832                 {
833                         TypeBuilder tb;
834                         if ((this is GenericMethod) || (this is Iterator))
835                                 tb = Parent.TypeBuilder;
836                         else
837                                 tb = TypeBuilder;
838
839                         if (check_type.IsGenericInstance)
840                                 check_type = check_type.GetGenericTypeDefinition ();
841
842                         if (check_type == tb)
843                                 return true;
844
845                         if (TypeBuilder == null)
846                                 // FIXME: TypeBuilder will be null when invoked by Class.GetNormalBases().
847                                 //        However, this is invoked again later -- so safe to return true.
848                                 //        May also be null when resolving top-level attributes.
849                                 return true;
850
851                         if (check_type.IsGenericParameter)
852                                 return true; // FIXME
853                         
854                         TypeAttributes check_attr = check_type.Attributes & TypeAttributes.VisibilityMask;
855                         
856                         //
857                         // Broken Microsoft runtime, return public for arrays, no matter what 
858                         // the accessibility is for their underlying class, and they return 
859                         // NonPublic visibility for pointers
860                         //
861                         if (check_type.IsArray || check_type.IsPointer)
862                                 return CheckAccessLevel (TypeManager.GetElementType (check_type));
863
864                         switch (check_attr){
865                         case TypeAttributes.Public:
866                                 return true;
867
868                         case TypeAttributes.NotPublic:
869
870                                 if (TypeBuilder == null)
871                                         // FIXME: TypeBuilder will be null when invoked by Class.GetNormalBases().
872                                         //        However, this is invoked again later -- so safe to return true.
873                                         //        May also be null when resolving top-level attributes.
874                                         return true;
875                                 //
876                                 // This test should probably use the declaringtype.
877                                 //
878                                 return check_type.Assembly == TypeBuilder.Assembly;
879
880                         case TypeAttributes.NestedPublic:
881                                 return true;
882
883                         case TypeAttributes.NestedPrivate:
884                                 return NestedAccessible (tb, check_type);
885
886                         case TypeAttributes.NestedFamily:
887                                 //
888                                 // Only accessible to methods in current type or any subtypes
889                                 //
890                                 return FamilyAccessible (tb, check_type);
891
892                         case TypeAttributes.NestedFamANDAssem:
893                                 return (check_type.Assembly == tb.Assembly) &&
894                                         FamilyAccessible (tb, check_type);
895
896                         case TypeAttributes.NestedFamORAssem:
897                                 return (check_type.Assembly == tb.Assembly) ||
898                                         FamilyAccessible (tb, check_type);
899
900                         case TypeAttributes.NestedAssembly:
901                                 return check_type.Assembly == tb.Assembly;
902                         }
903
904                         Console.WriteLine ("HERE: " + check_attr);
905                         return false;
906
907                 }
908
909                 protected bool NestedAccessible (Type tb, Type check_type)
910                 {
911                         Type declaring = check_type.DeclaringType;
912                         return TypeBuilder == declaring ||
913                                 TypeManager.IsNestedChildOf (TypeBuilder, declaring);
914                 }
915
916                 protected bool FamilyAccessible (Type tb, Type check_type)
917                 {
918                         Type declaring = check_type.DeclaringType;
919                         if (tb == declaring || TypeManager.IsFamilyAccessible (tb, declaring))
920                                 return true;
921
922                         return NestedAccessible (tb, check_type);
923                 }
924
925                 // Access level of a type.
926                 const int X = 1;
927                 enum AccessLevel { // Each column represents `is this scope larger or equal to Blah scope'
928                         // Public    Assembly   Protected
929                         Protected           = (0 << 0) | (0 << 1) | (X << 2),
930                         Public              = (X << 0) | (X << 1) | (X << 2),
931                         Private             = (0 << 0) | (0 << 1) | (0 << 2),
932                         Internal            = (0 << 0) | (X << 1) | (0 << 2),
933                         ProtectedOrInternal = (0 << 0) | (X << 1) | (X << 2),
934                 }
935
936                 static AccessLevel GetAccessLevelFromModifiers (int flags)
937                 {
938                         if ((flags & Modifiers.INTERNAL) != 0) {
939
940                                 if ((flags & Modifiers.PROTECTED) != 0)
941                                         return AccessLevel.ProtectedOrInternal;
942                                 else
943                                         return AccessLevel.Internal;
944
945                         } else if ((flags & Modifiers.PROTECTED) != 0)
946                                 return AccessLevel.Protected;
947                         else if ((flags & Modifiers.PRIVATE) != 0)
948                                 return AccessLevel.Private;
949                         else
950                                 return AccessLevel.Public;
951                 }
952
953                 // What is the effective access level of this?
954                 // TODO: Cache this?
955                 AccessLevel EffectiveAccessLevel {
956                         get {
957                                 AccessLevel myAccess = GetAccessLevelFromModifiers (ModFlags);
958                                 if (!IsTopLevel && (Parent != null))
959                                         return myAccess & Parent.EffectiveAccessLevel;
960                                 return myAccess;
961                         }
962                 }
963
964                 // Return the access level for type `t'
965                 static AccessLevel TypeEffectiveAccessLevel (Type t)
966                 {
967                         if (t.IsPublic)
968                                 return AccessLevel.Public;
969                         if (t.IsNestedPrivate)
970                                 return AccessLevel.Private;
971                         if (t.IsNotPublic)
972                                 return AccessLevel.Internal;
973
974                         // By now, it must be nested
975                         AccessLevel parentLevel = TypeEffectiveAccessLevel (t.DeclaringType);
976
977                         if (t.IsNestedPublic)
978                                 return parentLevel;
979                         if (t.IsNestedAssembly)
980                                 return parentLevel & AccessLevel.Internal;
981                         if (t.IsNestedFamily)
982                                 return parentLevel & AccessLevel.Protected;
983                         if (t.IsNestedFamORAssem)
984                                 return parentLevel & AccessLevel.ProtectedOrInternal;
985                         if (t.IsNestedFamANDAssem)
986                                 throw new NotImplementedException ("NestedFamANDAssem not implemented, cant make this kind of type from c# anyways");
987
988                         // nested private is taken care of
989
990                         throw new Exception ("I give up, what are you?");
991                 }
992
993                 //
994                 // This answers `is the type P, as accessible as a member M which has the
995                 // accessability @flags which is declared as a nested member of the type T, this declspace'
996                 //
997                 public bool AsAccessible (Type p, int flags)
998                 {
999                         if (p.IsGenericParameter)
1000                                 return true; // FIXME
1001
1002                         //
1003                         // 1) if M is private, its accessability is the same as this declspace.
1004                         // we already know that P is accessible to T before this method, so we
1005                         // may return true.
1006                         //
1007
1008                         if ((flags & Modifiers.PRIVATE) != 0)
1009                                 return true;
1010
1011                         while (p.IsArray || p.IsPointer || p.IsByRef)
1012                                 p = TypeManager.GetElementType (p);
1013
1014                         AccessLevel pAccess = TypeEffectiveAccessLevel (p);
1015                         AccessLevel mAccess = this.EffectiveAccessLevel &
1016                                 GetAccessLevelFromModifiers (flags);
1017
1018                         // for every place from which we can access M, we must
1019                         // be able to access P as well. So, we want
1020                         // For every bit in M and P, M_i -> P_1 == true
1021                         // or, ~ (M -> P) == 0 <-> ~ ( ~M | P) == 0
1022
1023                         return ~ (~ mAccess | pAccess) == 0;
1024                 }
1025
1026                 public static void Error_AmbiguousTypeReference (Location loc, string name, string t1, string t2)
1027                 {
1028                         Report.Error (104, loc,
1029                                       "`{0}' is an ambiguous reference ({1} or {2})",
1030                                       name, t1, t2);
1031                 }
1032
1033                 //
1034                 // Return the nested type with name @name.  Ensures that the nested type
1035                 // is defined if necessary.  Do _not_ use this when you have a MemberCache handy.
1036                 //
1037                 public virtual Type FindNestedType (string name)
1038                 {
1039                         return null;
1040                 }
1041
1042                 private Type LookupNestedTypeInHierarchy (string name)
1043                 {
1044                         // if the member cache has been created, lets use it.
1045                         // the member cache is MUCH faster.
1046                         if (MemberCache != null)
1047                                 return MemberCache.FindNestedType (name);
1048
1049                         // no member cache. Do it the hard way -- reflection
1050                         Type t = null;
1051                         for (Type current_type = TypeBuilder;
1052                              current_type != null && current_type != TypeManager.object_type;
1053                              current_type = current_type.BaseType) {
1054                                 if (current_type is TypeBuilder) {
1055                                         DeclSpace decl = this;
1056                                         if (current_type != TypeBuilder)
1057                                                 decl = TypeManager.LookupDeclSpace (current_type);
1058                                         t = decl.FindNestedType (name);
1059                                 } else {
1060                                         t = TypeManager.GetNestedType (current_type, name);
1061                                 }
1062
1063                                 if (t != null && CheckAccessLevel (t))
1064                                         return t;
1065                         }
1066
1067                         return null;
1068                 }
1069
1070                 //
1071                 // Public function used to locate types, this can only
1072                 // be used after the ResolveTree function has been invoked.
1073                 //
1074                 // Set 'ignore_cs0104' to true if you want to ignore cs0104 errors.
1075                 //
1076                 // Returns: Type or null if they type can not be found.
1077                 //
1078                 public FullNamedExpression LookupType (string name, Location loc, bool ignore_cs0104)
1079                 {
1080                         if (this is PartialContainer)
1081                                 throw new InternalErrorException ("Should not get here");
1082
1083                         if (Cache.Contains (name))
1084                                 return (FullNamedExpression) Cache [name];
1085
1086                         FullNamedExpression e;
1087                         Type t = LookupNestedTypeInHierarchy (name);
1088                         if (t != null)
1089                                 e = new TypeExpression (t, Location.Null);
1090                         else if (Parent != null && Parent != RootContext.Tree.Types)
1091                                 e = Parent.LookupType (name, loc, ignore_cs0104);
1092                         else
1093                                 e = NamespaceEntry.LookupNamespaceOrType (this, name, loc, ignore_cs0104);
1094
1095                         Cache [name] = e;
1096                         return e;
1097                 }
1098
1099                 /// <remarks>
1100                 ///   This function is broken and not what you're looking for.  It should only
1101                 ///   be used while the type is still being created since it doesn't use the cache
1102                 ///   and relies on the filter doing the member name check.
1103                 /// </remarks>
1104                 public abstract MemberList FindMembers (MemberTypes mt, BindingFlags bf,
1105                                                         MemberFilter filter, object criteria);
1106
1107                 /// <remarks>
1108                 ///   If we have a MemberCache, return it.  This property may return null if the
1109                 ///   class doesn't have a member cache or while it's still being created.
1110                 /// </remarks>
1111                 public abstract MemberCache MemberCache {
1112                         get;
1113                 }
1114
1115                 public override void ApplyAttributeBuilder (Attribute a, CustomAttributeBuilder cb)
1116                 {
1117                         if (a.Type == TypeManager.required_attr_type) {
1118                                 Report.Error (1608, a.Location, "The RequiredAttribute attribute is not permitted on C# types");
1119                                 return;
1120                         }
1121                         TypeBuilder.SetCustomAttribute (cb);
1122                 }
1123
1124                 /// <summary>
1125                 /// Goes through class hierarchy and get value of first CLSCompliantAttribute that found.
1126                 /// If no is attribute exists then return assembly CLSCompliantAttribute.
1127                 /// </summary>
1128                 public bool GetClsCompliantAttributeValue ()
1129                 {
1130                         if ((caching_flags & Flags.HasCompliantAttribute_Undetected) == 0)
1131                                 return (caching_flags & Flags.ClsCompliantAttributeTrue) != 0;
1132
1133                         caching_flags &= ~Flags.HasCompliantAttribute_Undetected;
1134
1135                         if (OptAttributes != null) {
1136                                 Attribute cls_attribute = OptAttributes.Search (TypeManager.cls_compliant_attribute_type, ec);
1137                                 if (cls_attribute != null) {
1138                                         caching_flags |= Flags.HasClsCompliantAttribute;
1139                                         if (cls_attribute.GetClsCompliantAttributeValue (ec)) {
1140                                                 caching_flags |= Flags.ClsCompliantAttributeTrue;
1141                                                 return true;
1142                                         }
1143                                         return false;
1144                                 }
1145                         }
1146
1147                         if (Parent == null) {
1148                                 if (CodeGen.Assembly.IsClsCompliant) {
1149                                         caching_flags |= Flags.ClsCompliantAttributeTrue;
1150                                         return true;
1151                                 }
1152                                 return false;
1153                         }
1154
1155                         if (Parent.GetClsCompliantAttributeValue ()) {
1156                                 caching_flags |= Flags.ClsCompliantAttributeTrue;
1157                                 return true;
1158                         }
1159                         return false;
1160                 }
1161
1162                 //
1163                 // Extensions for generics
1164                 //
1165                 TypeParameter[] type_params;
1166                 TypeParameter[] type_param_list;
1167
1168                 protected string GetInstantiationName ()
1169                 {
1170                         StringBuilder sb = new StringBuilder (Name);
1171                         sb.Append ("<");
1172                         for (int i = 0; i < type_param_list.Length; i++) {
1173                                 if (i > 0)
1174                                         sb.Append (",");
1175                                 sb.Append (type_param_list [i].Name);
1176                         }
1177                         sb.Append (">");
1178                         return sb.ToString ();
1179                 }
1180
1181                 bool check_type_parameter (ArrayList list, int start, string name)
1182                 {
1183                         for (int i = 0; i < start; i++) {
1184                                 TypeParameter param = (TypeParameter) list [i];
1185
1186                                 if (param.Name != name)
1187                                         continue;
1188
1189                                 if (RootContext.WarningLevel >= 3)
1190                                         Report.Warning (
1191                                                 693, Location,
1192                                                 "Type parameter `{0}' has same name " +
1193                                                 "as type parameter from outer type `{1}'",
1194                                                 name, Parent.GetInstantiationName ());
1195
1196                                 return false;
1197                         }
1198
1199                         return true;
1200                 }
1201
1202                 TypeParameter[] initialize_type_params ()
1203                 {
1204                         if (type_param_list != null)
1205                                 return type_param_list;
1206
1207                         DeclSpace the_parent = Parent;
1208                         if (this is GenericMethod)
1209                                 the_parent = null;
1210
1211                         int start = 0;
1212                         TypeParameter[] parent_params = null;
1213                         if ((the_parent != null) && the_parent.IsGeneric) {
1214                                 parent_params = the_parent.initialize_type_params ();
1215                                 start = parent_params != null ? parent_params.Length : 0;
1216                         }
1217
1218                         ArrayList list = new ArrayList ();
1219                         if (parent_params != null)
1220                                 list.AddRange (parent_params);
1221
1222                         int count = type_params != null ? type_params.Length : 0;
1223                         for (int i = 0; i < count; i++) {
1224                                 TypeParameter param = type_params [i];
1225                                 check_type_parameter (list, start, param.Name);
1226                                 list.Add (param);
1227                         }
1228
1229                         type_param_list = new TypeParameter [list.Count];
1230                         list.CopyTo (type_param_list, 0);
1231                         return type_param_list;
1232                 }
1233
1234                 public virtual void SetParameterInfo (ArrayList constraints_list)
1235                 {
1236                         if (!is_generic) {
1237                                 if (constraints_list != null) {
1238                                         Report.Error (
1239                                                 80, Location, "Contraints are not allowed " +
1240                                                 "on non-generic declarations");
1241                                 }
1242
1243                                 return;
1244                         }
1245
1246                         string[] names = MemberName.TypeArguments.GetDeclarations ();
1247                         type_params = new TypeParameter [names.Length];
1248
1249                         //
1250                         // Register all the names
1251                         //
1252                         for (int i = 0; i < type_params.Length; i++) {
1253                                 string name = names [i];
1254
1255                                 Constraints constraints = null;
1256                                 if (constraints_list != null) {
1257                                         foreach (Constraints constraint in constraints_list) {
1258                                                 if (constraint.TypeParameter == name) {
1259                                                         constraints = constraint;
1260                                                         break;
1261                                                 }
1262                                         }
1263                                 }
1264
1265                                 type_params [i] = new TypeParameter (Parent, name, constraints, Location);
1266
1267                                 AddToContainer (type_params [i], name);
1268                         }
1269                 }
1270
1271                 public TypeParameter[] TypeParameters {
1272                         get {
1273                                 if (!IsGeneric)
1274                                         throw new InvalidOperationException ();
1275                                 if (type_param_list == null)
1276                                         initialize_type_params ();
1277
1278                                 return type_param_list;
1279                         }
1280                 }
1281
1282                 protected TypeParameter[] CurrentTypeParameters {
1283                         get {
1284                                 if (!IsGeneric)
1285                                         throw new InvalidOperationException ();
1286                                 if (type_params != null)
1287                                         return type_params;
1288                                 else
1289                                         return new TypeParameter [0];
1290                         }
1291                 }
1292
1293                 public int CountTypeParameters {
1294                         get {
1295                                 return count_type_params;
1296                         }
1297                 }
1298
1299                 public int CountCurrentTypeParameters {
1300                         get {
1301                                 return count_current_type_params;
1302                         }
1303                 }
1304
1305                 public TypeParameterExpr LookupGeneric (string name, Location loc)
1306                 {
1307                         if (!IsGeneric)
1308                                 return null;
1309
1310                         foreach (TypeParameter type_param in CurrentTypeParameters) {
1311                                 if (type_param.Name != name)
1312                                         continue;
1313
1314                                 return new TypeParameterExpr (type_param, loc);
1315                         }
1316
1317                         if (Parent != null)
1318                                 return Parent.LookupGeneric (name, loc);
1319
1320                         return null;
1321                 }
1322
1323                 bool IAlias.IsType {
1324                         get { return true; }
1325                 }
1326
1327                 string IAlias.Name {
1328                         get { return Name; }
1329                 }
1330
1331                 TypeExpr IAlias.ResolveAsType (EmitContext ec)
1332                 {
1333                         if (TypeBuilder == null)
1334                                 throw new InvalidOperationException ();
1335
1336                         if (CurrentType != null)
1337                                 return new TypeExpression (CurrentType, Location);
1338                         else
1339                                 return new TypeExpression (TypeBuilder, Location);
1340                 }
1341
1342                 public override string[] ValidAttributeTargets {
1343                         get {
1344                                 return attribute_targets;
1345                         }
1346                 }
1347         }
1348
1349         /// <summary>
1350         ///   This is a readonly list of MemberInfo's.      
1351         /// </summary>
1352         public class MemberList : IList {
1353                 public readonly IList List;
1354                 int count;
1355
1356                 /// <summary>
1357                 ///   Create a new MemberList from the given IList.
1358                 /// </summary>
1359                 public MemberList (IList list)
1360                 {
1361                         if (list != null)
1362                                 this.List = list;
1363                         else
1364                                 this.List = new ArrayList ();
1365                         count = List.Count;
1366                 }
1367
1368                 /// <summary>
1369                 ///   Concatenate the ILists `first' and `second' to a new MemberList.
1370                 /// </summary>
1371                 public MemberList (IList first, IList second)
1372                 {
1373                         ArrayList list = new ArrayList ();
1374                         list.AddRange (first);
1375                         list.AddRange (second);
1376                         count = list.Count;
1377                         List = list;
1378                 }
1379
1380                 public static readonly MemberList Empty = new MemberList (new ArrayList ());
1381
1382                 /// <summary>
1383                 ///   Cast the MemberList into a MemberInfo[] array.
1384                 /// </summary>
1385                 /// <remarks>
1386                 ///   This is an expensive operation, only use it if it's really necessary.
1387                 /// </remarks>
1388                 public static explicit operator MemberInfo [] (MemberList list)
1389                 {
1390                         Timer.StartTimer (TimerType.MiscTimer);
1391                         MemberInfo [] result = new MemberInfo [list.Count];
1392                         list.CopyTo (result, 0);
1393                         Timer.StopTimer (TimerType.MiscTimer);
1394                         return result;
1395                 }
1396
1397                 // ICollection
1398
1399                 public int Count {
1400                         get {
1401                                 return count;
1402                         }
1403                 }
1404
1405                 public bool IsSynchronized {
1406                         get {
1407                                 return List.IsSynchronized;
1408                         }
1409                 }
1410
1411                 public object SyncRoot {
1412                         get {
1413                                 return List.SyncRoot;
1414                         }
1415                 }
1416
1417                 public void CopyTo (Array array, int index)
1418                 {
1419                         List.CopyTo (array, index);
1420                 }
1421
1422                 // IEnumerable
1423
1424                 public IEnumerator GetEnumerator ()
1425                 {
1426                         return List.GetEnumerator ();
1427                 }
1428
1429                 // IList
1430
1431                 public bool IsFixedSize {
1432                         get {
1433                                 return true;
1434                         }
1435                 }
1436
1437                 public bool IsReadOnly {
1438                         get {
1439                                 return true;
1440                         }
1441                 }
1442
1443                 object IList.this [int index] {
1444                         get {
1445                                 return List [index];
1446                         }
1447
1448                         set {
1449                                 throw new NotSupportedException ();
1450                         }
1451                 }
1452
1453                 // FIXME: try to find out whether we can avoid the cast in this indexer.
1454                 public MemberInfo this [int index] {
1455                         get {
1456                                 return (MemberInfo) List [index];
1457                         }
1458                 }
1459
1460                 public int Add (object value)
1461                 {
1462                         throw new NotSupportedException ();
1463                 }
1464
1465                 public void Clear ()
1466                 {
1467                         throw new NotSupportedException ();
1468                 }
1469
1470                 public bool Contains (object value)
1471                 {
1472                         return List.Contains (value);
1473                 }
1474
1475                 public int IndexOf (object value)
1476                 {
1477                         return List.IndexOf (value);
1478                 }
1479
1480                 public void Insert (int index, object value)
1481                 {
1482                         throw new NotSupportedException ();
1483                 }
1484
1485                 public void Remove (object value)
1486                 {
1487                         throw new NotSupportedException ();
1488                 }
1489
1490                 public void RemoveAt (int index)
1491                 {
1492                         throw new NotSupportedException ();
1493                 }
1494         }
1495
1496         /// <summary>
1497         ///   This interface is used to get all members of a class when creating the
1498         ///   member cache.  It must be implemented by all DeclSpace derivatives which
1499         ///   want to support the member cache and by TypeHandle to get caching of
1500         ///   non-dynamic types.
1501         /// </summary>
1502         public interface IMemberContainer {
1503                 /// <summary>
1504                 ///   The name of the IMemberContainer.  This is only used for
1505                 ///   debugging purposes.
1506                 /// </summary>
1507                 string Name {
1508                         get;
1509                 }
1510
1511                 /// <summary>
1512                 ///   The type of this IMemberContainer.
1513                 /// </summary>
1514                 Type Type {
1515                         get;
1516                 }
1517
1518                 /// <summary>
1519                 ///   Returns the IMemberContainer of the base class or null if this
1520                 ///   is an interface or TypeManger.object_type.
1521                 ///   This is used when creating the member cache for a class to get all
1522                 ///   members from the base class.
1523                 /// </summary>
1524                 MemberCache BaseCache {
1525                         get;
1526                 }
1527
1528                 /// <summary>
1529                 ///   Whether this is an interface.
1530                 /// </summary>
1531                 bool IsInterface {
1532                         get;
1533                 }
1534
1535                 /// <summary>
1536                 ///   Returns all members of this class with the corresponding MemberTypes
1537                 ///   and BindingFlags.
1538                 /// </summary>
1539                 /// <remarks>
1540                 ///   When implementing this method, make sure not to return any inherited
1541                 ///   members and check the MemberTypes and BindingFlags properly.
1542                 ///   Unfortunately, System.Reflection is lame and doesn't provide a way to
1543                 ///   get the BindingFlags (static/non-static,public/non-public) in the
1544                 ///   MemberInfo class, but the cache needs this information.  That's why
1545                 ///   this method is called multiple times with different BindingFlags.
1546                 /// </remarks>
1547                 MemberList GetMembers (MemberTypes mt, BindingFlags bf);
1548
1549                 /// <summary>
1550                 ///   Return the container's member cache.
1551                 /// </summary>
1552                 MemberCache MemberCache {
1553                         get;
1554                 }
1555         }
1556
1557         /// <summary>
1558         ///   The MemberCache is used by dynamic and non-dynamic types to speed up
1559         ///   member lookups.  It has a member name based hash table; it maps each member
1560         ///   name to a list of CacheEntry objects.  Each CacheEntry contains a MemberInfo
1561         ///   and the BindingFlags that were initially used to get it.  The cache contains
1562         ///   all members of the current class and all inherited members.  If this cache is
1563         ///   for an interface types, it also contains all inherited members.
1564         ///
1565         ///   There are two ways to get a MemberCache:
1566         ///   * if this is a dynamic type, lookup the corresponding DeclSpace and then
1567         ///     use the DeclSpace.MemberCache property.
1568         ///   * if this not a dynamic type, call TypeHandle.GetTypeHandle() to get a
1569         ///     TypeHandle instance for the type and then use TypeHandle.MemberCache.
1570         /// </summary>
1571         public class MemberCache {
1572                 public readonly IMemberContainer Container;
1573                 protected Hashtable member_hash;
1574                 protected Hashtable method_hash;
1575
1576                 /// <summary>
1577                 ///   Create a new MemberCache for the given IMemberContainer `container'.
1578                 /// </summary>
1579                 public MemberCache (IMemberContainer container)
1580                 {
1581                         this.Container = container;
1582
1583                         Timer.IncrementCounter (CounterType.MemberCache);
1584                         Timer.StartTimer (TimerType.CacheInit);
1585
1586                         // If we have a base class (we have a base class unless we're
1587                         // TypeManager.object_type), we deep-copy its MemberCache here.
1588                         if (Container.BaseCache != null)
1589                                 member_hash = SetupCache (Container.BaseCache);
1590                         else
1591                                 member_hash = new Hashtable ();
1592
1593                         // If this is neither a dynamic type nor an interface, create a special
1594                         // method cache with all declared and inherited methods.
1595                         Type type = container.Type;
1596                         if (!(type is TypeBuilder) && !type.IsInterface &&
1597                             // !(type.IsGenericInstance && (type.GetGenericTypeDefinition () is TypeBuilder)) &&
1598                             !type.IsGenericInstance &&
1599                             (Container.BaseCache == null || Container.BaseCache.method_hash != null)) {
1600                                 method_hash = new Hashtable ();
1601                                 AddMethods (type);
1602                         }
1603
1604                         // Add all members from the current class.
1605                         AddMembers (Container);
1606
1607                         Timer.StopTimer (TimerType.CacheInit);
1608                 }
1609
1610                 public MemberCache (Type[] ifaces)
1611                 {
1612                         //
1613                         // The members of this cache all belong to other caches.  
1614                         // So, 'Container' will not be used.
1615                         //
1616                         this.Container = null;
1617
1618                         member_hash = new Hashtable ();
1619                         if (ifaces == null)
1620                                 return;
1621
1622                         foreach (Type itype in ifaces)
1623                                 AddCacheContents (TypeManager.LookupMemberCache (itype));
1624                 }
1625
1626                 /// <summary>
1627                 ///   Bootstrap this member cache by doing a deep-copy of our base.
1628                 /// </summary>
1629                 Hashtable SetupCache (MemberCache base_class)
1630                 {
1631                         Hashtable hash = new Hashtable ();
1632
1633                         if (base_class == null)
1634                                 return hash;
1635
1636                         IDictionaryEnumerator it = base_class.member_hash.GetEnumerator ();
1637                         while (it.MoveNext ()) {
1638                                 hash [it.Key] = ((ArrayList) it.Value).Clone ();
1639                          }
1640                                 
1641                         return hash;
1642                 }
1643
1644                 void ClearDeclaredOnly (Hashtable hash)
1645                 {
1646                         IDictionaryEnumerator it = hash.GetEnumerator ();
1647                         while (it.MoveNext ()) {
1648                                 foreach (CacheEntry ce in (ArrayList) it.Value)
1649                                         ce.EntryType &= ~EntryType.Declared;
1650                         }
1651                 }
1652
1653                 /// <summary>
1654                 ///   Add the contents of `cache' to the member_hash.
1655                 /// </summary>
1656                 void AddCacheContents (MemberCache cache)
1657                 {
1658                         IDictionaryEnumerator it = cache.member_hash.GetEnumerator ();
1659                         while (it.MoveNext ()) {
1660                                 ArrayList list = (ArrayList) member_hash [it.Key];
1661                                 if (list == null)
1662                                         member_hash [it.Key] = list = new ArrayList ();
1663
1664                                 ArrayList entries = (ArrayList) it.Value;
1665                                 for (int i = entries.Count-1; i >= 0; i--) {
1666                                         CacheEntry entry = (CacheEntry) entries [i];
1667
1668                                         if (entry.Container != cache.Container)
1669                                                 break;
1670                                         list.Add (entry);
1671                                 }
1672                         }
1673                 }
1674
1675                 /// <summary>
1676                 ///   Add all members from class `container' to the cache.
1677                 /// </summary>
1678                 void AddMembers (IMemberContainer container)
1679                 {
1680                         // We need to call AddMembers() with a single member type at a time
1681                         // to get the member type part of CacheEntry.EntryType right.
1682                         if (!container.IsInterface) {
1683                         AddMembers (MemberTypes.Constructor, container);
1684                         AddMembers (MemberTypes.Field, container);
1685                         }
1686                         AddMembers (MemberTypes.Method, container);
1687                         AddMembers (MemberTypes.Property, container);
1688                         AddMembers (MemberTypes.Event, container);
1689                         // Nested types are returned by both Static and Instance searches.
1690                         AddMembers (MemberTypes.NestedType,
1691                                     BindingFlags.Static | BindingFlags.Public, container);
1692                         AddMembers (MemberTypes.NestedType,
1693                                     BindingFlags.Static | BindingFlags.NonPublic, container);
1694                 }
1695
1696                 void AddMembers (MemberTypes mt, IMemberContainer container)
1697                 {
1698                         AddMembers (mt, BindingFlags.Static | BindingFlags.Public, container);
1699                         AddMembers (mt, BindingFlags.Static | BindingFlags.NonPublic, container);
1700                         AddMembers (mt, BindingFlags.Instance | BindingFlags.Public, container);
1701                         AddMembers (mt, BindingFlags.Instance | BindingFlags.NonPublic, container);
1702                 }
1703
1704                 /// <summary>
1705                 ///   Add all members from class `container' with the requested MemberTypes and
1706                 ///   BindingFlags to the cache.  This method is called multiple times with different
1707                 ///   MemberTypes and BindingFlags.
1708                 /// </summary>
1709                 void AddMembers (MemberTypes mt, BindingFlags bf, IMemberContainer container)
1710                 {
1711                         MemberList members = container.GetMembers (mt, bf);
1712
1713                         foreach (MemberInfo member in members) {
1714                                 string name = member.Name;
1715
1716                                 int pos = name.IndexOf ('<');
1717                                 if (pos > 0)
1718                                         name = name.Substring (0, pos);
1719
1720                                 // We use a name-based hash table of ArrayList's.
1721                                 ArrayList list = (ArrayList) member_hash [name];
1722                                 if (list == null) {
1723                                         list = new ArrayList ();
1724                                         member_hash.Add (name, list);
1725                                 }
1726
1727                                 // When this method is called for the current class, the list will
1728                                 // already contain all inherited members from our base classes.
1729                                 // We cannot add new members in front of the list since this'd be an
1730                                 // expensive operation, that's why the list is sorted in reverse order
1731                                 // (ie. members from the current class are coming last).
1732                                 list.Add (new CacheEntry (container, member, mt, bf));
1733                         }
1734                 }
1735
1736                 /// <summary>
1737                 ///   Add all declared and inherited methods from class `type' to the method cache.
1738                 /// </summary>
1739                 void AddMethods (Type type)
1740                 {
1741                         AddMethods (BindingFlags.Static | BindingFlags.Public |
1742                                     BindingFlags.FlattenHierarchy, type);
1743                         AddMethods (BindingFlags.Static | BindingFlags.NonPublic |
1744                                     BindingFlags.FlattenHierarchy, type);
1745                         AddMethods (BindingFlags.Instance | BindingFlags.Public, type);
1746                         AddMethods (BindingFlags.Instance | BindingFlags.NonPublic, type);
1747                 }
1748
1749                 void AddMethods (BindingFlags bf, Type type)
1750                 {
1751                         //
1752                         // Consider the case:
1753                         //
1754                         //   class X { public virtual int f() {} }
1755                         //   class Y : X {}
1756                         // 
1757                         // When processing 'Y', the method_cache will already have a copy of 'f', 
1758                         // with ReflectedType == X.  However, we want to ensure that its ReflectedType == Y
1759                         // 
1760                         MethodBase [] members = type.GetMethods (bf);
1761
1762                         Array.Reverse (members);
1763
1764                         foreach (MethodBase member in members) {
1765                                 string name = member.Name;
1766
1767                                 // We use a name-based hash table of ArrayList's.
1768                                 ArrayList list = (ArrayList) method_hash [name];
1769                                 if (list == null) {
1770                                         list = new ArrayList ();
1771                                         method_hash.Add (name, list);
1772                                 }
1773
1774                                 MethodInfo curr = (MethodInfo) member;
1775                                 while (curr.IsVirtual && (curr.Attributes & MethodAttributes.NewSlot) == 0) {
1776                                         MethodInfo base_method = curr.GetBaseDefinition ();
1777
1778                                         if (base_method == curr) {
1779                                                 //
1780                                                 // Both mcs and CSC 1.1 seem to emit a somewhat broken
1781                                                 // ...Invoke () function for delegates: it's missing a 'newslot'.
1782                                                 // CSC 2.0 emits a 'newslot' for a delegate's Invoke.
1783                                                 //
1784                                                 // Also, CSC 1.1 appears to emit 'Finalize' without a newslot.
1785                                                 //
1786                                                 if ((member.Name != "Invoke" ||
1787                                                      !TypeManager.IsDelegateType (type)) &&
1788                                                     (member.Name != "Finalize" ||
1789                                                      type != TypeManager.object_type)) {
1790                                                         Report.SymbolRelatedToPreviousError (base_method);
1791                                                         Report.Warning (-28, 
1792                                                                 "The method '{0}' is marked 'override'," + 
1793                                                                 " but doesn't appear to override any virtual or abstract method:" + 
1794                                                                 " it may be ignored during overload resolution",
1795                                                                 TypeManager.CSharpSignature (base_method));
1796                                                 }
1797
1798                                                 break;
1799                                         }
1800                                         
1801                                         list.Add (new CacheEntry (null, base_method, MemberTypes.Method, bf));
1802                                         curr = base_method;
1803                                 }
1804
1805                                 // Unfortunately, the elements returned by Type.GetMethods() aren't
1806                                 // sorted so we need to do this check for every member.
1807                                 BindingFlags new_bf = bf;
1808                                 if (member.DeclaringType == type)
1809                                         new_bf |= BindingFlags.DeclaredOnly;
1810
1811                                 list.Add (new CacheEntry (Container, member, MemberTypes.Method, new_bf));
1812                         }
1813                 }
1814
1815                 /// <summary>
1816                 ///   Compute and return a appropriate `EntryType' magic number for the given
1817                 ///   MemberTypes and BindingFlags.
1818                 /// </summary>
1819                 protected static EntryType GetEntryType (MemberTypes mt, BindingFlags bf)
1820                 {
1821                         EntryType type = EntryType.None;
1822
1823                         if ((mt & MemberTypes.Constructor) != 0)
1824                                 type |= EntryType.Constructor;
1825                         if ((mt & MemberTypes.Event) != 0)
1826                                 type |= EntryType.Event;
1827                         if ((mt & MemberTypes.Field) != 0)
1828                                 type |= EntryType.Field;
1829                         if ((mt & MemberTypes.Method) != 0)
1830                                 type |= EntryType.Method;
1831                         if ((mt & MemberTypes.Property) != 0)
1832                                 type |= EntryType.Property;
1833                         // Nested types are returned by static and instance searches.
1834                         if ((mt & MemberTypes.NestedType) != 0)
1835                                 type |= EntryType.NestedType | EntryType.Static | EntryType.Instance;
1836
1837                         if ((bf & BindingFlags.Instance) != 0)
1838                                 type |= EntryType.Instance;
1839                         if ((bf & BindingFlags.Static) != 0)
1840                                 type |= EntryType.Static;
1841                         if ((bf & BindingFlags.Public) != 0)
1842                                 type |= EntryType.Public;
1843                         if ((bf & BindingFlags.NonPublic) != 0)
1844                                 type |= EntryType.NonPublic;
1845                         if ((bf & BindingFlags.DeclaredOnly) != 0)
1846                                 type |= EntryType.Declared;
1847
1848                         return type;
1849                 }
1850
1851                 /// <summary>
1852                 ///   The `MemberTypes' enumeration type is a [Flags] type which means that it may
1853                 ///   denote multiple member types.  Returns true if the given flags value denotes a
1854                 ///   single member types.
1855                 /// </summary>
1856                 public static bool IsSingleMemberType (MemberTypes mt)
1857                 {
1858                         switch (mt) {
1859                         case MemberTypes.Constructor:
1860                         case MemberTypes.Event:
1861                         case MemberTypes.Field:
1862                         case MemberTypes.Method:
1863                         case MemberTypes.Property:
1864                         case MemberTypes.NestedType:
1865                                 return true;
1866
1867                         default:
1868                                 return false;
1869                         }
1870                 }
1871
1872                 /// <summary>
1873                 ///   We encode the MemberTypes and BindingFlags of each members in a "magic"
1874                 ///   number to speed up the searching process.
1875                 /// </summary>
1876                 [Flags]
1877                 protected enum EntryType {
1878                         None            = 0x000,
1879
1880                         Instance        = 0x001,
1881                         Static          = 0x002,
1882                         MaskStatic      = Instance|Static,
1883
1884                         Public          = 0x004,
1885                         NonPublic       = 0x008,
1886                         MaskProtection  = Public|NonPublic,
1887
1888                         Declared        = 0x010,
1889
1890                         Constructor     = 0x020,
1891                         Event           = 0x040,
1892                         Field           = 0x080,
1893                         Method          = 0x100,
1894                         Property        = 0x200,
1895                         NestedType      = 0x400,
1896
1897                         MaskType        = Constructor|Event|Field|Method|Property|NestedType
1898                 }
1899
1900                 protected class CacheEntry {
1901                         public readonly IMemberContainer Container;
1902                         public EntryType EntryType;
1903                         public MemberInfo Member;
1904
1905                         public CacheEntry (IMemberContainer container, MemberInfo member,
1906                                            MemberTypes mt, BindingFlags bf)
1907                         {
1908                                 this.Container = container;
1909                                 this.Member = member;
1910                                 this.EntryType = GetEntryType (mt, bf);
1911                         }
1912
1913                         public override string ToString ()
1914                         {
1915                                 return String.Format ("CacheEntry ({0}:{1}:{2})", Container.Name,
1916                                                       EntryType, Member);
1917                         }
1918                 }
1919
1920                 /// <summary>
1921                 ///   This is called each time we're walking up one level in the class hierarchy
1922                 ///   and checks whether we can abort the search since we've already found what
1923                 ///   we were looking for.
1924                 /// </summary>
1925                 protected bool DoneSearching (ArrayList list)
1926                 {
1927                         //
1928                         // We've found exactly one member in the current class and it's not
1929                         // a method or constructor.
1930                         //
1931                         if (list.Count == 1 && !(list [0] is MethodBase))
1932                                 return true;
1933
1934                         //
1935                         // Multiple properties: we query those just to find out the indexer
1936                         // name
1937                         //
1938                         if ((list.Count > 0) && (list [0] is PropertyInfo))
1939                                 return true;
1940
1941                         return false;
1942                 }
1943
1944                 /// <summary>
1945                 ///   Looks up members with name `name'.  If you provide an optional
1946                 ///   filter function, it'll only be called with members matching the
1947                 ///   requested member name.
1948                 ///
1949                 ///   This method will try to use the cache to do the lookup if possible.
1950                 ///
1951                 ///   Unlike other FindMembers implementations, this method will always
1952                 ///   check all inherited members - even when called on an interface type.
1953                 ///
1954                 ///   If you know that you're only looking for methods, you should use
1955                 ///   MemberTypes.Method alone since this speeds up the lookup a bit.
1956                 ///   When doing a method-only search, it'll try to use a special method
1957                 ///   cache (unless it's a dynamic type or an interface) and the returned
1958                 ///   MemberInfo's will have the correct ReflectedType for inherited methods.
1959                 ///   The lookup process will automatically restart itself in method-only
1960                 ///   search mode if it discovers that it's about to return methods.
1961                 /// </summary>
1962                 ArrayList global = new ArrayList ();
1963                 bool using_global = false;
1964                 
1965                 static MemberInfo [] emptyMemberInfo = new MemberInfo [0];
1966                 
1967                 public MemberInfo [] FindMembers (MemberTypes mt, BindingFlags bf, string name,
1968                                                MemberFilter filter, object criteria)
1969                 {
1970                         if (using_global)
1971                                 throw new Exception ();
1972                         
1973                         bool declared_only = (bf & BindingFlags.DeclaredOnly) != 0;
1974                         bool method_search = mt == MemberTypes.Method;
1975                         // If we have a method cache and we aren't already doing a method-only search,
1976                         // then we restart a method search if the first match is a method.
1977                         bool do_method_search = !method_search && (method_hash != null);
1978
1979                         ArrayList applicable;
1980
1981                         // If this is a method-only search, we try to use the method cache if
1982                         // possible; a lookup in the method cache will return a MemberInfo with
1983                         // the correct ReflectedType for inherited methods.
1984                         
1985                         if (method_search && (method_hash != null))
1986                                 applicable = (ArrayList) method_hash [name];
1987                         else
1988                                 applicable = (ArrayList) member_hash [name];
1989
1990                         if (applicable == null)
1991                                 return emptyMemberInfo;
1992
1993                         //
1994                         // 32  slots gives 53 rss/54 size
1995                         // 2/4 slots gives 55 rss
1996                         //
1997                         // Strange: from 25,000 calls, only 1,800
1998                         // are above 2.  Why does this impact it?
1999                         //
2000                         global.Clear ();
2001                         using_global = true;
2002
2003                         Timer.StartTimer (TimerType.CachedLookup);
2004
2005                         EntryType type = GetEntryType (mt, bf);
2006
2007                         IMemberContainer current = Container;
2008
2009
2010                         // `applicable' is a list of all members with the given member name `name'
2011                         // in the current class and all its base classes.  The list is sorted in
2012                         // reverse order due to the way how the cache is initialy created (to speed
2013                         // things up, we're doing a deep-copy of our base).
2014
2015                         for (int i = applicable.Count-1; i >= 0; i--) {
2016                                 CacheEntry entry = (CacheEntry) applicable [i];
2017
2018                                 // This happens each time we're walking one level up in the class
2019                                 // hierarchy.  If we're doing a DeclaredOnly search, we must abort
2020                                 // the first time this happens (this may already happen in the first
2021                                 // iteration of this loop if there are no members with the name we're
2022                                 // looking for in the current class).
2023                                 if (entry.Container != current) {
2024                                         if (declared_only || DoneSearching (global))
2025                                                 break;
2026
2027                                         current = entry.Container;
2028                                 }
2029
2030                                 // Is the member of the correct type ?
2031                                 if ((entry.EntryType & type & EntryType.MaskType) == 0)
2032                                         continue;
2033
2034                                 // Is the member static/non-static ?
2035                                 if ((entry.EntryType & type & EntryType.MaskStatic) == 0)
2036                                         continue;
2037
2038                                 // Apply the filter to it.
2039                                 if (filter (entry.Member, criteria)) {
2040                                         if ((entry.EntryType & EntryType.MaskType) != EntryType.Method)
2041                                                 do_method_search = false;
2042                                         global.Add (entry.Member);
2043                                 }
2044                         }
2045
2046                         Timer.StopTimer (TimerType.CachedLookup);
2047
2048                         // If we have a method cache and we aren't already doing a method-only
2049                         // search, we restart in method-only search mode if the first match is
2050                         // a method.  This ensures that we return a MemberInfo with the correct
2051                         // ReflectedType for inherited methods.
2052                         if (do_method_search && (global.Count > 0)){
2053                                 using_global = false;
2054
2055                                 return FindMembers (MemberTypes.Method, bf, name, filter, criteria);
2056                         }
2057
2058                         using_global = false;
2059                         MemberInfo [] copy = new MemberInfo [global.Count];
2060                         global.CopyTo (copy);
2061                         return copy;
2062                 }
2063                 
2064                 // find the nested type @name in @this.
2065                 public Type FindNestedType (string name)
2066                 {
2067                         ArrayList applicable = (ArrayList) member_hash [name];
2068                         if (applicable == null)
2069                                 return null;
2070                         
2071                         for (int i = applicable.Count-1; i >= 0; i--) {
2072                                 CacheEntry entry = (CacheEntry) applicable [i];
2073                                 if ((entry.EntryType & EntryType.NestedType & EntryType.MaskType) != 0)
2074                                         return (Type) entry.Member;
2075                         }
2076                         
2077                         return null;
2078                 }
2079                 
2080                 //
2081                 // This finds the method or property for us to override. invocationType is the type where
2082                 // the override is going to be declared, name is the name of the method/property, and
2083                 // paramTypes is the parameters, if any to the method or property
2084                 //
2085                 // Because the MemberCache holds members from this class and all the base classes,
2086                 // we can avoid tons of reflection stuff.
2087                 //
2088                 public MemberInfo FindMemberToOverride (Type invocationType, string name, Type [] paramTypes, bool is_property)
2089                 {
2090                         ArrayList applicable;
2091                         if (method_hash != null && !is_property)
2092                                 applicable = (ArrayList) method_hash [name];
2093                         else
2094                                 applicable = (ArrayList) member_hash [name];
2095                         
2096                         if (applicable == null)
2097                                 return null;
2098                         //
2099                         // Walk the chain of methods, starting from the top.
2100                         //
2101                         for (int i = applicable.Count - 1; i >= 0; i--) {
2102                                 CacheEntry entry = (CacheEntry) applicable [i];
2103                                 
2104                                 if ((entry.EntryType & (is_property ? (EntryType.Property | EntryType.Field) : EntryType.Method)) == 0)
2105                                         continue;
2106
2107                                 PropertyInfo pi = null;
2108                                 MethodInfo mi = null;
2109                                 FieldInfo fi = null;
2110                                 Type [] cmpAttrs = null;
2111                                 
2112                                 if (is_property) {
2113                                         if ((entry.EntryType & EntryType.Field) != 0) {
2114                                                 fi = (FieldInfo)entry.Member;
2115
2116                                                 // TODO: For this case we ignore member type
2117                                                 //fb = TypeManager.GetField (fi);
2118                                                 //cmpAttrs = new Type[] { fb.MemberType };
2119                                         } else {
2120                                                 pi = (PropertyInfo) entry.Member;
2121                                                 cmpAttrs = TypeManager.GetArgumentTypes (pi);
2122                                         }
2123                                 } else {
2124                                         mi = (MethodInfo) entry.Member;
2125                                         cmpAttrs = TypeManager.GetArgumentTypes (mi);
2126                                 }
2127
2128                                 if (fi != null) {
2129                                         // TODO: Almost duplicate !
2130                                         // Check visibility
2131                                         switch (fi.Attributes & FieldAttributes.FieldAccessMask) {
2132                                                 case FieldAttributes.Private:
2133                                                         //
2134                                                         // A private method is Ok if we are a nested subtype.
2135                                                         // The spec actually is not very clear about this, see bug 52458.
2136                                                         //
2137                                                         if (invocationType != entry.Container.Type &
2138                                                                 TypeManager.IsNestedChildOf (invocationType, entry.Container.Type))
2139                                                                 continue;
2140
2141                                                         break;
2142                                                 case FieldAttributes.FamANDAssem:
2143                                                 case FieldAttributes.Assembly:
2144                                                         //
2145                                                         // Check for assembly methods
2146                                                         //
2147                                                         if (mi.DeclaringType.Assembly != CodeGen.Assembly.Builder)
2148                                                                 continue;
2149                                                         break;
2150                                         }
2151                                         return entry.Member;
2152                                 }
2153
2154                                 //
2155                                 // Check the arguments
2156                                 //
2157                                 if (cmpAttrs.Length != paramTypes.Length)
2158                                         continue;
2159
2160                                 for (int j = cmpAttrs.Length - 1; j >= 0; j --) {
2161                                         if (!TypeManager.IsEqual (paramTypes [j], cmpAttrs [j]))
2162                                                 goto next;
2163                                 }
2164                                 
2165                                 //
2166                                 // get one of the methods because this has the visibility info.
2167                                 //
2168                                 if (is_property) {
2169                                         mi = pi.GetGetMethod (true);
2170                                         if (mi == null)
2171                                                 mi = pi.GetSetMethod (true);
2172                                 }
2173                                 
2174                                 //
2175                                 // Check visibility
2176                                 //
2177                                 switch (mi.Attributes & MethodAttributes.MemberAccessMask) {
2178                                 case MethodAttributes.Private:
2179                                         //
2180                                         // A private method is Ok if we are a nested subtype.
2181                                         // The spec actually is not very clear about this, see bug 52458.
2182                                         //
2183                                         if (invocationType.Equals (entry.Container.Type) ||
2184                                             TypeManager.IsNestedChildOf (invocationType, entry.Container.Type))
2185                                                 return entry.Member;
2186                                         
2187                                         break;
2188                                 case MethodAttributes.FamANDAssem:
2189                                 case MethodAttributes.Assembly:
2190                                         //
2191                                         // Check for assembly methods
2192                                         //
2193                                         if (mi.DeclaringType.Assembly == CodeGen.Assembly.Builder)
2194                                                 return entry.Member;
2195                                         
2196                                         break;
2197                                 default:
2198                                         //
2199                                         // A protected method is ok, because we are overriding.
2200                                         // public is always ok.
2201                                         //
2202                                         return entry.Member;
2203                                 }
2204                         next:
2205                                 ;
2206                         }
2207                         
2208                         return null;
2209                 }
2210
2211                 /// <summary>
2212                 /// The method is looking for conflict with inherited symbols (errors CS0108, CS0109).
2213                 /// We handle two cases. The first is for types without parameters (events, field, properties).
2214                 /// The second are methods, indexers and this is why ignore_complex_types is here.
2215                 /// The latest param is temporary hack. See DoDefineMembers method for more info.
2216                 /// </summary>
2217                 public MemberInfo FindMemberWithSameName (string name, bool ignore_complex_types, MemberInfo ignore_member)
2218                 {
2219                         ArrayList applicable = null;
2220  
2221                         if (method_hash != null)
2222                                 applicable = (ArrayList) method_hash [name];
2223  
2224                         if (applicable != null) {
2225                                 for (int i = applicable.Count - 1; i >= 0; i--) {
2226                                         CacheEntry entry = (CacheEntry) applicable [i];
2227                                         if ((entry.EntryType & EntryType.Public) != 0)
2228                                                 return entry.Member;
2229                                 }
2230                         }
2231  
2232                         if (member_hash == null)
2233                                 return null;
2234                         applicable = (ArrayList) member_hash [name];
2235                         
2236                         if (applicable != null) {
2237                                 for (int i = applicable.Count - 1; i >= 0; i--) {
2238                                         CacheEntry entry = (CacheEntry) applicable [i];
2239                                         if ((entry.EntryType & EntryType.Public) != 0 & entry.Member != ignore_member) {
2240                                                 if (ignore_complex_types) {
2241                                                         if ((entry.EntryType & EntryType.Method) != 0)
2242                                                                 continue;
2243  
2244                                                         // Does exist easier way how to detect indexer ?
2245                                                         if ((entry.EntryType & EntryType.Property) != 0) {
2246                                                                 Type[] arg_types = TypeManager.GetArgumentTypes ((PropertyInfo)entry.Member);
2247                                                                 if (arg_types.Length > 0)
2248                                                                         continue;
2249                                                         }
2250                                                 }
2251                                                 return entry.Member;
2252                                         }
2253                                 }
2254                         }
2255                         return null;
2256                 }
2257
2258                 Hashtable locase_table;
2259  
2260                 /// <summary>
2261                 /// Builds low-case table for CLS Compliance test
2262                 /// </summary>
2263                 public Hashtable GetPublicMembers ()
2264                 {
2265                         if (locase_table != null)
2266                                 return locase_table;
2267  
2268                         locase_table = new Hashtable ();
2269                         foreach (DictionaryEntry entry in member_hash) {
2270                                 ArrayList members = (ArrayList)entry.Value;
2271                                 for (int ii = 0; ii < members.Count; ++ii) {
2272                                         CacheEntry member_entry = (CacheEntry) members [ii];
2273  
2274                                         if ((member_entry.EntryType & EntryType.Public) == 0)
2275                                                 continue;
2276  
2277                                         // TODO: Does anyone know easier way how to detect that member is internal ?
2278                                         switch (member_entry.EntryType & EntryType.MaskType) {
2279                                                 case EntryType.Constructor:
2280                                                         continue;
2281  
2282                                                 case EntryType.Field:
2283                                                         if ((((FieldInfo)member_entry.Member).Attributes & (FieldAttributes.Assembly | FieldAttributes.Public)) == FieldAttributes.Assembly)
2284                                                                 continue;
2285                                                         break;
2286  
2287                                                 case EntryType.Method:
2288                                                         if ((((MethodInfo)member_entry.Member).Attributes & (MethodAttributes.Assembly | MethodAttributes.Public)) == MethodAttributes.Assembly)
2289                                                                 continue;
2290                                                         break;
2291  
2292                                                 case EntryType.Property:
2293                                                         PropertyInfo pi = (PropertyInfo)member_entry.Member;
2294                                                         if (pi.GetSetMethod () == null && pi.GetGetMethod () == null)
2295                                                                 continue;
2296                                                         break;
2297  
2298                                                 case EntryType.Event:
2299                                                         EventInfo ei = (EventInfo)member_entry.Member;
2300                                                         MethodInfo mi = ei.GetAddMethod ();
2301                                                         if ((mi.Attributes & (MethodAttributes.Assembly | MethodAttributes.Public)) == MethodAttributes.Assembly)
2302                                                                 continue;
2303                                                         break;
2304                                         }
2305                                         string lcase = ((string)entry.Key).ToLower (System.Globalization.CultureInfo.InvariantCulture);
2306                                         locase_table [lcase] = member_entry.Member;
2307                                         break;
2308                                 }
2309                         }
2310                         return locase_table;
2311                 }
2312  
2313                 public Hashtable Members {
2314                         get {
2315                                 return member_hash;
2316                         }
2317                 }
2318  
2319                 /// <summary>
2320                 /// Cls compliance check whether methods or constructors parameters differing only in ref or out, or in array rank
2321                 /// </summary>
2322                 public void VerifyClsParameterConflict (ArrayList al, MethodCore method, MemberInfo this_builder)
2323                 {
2324                         EntryType tested_type = (method is Constructor ? EntryType.Constructor : EntryType.Method) | EntryType.Public;
2325  
2326                         for (int i = 0; i < al.Count; ++i) {
2327                                 MemberCache.CacheEntry entry = (MemberCache.CacheEntry) al [i];
2328                 
2329                                 // skip itself
2330                                 if (entry.Member == this_builder)
2331                                         continue;
2332                 
2333                                 if ((entry.EntryType & tested_type) != tested_type)
2334                                         continue;
2335                 
2336                                 MethodBase method_to_compare = (MethodBase)entry.Member;
2337                                 if (AttributeTester.AreOverloadedMethodParamsClsCompliant (method.ParameterTypes, TypeManager.GetArgumentTypes (method_to_compare)))
2338                                         continue;
2339
2340                                 IMethodData md = TypeManager.GetMethod (method_to_compare);
2341
2342                                 // TODO: now we are ignoring CLSCompliance(false) on method from other assembly which is buggy.
2343                                 // However it is exactly what csc does.
2344                                 if (md != null && !md.IsClsCompliaceRequired (method.Parent))
2345                                         continue;
2346                 
2347                                 Report.SymbolRelatedToPreviousError (entry.Member);
2348                                 Report.Error (3006, method.Location, "Overloaded method '{0}' differing only in ref or out, or in array rank, is not CLS-compliant", method.GetSignatureForError ());
2349                         }
2350                 }
2351         }
2352 }