push a bunch of old changes i had related to inner classes and such... hope this...
[IRC.git] / Robust / src / IR / Tree / SemanticCheck.java
1 package IR.Tree;
2
3 import java.util.*;
4
5 import IR.*;
6
7 public class SemanticCheck {
8   State state;
9   TypeUtil typeutil;
10   Stack loopstack;
11   HashSet toanalyze;
12   HashMap<ClassDescriptor, Integer> completed;
13
14   public static final int NOCHECK=0;
15   public static final int REFERENCE=1;
16   public static final int INIT=2;
17
18   boolean checkAll;
19
20   public boolean hasLayout(ClassDescriptor cd) {
21     return completed.get(cd)!=null&&completed.get(cd)==INIT;
22   }
23
24   public SemanticCheck(State state, TypeUtil tu) {
25     this(state, tu, true);
26   }
27
28   public SemanticCheck(State state, TypeUtil tu, boolean checkAll) {
29     this.state=state;
30     this.typeutil=tu;
31     this.loopstack=new Stack();
32     this.toanalyze=new HashSet();
33     this.completed=new HashMap<ClassDescriptor, Integer>();
34     this.checkAll=checkAll;
35   }
36
37   public ClassDescriptor getClass(ClassDescriptor context, String classname) {
38     return getClass(context, classname, INIT);
39   }
40   public ClassDescriptor getClass(ClassDescriptor context, String classnameIn, int fullcheck) {
41     ClassDescriptor cd=typeutil.getClass(context, classnameIn, toanalyze);
42     checkClass(cd, fullcheck);
43     return cd;
44   }
45
46   public void checkClass(ClassDescriptor cd) {
47     checkClass(cd, INIT);
48   }
49
50   public void checkClass(ClassDescriptor cd, int fullcheck) {
51     if (!completed.containsKey(cd)||completed.get(cd)<fullcheck) {
52       int oldstatus=completed.containsKey(cd)?completed.get(cd):0;
53       completed.put(cd, fullcheck);
54
55       if (fullcheck>=REFERENCE&&oldstatus<INIT) {
56         //Set superclass link up
57         if (cd.getSuper()!=null) {
58           ClassDescriptor superdesc=getClass(cd, cd.getSuper(), fullcheck);
59           if (superdesc.isInnerClass()) {
60             cd.setAsInnerClass();
61           }
62           if (superdesc.isInterface()) {
63             if (cd.getInline()) {
64               cd.setSuper(null);
65               cd.getSuperInterface().add(superdesc.getSymbol());
66             } else {
67               throw new Error("Error! Class " + cd.getSymbol() + " extends interface " + cd.getSuper());
68             }
69           } else {
70             cd.setSuperDesc(superdesc);
71
72             // Link together Field, Method, and Flag tables so classes
73             // inherit these from their superclasses
74             if (oldstatus<REFERENCE) {
75               cd.getFieldTable().setParent(cd.getSuperDesc().getFieldTable());
76               cd.getMethodTable().setParent(cd.getSuperDesc().getMethodTable());
77               cd.getFlagTable().setParent(cd.getSuperDesc().getFlagTable());
78             }
79           }
80         }
81         // Link together Field, Method tables do classes inherit these from
82         // their ancestor interfaces
83         Vector<String> sifv = cd.getSuperInterface();
84         for(int i = 0; i < sifv.size(); i++) {
85           ClassDescriptor superif = getClass(cd, sifv.elementAt(i), fullcheck);
86           if(!superif.isInterface()) {
87             throw new Error("Error! Class " + cd.getSymbol() + " implements non-interface " + superif.getSymbol());
88           }
89           if (oldstatus<REFERENCE) {
90             cd.addSuperInterfaces(superif);
91             cd.getMethodTable().addParentIF(superif.getMethodTable());
92             cd.getFieldTable().addParentIF(superif.getFieldTable());
93           }
94         }
95       }
96       if (oldstatus<INIT&&fullcheck>=INIT) {
97        if (cd.isInnerClass()) {
98           Modifiers fdmodifiers=new Modifiers();
99          FieldDescriptor enclosingfd=new FieldDescriptor(fdmodifiers,new TypeDescriptor(cd.getSurroundingDesc()),"this___enclosing",null,false);
100          cd.addField(enclosingfd);
101        }
102
103         /* Check to see that fields are well typed */
104         for(Iterator field_it=cd.getFields(); field_it.hasNext(); ) {
105           FieldDescriptor fd=(FieldDescriptor)field_it.next();
106           try {
107           checkField(cd,fd);
108           } catch (Error e) {
109             System.out.println("Class/Field in "+cd+":"+fd);
110             throw e;
111           }
112         }
113         for(Iterator method_it=cd.getMethods(); method_it.hasNext(); ) {
114           MethodDescriptor md=(MethodDescriptor)method_it.next();
115           try {
116           checkMethod(cd,md);
117           } catch (Error e) {
118             System.out.println("Class/Method in "+cd+":"+md);
119             throw e;
120           }
121         }
122       }
123     }
124   }
125
126   public void semanticCheck() {
127     SymbolTable classtable = state.getClassSymbolTable();
128     toanalyze.addAll(classtable.getValueSet());
129     toanalyze.addAll(state.getTaskSymbolTable().getValueSet());
130
131     // Do methods next
132     while (!toanalyze.isEmpty()) {
133       Object obj = toanalyze.iterator().next();
134       if (obj instanceof TaskDescriptor) {
135         toanalyze.remove(obj);
136         TaskDescriptor td = (TaskDescriptor) obj;
137         try {
138           checkTask(td);
139         } catch (Error e) {
140           System.out.println("Error in " + td);
141           throw e;
142         }
143       } else {
144         ClassDescriptor cd = (ClassDescriptor) obj;
145         toanalyze.remove(cd);
146
147         // need to initialize typeutil object here...only place we can
148         // get class descriptors without first calling getclass
149         getClass(cd, cd.getSymbol());
150         for (Iterator method_it = cd.getMethods(); method_it.hasNext(); ) {
151           MethodDescriptor md = (MethodDescriptor) method_it.next();
152           try {
153             checkMethodBody(cd, md);
154           } catch (Error e) {
155             System.out.println("Error in " + md);
156             throw e;
157           }
158         }
159       }
160     }
161   }
162
163   private void checkTypeDescriptor(ClassDescriptor cd, TypeDescriptor td) {
164     if (td.isPrimitive())
165       return;       /* Done */
166     else if (td.isClass()) {
167       String name=td.toString();
168       ClassDescriptor field_cd=checkAll?getClass(cd, name):getClass(cd, name, REFERENCE);
169
170       if (field_cd==null)
171         throw new Error("Undefined class "+name);
172       td.setClassDescriptor(field_cd);
173       return;
174     } else if (td.isTag())
175       return;
176     else
177       throw new Error();
178   }
179
180   public void checkField(ClassDescriptor cd, FieldDescriptor fd) {
181     checkTypeDescriptor(cd, fd.getType());
182   }
183
184   public void checkConstraintCheck(TaskDescriptor td, SymbolTable nametable, Vector ccs) {
185     if (ccs==null)
186       return;       /* No constraint checks to check */
187     for(int i=0; i<ccs.size(); i++) {
188       ConstraintCheck cc=(ConstraintCheck) ccs.get(i);
189
190       for(int j=0; j<cc.numArgs(); j++) {
191         ExpressionNode en=cc.getArg(j);
192         checkExpressionNode(td,nametable,en,null);
193       }
194     }
195   }
196
197   public void checkFlagEffects(TaskDescriptor td, Vector vfe, SymbolTable nametable) {
198     if (vfe==null)
199       return;       /* No flag effects to check */
200     for(int i=0; i<vfe.size(); i++) {
201       FlagEffects fe=(FlagEffects) vfe.get(i);
202       String varname=fe.getName();
203       //Make sure the variable is declared as a parameter to the task
204       VarDescriptor vd=(VarDescriptor)td.getParameterTable().get(varname);
205       if (vd==null)
206         throw new Error("Parameter "+varname+" in Flag Effects not declared in "+td);
207       fe.setVar(vd);
208
209       //Make sure it correspods to a class
210       TypeDescriptor type_d=vd.getType();
211       if (!type_d.isClass())
212         throw new Error("Cannot have non-object argument for flag_effect");
213
214       ClassDescriptor cd=type_d.getClassDesc();
215       for(int j=0; j<fe.numEffects(); j++) {
216         FlagEffect flag=fe.getEffect(j);
217         String name=flag.getName();
218         FlagDescriptor flag_d=(FlagDescriptor)cd.getFlagTable().get(name);
219         //Make sure the flag is declared
220         if (flag_d==null)
221           throw new Error("Flag descriptor "+name+" undefined in class: "+cd.getSymbol());
222         if (flag_d.getExternal())
223           throw new Error("Attempting to modify external flag: "+name);
224         flag.setFlag(flag_d);
225       }
226       for(int j=0; j<fe.numTagEffects(); j++) {
227         TagEffect tag=fe.getTagEffect(j);
228         String name=tag.getName();
229
230         Descriptor d=(Descriptor)nametable.get(name);
231         if (d==null)
232           throw new Error("Tag descriptor "+name+" undeclared");
233         else if (!(d instanceof TagVarDescriptor))
234           throw new Error(name+" is not a tag descriptor");
235         tag.setTag((TagVarDescriptor)d);
236       }
237     }
238   }
239
240   public void checkTask(TaskDescriptor td) {
241     for(int i=0; i<td.numParameters(); i++) {
242       /* Check that parameter is well typed */
243       TypeDescriptor param_type=td.getParamType(i);
244       checkTypeDescriptor(null, param_type);
245
246       /* Check the parameter's flag expression is well formed */
247       FlagExpressionNode fen=td.getFlag(td.getParameter(i));
248       if (!param_type.isClass())
249         throw new Error("Cannot have non-object argument to a task");
250       ClassDescriptor cd=param_type.getClassDesc();
251       if (fen!=null)
252         checkFlagExpressionNode(cd, fen);
253     }
254
255     checkFlagEffects(td, td.getFlagEffects(),td.getParameterTable());
256     /* Check that the task code is valid */
257     BlockNode bn=state.getMethodBody(td);
258     checkBlockNode(td, td.getParameterTable(),bn);
259   }
260
261   public void checkFlagExpressionNode(ClassDescriptor cd, FlagExpressionNode fen) {
262     switch(fen.kind()) {
263     case Kind.FlagOpNode:
264     {
265       FlagOpNode fon=(FlagOpNode)fen;
266       checkFlagExpressionNode(cd, fon.getLeft());
267       if (fon.getRight()!=null)
268         checkFlagExpressionNode(cd, fon.getRight());
269       break;
270     }
271
272     case Kind.FlagNode:
273     {
274       FlagNode fn=(FlagNode)fen;
275       String name=fn.getFlagName();
276       FlagDescriptor fd=(FlagDescriptor)cd.getFlagTable().get(name);
277       if (fd==null)
278         throw new Error("Undeclared flag: "+name);
279       fn.setFlag(fd);
280       break;
281     }
282
283     default:
284       throw new Error("Unrecognized FlagExpressionNode");
285     }
286   }
287
288   public void checkMethod(ClassDescriptor cd, MethodDescriptor md) {
289     /* Check for abstract methods */
290     if(md.isAbstract()) {
291       if(!cd.isAbstract() && !cd.isInterface()) {
292         throw new Error("Error! The non-abstract Class " + cd.getSymbol() + " contains an abstract method " + md.getSymbol());
293       }
294     }
295
296     /* Check return type */
297     if (!md.isConstructor() && !md.isStaticBlock())
298       if (!md.getReturnType().isVoid()) {
299         checkTypeDescriptor(cd, md.getReturnType());
300       }
301     for(int i=0; i<md.numParameters(); i++) {
302       TypeDescriptor param_type=md.getParamType(i);
303       checkTypeDescriptor(cd, param_type);
304     }
305     /* Link the naming environments */
306     if (!md.isStatic())     /* Fields aren't accessible directly in a static method, so don't link in this table */
307       md.getParameterTable().setParent(cd.getFieldTable());
308     md.setClassDesc(cd);
309     if (!md.isStatic()) {
310       VarDescriptor thisvd=new VarDescriptor(new TypeDescriptor(cd),"this");
311       md.setThis(thisvd);
312     }
313     if(md.isDefaultConstructor() && (cd.getSuperDesc() != null)) {
314       // add the construction of it super class, can only be super()
315       NameDescriptor nd=new NameDescriptor("super");
316       MethodInvokeNode min=new MethodInvokeNode(nd);
317       BlockExpressionNode ben=new BlockExpressionNode(min);
318       BlockNode bn = state.getMethodBody(md);
319       bn.addFirstBlockStatement(ben);
320     }
321   }
322
323   public void checkMethodBody(ClassDescriptor cd, MethodDescriptor md) {
324     ClassDescriptor superdesc=cd.getSuperDesc();
325     if (superdesc!=null) {
326       Set possiblematches=superdesc.getMethodTable().getSet(md.getSymbol());
327       for(Iterator methodit=possiblematches.iterator(); methodit.hasNext(); ) {
328         MethodDescriptor matchmd=(MethodDescriptor)methodit.next();
329         if (md.matches(matchmd)) {
330           if (matchmd.getModifiers().isFinal()) {
331             throw new Error("Try to override final method in method:"+md+" declared in  "+cd);
332           }
333         }
334       }
335     }
336     BlockNode bn=state.getMethodBody(md);
337     checkBlockNode(md, md.getParameterTable(),bn);
338   }
339
340   public void checkBlockNode(Descriptor md, SymbolTable nametable, BlockNode bn) {
341     /* Link in the naming environment */
342     bn.getVarTable().setParent(nametable);
343     for(int i=0; i<bn.size(); i++) {
344       BlockStatementNode bsn=bn.get(i);
345       checkBlockStatementNode(md, bn.getVarTable(),bsn);
346     }
347   }
348
349   public void checkBlockStatementNode(Descriptor md, SymbolTable nametable, BlockStatementNode bsn) {
350     switch(bsn.kind()) {
351     case Kind.BlockExpressionNode:
352       checkBlockExpressionNode(md, nametable,(BlockExpressionNode)bsn);
353       return;
354
355     case Kind.DeclarationNode:
356       checkDeclarationNode(md, nametable, (DeclarationNode)bsn);
357       return;
358
359     case Kind.TagDeclarationNode:
360       checkTagDeclarationNode(md, nametable, (TagDeclarationNode)bsn);
361       return;
362
363     case Kind.IfStatementNode:
364       checkIfStatementNode(md, nametable, (IfStatementNode)bsn);
365       return;
366
367     case Kind.SwitchStatementNode:
368       checkSwitchStatementNode(md, nametable, (SwitchStatementNode)bsn);
369       return;
370
371     case Kind.LoopNode:
372       checkLoopNode(md, nametable, (LoopNode)bsn);
373       return;
374
375     case Kind.ReturnNode:
376       checkReturnNode(md, nametable, (ReturnNode)bsn);
377       return;
378
379     case Kind.TaskExitNode:
380       checkTaskExitNode(md, nametable, (TaskExitNode)bsn);
381       return;
382
383     case Kind.SubBlockNode:
384       checkSubBlockNode(md, nametable, (SubBlockNode)bsn);
385       return;
386
387     case Kind.AtomicNode:
388       checkAtomicNode(md, nametable, (AtomicNode)bsn);
389       return;
390
391     case Kind.SynchronizedNode:
392       checkSynchronizedNode(md, nametable, (SynchronizedNode)bsn);
393       return;
394
395     case Kind.ContinueBreakNode:
396       checkContinueBreakNode(md, nametable, (ContinueBreakNode) bsn);
397       return;
398
399     case Kind.SESENode:
400     case Kind.GenReachNode:
401     case Kind.GenDefReachNode:
402       // do nothing, no semantic check for SESEs
403       return;
404     }
405
406     throw new Error();
407   }
408
409   void checkBlockExpressionNode(Descriptor md, SymbolTable nametable, BlockExpressionNode ben) {
410     checkExpressionNode(md, nametable, ben.getExpression(), null);
411   }
412
413   void checkDeclarationNode(Descriptor md, SymbolTable nametable,  DeclarationNode dn) {
414     VarDescriptor vd=dn.getVarDescriptor();
415     checkTypeDescriptor(((md instanceof MethodDescriptor)?((MethodDescriptor)md).getClassDesc():null), vd.getType());
416     Descriptor d=nametable.get(vd.getSymbol());
417     if ((d==null)||
418         (d instanceof FieldDescriptor)) {
419       nametable.add(vd);
420     } else
421       throw new Error(vd.getSymbol()+" in "+md+" defined a second time");
422     if (dn.getExpression()!=null)
423       checkExpressionNode(md, nametable, dn.getExpression(), vd.getType());
424   }
425
426   void checkTagDeclarationNode(Descriptor md, SymbolTable nametable,  TagDeclarationNode dn) {
427     TagVarDescriptor vd=dn.getTagVarDescriptor();
428     Descriptor d=nametable.get(vd.getSymbol());
429     if ((d==null)||
430         (d instanceof FieldDescriptor)) {
431       nametable.add(vd);
432     } else
433       throw new Error(vd.getSymbol()+" defined a second time");
434   }
435
436   void checkSubBlockNode(Descriptor md, SymbolTable nametable, SubBlockNode sbn) {
437     checkBlockNode(md, nametable, sbn.getBlockNode());
438   }
439
440   void checkAtomicNode(Descriptor md, SymbolTable nametable, AtomicNode sbn) {
441     checkBlockNode(md, nametable, sbn.getBlockNode());
442   }
443
444   void checkSynchronizedNode(Descriptor md, SymbolTable nametable, SynchronizedNode sbn) {
445     checkBlockNode(md, nametable, sbn.getBlockNode());
446     //todo this could be Object
447     checkExpressionNode(md, nametable, sbn.getExpr(), null);
448   }
449
450   void checkContinueBreakNode(Descriptor md, SymbolTable nametable, ContinueBreakNode cbn) {
451     if (loopstack.empty())
452       throw new Error("continue/break outside of loop");
453     Object o = loopstack.peek();
454     if(o instanceof LoopNode) {
455       LoopNode ln=(LoopNode)o;
456       cbn.setLoop(ln);
457     }
458   }
459
460   void checkReturnNode(Descriptor d, SymbolTable nametable, ReturnNode rn) {
461     if (d instanceof TaskDescriptor)
462       throw new Error("Illegal return appears in Task: "+d.getSymbol());
463     MethodDescriptor md=(MethodDescriptor)d;
464     if (rn.getReturnExpression()!=null)
465       if (md.getReturnType()==null)
466         throw new Error("Constructor can't return something.");
467       else if (md.getReturnType().isVoid())
468         throw new Error(md+" is void");
469       else
470         checkExpressionNode(md, nametable, rn.getReturnExpression(), md.getReturnType());
471     else
472     if (md.getReturnType()!=null&&!md.getReturnType().isVoid())
473       throw new Error("Need to return something for "+md);
474   }
475
476   void checkTaskExitNode(Descriptor md, SymbolTable nametable, TaskExitNode ten) {
477     if (md instanceof MethodDescriptor)
478       throw new Error("Illegal taskexit appears in Method: "+md.getSymbol());
479     checkFlagEffects((TaskDescriptor)md, ten.getFlagEffects(),nametable);
480     checkConstraintCheck((TaskDescriptor) md, nametable, ten.getChecks());
481   }
482
483   void checkIfStatementNode(Descriptor md, SymbolTable nametable, IfStatementNode isn) {
484     checkExpressionNode(md, nametable, isn.getCondition(), new TypeDescriptor(TypeDescriptor.BOOLEAN));
485     checkBlockNode(md, nametable, isn.getTrueBlock());
486     if (isn.getFalseBlock()!=null)
487       checkBlockNode(md, nametable, isn.getFalseBlock());
488   }
489
490   void checkSwitchStatementNode(Descriptor md, SymbolTable nametable, SwitchStatementNode ssn) {
491     checkExpressionNode(md, nametable, ssn.getCondition(), new TypeDescriptor(TypeDescriptor.INT));
492
493     BlockNode sbn = ssn.getSwitchBody();
494     boolean hasdefault = false;
495     for(int i = 0; i < sbn.size(); i++) {
496       boolean containdefault = checkSwitchBlockNode(md, nametable, (SwitchBlockNode)sbn.get(i));
497       if(hasdefault && containdefault) {
498         throw new Error("Error: duplicate default branch in switch-case statement in Method: " + md.getSymbol());
499       }
500       hasdefault = containdefault;
501     }
502   }
503
504   boolean checkSwitchBlockNode(Descriptor md, SymbolTable nametable, SwitchBlockNode sbn) {
505     Vector<SwitchLabelNode> slnv = sbn.getSwitchConditions();
506     int defaultb = 0;
507     for(int i = 0; i < slnv.size(); i++) {
508       if(slnv.elementAt(i).isdefault) {
509         defaultb++;
510       } else {
511         checkConstantExpressionNode(md, nametable, slnv.elementAt(i).getCondition(), new TypeDescriptor(TypeDescriptor.INT));
512       }
513     }
514     if(defaultb > 1) {
515       throw new Error("Error: duplicate default branch in switch-case statement in Method: " + md.getSymbol());
516     } else {
517       loopstack.push(sbn);
518       checkBlockNode(md, nametable, sbn.getSwitchBlockStatement());
519       loopstack.pop();
520       return (defaultb > 0);
521     }
522   }
523
524   void checkConstantExpressionNode(Descriptor md, SymbolTable nametable, ExpressionNode en, TypeDescriptor td) {
525     switch(en.kind()) {
526     case Kind.FieldAccessNode:
527       checkFieldAccessNode(md,nametable,(FieldAccessNode)en,td);
528       return;
529
530     case Kind.LiteralNode:
531       checkLiteralNode(md,nametable,(LiteralNode)en,td);
532       return;
533
534     case Kind.NameNode:
535       checkNameNode(md,nametable,(NameNode)en,td);
536       return;
537
538     case Kind.OpNode:
539       checkOpNode(md, nametable, (OpNode)en, td);
540       return;
541     }
542     throw new Error();
543   }
544
545   void checkExpressionNode(Descriptor md, SymbolTable nametable, ExpressionNode en, TypeDescriptor td) {
546     switch(en.kind()) {
547     case Kind.AssignmentNode:
548       checkAssignmentNode(md,nametable,(AssignmentNode)en,td);
549       return;
550
551     case Kind.CastNode:
552       checkCastNode(md,nametable,(CastNode)en,td);
553       return;
554
555     case Kind.CreateObjectNode:
556       checkCreateObjectNode(md,nametable,(CreateObjectNode)en,td);
557       return;
558
559     case Kind.FieldAccessNode:
560       checkFieldAccessNode(md,nametable,(FieldAccessNode)en,td);
561       return;
562
563     case Kind.ArrayAccessNode:
564       checkArrayAccessNode(md,nametable,(ArrayAccessNode)en,td);
565       return;
566
567     case Kind.LiteralNode:
568       checkLiteralNode(md,nametable,(LiteralNode)en,td);
569       return;
570
571     case Kind.MethodInvokeNode:
572       checkMethodInvokeNode(md,nametable,(MethodInvokeNode)en,td);
573       return;
574
575     case Kind.NameNode:
576       checkNameNode(md,nametable,(NameNode)en,td);
577       return;
578
579     case Kind.OpNode:
580       checkOpNode(md,nametable,(OpNode)en,td);
581       return;
582
583     case Kind.OffsetNode:
584       checkOffsetNode(md, nametable, (OffsetNode)en, td);
585       return;
586
587     case Kind.TertiaryNode:
588       checkTertiaryNode(md, nametable, (TertiaryNode)en, td);
589       return;
590
591     case Kind.InstanceOfNode:
592       checkInstanceOfNode(md, nametable, (InstanceOfNode) en, td);
593       return;
594
595     case Kind.ArrayInitializerNode:
596       checkArrayInitializerNode(md, nametable, (ArrayInitializerNode) en, td);
597       return;
598
599     case Kind.ClassTypeNode:
600       checkClassTypeNode(md, nametable, (ClassTypeNode) en, td);
601       return;
602     }
603     throw new Error();
604   }
605
606   void checkClassTypeNode(Descriptor md, SymbolTable nametable, ClassTypeNode tn, TypeDescriptor td) {
607     checkTypeDescriptor(((md instanceof MethodDescriptor)?((MethodDescriptor)md).getClassDesc():null), tn.getType());
608   }
609
610   void checkCastNode(Descriptor md, SymbolTable nametable, CastNode cn, TypeDescriptor td) {
611     /* Get type descriptor */
612     if (cn.getType()==null) {
613       NameDescriptor typenamed=cn.getTypeName().getName();
614       TypeDescriptor ntd=new TypeDescriptor(getClass(((md instanceof MethodDescriptor)?((MethodDescriptor)md).getClassDesc():null), typenamed.toString()));
615       cn.setType(ntd);
616     }
617
618     /* Check the type descriptor */
619     TypeDescriptor cast_type=cn.getType();
620     checkTypeDescriptor(((md instanceof MethodDescriptor)?((MethodDescriptor)md).getClassDesc():null),cast_type);
621
622     /* Type check */
623     if (td!=null) {
624       if (!typeutil.isSuperorType(td,cast_type))
625         throw new Error("Cast node returns "+cast_type+", but need "+td);
626     }
627
628     ExpressionNode en=cn.getExpression();
629     checkExpressionNode(md, nametable, en, null);
630     TypeDescriptor etd=en.getType();
631     if (typeutil.isSuperorType(cast_type,etd))     /* Cast trivially succeeds */
632       return;
633
634     if (typeutil.isSuperorType(etd,cast_type))     /* Cast may succeed */
635       return;
636     if (typeutil.isCastable(etd, cast_type))
637       return;
638
639     //rough hack to handle interfaces...should clean up
640     if (etd.isClass()&&cast_type.isClass()) {
641       ClassDescriptor cdetd=etd.getClassDesc();
642       ClassDescriptor cdcast_type=cast_type.getClassDesc();
643
644       if (cdetd.isInterface()&&!cdcast_type.getModifier().isFinal())
645         return;
646       
647       if (cdcast_type.isInterface()&&!cdetd.getModifier().isFinal())
648         return;
649     }
650     /* Different branches */
651     /* TODO: change if add interfaces */
652     throw new Error("Cast will always fail\n"+cn.printNode(0));
653   }
654
655   void checkFieldAccessNode(Descriptor md, SymbolTable nametable, FieldAccessNode fan, TypeDescriptor td) {
656     ExpressionNode left=fan.getExpression();
657     checkExpressionNode(md,nametable,left,null);
658     TypeDescriptor ltd=left.getType();
659     if (!ltd.isArray())
660       checkClass(ltd.getClassDesc(), INIT);
661     String fieldname=fan.getFieldName();
662
663     FieldDescriptor fd=null;
664     if (ltd.isArray()&&fieldname.equals("length"))
665       fd=FieldDescriptor.arrayLength;
666     else {
667       fd=(FieldDescriptor) ltd.getClassDesc().getFieldTable().get(fieldname);
668     }
669     if(ltd.isClassNameRef()) {
670       // the field access is using a class name directly
671       if (fd==null) {
672        ClassDescriptor surroundingCls=ltd.getClassDesc().getSurroundingDesc();
673        
674        while(surroundingCls!=null) {
675          fd=(FieldDescriptor) surroundingCls.getFieldTable().get(fieldname);
676          if (fd!=null) {
677            fan.left=new ClassTypeNode(new TypeDescriptor(surroundingCls));
678            break;
679          }
680          surroundingCls=surroundingCls.getSurroundingDesc();
681        }
682       }
683
684       if(ltd.getClassDesc().isEnum()) {
685         int value = ltd.getClassDesc().getEnumConstant(fieldname);
686         if(-1 == value) {
687           // check if this field is an enum constant
688           throw new Error(fieldname + " is not an enum constant in "+fan.printNode(0)+" in "+md);
689         }
690         fd = new FieldDescriptor(new Modifiers(Modifiers.PUBLIC|Modifiers.FINAL), new TypeDescriptor(TypeDescriptor.INT), fieldname, null, false);
691         fd.setAsEnum();
692         fd.setEnumValue(value);
693       } else if(fd == null) {
694         throw new Error("Could not find field "+ fieldname + " in "+fan.printNode(0)+" in "+md + " (Line: "+fan.getNumLine()+")");
695       } else if(fd.isStatic()) {
696         // check if this field is a static field
697         if(fd.getExpressionNode() != null) {
698           checkExpressionNode(md,nametable,fd.getExpressionNode(),null);
699         }
700       } else {
701         throw new Error("Dereference of the non-static field "+ fieldname + " in "+fan.printNode(0)+" in "+md);
702       }
703     }
704
705     if (fd==null) {
706       ClassDescriptor surroundingCls=ltd.getClassDesc().getSurroundingDesc();
707       int numencloses=1;
708       while(surroundingCls!=null) {
709        fd=(FieldDescriptor)surroundingCls.getFieldTable().get(fieldname);
710        if (fd!=null) {
711          surroundingCls=ltd.getClassDesc().getSurroundingDesc();
712          FieldAccessNode ftmp=fan;
713          for(;numencloses>0;numencloses--) {
714            FieldAccessNode fnew=new FieldAccessNode(ftmp.left, "this___enclosing");
715            fnew.setField((FieldDescriptor)surroundingCls.getFieldTable().get("this___enclosing"));
716            ftmp.left=fnew;
717            ftmp=fnew;
718            surroundingCls=surroundingCls.getSurroundingDesc();
719          }
720          break;
721        }
722        surroundingCls=surroundingCls.getSurroundingDesc();
723        numencloses++;
724       }
725
726       if (fd==null)
727        throw new Error("Unknown field "+fieldname + " in "+fan.printNode(0)+" in "+md);
728     }
729
730     if (fd.getType().iswrapper()) {
731       FieldAccessNode fan2=new FieldAccessNode(left, fieldname);
732       fan2.setNumLine(left.getNumLine());
733       fan2.setField(fd);
734       fan.left=fan2;
735       fan.fieldname="value";
736
737       ExpressionNode leftwr=fan.getExpression();
738       TypeDescriptor ltdwr=leftwr.getType();
739       String fieldnamewr=fan.getFieldName();
740       FieldDescriptor fdwr=(FieldDescriptor) ltdwr.getClassDesc().getFieldTable().get(fieldnamewr);
741       fan.setField(fdwr);
742       if (fdwr==null)
743         throw new Error("Unknown field "+fieldnamewr + " in "+fan.printNode(0)+" in "+md);
744     } else {
745       fan.setField(fd);
746     }
747     if (td!=null) {
748       if (!typeutil.isSuperorType(td,fan.getType()))
749         throw new Error("Field node returns "+fan.getType()+", but need "+td);
750     }
751   }
752
753   void checkArrayAccessNode(Descriptor md, SymbolTable nametable, ArrayAccessNode aan, TypeDescriptor td) {
754     ExpressionNode left=aan.getExpression();
755     checkExpressionNode(md,nametable,left,null);
756
757     checkExpressionNode(md,nametable,aan.getIndex(),new TypeDescriptor(TypeDescriptor.INT));
758     TypeDescriptor ltd=left.getType();
759     if (ltd.dereference().iswrapper()) {
760       aan.wrappertype=((FieldDescriptor)ltd.dereference().getClassDesc().getFieldTable().get("value")).getType();
761     }
762
763     if (td!=null)
764       if (!typeutil.isSuperorType(td,aan.getType()))
765         throw new Error("Field node returns "+aan.getType()+", but need "+td);
766   }
767
768   void checkLiteralNode(Descriptor md, SymbolTable nametable, LiteralNode ln, TypeDescriptor td) {
769     /* Resolve the type */
770     Object o=ln.getValue();
771     if (ln.getTypeString().equals("null")) {
772       ln.setType(new TypeDescriptor(TypeDescriptor.NULL));
773     } else if (o instanceof Integer) {
774       ln.setType(new TypeDescriptor(TypeDescriptor.INT));
775     } else if (o instanceof Long) {
776       ln.setType(new TypeDescriptor(TypeDescriptor.LONG));
777     } else if (o instanceof Float) {
778       ln.setType(new TypeDescriptor(TypeDescriptor.FLOAT));
779     } else if (o instanceof Boolean) {
780       ln.setType(new TypeDescriptor(TypeDescriptor.BOOLEAN));
781     } else if (o instanceof Double) {
782       ln.setType(new TypeDescriptor(TypeDescriptor.DOUBLE));
783     } else if (o instanceof Character) {
784       ln.setType(new TypeDescriptor(TypeDescriptor.CHAR));
785     } else if (o instanceof String) {
786       ln.setType(new TypeDescriptor(getClass(null, TypeUtil.StringClass)));
787     }
788
789     if (td!=null)
790       if (!typeutil.isSuperorType(td,ln.getType())) {
791         Long l = ln.evaluate();
792         if((ln.getType().isByte() || ln.getType().isShort()
793             || ln.getType().isChar() || ln.getType().isInt())
794            && (l != null)
795            && (td.isByte() || td.isShort() || td.isChar()
796                || td.isInt() || td.isLong())) {
797           long lnvalue = l.longValue();
798           if((td.isByte() && ((lnvalue > 127) || (lnvalue < -128)))
799              || (td.isShort() && ((lnvalue > 32767) || (lnvalue < -32768)))
800              || (td.isChar() && ((lnvalue > 65535) || (lnvalue < 0)))
801              || (td.isInt() && ((lnvalue > 2147483647) || (lnvalue < -2147483648)))
802              || (td.isLong() && ((lnvalue > 9223372036854775807L) || (lnvalue < -9223372036854775808L)))) {
803             throw new Error("Field node returns "+ln.getType()+", but need "+td+" in "+md);
804           }
805         } else {
806           throw new Error("Field node returns "+ln.getType()+", but need "+td+" in "+md);
807         }
808       }
809   }
810
811   FieldDescriptor recurseSurroundingClasses( ClassDescriptor icd, String varname ) {
812         if( null == icd || false == icd.isInnerClass() )
813                 return null;
814         
815         ClassDescriptor surroundingDesc = icd.getSurroundingDesc();
816         if( null == surroundingDesc )
817                 return null;
818         
819         SymbolTable fieldTable = surroundingDesc.getFieldTable();
820         FieldDescriptor fd = ( FieldDescriptor ) fieldTable.get( varname );
821         if( null != fd )
822                 return fd;
823         return recurseSurroundingClasses( surroundingDesc, varname );
824   }
825
826   FieldAccessNode fieldAccessExpression( ClassDescriptor icd, String varname, NameNode nn ) {
827         FieldDescriptor fd = recurseSurroundingClasses( icd, varname );
828         if( null == fd )
829                 return null;
830
831         ClassDescriptor cd = fd.getClassDescriptor();
832         int depth = 1;
833         int startingDepth = icd.getInnerDepth();
834
835         if( true == cd.isInnerClass() ) 
836                 depth = cd.getInnerDepth();
837
838         String composed = "this";
839         NameDescriptor runningDesc = new NameDescriptor( "this" );;
840         
841         for ( int index = startingDepth; index > depth; --index ) {
842                 composed = "this$" + String.valueOf( index - 1  );      
843                 runningDesc = new NameDescriptor( runningDesc, composed );
844         }
845         if( false == cd.isInnerClass() )
846                 runningDesc = new NameDescriptor( runningDesc, "this$" + String.valueOf(0) ); //all the way up.
847         NameDescriptor idDesc = new NameDescriptor( runningDesc, varname );
848         
849         
850         FieldAccessNode theFieldNode = ( FieldAccessNode )translateNameDescriptorintoExpression( idDesc, nn.getNumLine() );
851         return theFieldNode;
852   }
853
854   void checkNameNode(Descriptor md, SymbolTable nametable, NameNode nn, TypeDescriptor td) {
855     NameDescriptor nd=nn.getName();
856     if (nd.getBase()!=null) {
857       /* Big hack */
858       /* Rewrite NameNode */
859       ExpressionNode en=translateNameDescriptorintoExpression(nd,nn.getNumLine());
860       nn.setExpression(en);
861       checkExpressionNode(md,nametable,en,td);
862     } else {
863       String varname=nd.toString();
864       if(varname.equals("this")) {
865         // "this"
866         nn.setVar((VarDescriptor)nametable.get("this"));
867         return;
868       }
869       Descriptor d=(Descriptor)nametable.get(varname);
870       if (d==null) {
871         ClassDescriptor cd = null;
872         //check the inner class case first.
873         if((md instanceof MethodDescriptor) && false == ((MethodDescriptor)md).isStaticBlock()) {
874                 cd = ((MethodDescriptor)md).getClassDesc();
875                 FieldAccessNode theFieldNode =  fieldAccessExpression( cd, varname, nn );
876                 if( null != theFieldNode ) {
877                         nn.setExpression(( ExpressionNode )theFieldNode);
878                         checkExpressionNode(md,nametable,( ExpressionNode )theFieldNode,td);
879                         return;         
880                 }               
881         }
882         if((md instanceof MethodDescriptor) && ((MethodDescriptor)md).isStaticBlock()) {
883           // this is a static block, all the accessed fields should be static field
884           cd = ((MethodDescriptor)md).getClassDesc();
885           SymbolTable fieldtbl = cd.getFieldTable();
886           FieldDescriptor fd=(FieldDescriptor)fieldtbl.get(varname);
887           if((fd == null) || (!fd.isStatic())) {
888             // no such field in the class, check if this is a class
889             if(varname.equals("this")) {
890               throw new Error("Error: access this obj in a static block");
891             }
892             cd=getClass(((md instanceof MethodDescriptor)?((MethodDescriptor)md).getClassDesc():null), varname);
893             if(cd != null) {
894               // this is a class name
895               nn.setClassDesc(cd);
896               return;
897             } else {
898               throw new Error("Name "+varname+" should not be used in static block: "+md);
899             }
900           } else {
901             // this is a static field
902             nn.setField(fd);
903             nn.setClassDesc(cd);
904             return;
905           }
906         } else {
907           // check if the var is a static field of the class
908           if(md instanceof MethodDescriptor) {
909             cd = ((MethodDescriptor)md).getClassDesc();
910             FieldDescriptor fd = (FieldDescriptor)cd.getFieldTable().get(varname);
911             if((fd != null) && (fd.isStatic())) {
912               nn.setField(fd);
913               nn.setClassDesc(cd);
914               if (td!=null)
915                 if (!typeutil.isSuperorType(td,nn.getType()))
916                   throw new Error("Field node returns "+nn.getType()+", but need "+td);
917               return;
918             } else if(fd != null) {
919               throw new Error("Name "+varname+" should not be used in " + md);
920             }
921           }
922           cd=getClass(((md instanceof MethodDescriptor)?((MethodDescriptor)md).getClassDesc():null), varname);
923           if(cd != null) {
924             // this is a class name
925             nn.setClassDesc(cd);
926             return;
927           } else {
928             throw new Error("Name "+varname+" undefined in: "+md);          
929           }
930         }
931       }
932       if (d instanceof VarDescriptor) {
933         nn.setVar(d);
934       } else if (d instanceof FieldDescriptor) {
935         FieldDescriptor fd=(FieldDescriptor)d;
936         if (fd.getType().iswrapper()) {
937           String id=nd.getIdentifier();
938           NameDescriptor base=nd.getBase();
939           NameNode n=new NameNode(nn.getName());
940           n.setNumLine(nn.getNumLine());
941           n.setField(fd);
942           n.setVar((VarDescriptor)nametable.get("this"));        /* Need a pointer to this */
943           FieldAccessNode fan=new FieldAccessNode(n,"value");
944           fan.setNumLine(n.getNumLine());
945           FieldDescriptor fdval=(FieldDescriptor) fd.getType().getClassDesc().getFieldTable().get("value");
946           fan.setField(fdval);
947           nn.setExpression(fan);
948         } else {
949           nn.setField(fd);
950           nn.setVar((VarDescriptor)nametable.get("this"));        /* Need a pointer to this */
951         }
952       } else if (d instanceof TagVarDescriptor) {
953         nn.setVar(d);
954       } else throw new Error("Wrong type of descriptor");
955       if (td!=null)
956         if (!typeutil.isSuperorType(td,nn.getType()))
957           throw new Error("Field node returns "+nn.getType()+", but need "+td);
958     }
959   }
960
961   void checkOffsetNode(Descriptor md, SymbolTable nameTable, OffsetNode ofn, TypeDescriptor td) {
962     TypeDescriptor ltd=ofn.td;
963     checkTypeDescriptor(((md instanceof MethodDescriptor)?((MethodDescriptor)md).getClassDesc():null),ltd);
964
965     String fieldname = ofn.fieldname;
966     FieldDescriptor fd=null;
967     if (ltd.isArray()&&fieldname.equals("length")) {
968       fd=FieldDescriptor.arrayLength;
969     } else {
970       fd=(FieldDescriptor) ltd.getClassDesc().getFieldTable().get(fieldname);
971     }
972
973     ofn.setField(fd);
974     checkField(ltd.getClassDesc(), fd);
975
976     if (fd==null)
977       throw new Error("Unknown field "+fieldname + " in "+ofn.printNode(1)+" in "+md);
978
979     if (td!=null) {
980       if (!typeutil.isSuperorType(td, ofn.getType())) {
981         throw new Error("Type of rside not compatible with type of lside"+ofn.printNode(0));
982       }
983     }
984   }
985
986
987   void checkTertiaryNode(Descriptor md, SymbolTable nametable, TertiaryNode tn, TypeDescriptor td) {
988     checkExpressionNode(md, nametable, tn.getCond(), new TypeDescriptor(TypeDescriptor.BOOLEAN));
989     checkExpressionNode(md, nametable, tn.getTrueExpr(), td);
990     checkExpressionNode(md, nametable, tn.getFalseExpr(), td);
991   }
992
993   void checkInstanceOfNode(Descriptor md, SymbolTable nametable, InstanceOfNode tn, TypeDescriptor td) {
994     if (td!=null&&!td.isBoolean())
995       throw new Error("Expecting type "+td+"for instanceof expression");
996
997     checkTypeDescriptor(((md instanceof MethodDescriptor)?((MethodDescriptor)md).getClassDesc():null), tn.getExprType());
998     checkExpressionNode(md, nametable, tn.getExpr(), null);
999   }
1000
1001   void checkArrayInitializerNode(Descriptor md, SymbolTable nametable, ArrayInitializerNode ain, TypeDescriptor td) {
1002     Vector<TypeDescriptor> vec_type = new Vector<TypeDescriptor>();
1003     for( int i = 0; i < ain.numVarInitializers(); ++i ) {
1004       checkExpressionNode(md, nametable, ain.getVarInitializer(i), td.dereference());
1005       vec_type.add(ain.getVarInitializer(i).getType());
1006     }
1007     if (td==null)
1008       throw new Error();
1009
1010     ain.setType(td);
1011   }
1012
1013   void checkAssignmentNode(Descriptor md, SymbolTable nametable, AssignmentNode an, TypeDescriptor td) {
1014     boolean postinc=true;
1015     if (an.getOperation().getBaseOp()==null||
1016         (an.getOperation().getBaseOp().getOp()!=Operation.POSTINC&&
1017          an.getOperation().getBaseOp().getOp()!=Operation.POSTDEC))
1018       postinc=false;
1019     if (!postinc)
1020       checkExpressionNode(md, nametable, an.getSrc(),td);
1021     //TODO: Need check on validity of operation here
1022     if (!((an.getDest() instanceof FieldAccessNode)||
1023           (an.getDest() instanceof ArrayAccessNode)||
1024           (an.getDest() instanceof NameNode)))
1025       throw new Error("Bad lside in "+an.printNode(0));
1026     checkExpressionNode(md, nametable, an.getDest(), null);
1027
1028     /* We want parameter variables to tasks to be immutable */
1029     if (md instanceof TaskDescriptor) {
1030       if (an.getDest() instanceof NameNode) {
1031         NameNode nn=(NameNode)an.getDest();
1032         if (nn.getVar()!=null) {
1033           if (((TaskDescriptor)md).getParameterTable().contains(nn.getVar().getSymbol()))
1034             throw new Error("Can't modify parameter "+nn.getVar()+ " to task "+td.getSymbol());
1035         }
1036       }
1037     }
1038
1039     if (an.getDest().getType().isString()&&an.getOperation().getOp()==AssignOperation.PLUSEQ) {
1040       //String add
1041       ClassDescriptor stringcl=getClass(null, TypeUtil.StringClass);
1042       TypeDescriptor stringtd=new TypeDescriptor(stringcl);
1043       NameDescriptor nd=new NameDescriptor("String");
1044       NameDescriptor valuend=new NameDescriptor(nd, "valueOf");
1045
1046       if (!(an.getSrc().getType().isString()&&(an.getSrc() instanceof OpNode))) {
1047         MethodInvokeNode rightmin=new MethodInvokeNode(valuend);
1048         rightmin.setNumLine(an.getSrc().getNumLine());
1049         rightmin.addArgument(an.getSrc());
1050         an.right=rightmin;
1051         checkExpressionNode(md, nametable, an.getSrc(), null);
1052       }
1053     }
1054
1055     if (!postinc&&!typeutil.isSuperorType(an.getDest().getType(),an.getSrc().getType())) {
1056       TypeDescriptor dt = an.getDest().getType();
1057       TypeDescriptor st = an.getSrc().getType();
1058       if(an.getSrc().kind() == Kind.ArrayInitializerNode) {
1059         if(dt.getArrayCount() != st.getArrayCount()) {
1060           throw new Error("Type of rside ("+an.getSrc().getType().toPrettyString()+") not compatible with type of lside ("+an.getDest().getType().toPrettyString()+")"+an.printNode(0));
1061         } else {
1062           do {
1063             dt = dt.dereference();
1064             st = st.dereference();
1065           } while(dt.isArray());
1066           if((st.isByte() || st.isShort() || st.isChar() || st.isInt())
1067              && (dt.isByte() || dt.isShort() || dt.isChar() || dt.isInt() || dt.isLong())) {
1068             return;
1069           } else {
1070             throw new Error("Type of rside ("+an.getSrc().getType().toPrettyString()+") not compatible with type of lside ("+an.getDest().getType().toPrettyString()+")"+an.printNode(0));
1071           }
1072         }
1073       } else {
1074         Long l = an.getSrc().evaluate();
1075         if((st.isByte() || st.isShort() || st.isChar() || st.isInt())
1076            && (l != null)
1077            && (dt.isByte() || dt.isShort() || dt.isChar() || dt.isInt() || dt.isLong())) {
1078           long lnvalue = l.longValue();
1079           if((dt.isByte() && ((lnvalue > 127) || (lnvalue < -128)))
1080              || (dt.isShort() && ((lnvalue > 32767) || (lnvalue < -32768)))
1081              || (dt.isChar() && ((lnvalue > 65535) || (lnvalue < 0)))
1082              || (dt.isInt() && ((lnvalue > 2147483647) || (lnvalue < -2147483648)))
1083              || (dt.isLong() && ((lnvalue > 9223372036854775807L) || (lnvalue < -9223372036854775808L)))) {
1084             throw new Error("Type of rside ("+an.getSrc().getType().toPrettyString()+") not compatible with type of lside ("+an.getDest().getType().toPrettyString()+")"+an.printNode(0));
1085           }
1086         } else {
1087           throw new Error("Type of rside ("+an.getSrc().getType().toPrettyString()+") not compatible with type of lside ("+an.getDest().getType().toPrettyString()+")"+an.printNode(0));
1088         }
1089       }
1090     }
1091   }
1092
1093   void checkLoopNode(Descriptor md, SymbolTable nametable, LoopNode ln) {
1094     loopstack.push(ln);
1095     if (ln.getType()==LoopNode.WHILELOOP||ln.getType()==LoopNode.DOWHILELOOP) {
1096       checkExpressionNode(md, nametable, ln.getCondition(), new TypeDescriptor(TypeDescriptor.BOOLEAN));
1097       checkBlockNode(md, nametable, ln.getBody());
1098     } else {
1099       //For loop case
1100       /* Link in the initializer naming environment */
1101       BlockNode bn=ln.getInitializer();
1102       bn.getVarTable().setParent(nametable);
1103       for(int i=0; i<bn.size(); i++) {
1104         BlockStatementNode bsn=bn.get(i);
1105         checkBlockStatementNode(md, bn.getVarTable(),bsn);
1106       }
1107       //check the condition
1108       checkExpressionNode(md, bn.getVarTable(), ln.getCondition(), new TypeDescriptor(TypeDescriptor.BOOLEAN));
1109       checkBlockNode(md, bn.getVarTable(), ln.getBody());
1110       checkBlockNode(md, bn.getVarTable(), ln.getUpdate());
1111     }
1112     loopstack.pop();
1113   }
1114
1115   void InnerClassAddParamToCtor( MethodDescriptor md, ClassDescriptor cd, SymbolTable nametable, 
1116                                  CreateObjectNode con, TypeDescriptor td ) {
1117         
1118         TypeDescriptor cdsType = new TypeDescriptor( cd );
1119         ExpressionNode conExp = con.getSurroundingClassExpression();
1120         //System.out.println( "The surrounding class expression si " + con );
1121         if( null == conExp ) {
1122                 if( md.isStatic() ) {
1123                         throw new Error("trying to instantiate inner class: " +  con.getType() + " in a static scope" );
1124                 }
1125                 VarDescriptor thisVD = md.getThis();
1126                 if( null == thisVD ) {
1127                         throw new Error( "this pointer is not defined in a non static scope" ); 
1128                 }                       
1129                 if( cdsType.equals( thisVD.getType() ) == false ) {
1130                         throw new Error( "the type of this pointer is different than the type expected for inner class constructor. Initializing the inner class: "                             +  con.getType() + " in the wrong scope" );             
1131                 }       
1132                 //make this into an expression node.
1133                 NameNode nThis=new NameNode( new NameDescriptor( "this" ) );
1134                 con.addArgument( nThis );
1135         }
1136         else {
1137                 //REVISIT : here i am storing the expression as an expressionNode which does not implement type, there is no way for me to semantic check this argument.
1138                 con.addArgument( conExp );
1139         }
1140         //System.out.println( " the modified createObjectNode is " + con.printNode( 0 ) + "\n" );
1141 }
1142   void checkCreateObjectNode(Descriptor md, SymbolTable nametable, CreateObjectNode con,
1143                              TypeDescriptor td) {
1144     TypeDescriptor[] tdarray = new TypeDescriptor[con.numArgs()];
1145     for (int i = 0; i < con.numArgs(); i++) {
1146       ExpressionNode en = con.getArg(i);
1147       checkExpressionNode(md, nametable, en, null);
1148       tdarray[i] = en.getType();
1149     }
1150
1151     TypeDescriptor typetolookin = con.getType();
1152     checkTypeDescriptor(((md instanceof MethodDescriptor)?((MethodDescriptor)md).getClassDesc():null), typetolookin);
1153
1154     if (td != null && !typeutil.isSuperorType(td, typetolookin))
1155       throw new Error(typetolookin + " isn't a " + td);
1156
1157     /* Check Array Initializers */
1158     if ((con.getArrayInitializer() != null)) {
1159       checkArrayInitializerNode(md, nametable, con.getArrayInitializer(), typetolookin);
1160     }
1161
1162     /* Check flag effects */
1163     if (con.getFlagEffects() != null) {
1164       FlagEffects fe = con.getFlagEffects();
1165       ClassDescriptor cd = typetolookin.getClassDesc();
1166
1167       for (int j = 0; j < fe.numEffects(); j++) {
1168         FlagEffect flag = fe.getEffect(j);
1169         String name = flag.getName();
1170         FlagDescriptor flag_d = (FlagDescriptor) cd.getFlagTable().get(name);
1171         // Make sure the flag is declared
1172         if (flag_d == null)
1173           throw new Error("Flag descriptor " + name + " undefined in class: " + cd.getSymbol());
1174         if (flag_d.getExternal())
1175           throw new Error("Attempting to modify external flag: " + name);
1176         flag.setFlag(flag_d);
1177       }
1178       for (int j = 0; j < fe.numTagEffects(); j++) {
1179         TagEffect tag = fe.getTagEffect(j);
1180         String name = tag.getName();
1181
1182         Descriptor d = (Descriptor) nametable.get(name);
1183         if (d == null)
1184           throw new Error("Tag descriptor " + name + " undeclared");
1185         else if (!(d instanceof TagVarDescriptor))
1186           throw new Error(name + " is not a tag descriptor");
1187         tag.setTag((TagVarDescriptor) d);
1188       }
1189     }
1190
1191     if ((!typetolookin.isClass()) && (!typetolookin.isArray()))
1192       throw new Error("Can't allocate primitive type:" + con.printNode(0));
1193
1194     if (!typetolookin.isArray()) {
1195       // Array's don't need constructor calls
1196       ClassDescriptor classtolookin = typetolookin.getClassDesc();
1197       checkClass(classtolookin, INIT);
1198       if( classtolookin.isInnerClass() ) {
1199         InnerClassAddParamToCtor( (MethodDescriptor)md, ((MethodDescriptor)md).getClassDesc() , nametable, con, td );
1200         tdarray = new TypeDescriptor[con.numArgs()];
1201         for (int i = 0; i < con.numArgs(); i++) {
1202                 ExpressionNode en = con.getArg(i);
1203                 checkExpressionNode(md, nametable, en, null);
1204                 tdarray[i] = en.getType();
1205          }
1206       }
1207       Set methoddescriptorset = classtolookin.getMethodTable().getSet(classtolookin.getSymbol());
1208       MethodDescriptor bestmd = null;
1209 NextMethod: for (Iterator methodit = methoddescriptorset.iterator(); methodit.hasNext(); ) {
1210         MethodDescriptor currmd = (MethodDescriptor) methodit.next();
1211         /* Need correct number of parameters */
1212         if (con.numArgs() != currmd.numParameters())
1213           continue;
1214         for (int i = 0; i < con.numArgs(); i++) {
1215           if (!typeutil.isSuperorType(currmd.getParamType(i), tdarray[i]))
1216             continue NextMethod;
1217         }
1218         /* Local allocations can't call global allocator */
1219         if (!con.isGlobal() && currmd.isGlobal())
1220           continue;
1221
1222         /* Method okay so far */
1223         if (bestmd == null)
1224           bestmd = currmd;
1225         else {
1226           if (typeutil.isMoreSpecific(currmd, bestmd)) {
1227             bestmd = currmd;
1228           } else if (con.isGlobal() && match(currmd, bestmd)) {
1229             if (currmd.isGlobal() && !bestmd.isGlobal())
1230               bestmd = currmd;
1231             else if (currmd.isGlobal() && bestmd.isGlobal())
1232               throw new Error();
1233           } else if (!typeutil.isMoreSpecific(bestmd, currmd)) {
1234             throw new Error("No method is most specific:" + bestmd + " and " + currmd);
1235           }
1236
1237           /* Is this more specific than bestmd */
1238         }
1239       }
1240       if (bestmd == null) {
1241         throw new Error("No method found for " + con.printNode(0) + " in " + md);
1242       }
1243       con.setConstructor(bestmd);
1244     }
1245   }
1246
1247
1248   /** Check to see if md1 is the same specificity as md2.*/
1249
1250   boolean match(MethodDescriptor md1, MethodDescriptor md2) {
1251     /* Checks if md1 is more specific than md2 */
1252     if (md1.numParameters()!=md2.numParameters())
1253       throw new Error();
1254     for(int i=0; i<md1.numParameters(); i++) {
1255       if (!md2.getParamType(i).equals(md1.getParamType(i)))
1256         return false;
1257     }
1258     if (!md2.getReturnType().equals(md1.getReturnType()))
1259       return false;
1260
1261     if (!md2.getClassDesc().equals(md1.getClassDesc()))
1262       return false;
1263
1264     return true;
1265   }
1266
1267
1268
1269   ExpressionNode translateNameDescriptorintoExpression(NameDescriptor nd, int numLine) {
1270     String id=nd.getIdentifier();
1271     NameDescriptor base=nd.getBase();
1272     if (base==null) {
1273       NameNode nn=new NameNode(nd);
1274       nn.setNumLine(numLine);
1275       return nn;
1276     } else {
1277       FieldAccessNode fan=new FieldAccessNode(translateNameDescriptorintoExpression(base,numLine),id);
1278       fan.setNumLine(numLine);
1279       return fan;
1280     }
1281   }
1282
1283
1284   void checkMethodInvokeNode(Descriptor md, SymbolTable nametable, MethodInvokeNode min, TypeDescriptor td) {
1285     /*Typecheck subexpressions
1286        and get types for expressions*/
1287
1288     boolean isstatic = false;
1289     if((md instanceof MethodDescriptor) && ((MethodDescriptor)md).isStatic()) {
1290       isstatic = true;
1291     }
1292     TypeDescriptor[] tdarray=new TypeDescriptor[min.numArgs()];
1293     for(int i=0; i<min.numArgs(); i++) {
1294       ExpressionNode en=min.getArg(i);
1295       checkExpressionNode(md,nametable,en,null);
1296       tdarray[i]=en.getType();
1297
1298       if(en.getType().isClass() && en.getType().getClassDesc().isEnum()) {
1299         tdarray[i] = new TypeDescriptor(TypeDescriptor.INT);
1300       }
1301     }
1302     TypeDescriptor typetolookin=null;
1303     if (min.getExpression()!=null) {
1304       checkExpressionNode(md,nametable,min.getExpression(),null);
1305       typetolookin=min.getExpression().getType();
1306     } else if (min.getBaseName()!=null) {
1307       String rootname=min.getBaseName().getRoot();
1308       if (rootname.equals("super")) {
1309         ClassDescriptor supercd=((MethodDescriptor)md).getClassDesc().getSuperDesc();
1310         typetolookin=new TypeDescriptor(supercd);
1311         min.setSuper();
1312       } else if (rootname.equals("this")) {
1313         if(isstatic) {
1314           throw new Error("use this object in static method md = "+ md.toString());
1315         }
1316         ClassDescriptor cd=((MethodDescriptor)md).getClassDesc();
1317         typetolookin=new TypeDescriptor(cd);
1318       } else if (nametable.get(rootname)!=null) {
1319         //we have an expression
1320         min.setExpression(translateNameDescriptorintoExpression(min.getBaseName(),min.getNumLine()));
1321         checkExpressionNode(md, nametable, min.getExpression(), null);
1322         typetolookin=min.getExpression().getType();
1323       } else {
1324         if(!min.getBaseName().getSymbol().equals("System.out")||state.JNI) {
1325           ExpressionNode nn = translateNameDescriptorintoExpression(min.getBaseName(),min.getNumLine());
1326           checkExpressionNode(md, nametable, nn, null);
1327           typetolookin = nn.getType();
1328           if(!((nn.kind()== Kind.NameNode) && (((NameNode)nn).getField() == null)
1329                && (((NameNode)nn).getVar() == null) && (((NameNode)nn).getExpression() == null))) {
1330             // this is not a pure class name, need to add to
1331             min.setExpression(nn);
1332           }
1333         } else {
1334           //we have a type
1335           ClassDescriptor cd = getClass(null, "System");
1336
1337           if (cd==null)
1338             throw new Error("md = "+ md.toString()+ "  "+min.getBaseName()+" undefined");
1339           typetolookin=new TypeDescriptor(cd);
1340         }
1341       }
1342     } else if ((md instanceof MethodDescriptor)&&min.getMethodName().equals("super")) {
1343       ClassDescriptor supercd=((MethodDescriptor)md).getClassDesc().getSuperDesc();
1344       min.methodid=supercd.getSymbol();
1345       typetolookin=new TypeDescriptor(supercd);
1346     } else if (md instanceof MethodDescriptor) {
1347       typetolookin=new TypeDescriptor(((MethodDescriptor)md).getClassDesc());
1348     } else {
1349       /* If this a task descriptor we throw an error at this point */
1350       throw new Error("Unknown method call to "+min.getMethodName()+"in task"+md.getSymbol());
1351     }
1352     if (!typetolookin.isClass())
1353       throw new Error("Error with method call to "+min.getMethodName()+" in class "+typetolookin);
1354     ClassDescriptor classtolookin=typetolookin.getClassDesc();
1355     checkClass(classtolookin, REFERENCE);
1356     Set methoddescriptorset=classtolookin.getMethodTable().getSet(min.getMethodName());
1357     MethodDescriptor bestmd=null;
1358 NextMethod:
1359     for(Iterator methodit=methoddescriptorset.iterator(); methodit.hasNext(); ) {
1360       MethodDescriptor currmd=(MethodDescriptor)methodit.next();
1361       /* Need correct number of parameters */
1362       if (min.numArgs()!=currmd.numParameters())
1363         continue;
1364       for(int i=0; i<min.numArgs(); i++) {
1365         if (!typeutil.isSuperorType(currmd.getParamType(i),tdarray[i]))
1366           if(((!tdarray[i].isArray() &&(tdarray[i].isInt() || tdarray[i].isLong()))
1367               && currmd.getParamType(i).isClass() && currmd.getParamType(i).getClassDesc().getSymbol().equals("Object"))) {
1368             // primitive parameters vs object
1369           } else {
1370             continue NextMethod;
1371           }
1372       }
1373       /* Method okay so far */
1374       if (bestmd==null)
1375         bestmd=currmd;
1376       else {
1377         if (typeutil.isMoreSpecific(currmd,bestmd)) {
1378           bestmd=currmd;
1379         } else if (!typeutil.isMoreSpecific(bestmd, currmd))
1380           throw new Error("No method is most specific:"+bestmd+" and "+currmd);
1381
1382         /* Is this more specific than bestmd */
1383       }
1384     }
1385     if (bestmd==null)
1386       throw new Error("No method found for :"+min.printNode(0)+" in class: " + classtolookin+" in "+md);
1387     min.setMethod(bestmd);
1388
1389     if ((td!=null)&&(min.getType()!=null)&&!typeutil.isSuperorType(td,  min.getType()))
1390       throw new Error(min.getType()+ " is not equal to or a subclass of "+td);
1391     /* Check whether we need to set this parameter to implied this */
1392     if (!isstatic && !bestmd.isStatic()) {
1393       if (min.getExpression()==null) {
1394         ExpressionNode en=new NameNode(new NameDescriptor("this"));
1395         min.setExpression(en);
1396         checkExpressionNode(md, nametable, min.getExpression(), null);
1397       }
1398     }
1399
1400     /* Check if we need to wrap primitive paratmeters to objects */
1401     for(int i=0; i<min.numArgs(); i++) {
1402       if(!tdarray[i].isArray() && (tdarray[i].isInt() || tdarray[i].isLong())
1403          && min.getMethod().getParamType(i).isClass() && min.getMethod().getParamType(i).getClassDesc().getSymbol().equals("Object")) {
1404         // Shall wrap this primitive parameter as a object
1405         ExpressionNode exp = min.getArg(i);
1406         TypeDescriptor ptd = null;
1407         NameDescriptor nd=null;
1408         if(exp.getType().isInt()) {
1409           nd = new NameDescriptor("Integer");
1410           ptd = state.getTypeDescriptor(nd);
1411         } else if(exp.getType().isLong()) {
1412           nd = new NameDescriptor("Long");
1413           ptd = state.getTypeDescriptor(nd);
1414         }
1415         boolean isglobal = false;
1416         String disjointId = null;
1417         CreateObjectNode con=new CreateObjectNode(ptd, isglobal, disjointId);
1418         con.addArgument(exp);
1419         checkExpressionNode(md, nametable, con, null);
1420         min.setArgument(con, i);
1421       }
1422     }
1423   }
1424
1425
1426   void checkOpNode(Descriptor md, SymbolTable nametable, OpNode on, TypeDescriptor td) {
1427     checkExpressionNode(md, nametable, on.getLeft(), null);
1428     if (on.getRight()!=null)
1429       checkExpressionNode(md, nametable, on.getRight(), null);
1430     TypeDescriptor ltd=on.getLeft().getType();
1431     TypeDescriptor rtd=on.getRight()!=null?on.getRight().getType():null;
1432     TypeDescriptor lefttype=null;
1433     TypeDescriptor righttype=null;
1434     Operation op=on.getOp();
1435
1436     switch(op.getOp()) {
1437     case Operation.LOGIC_OR:
1438     case Operation.LOGIC_AND:
1439       if (!(rtd.isBoolean()))
1440         throw new Error();
1441       on.setRightType(rtd);
1442
1443     case Operation.LOGIC_NOT:
1444       if (!(ltd.isBoolean()))
1445         throw new Error();
1446       //no promotion
1447       on.setLeftType(ltd);
1448
1449       on.setType(new TypeDescriptor(TypeDescriptor.BOOLEAN));
1450       break;
1451
1452     case Operation.COMP:
1453       // 5.6.2 Binary Numeric Promotion
1454       //TODO unboxing of reference objects
1455       if (ltd.isDouble())
1456         throw new Error();
1457       else if (ltd.isFloat())
1458         throw new Error();
1459       else if (ltd.isLong())
1460         lefttype=new TypeDescriptor(TypeDescriptor.LONG);
1461       else
1462         lefttype=new TypeDescriptor(TypeDescriptor.INT);
1463       on.setLeftType(lefttype);
1464       on.setType(lefttype);
1465       break;
1466
1467     case Operation.BIT_OR:
1468     case Operation.BIT_XOR:
1469     case Operation.BIT_AND:
1470       // 5.6.2 Binary Numeric Promotion
1471       //TODO unboxing of reference objects
1472       if (ltd.isDouble()||rtd.isDouble())
1473         throw new Error();
1474       else if (ltd.isFloat()||rtd.isFloat())
1475         throw new Error();
1476       else if (ltd.isLong()||rtd.isLong())
1477         lefttype=new TypeDescriptor(TypeDescriptor.LONG);
1478       // 090205 hack for boolean
1479       else if (ltd.isBoolean()||rtd.isBoolean())
1480         lefttype=new TypeDescriptor(TypeDescriptor.BOOLEAN);
1481       else
1482         lefttype=new TypeDescriptor(TypeDescriptor.INT);
1483       righttype=lefttype;
1484
1485       on.setLeftType(lefttype);
1486       on.setRightType(righttype);
1487       on.setType(lefttype);
1488       break;
1489
1490     case Operation.ISAVAILABLE:
1491       if (!(ltd.isPtr())) {
1492         throw new Error("Can't use isavailable on non-pointers/non-parameters.");
1493       }
1494       lefttype=ltd;
1495       on.setLeftType(lefttype);
1496       on.setType(new TypeDescriptor(TypeDescriptor.BOOLEAN));
1497       break;
1498
1499     case Operation.EQUAL:
1500     case Operation.NOTEQUAL:
1501       // 5.6.2 Binary Numeric Promotion
1502       //TODO unboxing of reference objects
1503       if (ltd.isBoolean()||rtd.isBoolean()) {
1504         if (!(ltd.isBoolean()&&rtd.isBoolean()))
1505           throw new Error();
1506         righttype=lefttype=new TypeDescriptor(TypeDescriptor.BOOLEAN);
1507       } else if (ltd.isPtr()||rtd.isPtr()) {
1508         if (!(ltd.isPtr()&&rtd.isPtr())) {
1509           if(!rtd.isEnum()) {
1510             throw new Error();
1511           }
1512         }
1513         righttype=rtd;
1514         lefttype=ltd;
1515       } else if (ltd.isDouble()||rtd.isDouble())
1516         righttype=lefttype=new TypeDescriptor(TypeDescriptor.DOUBLE);
1517       else if (ltd.isFloat()||rtd.isFloat())
1518         righttype=lefttype=new TypeDescriptor(TypeDescriptor.FLOAT);
1519       else if (ltd.isLong()||rtd.isLong())
1520         righttype=lefttype=new TypeDescriptor(TypeDescriptor.LONG);
1521       else
1522         righttype=lefttype=new TypeDescriptor(TypeDescriptor.INT);
1523
1524       on.setLeftType(lefttype);
1525       on.setRightType(righttype);
1526       on.setType(new TypeDescriptor(TypeDescriptor.BOOLEAN));
1527       break;
1528
1529
1530
1531     case Operation.LT:
1532     case Operation.GT:
1533     case Operation.LTE:
1534     case Operation.GTE:
1535       // 5.6.2 Binary Numeric Promotion
1536       //TODO unboxing of reference objects
1537       if (!ltd.isNumber()||!rtd.isNumber()) {
1538         if (!ltd.isNumber())
1539           throw new Error("Leftside is not number"+on.printNode(0)+"type="+ltd.toPrettyString());
1540         if (!rtd.isNumber())
1541           throw new Error("Rightside is not number"+on.printNode(0));
1542       }
1543
1544       if (ltd.isDouble()||rtd.isDouble())
1545         lefttype=new TypeDescriptor(TypeDescriptor.DOUBLE);
1546       else if (ltd.isFloat()||rtd.isFloat())
1547         lefttype=new TypeDescriptor(TypeDescriptor.FLOAT);
1548       else if (ltd.isLong()||rtd.isLong())
1549         lefttype=new TypeDescriptor(TypeDescriptor.LONG);
1550       else
1551         lefttype=new TypeDescriptor(TypeDescriptor.INT);
1552       righttype=lefttype;
1553       on.setLeftType(lefttype);
1554       on.setRightType(righttype);
1555       on.setType(new TypeDescriptor(TypeDescriptor.BOOLEAN));
1556       break;
1557
1558     case Operation.ADD:
1559       if (ltd.isString()||rtd.isString()) {
1560         ClassDescriptor stringcl=getClass(null, TypeUtil.StringClass);
1561         TypeDescriptor stringtd=new TypeDescriptor(stringcl);
1562         NameDescriptor nd=new NameDescriptor("String");
1563         NameDescriptor valuend=new NameDescriptor(nd, "valueOf");
1564         if (!(ltd.isString()&&(on.getLeft() instanceof OpNode))) {
1565           MethodInvokeNode leftmin=new MethodInvokeNode(valuend);
1566           leftmin.setNumLine(on.getLeft().getNumLine());
1567           leftmin.addArgument(on.getLeft());
1568           on.left=leftmin;
1569           checkExpressionNode(md, nametable, on.getLeft(), null);
1570         }
1571
1572         if (!(rtd.isString()&&(on.getRight() instanceof OpNode))) {
1573           MethodInvokeNode rightmin=new MethodInvokeNode(valuend);
1574           rightmin.setNumLine(on.getRight().getNumLine());
1575           rightmin.addArgument(on.getRight());
1576           on.right=rightmin;
1577           checkExpressionNode(md, nametable, on.getRight(), null);
1578         }
1579
1580         on.setLeftType(stringtd);
1581         on.setRightType(stringtd);
1582         on.setType(stringtd);
1583         break;
1584       }
1585
1586     case Operation.SUB:
1587     case Operation.MULT:
1588     case Operation.DIV:
1589     case Operation.MOD:
1590       // 5.6.2 Binary Numeric Promotion
1591       //TODO unboxing of reference objects
1592       if (ltd.isArray()||rtd.isArray()||!ltd.isNumber()||!rtd.isNumber())
1593         throw new Error("Error in "+on.printNode(0));
1594
1595       if (ltd.isDouble()||rtd.isDouble())
1596         lefttype=new TypeDescriptor(TypeDescriptor.DOUBLE);
1597       else if (ltd.isFloat()||rtd.isFloat())
1598         lefttype=new TypeDescriptor(TypeDescriptor.FLOAT);
1599       else if (ltd.isLong()||rtd.isLong())
1600         lefttype=new TypeDescriptor(TypeDescriptor.LONG);
1601       else
1602         lefttype=new TypeDescriptor(TypeDescriptor.INT);
1603       righttype=lefttype;
1604       on.setLeftType(lefttype);
1605       on.setRightType(righttype);
1606       on.setType(lefttype);
1607       break;
1608
1609     case Operation.LEFTSHIFT:
1610     case Operation.RIGHTSHIFT:
1611     case Operation.URIGHTSHIFT:
1612       if (!rtd.isIntegerType())
1613         throw new Error();
1614       //5.6.1 Unary Numeric Promotion
1615       if (rtd.isByte()||rtd.isShort()||rtd.isInt())
1616         righttype=new TypeDescriptor(TypeDescriptor.INT);
1617       else
1618         righttype=rtd;
1619
1620       on.setRightType(righttype);
1621       if (!ltd.isIntegerType())
1622         throw new Error();
1623
1624     case Operation.UNARYPLUS:
1625     case Operation.UNARYMINUS:
1626       /*        case Operation.POSTINC:
1627           case Operation.POSTDEC:
1628           case Operation.PREINC:
1629           case Operation.PREDEC:*/
1630       if (!ltd.isNumber())
1631         throw new Error();
1632       //5.6.1 Unary Numeric Promotion
1633       if (ltd.isByte()||ltd.isShort()||ltd.isInt())
1634         lefttype=new TypeDescriptor(TypeDescriptor.INT);
1635       else
1636         lefttype=ltd;
1637       on.setLeftType(lefttype);
1638       on.setType(lefttype);
1639       break;
1640
1641     default:
1642       throw new Error(op.toString());
1643     }
1644
1645     if (td!=null)
1646       if (!typeutil.isSuperorType(td, on.getType())) {
1647         throw new Error("Type of rside not compatible with type of lside"+on.printNode(0));
1648       }
1649   }
1650
1651 }