[PM/AA] Hoist the AliasResult enum out of the AliasAnalysis class.
[oota-llvm.git] / lib / Analysis / IPA / GlobalsModRef.cpp
1 //===- GlobalsModRef.cpp - Simple Mod/Ref Analysis for Globals ------------===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // This simple pass provides alias and mod/ref information for global values
11 // that do not have their address taken, and keeps track of whether functions
12 // read or write memory (are "pure").  For this simple (but very common) case,
13 // we can provide pretty accurate and useful information.
14 //
15 //===----------------------------------------------------------------------===//
16
17 #include "llvm/Analysis/Passes.h"
18 #include "llvm/ADT/SCCIterator.h"
19 #include "llvm/ADT/Statistic.h"
20 #include "llvm/Analysis/AliasAnalysis.h"
21 #include "llvm/Analysis/CallGraph.h"
22 #include "llvm/Analysis/MemoryBuiltins.h"
23 #include "llvm/Analysis/ValueTracking.h"
24 #include "llvm/IR/Constants.h"
25 #include "llvm/IR/DerivedTypes.h"
26 #include "llvm/IR/InstIterator.h"
27 #include "llvm/IR/Instructions.h"
28 #include "llvm/IR/IntrinsicInst.h"
29 #include "llvm/IR/Module.h"
30 #include "llvm/Pass.h"
31 #include "llvm/Support/CommandLine.h"
32 #include <set>
33 using namespace llvm;
34
35 #define DEBUG_TYPE "globalsmodref-aa"
36
37 STATISTIC(NumNonAddrTakenGlobalVars,
38           "Number of global vars without address taken");
39 STATISTIC(NumNonAddrTakenFunctions,"Number of functions without address taken");
40 STATISTIC(NumNoMemFunctions, "Number of functions that do not access memory");
41 STATISTIC(NumReadMemFunctions, "Number of functions that only read memory");
42 STATISTIC(NumIndirectGlobalVars, "Number of indirect global objects");
43
44 namespace {
45   /// FunctionRecord - One instance of this structure is stored for every
46   /// function in the program.  Later, the entries for these functions are
47   /// removed if the function is found to call an external function (in which
48   /// case we know nothing about it.
49   struct FunctionRecord {
50     /// GlobalInfo - Maintain mod/ref info for all of the globals without
51     /// addresses taken that are read or written (transitively) by this
52     /// function.
53     std::map<const GlobalValue*, unsigned> GlobalInfo;
54
55     /// MayReadAnyGlobal - May read global variables, but it is not known which.
56     bool MayReadAnyGlobal;
57
58     unsigned getInfoForGlobal(const GlobalValue *GV) const {
59       unsigned Effect = MayReadAnyGlobal ? AliasAnalysis::Ref : 0;
60       std::map<const GlobalValue*, unsigned>::const_iterator I =
61         GlobalInfo.find(GV);
62       if (I != GlobalInfo.end())
63         Effect |= I->second;
64       return Effect;
65     }
66
67     /// FunctionEffect - Capture whether or not this function reads or writes to
68     /// ANY memory.  If not, we can do a lot of aggressive analysis on it.
69     unsigned FunctionEffect;
70
71     FunctionRecord() : MayReadAnyGlobal (false), FunctionEffect(0) {}
72   };
73
74   /// GlobalsModRef - The actual analysis pass.
75   class GlobalsModRef : public ModulePass, public AliasAnalysis {
76     /// NonAddressTakenGlobals - The globals that do not have their addresses
77     /// taken.
78     std::set<const GlobalValue*> NonAddressTakenGlobals;
79
80     /// IndirectGlobals - The memory pointed to by this global is known to be
81     /// 'owned' by the global.
82     std::set<const GlobalValue*> IndirectGlobals;
83
84     /// AllocsForIndirectGlobals - If an instruction allocates memory for an
85     /// indirect global, this map indicates which one.
86     std::map<const Value*, const GlobalValue*> AllocsForIndirectGlobals;
87
88     /// FunctionInfo - For each function, keep track of what globals are
89     /// modified or read.
90     std::map<const Function*, FunctionRecord> FunctionInfo;
91
92   public:
93     static char ID;
94     GlobalsModRef() : ModulePass(ID) {
95       initializeGlobalsModRefPass(*PassRegistry::getPassRegistry());
96     }
97
98     bool runOnModule(Module &M) override {
99       InitializeAliasAnalysis(this, &M.getDataLayout());
100
101       // Find non-addr taken globals.
102       AnalyzeGlobals(M);
103
104       // Propagate on CG.
105       AnalyzeCallGraph(getAnalysis<CallGraphWrapperPass>().getCallGraph(), M);
106       return false;
107     }
108
109     void getAnalysisUsage(AnalysisUsage &AU) const override {
110       AliasAnalysis::getAnalysisUsage(AU);
111       AU.addRequired<CallGraphWrapperPass>();
112       AU.setPreservesAll();                         // Does not transform code
113     }
114
115     //------------------------------------------------
116     // Implement the AliasAnalysis API
117     //
118     AliasResult alias(const MemoryLocation &LocA,
119                       const MemoryLocation &LocB) override;
120     ModRefResult getModRefInfo(ImmutableCallSite CS,
121                                const MemoryLocation &Loc) override;
122     ModRefResult getModRefInfo(ImmutableCallSite CS1,
123                                ImmutableCallSite CS2) override {
124       return AliasAnalysis::getModRefInfo(CS1, CS2);
125     }
126
127     /// getModRefBehavior - Return the behavior of the specified function if
128     /// called from the specified call site.  The call site may be null in which
129     /// case the most generic behavior of this function should be returned.
130     ModRefBehavior getModRefBehavior(const Function *F) override {
131       ModRefBehavior Min = UnknownModRefBehavior;
132
133       if (FunctionRecord *FR = getFunctionInfo(F)) {
134         if (FR->FunctionEffect == 0)
135           Min = DoesNotAccessMemory;
136         else if ((FR->FunctionEffect & Mod) == 0)
137           Min = OnlyReadsMemory;
138       }
139
140       return ModRefBehavior(AliasAnalysis::getModRefBehavior(F) & Min);
141     }
142     
143     /// getModRefBehavior - Return the behavior of the specified function if
144     /// called from the specified call site.  The call site may be null in which
145     /// case the most generic behavior of this function should be returned.
146     ModRefBehavior getModRefBehavior(ImmutableCallSite CS) override {
147       ModRefBehavior Min = UnknownModRefBehavior;
148
149       if (const Function* F = CS.getCalledFunction())
150         if (FunctionRecord *FR = getFunctionInfo(F)) {
151           if (FR->FunctionEffect == 0)
152             Min = DoesNotAccessMemory;
153           else if ((FR->FunctionEffect & Mod) == 0)
154             Min = OnlyReadsMemory;
155         }
156
157       return ModRefBehavior(AliasAnalysis::getModRefBehavior(CS) & Min);
158     }
159
160     void deleteValue(Value *V) override;
161     void copyValue(Value *From, Value *To) override;
162     void addEscapingUse(Use &U) override;
163
164     /// getAdjustedAnalysisPointer - This method is used when a pass implements
165     /// an analysis interface through multiple inheritance.  If needed, it
166     /// should override this to adjust the this pointer as needed for the
167     /// specified pass info.
168     void *getAdjustedAnalysisPointer(AnalysisID PI) override {
169       if (PI == &AliasAnalysis::ID)
170         return (AliasAnalysis*)this;
171       return this;
172     }
173     
174   private:
175     /// getFunctionInfo - Return the function info for the function, or null if
176     /// we don't have anything useful to say about it.
177     FunctionRecord *getFunctionInfo(const Function *F) {
178       std::map<const Function*, FunctionRecord>::iterator I =
179         FunctionInfo.find(F);
180       if (I != FunctionInfo.end())
181         return &I->second;
182       return nullptr;
183     }
184
185     void AnalyzeGlobals(Module &M);
186     void AnalyzeCallGraph(CallGraph &CG, Module &M);
187     bool AnalyzeUsesOfPointer(Value *V, std::vector<Function*> &Readers,
188                               std::vector<Function*> &Writers,
189                               GlobalValue *OkayStoreDest = nullptr);
190     bool AnalyzeIndirectGlobalMemory(GlobalValue *GV);
191   };
192 } // namespace
193
194 char GlobalsModRef::ID = 0;
195 INITIALIZE_AG_PASS_BEGIN(GlobalsModRef, AliasAnalysis,
196                 "globalsmodref-aa", "Simple mod/ref analysis for globals",    
197                 false, true, false)
198 INITIALIZE_PASS_DEPENDENCY(CallGraphWrapperPass)
199 INITIALIZE_AG_PASS_END(GlobalsModRef, AliasAnalysis,
200                 "globalsmodref-aa", "Simple mod/ref analysis for globals",    
201                 false, true, false)
202
203 Pass *llvm::createGlobalsModRefPass() { return new GlobalsModRef(); }
204
205 /// AnalyzeGlobals - Scan through the users of all of the internal
206 /// GlobalValue's in the program.  If none of them have their "address taken"
207 /// (really, their address passed to something nontrivial), record this fact,
208 /// and record the functions that they are used directly in.
209 void GlobalsModRef::AnalyzeGlobals(Module &M) {
210   std::vector<Function*> Readers, Writers;
211   for (Module::iterator I = M.begin(), E = M.end(); I != E; ++I)
212     if (I->hasLocalLinkage()) {
213       if (!AnalyzeUsesOfPointer(I, Readers, Writers)) {
214         // Remember that we are tracking this global.
215         NonAddressTakenGlobals.insert(I);
216         ++NumNonAddrTakenFunctions;
217       }
218       Readers.clear(); Writers.clear();
219     }
220
221   for (Module::global_iterator I = M.global_begin(), E = M.global_end();
222        I != E; ++I)
223     if (I->hasLocalLinkage()) {
224       if (!AnalyzeUsesOfPointer(I, Readers, Writers)) {
225         // Remember that we are tracking this global, and the mod/ref fns
226         NonAddressTakenGlobals.insert(I);
227
228         for (unsigned i = 0, e = Readers.size(); i != e; ++i)
229           FunctionInfo[Readers[i]].GlobalInfo[I] |= Ref;
230
231         if (!I->isConstant())  // No need to keep track of writers to constants
232           for (unsigned i = 0, e = Writers.size(); i != e; ++i)
233             FunctionInfo[Writers[i]].GlobalInfo[I] |= Mod;
234         ++NumNonAddrTakenGlobalVars;
235
236         // If this global holds a pointer type, see if it is an indirect global.
237         if (I->getType()->getElementType()->isPointerTy() &&
238             AnalyzeIndirectGlobalMemory(I))
239           ++NumIndirectGlobalVars;
240       }
241       Readers.clear(); Writers.clear();
242     }
243 }
244
245 /// AnalyzeUsesOfPointer - Look at all of the users of the specified pointer.
246 /// If this is used by anything complex (i.e., the address escapes), return
247 /// true.  Also, while we are at it, keep track of those functions that read and
248 /// write to the value.
249 ///
250 /// If OkayStoreDest is non-null, stores into this global are allowed.
251 bool GlobalsModRef::AnalyzeUsesOfPointer(Value *V,
252                                          std::vector<Function*> &Readers,
253                                          std::vector<Function*> &Writers,
254                                          GlobalValue *OkayStoreDest) {
255   if (!V->getType()->isPointerTy()) return true;
256
257   for (Use &U : V->uses()) {
258     User *I = U.getUser();
259     if (LoadInst *LI = dyn_cast<LoadInst>(I)) {
260       Readers.push_back(LI->getParent()->getParent());
261     } else if (StoreInst *SI = dyn_cast<StoreInst>(I)) {
262       if (V == SI->getOperand(1)) {
263         Writers.push_back(SI->getParent()->getParent());
264       } else if (SI->getOperand(1) != OkayStoreDest) {
265         return true;  // Storing the pointer
266       }
267     } else if (Operator::getOpcode(I) == Instruction::GetElementPtr) {
268       if (AnalyzeUsesOfPointer(I, Readers, Writers))
269         return true;
270     } else if (Operator::getOpcode(I) == Instruction::BitCast) {
271       if (AnalyzeUsesOfPointer(I, Readers, Writers, OkayStoreDest))
272         return true;
273     } else if (auto CS = CallSite(I)) {
274       // Make sure that this is just the function being called, not that it is
275       // passing into the function.
276       if (!CS.isCallee(&U)) {
277         // Detect calls to free.
278         if (isFreeCall(I, TLI))
279           Writers.push_back(CS->getParent()->getParent());
280         else
281           return true; // Argument of an unknown call.
282       }
283     } else if (ICmpInst *ICI = dyn_cast<ICmpInst>(I)) {
284       if (!isa<ConstantPointerNull>(ICI->getOperand(1)))
285         return true;  // Allow comparison against null.
286     } else {
287       return true;
288     }
289   }
290
291   return false;
292 }
293
294 /// AnalyzeIndirectGlobalMemory - We found an non-address-taken global variable
295 /// which holds a pointer type.  See if the global always points to non-aliased
296 /// heap memory: that is, all initializers of the globals are allocations, and
297 /// those allocations have no use other than initialization of the global.
298 /// Further, all loads out of GV must directly use the memory, not store the
299 /// pointer somewhere.  If this is true, we consider the memory pointed to by
300 /// GV to be owned by GV and can disambiguate other pointers from it.
301 bool GlobalsModRef::AnalyzeIndirectGlobalMemory(GlobalValue *GV) {
302   // Keep track of values related to the allocation of the memory, f.e. the
303   // value produced by the malloc call and any casts.
304   std::vector<Value*> AllocRelatedValues;
305
306   // Walk the user list of the global.  If we find anything other than a direct
307   // load or store, bail out.
308   for (User *U : GV->users()) {
309     if (LoadInst *LI = dyn_cast<LoadInst>(U)) {
310       // The pointer loaded from the global can only be used in simple ways:
311       // we allow addressing of it and loading storing to it.  We do *not* allow
312       // storing the loaded pointer somewhere else or passing to a function.
313       std::vector<Function*> ReadersWriters;
314       if (AnalyzeUsesOfPointer(LI, ReadersWriters, ReadersWriters))
315         return false;  // Loaded pointer escapes.
316       // TODO: Could try some IP mod/ref of the loaded pointer.
317     } else if (StoreInst *SI = dyn_cast<StoreInst>(U)) {
318       // Storing the global itself.
319       if (SI->getOperand(0) == GV) return false;
320
321       // If storing the null pointer, ignore it.
322       if (isa<ConstantPointerNull>(SI->getOperand(0)))
323         continue;
324
325       // Check the value being stored.
326       Value *Ptr = GetUnderlyingObject(SI->getOperand(0),
327                                        GV->getParent()->getDataLayout());
328
329       if (!isAllocLikeFn(Ptr, TLI))
330         return false;  // Too hard to analyze.
331
332       // Analyze all uses of the allocation.  If any of them are used in a
333       // non-simple way (e.g. stored to another global) bail out.
334       std::vector<Function*> ReadersWriters;
335       if (AnalyzeUsesOfPointer(Ptr, ReadersWriters, ReadersWriters, GV))
336         return false;  // Loaded pointer escapes.
337
338       // Remember that this allocation is related to the indirect global.
339       AllocRelatedValues.push_back(Ptr);
340     } else {
341       // Something complex, bail out.
342       return false;
343     }
344   }
345
346   // Okay, this is an indirect global.  Remember all of the allocations for
347   // this global in AllocsForIndirectGlobals.
348   while (!AllocRelatedValues.empty()) {
349     AllocsForIndirectGlobals[AllocRelatedValues.back()] = GV;
350     AllocRelatedValues.pop_back();
351   }
352   IndirectGlobals.insert(GV);
353   return true;
354 }
355
356 /// AnalyzeCallGraph - At this point, we know the functions where globals are
357 /// immediately stored to and read from.  Propagate this information up the call
358 /// graph to all callers and compute the mod/ref info for all memory for each
359 /// function.
360 void GlobalsModRef::AnalyzeCallGraph(CallGraph &CG, Module &M) {
361   // We do a bottom-up SCC traversal of the call graph.  In other words, we
362   // visit all callees before callers (leaf-first).
363   for (scc_iterator<CallGraph*> I = scc_begin(&CG); !I.isAtEnd(); ++I) {
364     const std::vector<CallGraphNode *> &SCC = *I;
365     assert(!SCC.empty() && "SCC with no functions?");
366
367     if (!SCC[0]->getFunction()) {
368       // Calls externally - can't say anything useful.  Remove any existing
369       // function records (may have been created when scanning globals).
370       for (unsigned i = 0, e = SCC.size(); i != e; ++i)
371         FunctionInfo.erase(SCC[i]->getFunction());
372       continue;
373     }
374
375     FunctionRecord &FR = FunctionInfo[SCC[0]->getFunction()];
376
377     bool KnowNothing = false;
378     unsigned FunctionEffect = 0;
379
380     // Collect the mod/ref properties due to called functions.  We only compute
381     // one mod-ref set.
382     for (unsigned i = 0, e = SCC.size(); i != e && !KnowNothing; ++i) {
383       Function *F = SCC[i]->getFunction();
384       if (!F) {
385         KnowNothing = true;
386         break;
387       }
388
389       if (F->isDeclaration()) {
390         // Try to get mod/ref behaviour from function attributes.
391         if (F->doesNotAccessMemory()) {
392           // Can't do better than that!
393         } else if (F->onlyReadsMemory()) {
394           FunctionEffect |= Ref;
395           if (!F->isIntrinsic())
396             // This function might call back into the module and read a global -
397             // consider every global as possibly being read by this function.
398             FR.MayReadAnyGlobal = true;
399         } else {
400           FunctionEffect |= ModRef;
401           // Can't say anything useful unless it's an intrinsic - they don't
402           // read or write global variables of the kind considered here.
403           KnowNothing = !F->isIntrinsic();
404         }
405         continue;
406       }
407
408       for (CallGraphNode::iterator CI = SCC[i]->begin(), E = SCC[i]->end();
409            CI != E && !KnowNothing; ++CI)
410         if (Function *Callee = CI->second->getFunction()) {
411           if (FunctionRecord *CalleeFR = getFunctionInfo(Callee)) {
412             // Propagate function effect up.
413             FunctionEffect |= CalleeFR->FunctionEffect;
414
415             // Incorporate callee's effects on globals into our info.
416             for (const auto &G : CalleeFR->GlobalInfo)
417               FR.GlobalInfo[G.first] |= G.second;
418             FR.MayReadAnyGlobal |= CalleeFR->MayReadAnyGlobal;
419           } else {
420             // Can't say anything about it.  However, if it is inside our SCC,
421             // then nothing needs to be done.
422             CallGraphNode *CalleeNode = CG[Callee];
423             if (std::find(SCC.begin(), SCC.end(), CalleeNode) == SCC.end())
424               KnowNothing = true;
425           }
426         } else {
427           KnowNothing = true;
428         }
429     }
430
431     // If we can't say anything useful about this SCC, remove all SCC functions
432     // from the FunctionInfo map.
433     if (KnowNothing) {
434       for (unsigned i = 0, e = SCC.size(); i != e; ++i)
435         FunctionInfo.erase(SCC[i]->getFunction());
436       continue;
437     }
438
439     // Scan the function bodies for explicit loads or stores.
440     for (unsigned i = 0, e = SCC.size(); i != e && FunctionEffect != ModRef;++i)
441       for (inst_iterator II = inst_begin(SCC[i]->getFunction()),
442              E = inst_end(SCC[i]->getFunction());
443            II != E && FunctionEffect != ModRef; ++II)
444         if (LoadInst *LI = dyn_cast<LoadInst>(&*II)) {
445           FunctionEffect |= Ref;
446           if (LI->isVolatile())
447             // Volatile loads may have side-effects, so mark them as writing
448             // memory (for example, a flag inside the processor).
449             FunctionEffect |= Mod;
450         } else if (StoreInst *SI = dyn_cast<StoreInst>(&*II)) {
451           FunctionEffect |= Mod;
452           if (SI->isVolatile())
453             // Treat volatile stores as reading memory somewhere.
454             FunctionEffect |= Ref;
455         } else if (isAllocationFn(&*II, TLI) || isFreeCall(&*II, TLI)) {
456           FunctionEffect |= ModRef;
457         } else if (IntrinsicInst *Intrinsic = dyn_cast<IntrinsicInst>(&*II)) {
458           // The callgraph doesn't include intrinsic calls.
459           Function *Callee = Intrinsic->getCalledFunction();
460           ModRefBehavior Behaviour = AliasAnalysis::getModRefBehavior(Callee);
461           FunctionEffect |= (Behaviour & ModRef);
462         }
463
464     if ((FunctionEffect & Mod) == 0)
465       ++NumReadMemFunctions;
466     if (FunctionEffect == 0)
467       ++NumNoMemFunctions;
468     FR.FunctionEffect = FunctionEffect;
469
470     // Finally, now that we know the full effect on this SCC, clone the
471     // information to each function in the SCC.
472     for (unsigned i = 1, e = SCC.size(); i != e; ++i)
473       FunctionInfo[SCC[i]->getFunction()] = FR;
474   }
475 }
476
477
478
479 /// alias - If one of the pointers is to a global that we are tracking, and the
480 /// other is some random pointer, we know there cannot be an alias, because the
481 /// address of the global isn't taken.
482 AliasResult GlobalsModRef::alias(const MemoryLocation &LocA,
483                                  const MemoryLocation &LocB) {
484   // Get the base object these pointers point to.
485   const Value *UV1 = GetUnderlyingObject(LocA.Ptr, *DL);
486   const Value *UV2 = GetUnderlyingObject(LocB.Ptr, *DL);
487
488   // If either of the underlying values is a global, they may be non-addr-taken
489   // globals, which we can answer queries about.
490   const GlobalValue *GV1 = dyn_cast<GlobalValue>(UV1);
491   const GlobalValue *GV2 = dyn_cast<GlobalValue>(UV2);
492   if (GV1 || GV2) {
493     // If the global's address is taken, pretend we don't know it's a pointer to
494     // the global.
495     if (GV1 && !NonAddressTakenGlobals.count(GV1)) GV1 = nullptr;
496     if (GV2 && !NonAddressTakenGlobals.count(GV2)) GV2 = nullptr;
497
498     // If the two pointers are derived from two different non-addr-taken
499     // globals, or if one is and the other isn't, we know these can't alias.
500     if ((GV1 || GV2) && GV1 != GV2)
501       return NoAlias;
502
503     // Otherwise if they are both derived from the same addr-taken global, we
504     // can't know the two accesses don't overlap.
505   }
506
507   // These pointers may be based on the memory owned by an indirect global.  If
508   // so, we may be able to handle this.  First check to see if the base pointer
509   // is a direct load from an indirect global.
510   GV1 = GV2 = nullptr;
511   if (const LoadInst *LI = dyn_cast<LoadInst>(UV1))
512     if (GlobalVariable *GV = dyn_cast<GlobalVariable>(LI->getOperand(0)))
513       if (IndirectGlobals.count(GV))
514         GV1 = GV;
515   if (const LoadInst *LI = dyn_cast<LoadInst>(UV2))
516     if (const GlobalVariable *GV = dyn_cast<GlobalVariable>(LI->getOperand(0)))
517       if (IndirectGlobals.count(GV))
518         GV2 = GV;
519
520   // These pointers may also be from an allocation for the indirect global.  If
521   // so, also handle them.
522   if (AllocsForIndirectGlobals.count(UV1))
523     GV1 = AllocsForIndirectGlobals[UV1];
524   if (AllocsForIndirectGlobals.count(UV2))
525     GV2 = AllocsForIndirectGlobals[UV2];
526
527   // Now that we know whether the two pointers are related to indirect globals,
528   // use this to disambiguate the pointers.  If either pointer is based on an
529   // indirect global and if they are not both based on the same indirect global,
530   // they cannot alias.
531   if ((GV1 || GV2) && GV1 != GV2)
532     return NoAlias;
533
534   return AliasAnalysis::alias(LocA, LocB);
535 }
536
537 AliasAnalysis::ModRefResult
538 GlobalsModRef::getModRefInfo(ImmutableCallSite CS, const MemoryLocation &Loc) {
539   unsigned Known = ModRef;
540
541   // If we are asking for mod/ref info of a direct call with a pointer to a
542   // global we are tracking, return information if we have it.
543   const DataLayout &DL = CS.getCaller()->getParent()->getDataLayout();
544   if (const GlobalValue *GV =
545           dyn_cast<GlobalValue>(GetUnderlyingObject(Loc.Ptr, DL)))
546     if (GV->hasLocalLinkage())
547       if (const Function *F = CS.getCalledFunction())
548         if (NonAddressTakenGlobals.count(GV))
549           if (const FunctionRecord *FR = getFunctionInfo(F))
550             Known = FR->getInfoForGlobal(GV);
551
552   if (Known == NoModRef)
553     return NoModRef; // No need to query other mod/ref analyses
554   return ModRefResult(Known & AliasAnalysis::getModRefInfo(CS, Loc));
555 }
556
557
558 //===----------------------------------------------------------------------===//
559 // Methods to update the analysis as a result of the client transformation.
560 //
561 void GlobalsModRef::deleteValue(Value *V) {
562   if (GlobalValue *GV = dyn_cast<GlobalValue>(V)) {
563     if (NonAddressTakenGlobals.erase(GV)) {
564       // This global might be an indirect global.  If so, remove it and remove
565       // any AllocRelatedValues for it.
566       if (IndirectGlobals.erase(GV)) {
567         // Remove any entries in AllocsForIndirectGlobals for this global.
568         for (std::map<const Value*, const GlobalValue*>::iterator
569              I = AllocsForIndirectGlobals.begin(),
570              E = AllocsForIndirectGlobals.end(); I != E; ) {
571           if (I->second == GV) {
572             AllocsForIndirectGlobals.erase(I++);
573           } else {
574             ++I;
575           }
576         }
577       }
578     }
579   }
580
581   // Otherwise, if this is an allocation related to an indirect global, remove
582   // it.
583   AllocsForIndirectGlobals.erase(V);
584
585   AliasAnalysis::deleteValue(V);
586 }
587
588 void GlobalsModRef::copyValue(Value *From, Value *To) {
589   AliasAnalysis::copyValue(From, To);
590 }
591
592 void GlobalsModRef::addEscapingUse(Use &U) {
593   // For the purposes of this analysis, it is conservatively correct to treat
594   // a newly escaping value equivalently to a deleted one.  We could perhaps
595   // be more precise by processing the new use and attempting to update our
596   // saved analysis results to accommodate it.
597   deleteValue(U);
598   
599   AliasAnalysis::addEscapingUse(U);
600 }