working on the remaining procedures of OoOJava analysis.
[IRC.git] / Robust / src / Analysis / Disjoint / DisjointAnalysis.java
1 package Analysis.Disjoint;
2
3 import Analysis.CallGraph.*;
4 import Analysis.Liveness;
5 import Analysis.ArrayReferencees;
6 import Analysis.RBlockRelationAnalysis;
7 import IR.*;
8 import IR.Flat.*;
9 import IR.Tree.Modifiers;
10 import java.util.*;
11 import java.io.*;
12
13
14 public class DisjointAnalysis {
15         
16           ///////////////////////////////////////////
17           //
18           //  Public interface to discover possible
19           //  aliases in the program under analysis
20           //
21           ///////////////////////////////////////////
22         
23           public HashSet<AllocSite>
24           getFlaggedAllocationSitesReachableFromTask(TaskDescriptor td) {
25             checkAnalysisComplete();
26             return getFlaggedAllocationSitesReachableFromTaskPRIVATE(td);
27           }
28           
29           public AllocSite getAllocationSiteFromFlatNew(FlatNew fn) {
30                     checkAnalysisComplete();
31                     return getAllocSiteFromFlatNewPRIVATE(fn);
32            }      
33           
34           public AllocSite getAllocationSiteFromHeapRegionNodeID(Integer id) {
35                     checkAnalysisComplete();
36                     return mapHrnIdToAllocSite.get(id);
37           }
38           
39           public Set<HeapRegionNode> hasPotentialSharing(Descriptor taskOrMethod,
40               int paramIndex1,
41               int paramIndex2) {
42                   checkAnalysisComplete();
43                   ReachGraph rg=mapDescriptorToCompleteReachGraph.get(taskOrMethod);
44                   FlatMethod fm=state.getMethodFlat(taskOrMethod);
45                   assert(rg != null);
46                   return rg.mayReachSharedObjects(fm, paramIndex1, paramIndex2);
47           }
48           
49         public Set<HeapRegionNode> hasPotentialSharing(Descriptor taskOrMethod,
50                         int paramIndex, AllocSite alloc) {
51                 checkAnalysisComplete();
52                 ReachGraph rg = mapDescriptorToCompleteReachGraph.get(taskOrMethod);
53             FlatMethod fm=state.getMethodFlat(taskOrMethod);
54                 assert (rg != null);
55                 return rg.mayReachSharedObjects(fm, paramIndex, alloc);
56         }
57
58         public Set<HeapRegionNode> hasPotentialSharing(Descriptor taskOrMethod,
59                         AllocSite alloc, int paramIndex) {
60                 checkAnalysisComplete();
61                 ReachGraph rg  = mapDescriptorToCompleteReachGraph.get(taskOrMethod);
62                 FlatMethod fm=state.getMethodFlat(taskOrMethod);
63                 assert (rg != null);
64                 return rg.mayReachSharedObjects(fm, paramIndex, alloc);
65         }
66
67         public Set<HeapRegionNode> hasPotentialSharing(Descriptor taskOrMethod,
68                         AllocSite alloc1, AllocSite alloc2) {
69                 checkAnalysisComplete();
70                 ReachGraph rg  = mapDescriptorToCompleteReachGraph.get(taskOrMethod);
71                 assert (rg != null);
72                 return rg.mayReachSharedObjects(alloc1, alloc2);
73         }
74         
75         public String prettyPrintNodeSet(Set<HeapRegionNode> s) {
76                 checkAnalysisComplete();
77
78                 String out = "{\n";
79
80                 Iterator<HeapRegionNode> i = s.iterator();
81                 while (i.hasNext()) {
82                         HeapRegionNode n = i.next();
83
84                         AllocSite as = n.getAllocSite();
85                         if (as == null) {
86                                 out += "  " + n.toString() + ",\n";
87                         } else {
88                                 out += "  " + n.toString() + ": " + as.toStringVerbose()
89                                                 + ",\n";
90                         }
91                 }
92
93                 out += "}\n";
94                 return out;
95         }
96         
97   // use the methods given above to check every possible sharing class
98   // between task parameters and flagged allocation sites reachable
99   // from the task
100   public void writeAllSharing(String outputFile, 
101                               String timeReport,
102                               String justTime,
103                               boolean tabularOutput,
104                               int numLines
105                               )
106     throws java.io.IOException {
107     checkAnalysisComplete();
108
109     BufferedWriter bw = new BufferedWriter(new FileWriter(outputFile));
110
111     if (!tabularOutput) {
112       bw.write("Conducting ownership analysis with allocation depth = "
113                + allocationDepth + "\n");
114       bw.write(timeReport + "\n");
115     }
116
117     int numSharing = 0;
118
119     // look through every task for potential sharing
120     Iterator taskItr = state.getTaskSymbolTable().getDescriptorsIterator();
121     while (taskItr.hasNext()) {
122       TaskDescriptor td = (TaskDescriptor) taskItr.next();
123
124       if (!tabularOutput) {
125         bw.write("\n---------" + td + "--------\n");
126       }
127
128       HashSet<AllocSite> allocSites = getFlaggedAllocationSitesReachableFromTask(td);
129
130       Set<HeapRegionNode> common;
131
132       // for each task parameter, check for sharing classes with
133       // other task parameters and every allocation site
134       // reachable from this task
135       boolean foundSomeSharing = false;
136
137       FlatMethod fm = state.getMethodFlat(td);
138       for (int i = 0; i < fm.numParameters(); ++i) {
139
140         // skip parameters with types that cannot reference
141         // into the heap
142         if( !shouldAnalysisTrack( fm.getParameter( i ).getType() ) ) {
143           continue;
144         }
145                           
146         // for the ith parameter check for sharing classes to all
147         // higher numbered parameters
148         for (int j = i + 1; j < fm.numParameters(); ++j) {
149
150           // skip parameters with types that cannot reference
151           // into the heap
152           if( !shouldAnalysisTrack( fm.getParameter( j ).getType() ) ) {
153             continue;
154           }
155
156
157           common = hasPotentialSharing(td, i, j);
158           if (!common.isEmpty()) {
159             foundSomeSharing = true;
160             ++numSharing;
161             if (!tabularOutput) {
162               bw.write("Potential sharing between parameters " + i
163                        + " and " + j + ".\n");
164               bw.write(prettyPrintNodeSet(common) + "\n");
165             }
166           }
167         }
168
169         // for the ith parameter, check for sharing classes against
170         // the set of allocation sites reachable from this
171         // task context
172         Iterator allocItr = allocSites.iterator();
173         while (allocItr.hasNext()) {
174           AllocSite as = (AllocSite) allocItr.next();
175           common = hasPotentialSharing(td, i, as);
176           if (!common.isEmpty()) {
177             foundSomeSharing = true;
178             ++numSharing;
179             if (!tabularOutput) {
180               bw.write("Potential sharing between parameter " + i
181                        + " and " + as.getFlatNew() + ".\n");
182               bw.write(prettyPrintNodeSet(common) + "\n");
183             }
184           }
185         }
186       }
187
188       // for each allocation site check for sharing classes with
189       // other allocation sites in the context of execution
190       // of this task
191       HashSet<AllocSite> outerChecked = new HashSet<AllocSite>();
192       Iterator allocItr1 = allocSites.iterator();
193       while (allocItr1.hasNext()) {
194         AllocSite as1 = (AllocSite) allocItr1.next();
195
196         Iterator allocItr2 = allocSites.iterator();
197         while (allocItr2.hasNext()) {
198           AllocSite as2 = (AllocSite) allocItr2.next();
199
200           if (!outerChecked.contains(as2)) {
201             common = hasPotentialSharing(td, as1, as2);
202
203             if (!common.isEmpty()) {
204               foundSomeSharing = true;
205               ++numSharing;
206               if (!tabularOutput) {
207                 bw.write("Potential sharing between "
208                          + as1.getFlatNew() + " and "
209                          + as2.getFlatNew() + ".\n");
210                 bw.write(prettyPrintNodeSet(common) + "\n");
211               }
212             }
213           }
214         }
215
216         outerChecked.add(as1);
217       }
218
219       if (!foundSomeSharing) {
220         if (!tabularOutput) {
221           bw.write("No sharing between flagged objects in Task " + td
222                    + ".\n");
223         }
224       }
225     }
226
227                 
228     if (tabularOutput) {
229       bw.write(" & " + numSharing + " & " + justTime + " & " + numLines
230                + " & " + numMethodsAnalyzed() + " \\\\\n");
231     } else {
232       bw.write("\nNumber sharing classes: "+numSharing);
233     }
234
235     bw.close();
236   }
237         
238   // this version of writeAllSharing is for Java programs that have no tasks
239   public void writeAllSharingJava(String outputFile, 
240                                   String timeReport,
241                                   String justTime,
242                                   boolean tabularOutput,
243                                   int numLines
244                                   )
245     throws java.io.IOException {
246     checkAnalysisComplete();
247
248     assert !state.TASK;
249
250     int numSharing = 0;
251
252     BufferedWriter bw = new BufferedWriter(new FileWriter(outputFile));
253     
254     bw.write("Conducting disjoint reachability analysis with allocation depth = "
255              + allocationDepth + "\n");
256     bw.write(timeReport + "\n\n");
257
258     boolean foundSomeSharing = false;
259
260     Descriptor d = typeUtil.getMain();
261     HashSet<AllocSite> allocSites = getFlaggedAllocationSites(d);
262
263     // for each allocation site check for sharing classes with
264     // other allocation sites in the context of execution
265     // of this task
266     HashSet<AllocSite> outerChecked = new HashSet<AllocSite>();
267     Iterator allocItr1 = allocSites.iterator();
268     while (allocItr1.hasNext()) {
269       AllocSite as1 = (AllocSite) allocItr1.next();
270
271       Iterator allocItr2 = allocSites.iterator();
272       while (allocItr2.hasNext()) {
273         AllocSite as2 = (AllocSite) allocItr2.next();
274
275         if (!outerChecked.contains(as2)) {
276           Set<HeapRegionNode> common = hasPotentialSharing(d,
277                                                            as1, as2);
278
279           if (!common.isEmpty()) {
280             foundSomeSharing = true;
281             bw.write("Potential sharing between "
282                      + as1.getDisjointAnalysisId() + " and "
283                      + as2.getDisjointAnalysisId() + ".\n");
284             bw.write(prettyPrintNodeSet(common) + "\n");
285             ++numSharing;
286           }
287         }
288       }
289
290       outerChecked.add(as1);
291     }
292
293     if (!foundSomeSharing) {
294       bw.write("No sharing classes between flagged objects found.\n");
295     } else {
296       bw.write("\nNumber sharing classes: "+numSharing);
297     }
298
299     bw.write("Number of methods analyzed: "+numMethodsAnalyzed()+"\n");
300
301     bw.close();
302   }
303           
304   ///////////////////////////////////////////
305   //
306   // end public interface
307   //
308   ///////////////////////////////////////////
309
310   protected void checkAnalysisComplete() {
311     if( !analysisComplete ) {
312       throw new Error("Warning: public interface method called while analysis is running.");
313     }
314   } 
315
316
317   // run in faster mode, only when bugs wrung out!
318   public static boolean releaseMode;
319
320   // use command line option to set this, analysis
321   // should attempt to be deterministic
322   public static boolean determinismDesired;
323
324   // when we want to enforce determinism in the 
325   // analysis we need to sort descriptors rather
326   // than toss them in efficient sets, use this
327   public static DescriptorComparator dComp =
328     new DescriptorComparator();
329
330
331   // data from the compiler
332   public State            state;
333   public CallGraph        callGraph;
334   public Liveness         liveness;
335   public ArrayReferencees arrayReferencees;
336   public RBlockRelationAnalysis rblockRel;
337   public TypeUtil         typeUtil;
338   public int              allocationDepth;
339
340   protected boolean doEffectsAnalysis = false;
341   protected EffectsAnalysis effectsAnalysis;
342   
343   // data structure for public interface
344   private Hashtable< Descriptor, HashSet<AllocSite> > 
345     mapDescriptorToAllocSiteSet;
346
347   
348   // for public interface methods to warn that they
349   // are grabbing results during analysis
350   private boolean analysisComplete;
351
352
353   // used to identify HeapRegionNode objects
354   // A unique ID equates an object in one
355   // ownership graph with an object in another
356   // graph that logically represents the same
357   // heap region
358   // start at 10 and increment to reserve some
359   // IDs for special purposes
360   static protected int uniqueIDcount = 10;
361
362
363   // An out-of-scope method created by the
364   // analysis that has no parameters, and
365   // appears to allocate the command line
366   // arguments, then invoke the source code's
367   // main method.  The purpose of this is to
368   // provide the analysis with an explicit
369   // top-level context with no parameters
370   protected MethodDescriptor mdAnalysisEntry;
371   protected FlatMethod       fmAnalysisEntry;
372
373   // main method defined by source program
374   protected MethodDescriptor mdSourceEntry;
375
376   // the set of task and/or method descriptors
377   // reachable in call graph
378   protected Set<Descriptor> 
379     descriptorsToAnalyze;
380
381   // current descriptors to visit in fixed-point
382   // interprocedural analysis, prioritized by
383   // dependency in the call graph
384   protected Stack<Descriptor>
385     descriptorsToVisitStack;
386   protected PriorityQueue<DescriptorQWrapper> 
387     descriptorsToVisitQ;
388   
389   // a duplication of the above structure, but
390   // for efficient testing of inclusion
391   protected HashSet<Descriptor> 
392     descriptorsToVisitSet;
393
394   // storage for priorities (doesn't make sense)
395   // to add it to the Descriptor class, just in
396   // this analysis
397   protected Hashtable<Descriptor, Integer> 
398     mapDescriptorToPriority;
399
400   // when analyzing a method and scheduling more:
401   // remember set of callee's enqueued for analysis
402   // so they can be put on top of the callers in
403   // the stack-visit mode
404   protected Set<Descriptor>
405     calleesToEnqueue;
406
407   // maps a descriptor to its current partial result
408   // from the intraprocedural fixed-point analysis--
409   // then the interprocedural analysis settles, this
410   // mapping will have the final results for each
411   // method descriptor
412   protected Hashtable<Descriptor, ReachGraph> 
413     mapDescriptorToCompleteReachGraph;
414
415   // maps a descriptor to its known dependents: namely
416   // methods or tasks that call the descriptor's method
417   // AND are part of this analysis (reachable from main)
418   protected Hashtable< Descriptor, Set<Descriptor> >
419     mapDescriptorToSetDependents;
420
421   // maps each flat new to one analysis abstraction
422   // allocate site object, these exist outside reach graphs
423   protected Hashtable<FlatNew, AllocSite>
424     mapFlatNewToAllocSite;
425
426   // maps intergraph heap region IDs to intergraph
427   // allocation sites that created them, a redundant
428   // structure for efficiency in some operations
429   protected Hashtable<Integer, AllocSite>
430     mapHrnIdToAllocSite;
431
432   // maps a method to its initial heap model (IHM) that
433   // is the set of reachability graphs from every caller
434   // site, all merged together.  The reason that we keep
435   // them separate is that any one call site's contribution
436   // to the IHM may changed along the path to the fixed point
437   protected Hashtable< Descriptor, Hashtable< FlatCall, ReachGraph > >
438     mapDescriptorToIHMcontributions;
439
440   // additionally, keep a mapping from descriptors to the
441   // merged in-coming initial context, because we want this
442   // initial context to be STRICTLY MONOTONIC
443   protected Hashtable<Descriptor, ReachGraph>
444     mapDescriptorToInitialContext;
445
446   // make the result for back edges analysis-wide STRICTLY
447   // MONOTONIC as well, but notice we use FlatNode as the
448   // key for this map: in case we want to consider other
449   // nodes as back edge's in future implementations
450   protected Hashtable<FlatNode, ReachGraph>
451     mapBackEdgeToMonotone;
452
453
454   public static final String arrayElementFieldName = "___element_";
455   static protected Hashtable<TypeDescriptor, FieldDescriptor>
456     mapTypeToArrayField;
457
458   // for controlling DOT file output
459   protected boolean writeFinalDOTs;
460   protected boolean writeAllIncrementalDOTs;
461
462   // supporting DOT output--when we want to write every
463   // partial method result, keep a tally for generating
464   // unique filenames
465   protected Hashtable<Descriptor, Integer>
466     mapDescriptorToNumUpdates;
467   
468   //map task descriptor to initial task parameter 
469   protected Hashtable<Descriptor, ReachGraph>
470     mapDescriptorToReachGraph;
471
472   protected PointerMethod pm;
473
474   static protected Hashtable<FlatNode, ReachGraph> fn2rg =
475     new Hashtable<FlatNode, ReachGraph>();
476
477   private Hashtable<FlatCall, Descriptor> fc2enclosing;  
478
479
480   // allocate various structures that are not local
481   // to a single class method--should be done once
482   protected void allocateStructures() {
483     
484     if( determinismDesired ) {
485       // use an ordered set
486       descriptorsToAnalyze = new TreeSet<Descriptor>( dComp );      
487     } else {
488       // otherwise use a speedy hashset
489       descriptorsToAnalyze = new HashSet<Descriptor>();
490     }
491
492     mapDescriptorToCompleteReachGraph =
493       new Hashtable<Descriptor, ReachGraph>();
494
495     mapDescriptorToNumUpdates =
496       new Hashtable<Descriptor, Integer>();
497
498     mapDescriptorToSetDependents =
499       new Hashtable< Descriptor, Set<Descriptor> >();
500
501     mapFlatNewToAllocSite = 
502       new Hashtable<FlatNew, AllocSite>();
503
504     mapDescriptorToIHMcontributions =
505       new Hashtable< Descriptor, Hashtable< FlatCall, ReachGraph > >();
506
507     mapDescriptorToInitialContext =
508       new Hashtable<Descriptor, ReachGraph>();    
509
510     mapBackEdgeToMonotone =
511       new Hashtable<FlatNode, ReachGraph>();
512     
513     mapHrnIdToAllocSite =
514       new Hashtable<Integer, AllocSite>();
515
516     mapTypeToArrayField = 
517       new Hashtable <TypeDescriptor, FieldDescriptor>();
518
519     if( state.DISJOINTDVISITSTACK ||
520         state.DISJOINTDVISITSTACKEESONTOP 
521         ) {
522       descriptorsToVisitStack =
523         new Stack<Descriptor>();
524     }
525
526     if( state.DISJOINTDVISITPQUE ) {
527       descriptorsToVisitQ =
528         new PriorityQueue<DescriptorQWrapper>();
529     }
530
531     descriptorsToVisitSet =
532       new HashSet<Descriptor>();
533
534     mapDescriptorToPriority =
535       new Hashtable<Descriptor, Integer>();
536     
537     calleesToEnqueue = 
538       new HashSet<Descriptor>();    
539
540     mapDescriptorToAllocSiteSet =
541         new Hashtable<Descriptor,    HashSet<AllocSite> >();
542     
543     mapDescriptorToReachGraph = 
544         new Hashtable<Descriptor, ReachGraph>();
545
546     pm = new PointerMethod();
547
548     fc2enclosing = new Hashtable<FlatCall, Descriptor>();
549   }
550
551
552
553   // this analysis generates a disjoint reachability
554   // graph for every reachable method in the program
555   public DisjointAnalysis( State            s,
556                            TypeUtil         tu,
557                            CallGraph        cg,
558                            Liveness         l,
559                            ArrayReferencees ar,
560                            RBlockRelationAnalysis rra
561                            ) {
562     init( s, tu, cg, l, ar, rra );
563   }
564   
565   protected void init( State            state,
566                        TypeUtil         typeUtil,
567                        CallGraph        callGraph,
568                        Liveness         liveness,
569                        ArrayReferencees arrayReferencees,
570                        RBlockRelationAnalysis rra
571                        ) {
572           
573     analysisComplete = false;
574     
575     this.state                   = state;
576     this.typeUtil                = typeUtil;
577     this.callGraph               = callGraph;
578     this.liveness                = liveness;
579     this.arrayReferencees        = arrayReferencees;
580     this.rblockRel               = rra;
581
582     if( rblockRel != null ) {
583       doEffectsAnalysis = true;
584       effectsAnalysis   = new EffectsAnalysis();
585     }
586
587     this.allocationDepth         = state.DISJOINTALLOCDEPTH;
588     this.releaseMode             = state.DISJOINTRELEASEMODE;
589     this.determinismDesired      = state.DISJOINTDETERMINISM;
590
591     this.writeFinalDOTs          = state.DISJOINTWRITEDOTS && !state.DISJOINTWRITEALL;
592     this.writeAllIncrementalDOTs = state.DISJOINTWRITEDOTS &&  state.DISJOINTWRITEALL;
593
594     this.takeDebugSnapshots      = state.DISJOINTSNAPSYMBOL != null;
595     this.descSymbolDebug         = state.DISJOINTSNAPSYMBOL;
596     this.visitStartCapture       = state.DISJOINTSNAPVISITTOSTART;
597     this.numVisitsToCapture      = state.DISJOINTSNAPNUMVISITS;
598     this.stopAfterCapture        = state.DISJOINTSNAPSTOPAFTER;
599     this.snapVisitCounter        = 1; // count visits from 1 (user will write 1, means 1st visit)
600     this.snapNodeCounter         = 0; // count nodes from 0
601
602     assert
603       state.DISJOINTDVISITSTACK ||
604       state.DISJOINTDVISITPQUE  ||
605       state.DISJOINTDVISITSTACKEESONTOP;
606     assert !(state.DISJOINTDVISITSTACK && state.DISJOINTDVISITPQUE);
607     assert !(state.DISJOINTDVISITSTACK && state.DISJOINTDVISITSTACKEESONTOP);
608     assert !(state.DISJOINTDVISITPQUE  && state.DISJOINTDVISITSTACKEESONTOP);
609             
610     // set some static configuration for ReachGraphs
611     ReachGraph.allocationDepth = allocationDepth;
612     ReachGraph.typeUtil        = typeUtil;
613
614     ReachGraph.debugCallSiteVisitStartCapture
615       = state.DISJOINTDEBUGCALLVISITTOSTART;
616
617     ReachGraph.debugCallSiteNumVisitsToCapture
618       = state.DISJOINTDEBUGCALLNUMVISITS;
619
620     ReachGraph.debugCallSiteStopAfter
621       = state.DISJOINTDEBUGCALLSTOPAFTER;
622
623     ReachGraph.debugCallSiteVisitCounter 
624       = 0; // count visits from 1, is incremented before first visit
625     
626     
627
628     allocateStructures();
629
630     double timeStartAnalysis = (double) System.nanoTime();
631
632     // start interprocedural fixed-point computation
633     try {
634       analyzeMethods();
635     } catch( IOException e ) {
636       throw new Error( "IO Exception while writing disjointness analysis output." );
637     }
638
639     analysisComplete=true;
640
641     double timeEndAnalysis = (double) System.nanoTime();
642     double dt = (timeEndAnalysis - timeStartAnalysis)/(Math.pow( 10.0, 9.0 ) );
643     String treport = String.format( "The reachability analysis took %.3f sec.", dt );
644     String justtime = String.format( "%.2f", dt );
645     System.out.println( treport );
646
647     try {
648       if( writeFinalDOTs && !writeAllIncrementalDOTs ) {
649         writeFinalGraphs();      
650       }
651
652       if( state.DISJOINTWRITEIHMS ) {
653         writeFinalIHMs();
654       }
655
656       if( state.DISJOINTWRITEINITCONTEXTS ) {
657         writeInitialContexts();
658       }
659
660       if( state.DISJOINTALIASFILE != null ) {
661         if( state.TASK ) {
662           writeAllSharing(state.DISJOINTALIASFILE, treport, justtime, state.DISJOINTALIASTAB, state.lines);
663         } else {
664           writeAllSharingJava(state.DISJOINTALIASFILE, 
665                               treport, 
666                               justtime, 
667                               state.DISJOINTALIASTAB, 
668                               state.lines
669                               );
670         }
671       }
672     } catch( IOException e ) {
673       throw new Error( "IO Exception while writing disjointness analysis output." );
674     }
675
676     if( doEffectsAnalysis ) {
677       effectsAnalysis.writeEffects( "effects.txt" );
678     }
679   }
680
681
682   protected boolean moreDescriptorsToVisit() {
683     if( state.DISJOINTDVISITSTACK ||
684         state.DISJOINTDVISITSTACKEESONTOP
685         ) {
686       return !descriptorsToVisitStack.isEmpty();
687
688     } else if( state.DISJOINTDVISITPQUE ) {
689       return !descriptorsToVisitQ.isEmpty();
690     }
691
692     throw new Error( "Neither descriptor visiting mode set" );
693   }
694
695
696   // fixed-point computation over the call graph--when a
697   // method's callees are updated, it must be reanalyzed
698   protected void analyzeMethods() throws java.io.IOException {  
699
700     // task or non-task (java) mode determines what the roots
701     // of the call chain are, and establishes the set of methods
702     // reachable from the roots that will be analyzed
703     
704     if( state.TASK ) {
705       System.out.println( "Bamboo mode..." );
706       
707       Iterator taskItr = state.getTaskSymbolTable().getDescriptorsIterator();      
708       while( taskItr.hasNext() ) {
709         TaskDescriptor td = (TaskDescriptor) taskItr.next();
710         if( !descriptorsToAnalyze.contains( td ) ) {
711           // add all methods transitively reachable from the
712           // tasks as well
713           descriptorsToAnalyze.add( td );
714           descriptorsToAnalyze.addAll( callGraph.getAllMethods( td ) );
715         }         
716       }
717       
718     } else {
719       System.out.println( "Java mode..." );
720
721       // add all methods transitively reachable from the
722       // source's main to set for analysis
723       mdSourceEntry = typeUtil.getMain();
724       descriptorsToAnalyze.add( mdSourceEntry );
725       descriptorsToAnalyze.addAll( callGraph.getAllMethods( mdSourceEntry ) );
726       
727       // fabricate an empty calling context that will call
728       // the source's main, but call graph doesn't know
729       // about it, so explicitly add it
730       makeAnalysisEntryMethod( mdSourceEntry );
731       descriptorsToAnalyze.add( mdAnalysisEntry );
732     }
733
734
735     // now, depending on the interprocedural mode for visiting 
736     // methods, set up the needed data structures
737
738     if( state.DISJOINTDVISITPQUE ) {
739     
740       // topologically sort according to the call graph so 
741       // leaf calls are last, helps build contexts up first
742       LinkedList<Descriptor> sortedDescriptors = 
743         topologicalSort( descriptorsToAnalyze );
744
745       // add sorted descriptors to priority queue, and duplicate
746       // the queue as a set for efficiently testing whether some
747       // method is marked for analysis
748       int p = 0;
749       Iterator<Descriptor> dItr;
750
751       // for the priority queue, give items at the head
752       // of the sorted list a low number (highest priority)
753       while( !sortedDescriptors.isEmpty() ) {
754         Descriptor d = sortedDescriptors.removeFirst();
755         mapDescriptorToPriority.put( d, new Integer( p ) );
756         descriptorsToVisitQ.add( new DescriptorQWrapper( p, d ) );
757         descriptorsToVisitSet.add( d );
758         ++p;
759       }
760
761     } else if( state.DISJOINTDVISITSTACK ||
762                state.DISJOINTDVISITSTACKEESONTOP 
763                ) {
764       // if we're doing the stack scheme, just throw the root
765       // method or tasks on the stack
766       if( state.TASK ) {
767         Iterator taskItr = state.getTaskSymbolTable().getDescriptorsIterator();      
768         while( taskItr.hasNext() ) {
769           TaskDescriptor td = (TaskDescriptor) taskItr.next();
770           descriptorsToVisitStack.add( td );
771           descriptorsToVisitSet.add( td );
772         }
773         
774       } else {
775         descriptorsToVisitStack.add( mdAnalysisEntry );
776         descriptorsToVisitSet.add( mdAnalysisEntry );
777       }
778
779     } else {
780       throw new Error( "Unknown method scheduling mode" );
781     }
782
783
784     // analyze scheduled methods until there are no more to visit
785     while( moreDescriptorsToVisit() ) {
786       Descriptor d = null;
787
788       if( state.DISJOINTDVISITSTACK ||
789           state.DISJOINTDVISITSTACKEESONTOP
790           ) {
791         d = descriptorsToVisitStack.pop();
792
793       } else if( state.DISJOINTDVISITPQUE ) {
794         d = descriptorsToVisitQ.poll().getDescriptor();
795       }
796
797       assert descriptorsToVisitSet.contains( d );
798       descriptorsToVisitSet.remove( d );
799
800       // because the task or method descriptor just extracted
801       // was in the "to visit" set it either hasn't been analyzed
802       // yet, or some method that it depends on has been
803       // updated.  Recompute a complete reachability graph for
804       // this task/method and compare it to any previous result.
805       // If there is a change detected, add any methods/tasks
806       // that depend on this one to the "to visit" set.
807
808       System.out.println( "Analyzing " + d );
809
810       if( state.DISJOINTDVISITSTACKEESONTOP ) {
811         assert calleesToEnqueue.isEmpty();
812       }
813
814       ReachGraph rg     = analyzeMethod( d );
815       ReachGraph rgPrev = getPartial( d );
816       
817       if( !rg.equals( rgPrev ) ) {
818         setPartial( d, rg );
819         
820         if( state.DISJOINTDEBUGSCHEDULING ) {
821           System.out.println( "  complete graph changed, scheduling callers for analysis:" );
822         }
823
824         // results for d changed, so enqueue dependents
825         // of d for further analysis
826         Iterator<Descriptor> depsItr = getDependents( d ).iterator();
827         while( depsItr.hasNext() ) {
828           Descriptor dNext = depsItr.next();
829           enqueue( dNext );
830
831           if( state.DISJOINTDEBUGSCHEDULING ) {
832             System.out.println( "    "+dNext );
833           }
834         }
835       }
836
837       // whether or not the method under analysis changed,
838       // we may have some callees that are scheduled for 
839       // more analysis, and they should go on the top of
840       // the stack now (in other method-visiting modes they
841       // are already enqueued at this point
842       if( state.DISJOINTDVISITSTACKEESONTOP ) {
843         Iterator<Descriptor> depsItr = calleesToEnqueue.iterator();
844         while( depsItr.hasNext() ) {
845           Descriptor dNext = depsItr.next();
846           enqueue( dNext );
847         }
848         calleesToEnqueue.clear();
849       }     
850
851     }   
852   }
853
854   protected ReachGraph analyzeMethod( Descriptor d ) 
855     throws java.io.IOException {
856
857     // get the flat code for this descriptor
858     FlatMethod fm;
859     if( d == mdAnalysisEntry ) {
860       fm = fmAnalysisEntry;
861     } else {
862       fm = state.getMethodFlat( d );
863     }
864     pm.analyzeMethod( fm );
865
866     // intraprocedural work set
867     Set<FlatNode> flatNodesToVisit = new HashSet<FlatNode>();
868     flatNodesToVisit.add( fm );
869
870     // if determinism is desired by client, shadow the
871     // set with a queue to make visit order deterministic
872     Queue<FlatNode> flatNodesToVisitQ = null;
873     if( determinismDesired ) {
874       flatNodesToVisitQ = new LinkedList<FlatNode>();
875       flatNodesToVisitQ.add( fm );
876     }
877     
878     // mapping of current partial results
879     Hashtable<FlatNode, ReachGraph> mapFlatNodeToReachGraph =
880       new Hashtable<FlatNode, ReachGraph>();
881
882     // the set of return nodes partial results that will be combined as
883     // the final, conservative approximation of the entire method
884     HashSet<FlatReturnNode> setReturns = new HashSet<FlatReturnNode>();
885
886     while( !flatNodesToVisit.isEmpty() ) {
887
888       FlatNode fn;      
889       if( determinismDesired ) {
890         assert !flatNodesToVisitQ.isEmpty();
891         fn = flatNodesToVisitQ.remove();
892       } else {
893         fn = flatNodesToVisit.iterator().next();
894       }
895       flatNodesToVisit.remove( fn );
896
897       // effect transfer function defined by this node,
898       // then compare it to the old graph at this node
899       // to see if anything was updated.
900
901       ReachGraph rg = new ReachGraph();
902       TaskDescriptor taskDesc;
903       if(fn instanceof FlatMethod && (taskDesc=((FlatMethod)fn).getTask())!=null){
904           if(mapDescriptorToReachGraph.containsKey(taskDesc)){
905                   // retrieve existing reach graph if it is not first time
906                   rg=mapDescriptorToReachGraph.get(taskDesc);
907           }else{
908                   // create initial reach graph for a task
909                   rg=createInitialTaskReachGraph((FlatMethod)fn);
910                   rg.globalSweep();
911                   mapDescriptorToReachGraph.put(taskDesc, rg);
912           }
913       }
914
915       // start by merging all node's parents' graphs
916       for( int i = 0; i < pm.numPrev(fn); ++i ) {
917         FlatNode pn = pm.getPrev(fn,i);
918         if( mapFlatNodeToReachGraph.containsKey( pn ) ) {
919           ReachGraph rgParent = mapFlatNodeToReachGraph.get( pn );
920           rg.merge( rgParent );
921         }
922       }
923       
924
925       if( takeDebugSnapshots && 
926           d.getSymbol().equals( descSymbolDebug ) 
927           ) {
928         debugSnapshot( rg, fn, true );
929       }
930
931
932       // modify rg with appropriate transfer function
933       rg = analyzeFlatNode( d, fm, fn, setReturns, rg );
934
935
936       if( takeDebugSnapshots && 
937           d.getSymbol().equals( descSymbolDebug ) 
938           ) {
939         debugSnapshot( rg, fn, false );
940         ++snapNodeCounter;
941       }
942           
943
944       // if the results of the new graph are different from
945       // the current graph at this node, replace the graph
946       // with the update and enqueue the children
947       ReachGraph rgPrev = mapFlatNodeToReachGraph.get( fn );
948       if( !rg.equals( rgPrev ) ) {
949         mapFlatNodeToReachGraph.put( fn, rg );
950
951         for( int i = 0; i < pm.numNext( fn ); i++ ) {
952           FlatNode nn = pm.getNext( fn, i );
953
954           flatNodesToVisit.add( nn );
955           if( determinismDesired ) {
956             flatNodesToVisitQ.add( nn );
957           }
958         }
959       }
960     }
961
962
963     // end by merging all return nodes into a complete
964     // reach graph that represents all possible heap
965     // states after the flat method returns
966     ReachGraph completeGraph = new ReachGraph();
967
968     assert !setReturns.isEmpty();
969     Iterator retItr = setReturns.iterator();
970     while( retItr.hasNext() ) {
971       FlatReturnNode frn = (FlatReturnNode) retItr.next();
972
973       assert mapFlatNodeToReachGraph.containsKey( frn );
974       ReachGraph rgRet = mapFlatNodeToReachGraph.get( frn );
975
976       completeGraph.merge( rgRet );
977     }
978
979
980     if( takeDebugSnapshots && 
981         d.getSymbol().equals( descSymbolDebug ) 
982         ) {
983       // increment that we've visited the debug snap
984       // method, and reset the node counter
985       System.out.println( "    @@@ debug snap at visit "+snapVisitCounter );
986       ++snapVisitCounter;
987       snapNodeCounter = 0;
988
989       if( snapVisitCounter == visitStartCapture + numVisitsToCapture && 
990           stopAfterCapture 
991           ) {
992         System.out.println( "!!! Stopping analysis after debug snap captures. !!!" );
993         System.exit( 0 );
994       }
995     }
996
997
998     return completeGraph;
999   }
1000
1001   
1002   protected ReachGraph
1003     analyzeFlatNode( Descriptor              d,
1004                      FlatMethod              fmContaining,
1005                      FlatNode                fn,
1006                      HashSet<FlatReturnNode> setRetNodes,
1007                      ReachGraph              rg
1008                      ) throws java.io.IOException {
1009
1010     
1011     // any variables that are no longer live should be
1012     // nullified in the graph to reduce edges
1013     //rg.nullifyDeadVars( liveness.getLiveInTemps( fmContaining, fn ) );
1014
1015     /*
1016       if( doEffectsAnalysis &&  && fmContaining != fmAnalysisEntry
1017         rra.isEndOfRegion(fn)){
1018       rg.clearAccessibleVarSet();
1019       also need to clear stall mapping
1020     }
1021     */
1022           
1023     TempDescriptor  lhs;
1024     TempDescriptor  rhs;
1025     FieldDescriptor fld;
1026
1027     // use node type to decide what transfer function
1028     // to apply to the reachability graph
1029     switch( fn.kind() ) {
1030
1031     case FKind.FlatMethod: {
1032       // construct this method's initial heap model (IHM)
1033       // since we're working on the FlatMethod, we know
1034       // the incoming ReachGraph 'rg' is empty
1035
1036       Hashtable<FlatCall, ReachGraph> heapsFromCallers = 
1037         getIHMcontributions( d );
1038
1039       Set entrySet = heapsFromCallers.entrySet();
1040       Iterator itr = entrySet.iterator();
1041       while( itr.hasNext() ) {
1042         Map.Entry  me        = (Map.Entry)  itr.next();
1043         FlatCall   fc        = (FlatCall)   me.getKey();
1044         ReachGraph rgContrib = (ReachGraph) me.getValue();
1045
1046         assert fc.getMethod().equals( d );
1047
1048         rg.merge( rgContrib );
1049       }
1050
1051       // additionally, we are enforcing STRICT MONOTONICITY for the
1052       // method's initial context, so grow the context by whatever
1053       // the previously computed context was, and put the most
1054       // up-to-date context back in the map
1055       ReachGraph rgPrevContext = mapDescriptorToInitialContext.get( d );
1056       rg.merge( rgPrevContext );      
1057       mapDescriptorToInitialContext.put( d, rg );
1058
1059     } break;
1060       
1061     case FKind.FlatOpNode:
1062       FlatOpNode fon = (FlatOpNode) fn;
1063       if( fon.getOp().getOp() == Operation.ASSIGN ) {
1064         lhs = fon.getDest();
1065         rhs = fon.getLeft();
1066         rg.assignTempXEqualToTempY( lhs, rhs );
1067       }
1068       break;
1069
1070     case FKind.FlatCastNode:
1071       FlatCastNode fcn = (FlatCastNode) fn;
1072       lhs = fcn.getDst();
1073       rhs = fcn.getSrc();
1074
1075       TypeDescriptor td = fcn.getType();
1076       assert td != null;
1077       
1078       rg.assignTempXEqualToCastedTempY( lhs, rhs, td );
1079       break;
1080
1081     case FKind.FlatFieldNode:
1082       FlatFieldNode ffn = (FlatFieldNode) fn;
1083       lhs = ffn.getDst();
1084       rhs = ffn.getSrc();
1085       fld = ffn.getField();
1086       if( shouldAnalysisTrack( fld.getType() ) ) {
1087         rg.assignTempXEqualToTempYFieldF( lhs, rhs, fld );
1088
1089         if( doEffectsAnalysis && fmContaining != fmAnalysisEntry ) {
1090           effectsAnalysis.analyzeFlatFieldNode( rg, rhs, fld );          
1091         }
1092       }          
1093       break;
1094
1095     case FKind.FlatSetFieldNode:
1096       FlatSetFieldNode fsfn = (FlatSetFieldNode) fn;
1097       lhs = fsfn.getDst();
1098       fld = fsfn.getField();
1099       rhs = fsfn.getSrc();
1100
1101       if( shouldAnalysisTrack( fld.getType() ) ) {
1102         boolean strongUpdate = rg.assignTempXFieldFEqualToTempY( lhs, fld, rhs );
1103
1104         if( doEffectsAnalysis && fmContaining != fmAnalysisEntry ) {
1105           effectsAnalysis.analyzeFlatSetFieldNode( rg, lhs, fld, strongUpdate );
1106         }
1107       }           
1108       break;
1109
1110     case FKind.FlatElementNode:
1111       FlatElementNode fen = (FlatElementNode) fn;
1112       lhs = fen.getDst();
1113       rhs = fen.getSrc();
1114       if( shouldAnalysisTrack( lhs.getType() ) ) {
1115
1116         assert rhs.getType() != null;
1117         assert rhs.getType().isArray();
1118         
1119         TypeDescriptor  tdElement = rhs.getType().dereference();
1120         FieldDescriptor fdElement = getArrayField( tdElement );
1121   
1122         rg.assignTempXEqualToTempYFieldF( lhs, rhs, fdElement );
1123         
1124         if( doEffectsAnalysis && fmContaining != fmAnalysisEntry ) {
1125           effectsAnalysis.analyzeFlatFieldNode( rg, rhs, fdElement );          
1126         }
1127       }
1128       break;
1129
1130     case FKind.FlatSetElementNode:
1131       FlatSetElementNode fsen = (FlatSetElementNode) fn;
1132
1133       if( arrayReferencees.doesNotCreateNewReaching( fsen ) ) {
1134         // skip this node if it cannot create new reachability paths
1135         break;
1136       }
1137
1138       lhs = fsen.getDst();
1139       rhs = fsen.getSrc();
1140       if( shouldAnalysisTrack( rhs.getType() ) ) {
1141
1142         assert lhs.getType() != null;
1143         assert lhs.getType().isArray();
1144         
1145         TypeDescriptor  tdElement = lhs.getType().dereference();
1146         FieldDescriptor fdElement = getArrayField( tdElement );
1147
1148         rg.assignTempXFieldFEqualToTempY( lhs, fdElement, rhs );
1149
1150         if( doEffectsAnalysis && fmContaining != fmAnalysisEntry ) {
1151           effectsAnalysis.analyzeFlatSetFieldNode( rg, lhs, fdElement,
1152                                                    false );
1153         }
1154       }
1155       break;
1156       
1157     case FKind.FlatNew:
1158       FlatNew fnn = (FlatNew) fn;
1159       lhs = fnn.getDst();
1160       if( shouldAnalysisTrack( lhs.getType() ) ) {
1161         AllocSite as = getAllocSiteFromFlatNewPRIVATE( fnn );   
1162         rg.assignTempEqualToNewAlloc( lhs, as );
1163       }
1164       break;
1165
1166     case FKind.FlatSESEEnterNode:
1167       if( doEffectsAnalysis && fmContaining != fmAnalysisEntry ) {
1168         FlatSESEEnterNode sese = (FlatSESEEnterNode) fn;
1169         rg.taintInSetVars( sese );                         
1170       }
1171       break;
1172
1173     case FKind.FlatSESEExitNode:
1174       if( doEffectsAnalysis && fmContaining != fmAnalysisEntry ) {
1175         FlatSESEExitNode fsexn = (FlatSESEExitNode) fn;
1176         rg.removeInContextTaints( fsexn.getFlatEnter() );
1177       }
1178       break;
1179
1180
1181     case FKind.FlatCall: {
1182       Descriptor mdCaller;
1183       if( fmContaining.getMethod() != null ){
1184         mdCaller = fmContaining.getMethod();
1185       } else {
1186         mdCaller = fmContaining.getTask();
1187       }      
1188       FlatCall         fc       = (FlatCall) fn;
1189       MethodDescriptor mdCallee = fc.getMethod();
1190       FlatMethod       fmCallee = state.getMethodFlat( mdCallee );
1191
1192
1193       boolean debugCallSite =
1194         mdCaller.getSymbol().equals( state.DISJOINTDEBUGCALLER ) &&
1195         mdCallee.getSymbol().equals( state.DISJOINTDEBUGCALLEE );
1196
1197       boolean writeDebugDOTs = false;
1198       boolean stopAfter      = false;
1199       if( debugCallSite ) {
1200         ++ReachGraph.debugCallSiteVisitCounter;
1201         System.out.println( "    $$$ Debug call site visit "+
1202                             ReachGraph.debugCallSiteVisitCounter+
1203                             " $$$"
1204                             );
1205         if( 
1206            (ReachGraph.debugCallSiteVisitCounter >= 
1207             ReachGraph.debugCallSiteVisitStartCapture)  &&
1208            
1209            (ReachGraph.debugCallSiteVisitCounter < 
1210             ReachGraph.debugCallSiteVisitStartCapture + 
1211             ReachGraph.debugCallSiteNumVisitsToCapture)
1212             ) {
1213           writeDebugDOTs = true;
1214           System.out.println( "      $$$ Capturing this call site visit $$$" );
1215           if( ReachGraph.debugCallSiteStopAfter &&
1216               (ReachGraph.debugCallSiteVisitCounter == 
1217                ReachGraph.debugCallSiteVisitStartCapture + 
1218                ReachGraph.debugCallSiteNumVisitsToCapture - 1)
1219               ) {
1220             stopAfter = true;
1221           }
1222         }
1223       }
1224
1225
1226       // calculate the heap this call site can reach--note this is
1227       // not used for the current call site transform, we are
1228       // grabbing this heap model for future analysis of the callees,
1229       // so if different results emerge we will return to this site
1230       ReachGraph heapForThisCall_old = 
1231         getIHMcontribution( mdCallee, fc );
1232
1233       // the computation of the callee-reachable heap
1234       // is useful for making the callee starting point
1235       // and for applying the call site transfer function
1236       Set<Integer> callerNodeIDsCopiedToCallee = 
1237         new HashSet<Integer>();
1238
1239       ReachGraph heapForThisCall_cur = 
1240         rg.makeCalleeView( fc, 
1241                            fmCallee,
1242                            callerNodeIDsCopiedToCallee,
1243                            writeDebugDOTs
1244                            );
1245
1246       if( !heapForThisCall_cur.equals( heapForThisCall_old ) ) {        
1247         // if heap at call site changed, update the contribution,
1248         // and reschedule the callee for analysis
1249         addIHMcontribution( mdCallee, fc, heapForThisCall_cur );        
1250
1251         // map a FlatCall to its enclosing method/task descriptor 
1252         // so we can write that info out later
1253         fc2enclosing.put( fc, mdCaller );
1254
1255         if( state.DISJOINTDEBUGSCHEDULING ) {
1256           System.out.println( "  context changed, scheduling callee: "+mdCallee );
1257         }
1258
1259         if( state.DISJOINTDVISITSTACKEESONTOP ) {
1260           calleesToEnqueue.add( mdCallee );
1261         } else {
1262           enqueue( mdCallee );
1263         }
1264
1265       }
1266
1267       // the transformation for a call site should update the
1268       // current heap abstraction with any effects from the callee,
1269       // or if the method is virtual, the effects from any possible
1270       // callees, so find the set of callees...
1271       Set<MethodDescriptor> setPossibleCallees;
1272       if( determinismDesired ) {
1273         // use an ordered set
1274         setPossibleCallees = new TreeSet<MethodDescriptor>( dComp );        
1275       } else {
1276         // otherwise use a speedy hashset
1277         setPossibleCallees = new HashSet<MethodDescriptor>();
1278       }
1279
1280       if( mdCallee.isStatic() ) {        
1281         setPossibleCallees.add( mdCallee );
1282       } else {
1283         TypeDescriptor typeDesc = fc.getThis().getType();
1284         setPossibleCallees.addAll( callGraph.getMethods( mdCallee, 
1285                                                          typeDesc )
1286                                    );
1287       }
1288
1289       ReachGraph rgMergeOfEffects = new ReachGraph();
1290
1291       Iterator<MethodDescriptor> mdItr = setPossibleCallees.iterator();
1292       while( mdItr.hasNext() ) {
1293         MethodDescriptor mdPossible = mdItr.next();
1294         FlatMethod       fmPossible = state.getMethodFlat( mdPossible );
1295
1296         addDependent( mdPossible, // callee
1297                       d );        // caller
1298
1299         // don't alter the working graph (rg) until we compute a 
1300         // result for every possible callee, merge them all together,
1301         // then set rg to that
1302         ReachGraph rgCopy = new ReachGraph();
1303         rgCopy.merge( rg );             
1304                 
1305         ReachGraph rgEffect = getPartial( mdPossible );
1306
1307         if( rgEffect == null ) {
1308           // if this method has never been analyzed just schedule it 
1309           // for analysis and skip over this call site for now
1310           if( state.DISJOINTDVISITSTACKEESONTOP ) {
1311             calleesToEnqueue.add( mdPossible );
1312           } else {
1313             enqueue( mdPossible );
1314           }
1315           
1316           if( state.DISJOINTDEBUGSCHEDULING ) {
1317             System.out.println( "  callee hasn't been analyzed, scheduling: "+mdPossible );
1318           }
1319
1320
1321         } else {
1322           // calculate the method call transform         
1323           rgCopy.resolveMethodCall( fc, 
1324                                     fmPossible, 
1325                                     rgEffect,
1326                                     callerNodeIDsCopiedToCallee,
1327                                     writeDebugDOTs
1328                                     );
1329         }
1330         
1331         rgMergeOfEffects.merge( rgCopy );        
1332       }
1333
1334
1335       if( stopAfter ) {
1336         System.out.println( "$$$ Exiting after requested captures of call site. $$$" );
1337         System.exit( 0 );
1338       }
1339
1340
1341       // now that we've taken care of building heap models for
1342       // callee analysis, finish this transformation
1343       rg = rgMergeOfEffects;
1344     } break;
1345       
1346
1347     case FKind.FlatReturnNode:
1348       FlatReturnNode frn = (FlatReturnNode) fn;
1349       rhs = frn.getReturnTemp();
1350       if( rhs != null && shouldAnalysisTrack( rhs.getType() ) ) {
1351         rg.assignReturnEqualToTemp( rhs );
1352       }
1353       setRetNodes.add( frn );
1354       break;
1355
1356     } // end switch
1357
1358     
1359     // dead variables were removed before the above transfer function
1360     // was applied, so eliminate heap regions and edges that are no
1361     // longer part of the abstractly-live heap graph, and sweep up
1362     // and reachability effects that are altered by the reduction
1363     //rg.abstractGarbageCollect();
1364     //rg.globalSweep();
1365
1366
1367     // back edges are strictly monotonic
1368     if( pm.isBackEdge( fn ) ) {
1369       ReachGraph rgPrevResult = mapBackEdgeToMonotone.get( fn );
1370       rg.merge( rgPrevResult );
1371       mapBackEdgeToMonotone.put( fn, rg );
1372     }
1373     
1374     // at this point rg should be the correct update
1375     // by an above transfer function, or untouched if
1376     // the flat node type doesn't affect the heap
1377     return rg;
1378   }
1379
1380
1381   
1382   // this method should generate integers strictly greater than zero!
1383   // special "shadow" regions are made from a heap region by negating
1384   // the ID
1385   static public Integer generateUniqueHeapRegionNodeID() {
1386     ++uniqueIDcount;
1387     return new Integer( uniqueIDcount );
1388   }
1389
1390
1391   
1392   static public FieldDescriptor getArrayField( TypeDescriptor tdElement ) {
1393     FieldDescriptor fdElement = mapTypeToArrayField.get( tdElement );
1394     if( fdElement == null ) {
1395       fdElement = new FieldDescriptor( new Modifiers( Modifiers.PUBLIC ),
1396                                        tdElement,
1397                                        arrayElementFieldName,
1398                                        null,
1399                                        false );
1400       mapTypeToArrayField.put( tdElement, fdElement );
1401     }
1402     return fdElement;
1403   }
1404
1405   
1406   
1407   private void writeFinalGraphs() {
1408     Set entrySet = mapDescriptorToCompleteReachGraph.entrySet();
1409     Iterator itr = entrySet.iterator();
1410     while( itr.hasNext() ) {
1411       Map.Entry  me = (Map.Entry)  itr.next();
1412       Descriptor  d = (Descriptor) me.getKey();
1413       ReachGraph rg = (ReachGraph) me.getValue();
1414
1415       rg.writeGraph( "COMPLETE"+d,
1416                      true,    // write labels (variables)                
1417                      true,    // selectively hide intermediate temp vars 
1418                      true,    // prune unreachable heap regions          
1419                      false,   // hide reachability altogether
1420                      true,    // hide subset reachability states         
1421                      true,    // hide predicates
1422                      false ); // hide edge taints                        
1423     }
1424   }
1425
1426   private void writeFinalIHMs() {
1427     Iterator d2IHMsItr = mapDescriptorToIHMcontributions.entrySet().iterator();
1428     while( d2IHMsItr.hasNext() ) {
1429       Map.Entry                        me1 = (Map.Entry)                       d2IHMsItr.next();
1430       Descriptor                         d = (Descriptor)                      me1.getKey();
1431       Hashtable<FlatCall, ReachGraph> IHMs = (Hashtable<FlatCall, ReachGraph>) me1.getValue();
1432
1433       Iterator fc2rgItr = IHMs.entrySet().iterator();
1434       while( fc2rgItr.hasNext() ) {
1435         Map.Entry  me2 = (Map.Entry)  fc2rgItr.next();
1436         FlatCall   fc  = (FlatCall)   me2.getKey();
1437         ReachGraph rg  = (ReachGraph) me2.getValue();
1438                 
1439         rg.writeGraph( "IHMPARTFOR"+d+"FROM"+fc2enclosing.get( fc )+fc,
1440                        true,   // write labels (variables)
1441                        true,   // selectively hide intermediate temp vars
1442                        true,   // hide reachability altogether
1443                        true,   // prune unreachable heap regions
1444                        true,   // hide subset reachability states
1445                        false,  // hide predicates
1446                        true ); // hide edge taints
1447       }
1448     }
1449   }
1450
1451   private void writeInitialContexts() {
1452     Set entrySet = mapDescriptorToInitialContext.entrySet();
1453     Iterator itr = entrySet.iterator();
1454     while( itr.hasNext() ) {
1455       Map.Entry  me = (Map.Entry)  itr.next();
1456       Descriptor  d = (Descriptor) me.getKey();
1457       ReachGraph rg = (ReachGraph) me.getValue();
1458
1459       rg.writeGraph( "INITIAL"+d,
1460                      true,   // write labels (variables)                
1461                      true,   // selectively hide intermediate temp vars 
1462                      true,   // prune unreachable heap regions          
1463                      false,  // hide all reachability
1464                      true,   // hide subset reachability states         
1465                      true,   // hide predicates
1466                      false );// hide edge taints                        
1467     }
1468   }
1469    
1470
1471   protected ReachGraph getPartial( Descriptor d ) {
1472     return mapDescriptorToCompleteReachGraph.get( d );
1473   }
1474
1475   protected void setPartial( Descriptor d, ReachGraph rg ) {
1476     mapDescriptorToCompleteReachGraph.put( d, rg );
1477
1478     // when the flag for writing out every partial
1479     // result is set, we should spit out the graph,
1480     // but in order to give it a unique name we need
1481     // to track how many partial results for this
1482     // descriptor we've already written out
1483     if( writeAllIncrementalDOTs ) {
1484       if( !mapDescriptorToNumUpdates.containsKey( d ) ) {
1485         mapDescriptorToNumUpdates.put( d, new Integer( 0 ) );
1486       }
1487       Integer n = mapDescriptorToNumUpdates.get( d );
1488       
1489       rg.writeGraph( d+"COMPLETE"+String.format( "%05d", n ),
1490                      true,   // write labels (variables)
1491                      true,   // selectively hide intermediate temp vars
1492                      true,   // prune unreachable heap regions
1493                      false,  // hide all reachability
1494                      true,   // hide subset reachability states
1495                      false,  // hide predicates
1496                      false); // hide edge taints
1497       
1498       mapDescriptorToNumUpdates.put( d, n + 1 );
1499     }
1500   }
1501
1502
1503
1504   // return just the allocation site associated with one FlatNew node
1505   protected AllocSite getAllocSiteFromFlatNewPRIVATE( FlatNew fnew ) {
1506
1507     if( !mapFlatNewToAllocSite.containsKey( fnew ) ) {
1508       AllocSite as = AllocSite.factory( allocationDepth, 
1509                                         fnew, 
1510                                         fnew.getDisjointId(),
1511                                         false
1512                                         );
1513
1514       // the newest nodes are single objects
1515       for( int i = 0; i < allocationDepth; ++i ) {
1516         Integer id = generateUniqueHeapRegionNodeID();
1517         as.setIthOldest( i, id );
1518         mapHrnIdToAllocSite.put( id, as );
1519       }
1520
1521       // the oldest node is a summary node
1522       as.setSummary( generateUniqueHeapRegionNodeID() );
1523
1524       mapFlatNewToAllocSite.put( fnew, as );
1525     }
1526
1527     return mapFlatNewToAllocSite.get( fnew );
1528   }
1529
1530
1531   public static boolean shouldAnalysisTrack( TypeDescriptor type ) {
1532     // don't track primitive types, but an array
1533     // of primitives is heap memory
1534     if( type.isImmutable() ) {
1535       return type.isArray();
1536     }
1537
1538     // everything else is an object
1539     return true;
1540   }
1541
1542   protected int numMethodsAnalyzed() {    
1543     return descriptorsToAnalyze.size();
1544   }
1545   
1546
1547   
1548   
1549   
1550   // Take in source entry which is the program's compiled entry and
1551   // create a new analysis entry, a method that takes no parameters
1552   // and appears to allocate the command line arguments and call the
1553   // source entry with them.  The purpose of this analysis entry is
1554   // to provide a top-level method context with no parameters left.
1555   protected void makeAnalysisEntryMethod( MethodDescriptor mdSourceEntry ) {
1556
1557     Modifiers mods = new Modifiers();
1558     mods.addModifier( Modifiers.PUBLIC );
1559     mods.addModifier( Modifiers.STATIC );
1560
1561     TypeDescriptor returnType = 
1562       new TypeDescriptor( TypeDescriptor.VOID );
1563
1564     this.mdAnalysisEntry = 
1565       new MethodDescriptor( mods,
1566                             returnType,
1567                             "analysisEntryMethod"
1568                             );
1569
1570     TempDescriptor cmdLineArgs = 
1571       new TempDescriptor( "args",
1572                           mdSourceEntry.getParamType( 0 )
1573                           );
1574
1575     FlatNew fn = 
1576       new FlatNew( mdSourceEntry.getParamType( 0 ),
1577                    cmdLineArgs,
1578                    false // is global 
1579                    );
1580     
1581     TempDescriptor[] sourceEntryArgs = new TempDescriptor[1];
1582     sourceEntryArgs[0] = cmdLineArgs;
1583     
1584     FlatCall fc = 
1585       new FlatCall( mdSourceEntry,
1586                     null, // dst temp
1587                     null, // this temp
1588                     sourceEntryArgs
1589                     );
1590
1591     FlatReturnNode frn = new FlatReturnNode( null );
1592
1593     FlatExit fe = new FlatExit();
1594
1595     this.fmAnalysisEntry = 
1596       new FlatMethod( mdAnalysisEntry, 
1597                       fe
1598                       );
1599
1600     this.fmAnalysisEntry.addNext( fn );
1601     fn.addNext( fc );
1602     fc.addNext( frn );
1603     frn.addNext( fe );
1604   }
1605
1606
1607   protected LinkedList<Descriptor> topologicalSort( Set<Descriptor> toSort ) {
1608
1609     Set<Descriptor> discovered;
1610
1611     if( determinismDesired ) {
1612       // use an ordered set
1613       discovered = new TreeSet<Descriptor>( dComp );      
1614     } else {
1615       // otherwise use a speedy hashset
1616       discovered = new HashSet<Descriptor>();
1617     }
1618
1619     LinkedList<Descriptor> sorted = new LinkedList<Descriptor>();
1620   
1621     Iterator<Descriptor> itr = toSort.iterator();
1622     while( itr.hasNext() ) {
1623       Descriptor d = itr.next();
1624           
1625       if( !discovered.contains( d ) ) {
1626         dfsVisit( d, toSort, sorted, discovered );
1627       }
1628     }
1629     
1630     return sorted;
1631   }
1632   
1633   // While we're doing DFS on call graph, remember
1634   // dependencies for efficient queuing of methods
1635   // during interprocedural analysis:
1636   //
1637   // a dependent of a method decriptor d for this analysis is:
1638   //  1) a method or task that invokes d
1639   //  2) in the descriptorsToAnalyze set
1640   protected void dfsVisit( Descriptor             d,
1641                            Set       <Descriptor> toSort,                        
1642                            LinkedList<Descriptor> sorted,
1643                            Set       <Descriptor> discovered ) {
1644     discovered.add( d );
1645     
1646     // only methods have callers, tasks never do
1647     if( d instanceof MethodDescriptor ) {
1648
1649       MethodDescriptor md = (MethodDescriptor) d;
1650
1651       // the call graph is not aware that we have a fabricated
1652       // analysis entry that calls the program source's entry
1653       if( md == mdSourceEntry ) {
1654         if( !discovered.contains( mdAnalysisEntry ) ) {
1655           addDependent( mdSourceEntry,  // callee
1656                         mdAnalysisEntry // caller
1657                         );
1658           dfsVisit( mdAnalysisEntry, toSort, sorted, discovered );
1659         }
1660       }
1661
1662       // otherwise call graph guides DFS
1663       Iterator itr = callGraph.getCallerSet( md ).iterator();
1664       while( itr.hasNext() ) {
1665         Descriptor dCaller = (Descriptor) itr.next();
1666         
1667         // only consider callers in the original set to analyze
1668         if( !toSort.contains( dCaller ) ) {
1669           continue;
1670         }
1671           
1672         if( !discovered.contains( dCaller ) ) {
1673           addDependent( md,     // callee
1674                         dCaller // caller
1675                         );
1676
1677           dfsVisit( dCaller, toSort, sorted, discovered );
1678         }
1679       }
1680     }
1681     
1682     // for leaf-nodes last now!
1683     sorted.addLast( d );
1684   }
1685
1686
1687   protected void enqueue( Descriptor d ) {
1688
1689     if( !descriptorsToVisitSet.contains( d ) ) {
1690
1691       if( state.DISJOINTDVISITSTACK ||
1692           state.DISJOINTDVISITSTACKEESONTOP
1693           ) {
1694         descriptorsToVisitStack.add( d );
1695
1696       } else if( state.DISJOINTDVISITPQUE ) {
1697         Integer priority = mapDescriptorToPriority.get( d );
1698         descriptorsToVisitQ.add( new DescriptorQWrapper( priority, 
1699                                                          d ) 
1700                                  );
1701       }
1702
1703       descriptorsToVisitSet.add( d );
1704     }
1705   }
1706
1707
1708   // a dependent of a method decriptor d for this analysis is:
1709   //  1) a method or task that invokes d
1710   //  2) in the descriptorsToAnalyze set
1711   protected void addDependent( Descriptor callee, Descriptor caller ) {
1712     Set<Descriptor> deps = mapDescriptorToSetDependents.get( callee );
1713     if( deps == null ) {
1714       deps = new HashSet<Descriptor>();
1715     }
1716     deps.add( caller );
1717     mapDescriptorToSetDependents.put( callee, deps );
1718   }
1719   
1720   protected Set<Descriptor> getDependents( Descriptor callee ) {
1721     Set<Descriptor> deps = mapDescriptorToSetDependents.get( callee );
1722     if( deps == null ) {
1723       deps = new HashSet<Descriptor>();
1724       mapDescriptorToSetDependents.put( callee, deps );
1725     }
1726     return deps;
1727   }
1728
1729   
1730   public Hashtable<FlatCall, ReachGraph> getIHMcontributions( Descriptor d ) {
1731
1732     Hashtable<FlatCall, ReachGraph> heapsFromCallers = 
1733       mapDescriptorToIHMcontributions.get( d );
1734     
1735     if( heapsFromCallers == null ) {
1736       heapsFromCallers = new Hashtable<FlatCall, ReachGraph>();
1737       mapDescriptorToIHMcontributions.put( d, heapsFromCallers );
1738     }
1739     
1740     return heapsFromCallers;
1741   }
1742
1743   public ReachGraph getIHMcontribution( Descriptor d, 
1744                                         FlatCall   fc
1745                                         ) {
1746     Hashtable<FlatCall, ReachGraph> heapsFromCallers = 
1747       getIHMcontributions( d );
1748
1749     if( !heapsFromCallers.containsKey( fc ) ) {
1750       return null;
1751     }
1752
1753     return heapsFromCallers.get( fc );
1754   }
1755
1756
1757   public void addIHMcontribution( Descriptor d,
1758                                   FlatCall   fc,
1759                                   ReachGraph rg
1760                                   ) {
1761     Hashtable<FlatCall, ReachGraph> heapsFromCallers = 
1762       getIHMcontributions( d );
1763
1764     heapsFromCallers.put( fc, rg );
1765   }
1766
1767
1768   private AllocSite createParameterAllocSite( ReachGraph     rg, 
1769                                               TempDescriptor tempDesc,
1770                                               boolean        flagRegions
1771                                               ) {
1772     
1773     FlatNew flatNew;
1774     if( flagRegions ) {
1775       flatNew = new FlatNew( tempDesc.getType(), // type
1776                              tempDesc,           // param temp
1777                              false,              // global alloc?
1778                              "param"+tempDesc    // disjoint site ID string
1779                              );
1780     } else {
1781       flatNew = new FlatNew( tempDesc.getType(), // type
1782                              tempDesc,           // param temp
1783                              false,              // global alloc?
1784                              null                // disjoint site ID string
1785                              );
1786     }
1787
1788     // create allocation site
1789     AllocSite as = AllocSite.factory( allocationDepth, 
1790                                       flatNew, 
1791                                       flatNew.getDisjointId(),
1792                                       false
1793                                       );
1794     for (int i = 0; i < allocationDepth; ++i) {
1795         Integer id = generateUniqueHeapRegionNodeID();
1796         as.setIthOldest(i, id);
1797         mapHrnIdToAllocSite.put(id, as);
1798     }
1799     // the oldest node is a summary node
1800     as.setSummary( generateUniqueHeapRegionNodeID() );
1801     
1802     rg.age(as);
1803     
1804     return as;
1805     
1806   }
1807
1808 private Set<FieldDescriptor> getFieldSetTobeAnalyzed(TypeDescriptor typeDesc){
1809         
1810         Set<FieldDescriptor> fieldSet=new HashSet<FieldDescriptor>();
1811     if(!typeDesc.isImmutable()){
1812             ClassDescriptor classDesc = typeDesc.getClassDesc();                    
1813             for (Iterator it = classDesc.getFields(); it.hasNext();) {
1814                     FieldDescriptor field = (FieldDescriptor) it.next();
1815                     TypeDescriptor fieldType = field.getType();
1816                     if (shouldAnalysisTrack( fieldType )) {
1817                         fieldSet.add(field);                    
1818                     }
1819             }
1820     }
1821     return fieldSet;
1822         
1823 }
1824
1825   private HeapRegionNode createMultiDeimensionalArrayHRN(ReachGraph rg, AllocSite alloc, HeapRegionNode srcHRN, FieldDescriptor fd, Hashtable<HeapRegionNode, HeapRegionNode> map, Hashtable<TypeDescriptor, HeapRegionNode> mapToExistingNode, ReachSet alpha ){
1826
1827         int dimCount=fd.getType().getArrayCount();
1828         HeapRegionNode prevNode=null;
1829         HeapRegionNode arrayEntryNode=null;
1830         for(int i=dimCount;i>0;i--){
1831                 TypeDescriptor typeDesc=fd.getType().dereference();//hack to get instance of type desc
1832                 typeDesc.setArrayCount(i);
1833                 TempDescriptor tempDesc=new TempDescriptor(typeDesc.getSymbol(),typeDesc);
1834                 HeapRegionNode hrnSummary ;
1835                 if(!mapToExistingNode.containsKey(typeDesc)){
1836                         AllocSite as;
1837                         if(i==dimCount){
1838                                 as = alloc;
1839                         }else{
1840                           as = createParameterAllocSite(rg, tempDesc, false);
1841                         }
1842                         // make a new reference to allocated node
1843                     hrnSummary = 
1844                                 rg.createNewHeapRegionNode(as.getSummary(), // id or null to generate a new one
1845                                                            false, // single object?
1846                                                            true, // summary?
1847                                                            false, // out-of-context?
1848                                                            as.getType(), // type
1849                                                            as, // allocation site
1850                                                            alpha, // inherent reach
1851                                                            alpha, // current reach
1852                                                            ExistPredSet.factory(rg.predTrue), // predicates
1853                                                            tempDesc.toString() // description
1854                                                            );
1855                     rg.id2hrn.put(as.getSummary(),hrnSummary);
1856                     
1857                     mapToExistingNode.put(typeDesc, hrnSummary);
1858                 }else{
1859                         hrnSummary=mapToExistingNode.get(typeDesc);
1860                 }
1861             
1862             if(prevNode==null){
1863                     // make a new reference between new summary node and source
1864               RefEdge edgeToSummary = new RefEdge(srcHRN, // source
1865                                                         hrnSummary, // dest
1866                                                         typeDesc, // type
1867                                                         fd.getSymbol(), // field name
1868                                                         alpha, // beta
1869                                                   ExistPredSet.factory(rg.predTrue), // predicates
1870                                                   null
1871                                                         );
1872                     
1873                     rg.addRefEdge(srcHRN, hrnSummary, edgeToSummary);
1874                     prevNode=hrnSummary;
1875                     arrayEntryNode=hrnSummary;
1876             }else{
1877                     // make a new reference between summary nodes of array
1878                     RefEdge edgeToSummary = new RefEdge(prevNode, // source
1879                                                         hrnSummary, // dest
1880                                                         typeDesc, // type
1881                                                         arrayElementFieldName, // field name
1882                                                         alpha, // beta
1883                                                         ExistPredSet.factory(rg.predTrue), // predicates
1884                                                         null
1885                                                         );
1886                     
1887                     rg.addRefEdge(prevNode, hrnSummary, edgeToSummary);
1888                     prevNode=hrnSummary;
1889             }
1890             
1891         }
1892         
1893         // create a new obj node if obj has at least one non-primitive field
1894         TypeDescriptor type=fd.getType();
1895     if(getFieldSetTobeAnalyzed(type).size()>0){
1896         TypeDescriptor typeDesc=type.dereference();
1897         typeDesc.setArrayCount(0);
1898         if(!mapToExistingNode.containsKey(typeDesc)){
1899                 TempDescriptor tempDesc=new TempDescriptor(type.getSymbol(),typeDesc);
1900                 AllocSite as = createParameterAllocSite(rg, tempDesc, false);
1901                 // make a new reference to allocated node
1902                     HeapRegionNode hrnSummary = 
1903                                 rg.createNewHeapRegionNode(as.getSummary(), // id or null to generate a new one
1904                                                            false, // single object?
1905                                                            true, // summary?
1906                                                            false, // out-of-context?
1907                                                            typeDesc, // type
1908                                                            as, // allocation site
1909                                                            alpha, // inherent reach
1910                                                            alpha, // current reach
1911                                                            ExistPredSet.factory(rg.predTrue), // predicates
1912                                                            tempDesc.toString() // description
1913                                                            );
1914                     rg.id2hrn.put(as.getSummary(),hrnSummary);
1915                     mapToExistingNode.put(typeDesc, hrnSummary);
1916                     RefEdge edgeToSummary = new RefEdge(prevNode, // source
1917                                         hrnSummary, // dest
1918                                         typeDesc, // type
1919                                         arrayElementFieldName, // field name
1920                                         alpha, // beta
1921                                                         ExistPredSet.factory(rg.predTrue), // predicates
1922                                                         null
1923                                         );
1924                     rg.addRefEdge(prevNode, hrnSummary, edgeToSummary);
1925                     prevNode=hrnSummary;
1926         }else{
1927           HeapRegionNode hrnSummary=mapToExistingNode.get(typeDesc);
1928                 if(prevNode.getReferenceTo(hrnSummary, typeDesc, arrayElementFieldName)==null){
1929                         RefEdge edgeToSummary = new RefEdge(prevNode, // source
1930                                         hrnSummary, // dest
1931                                         typeDesc, // type
1932                                         arrayElementFieldName, // field name
1933                                         alpha, // beta
1934                                                             ExistPredSet.factory(rg.predTrue), // predicates
1935                                                             null
1936                                         );
1937                     rg.addRefEdge(prevNode, hrnSummary, edgeToSummary);
1938                 }
1939                  prevNode=hrnSummary;
1940         }
1941     }
1942         
1943         map.put(arrayEntryNode, prevNode);
1944         return arrayEntryNode;
1945 }
1946
1947 private ReachGraph createInitialTaskReachGraph(FlatMethod fm) {
1948     ReachGraph rg = new ReachGraph();
1949     TaskDescriptor taskDesc = fm.getTask();
1950     
1951     for (int idx = 0; idx < taskDesc.numParameters(); idx++) {
1952         Descriptor paramDesc = taskDesc.getParameter(idx);
1953         TypeDescriptor paramTypeDesc = taskDesc.getParamType(idx);
1954         
1955         // setup data structure
1956         Set<HashMap<HeapRegionNode, FieldDescriptor>> workSet = 
1957             new HashSet<HashMap<HeapRegionNode, FieldDescriptor>>();
1958         Hashtable<TypeDescriptor, HeapRegionNode> mapTypeToExistingSummaryNode = 
1959             new Hashtable<TypeDescriptor, HeapRegionNode>();
1960         Hashtable<HeapRegionNode, HeapRegionNode> mapToFirstDimensionArrayNode = 
1961             new Hashtable<HeapRegionNode, HeapRegionNode>();
1962         Set<String> doneSet = new HashSet<String>();
1963         
1964         TempDescriptor tempDesc = fm.getParameter(idx);
1965         
1966         AllocSite as = createParameterAllocSite(rg, tempDesc, true);
1967         VariableNode lnX = rg.getVariableNodeFromTemp(tempDesc);
1968         Integer idNewest = as.getIthOldest(0);
1969         HeapRegionNode hrnNewest = rg.id2hrn.get(idNewest);
1970
1971         // make a new reference to allocated node
1972         RefEdge edgeNew = new RefEdge(lnX, // source
1973                                       hrnNewest, // dest
1974                                       taskDesc.getParamType(idx), // type
1975                                       null, // field name
1976                                       hrnNewest.getAlpha(), // beta
1977                                       ExistPredSet.factory(rg.predTrue), // predicates
1978                                       null
1979                                       );
1980         rg.addRefEdge(lnX, hrnNewest, edgeNew);
1981
1982         // set-up a work set for class field
1983         ClassDescriptor classDesc = paramTypeDesc.getClassDesc();
1984         for (Iterator it = classDesc.getFields(); it.hasNext();) {
1985             FieldDescriptor fd = (FieldDescriptor) it.next();
1986             TypeDescriptor fieldType = fd.getType();
1987             if (shouldAnalysisTrack( fieldType )) {
1988                 HashMap<HeapRegionNode, FieldDescriptor> newMap = new HashMap<HeapRegionNode, FieldDescriptor>();
1989                 newMap.put(hrnNewest, fd);
1990                 workSet.add(newMap);
1991             }
1992         }
1993         
1994         int uniqueIdentifier = 0;
1995         while (!workSet.isEmpty()) {
1996             HashMap<HeapRegionNode, FieldDescriptor> map = workSet
1997                 .iterator().next();
1998             workSet.remove(map);
1999             
2000             Set<HeapRegionNode> key = map.keySet();
2001             HeapRegionNode srcHRN = key.iterator().next();
2002             FieldDescriptor fd = map.get(srcHRN);
2003             TypeDescriptor type = fd.getType();
2004             String doneSetIdentifier = srcHRN.getIDString() + "_" + fd;
2005             
2006             if (!doneSet.contains(doneSetIdentifier)) {
2007                 doneSet.add(doneSetIdentifier);
2008                 if (!mapTypeToExistingSummaryNode.containsKey(type)) {
2009                     // create new summary Node
2010                     TempDescriptor td = new TempDescriptor("temp"
2011                                                            + uniqueIdentifier, type);
2012                     
2013                     AllocSite allocSite;
2014                     if(type.equals(paramTypeDesc)){
2015                     //corresponding allocsite has already been created for a parameter variable.
2016                         allocSite=as;
2017                     }else{
2018                       allocSite = createParameterAllocSite(rg, td, false);
2019                     }
2020                     String strDesc = allocSite.toStringForDOT()
2021                         + "\\nsummary";
2022                     TypeDescriptor allocType=allocSite.getType();
2023                     
2024                     HeapRegionNode      hrnSummary;
2025                     if(allocType.isArray() && allocType.getArrayCount()>0){
2026                       hrnSummary=createMultiDeimensionalArrayHRN(rg,allocSite,srcHRN,fd,mapToFirstDimensionArrayNode,mapTypeToExistingSummaryNode,hrnNewest.getAlpha());
2027                     }else{                  
2028                         hrnSummary = 
2029                                         rg.createNewHeapRegionNode(allocSite.getSummary(), // id or null to generate a new one
2030                                                                    false, // single object?
2031                                                                    true, // summary?
2032                                                                    false, // out-of-context?
2033                                                                    allocSite.getType(), // type
2034                                                                    allocSite, // allocation site
2035                                                                    hrnNewest.getAlpha(), // inherent reach
2036                                                                    hrnNewest.getAlpha(), // current reach
2037                                                                    ExistPredSet.factory(rg.predTrue), // predicates
2038                                                                    strDesc // description
2039                                                                    );
2040                                     rg.id2hrn.put(allocSite.getSummary(),hrnSummary);
2041                     
2042                     // make a new reference to summary node
2043                     RefEdge edgeToSummary = new RefEdge(srcHRN, // source
2044                                                         hrnSummary, // dest
2045                                                         type, // type
2046                                                         fd.getSymbol(), // field name
2047                                                         hrnNewest.getAlpha(), // beta
2048                                                         ExistPredSet.factory(rg.predTrue), // predicates
2049                                                         null
2050                                                         );
2051                     
2052                     rg.addRefEdge(srcHRN, hrnSummary, edgeToSummary);
2053                     }               
2054                     uniqueIdentifier++;
2055                     
2056                     mapTypeToExistingSummaryNode.put(type, hrnSummary);
2057                     
2058                     // set-up a work set for  fields of the class
2059                     Set<FieldDescriptor> fieldTobeAnalyzed=getFieldSetTobeAnalyzed(type);
2060                     for (Iterator iterator = fieldTobeAnalyzed.iterator(); iterator
2061                                         .hasNext();) {
2062                                 FieldDescriptor fieldDescriptor = (FieldDescriptor) iterator
2063                                                 .next();
2064                                 HeapRegionNode newDstHRN;
2065                                 if(mapToFirstDimensionArrayNode.containsKey(hrnSummary)){
2066                                         //related heap region node is already exsited.
2067                                         newDstHRN=mapToFirstDimensionArrayNode.get(hrnSummary);
2068                                 }else{
2069                                         newDstHRN=hrnSummary;
2070                                 }
2071                                  doneSetIdentifier = newDstHRN.getIDString() + "_" + fieldDescriptor;                                                            
2072                                  if(!doneSet.contains(doneSetIdentifier)){
2073                                  // add new work item
2074                                          HashMap<HeapRegionNode, FieldDescriptor> newMap = 
2075                                             new HashMap<HeapRegionNode, FieldDescriptor>();
2076                                          newMap.put(newDstHRN, fieldDescriptor);
2077                                          workSet.add(newMap);
2078                                   }                             
2079                         }
2080                     
2081                 }else{
2082                     // if there exists corresponding summary node
2083                     HeapRegionNode hrnDst=mapTypeToExistingSummaryNode.get(type);
2084                     
2085                     RefEdge edgeToSummary = new RefEdge(srcHRN, // source
2086                                                         hrnDst, // dest
2087                                                         fd.getType(), // type
2088                                                         fd.getSymbol(), // field name
2089                                                         srcHRN.getAlpha(), // beta
2090                                                         ExistPredSet.factory(rg.predTrue), // predicates  
2091                                                         null
2092                                                         );
2093                     rg.addRefEdge(srcHRN, hrnDst, edgeToSummary);
2094                     
2095                 }               
2096             }       
2097         }           
2098     }   
2099 //    debugSnapshot(rg, fm, true);
2100     return rg;
2101 }
2102
2103 // return all allocation sites in the method (there is one allocation
2104 // site per FlatNew node in a method)
2105 private HashSet<AllocSite> getAllocationSiteSet(Descriptor d) {
2106   if( !mapDescriptorToAllocSiteSet.containsKey(d) ) {
2107     buildAllocationSiteSet(d);
2108   }
2109
2110   return mapDescriptorToAllocSiteSet.get(d);
2111
2112 }
2113
2114 private void buildAllocationSiteSet(Descriptor d) {
2115     HashSet<AllocSite> s = new HashSet<AllocSite>();
2116
2117     FlatMethod fm;
2118     if( d instanceof MethodDescriptor ) {
2119       fm = state.getMethodFlat( (MethodDescriptor) d);
2120     } else {
2121       assert d instanceof TaskDescriptor;
2122       fm = state.getMethodFlat( (TaskDescriptor) d);
2123     }
2124     pm.analyzeMethod(fm);
2125
2126     // visit every node in this FlatMethod's IR graph
2127     // and make a set of the allocation sites from the
2128     // FlatNew node's visited
2129     HashSet<FlatNode> visited = new HashSet<FlatNode>();
2130     HashSet<FlatNode> toVisit = new HashSet<FlatNode>();
2131     toVisit.add(fm);
2132
2133     while( !toVisit.isEmpty() ) {
2134       FlatNode n = toVisit.iterator().next();
2135
2136       if( n instanceof FlatNew ) {
2137         s.add(getAllocSiteFromFlatNewPRIVATE( (FlatNew) n) );
2138       }
2139
2140       toVisit.remove(n);
2141       visited.add(n);
2142
2143       for( int i = 0; i < pm.numNext(n); ++i ) {
2144         FlatNode child = pm.getNext(n, i);
2145         if( !visited.contains(child) ) {
2146           toVisit.add(child);
2147         }
2148       }
2149     }
2150
2151     mapDescriptorToAllocSiteSet.put(d, s);
2152   }
2153
2154         private HashSet<AllocSite> getFlaggedAllocationSites(Descriptor dIn) {
2155
2156                 HashSet<AllocSite> out = new HashSet<AllocSite>();
2157                 HashSet<Descriptor> toVisit = new HashSet<Descriptor>();
2158                 HashSet<Descriptor> visited = new HashSet<Descriptor>();
2159
2160                 toVisit.add(dIn);
2161
2162                 while (!toVisit.isEmpty()) {
2163                         Descriptor d = toVisit.iterator().next();
2164                         toVisit.remove(d);
2165                         visited.add(d);
2166
2167                         HashSet<AllocSite> asSet = getAllocationSiteSet(d);
2168                         Iterator asItr = asSet.iterator();
2169                         while (asItr.hasNext()) {
2170                                 AllocSite as = (AllocSite) asItr.next();
2171                                 if (as.getDisjointAnalysisId() != null) {
2172                                         out.add(as);
2173                                 }
2174                         }
2175
2176                         // enqueue callees of this method to be searched for
2177                         // allocation sites also
2178                         Set callees = callGraph.getCalleeSet(d);
2179                         if (callees != null) {
2180                                 Iterator methItr = callees.iterator();
2181                                 while (methItr.hasNext()) {
2182                                         MethodDescriptor md = (MethodDescriptor) methItr.next();
2183
2184                                         if (!visited.contains(md)) {
2185                                                 toVisit.add(md);
2186                                         }
2187                                 }
2188                         }
2189                 }
2190
2191                 return out;
2192         }
2193  
2194     
2195 private HashSet<AllocSite>
2196 getFlaggedAllocationSitesReachableFromTaskPRIVATE(TaskDescriptor td) {
2197
2198   HashSet<AllocSite> asSetTotal = new HashSet<AllocSite>();
2199   HashSet<Descriptor>     toVisit    = new HashSet<Descriptor>();
2200   HashSet<Descriptor>     visited    = new HashSet<Descriptor>();
2201
2202   toVisit.add(td);
2203
2204   // traverse this task and all methods reachable from this task
2205   while( !toVisit.isEmpty() ) {
2206     Descriptor d = toVisit.iterator().next();
2207     toVisit.remove(d);
2208     visited.add(d);
2209
2210     HashSet<AllocSite> asSet = getAllocationSiteSet(d);
2211     Iterator asItr = asSet.iterator();
2212     while( asItr.hasNext() ) {
2213         AllocSite as = (AllocSite) asItr.next();
2214         TypeDescriptor typed = as.getType();
2215         if( typed != null ) {
2216           ClassDescriptor cd = typed.getClassDesc();
2217           if( cd != null && cd.hasFlags() ) {
2218             asSetTotal.add(as);
2219           }
2220         }
2221     }
2222
2223     // enqueue callees of this method to be searched for
2224     // allocation sites also
2225     Set callees = callGraph.getCalleeSet(d);
2226     if( callees != null ) {
2227         Iterator methItr = callees.iterator();
2228         while( methItr.hasNext() ) {
2229           MethodDescriptor md = (MethodDescriptor) methItr.next();
2230
2231           if( !visited.contains(md) ) {
2232             toVisit.add(md);
2233           }
2234         }
2235     }
2236   }
2237
2238   return asSetTotal;
2239 }
2240
2241   public Set<Descriptor> getDescriptorsToAnalyze() {
2242     return descriptorsToAnalyze;
2243   }
2244
2245   public EffectsAnalysis getEffectsAnalysis(){
2246     return effectsAnalysis;
2247   }
2248   
2249   
2250   // get successive captures of the analysis state, use compiler
2251   // flags to control
2252   boolean takeDebugSnapshots = false;
2253   String  descSymbolDebug    = null;
2254   boolean stopAfterCapture   = false;
2255   int     snapVisitCounter   = 0;
2256   int     snapNodeCounter    = 0;
2257   int     visitStartCapture  = 0;
2258   int     numVisitsToCapture = 0;
2259
2260
2261   void debugSnapshot( ReachGraph rg, FlatNode fn, boolean in ) {
2262     if( snapVisitCounter > visitStartCapture + numVisitsToCapture ) {
2263       return;
2264     }
2265
2266     if( in ) {
2267
2268     }
2269
2270     if( snapVisitCounter >= visitStartCapture ) {
2271       System.out.println( "    @@@ snapping visit="+snapVisitCounter+
2272                           ", node="+snapNodeCounter+
2273                           " @@@" );
2274       String graphName;
2275       if( in ) {
2276         graphName = String.format( "snap%03d_%04din",
2277                                    snapVisitCounter,
2278                                    snapNodeCounter );
2279       } else {
2280         graphName = String.format( "snap%03d_%04dout",
2281                                    snapVisitCounter,
2282                                    snapNodeCounter );
2283       }
2284       if( fn != null ) {
2285         graphName = graphName + fn;
2286       }
2287       rg.writeGraph( graphName,
2288                      true,   // write labels (variables)
2289                      true,   // selectively hide intermediate temp vars
2290                      true,   // prune unreachable heap regions
2291                      false,  // hide reachability
2292                      true,   // hide subset reachability states
2293                      true,   // hide predicates
2294                      false );// hide edge taints
2295     }
2296   }
2297
2298 }