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