6c1fadab845e09443b3649a19979911b4d2b12ea
[oota-llvm.git] / lib / LTO / LTOModule.cpp
1 //===-- LTOModule.cpp - LLVM Link Time Optimizer --------------------------===//
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 file implements the Link Time Optimization library. This library is
11 // intended to be used by linker to optimize code at link time.
12 //
13 //===----------------------------------------------------------------------===//
14
15 #include "llvm/LTO/LTOModule.h"
16 #include "llvm/ADT/Triple.h"
17 #include "llvm/Bitcode/ReaderWriter.h"
18 #include "llvm/IR/Constants.h"
19 #include "llvm/IR/LLVMContext.h"
20 #include "llvm/IR/Metadata.h"
21 #include "llvm/IR/Module.h"
22 #include "llvm/MC/MCExpr.h"
23 #include "llvm/MC/MCInst.h"
24 #include "llvm/MC/MCInstrInfo.h"
25 #include "llvm/MC/MCParser/MCAsmParser.h"
26 #include "llvm/MC/MCSection.h"
27 #include "llvm/MC/MCStreamer.h"
28 #include "llvm/MC/MCSubtargetInfo.h"
29 #include "llvm/MC/MCSymbol.h"
30 #include "llvm/MC/MCTargetAsmParser.h"
31 #include "llvm/MC/SubtargetFeature.h"
32 #include "llvm/Support/CommandLine.h"
33 #include "llvm/Support/FileSystem.h"
34 #include "llvm/Support/Host.h"
35 #include "llvm/Support/MemoryBuffer.h"
36 #include "llvm/Support/Path.h"
37 #include "llvm/Support/SourceMgr.h"
38 #include "llvm/Support/TargetRegistry.h"
39 #include "llvm/Support/TargetSelect.h"
40 #include "llvm/Target/TargetLowering.h"
41 #include "llvm/Target/TargetLoweringObjectFile.h"
42 #include "llvm/Target/TargetRegisterInfo.h"
43 #include "llvm/Transforms/Utils/GlobalStatus.h"
44 #include <system_error>
45 using namespace llvm;
46
47 LTOModule::LTOModule(llvm::Module *m, llvm::TargetMachine *t)
48   : _module(m), _target(t),
49     _context(_target->getMCAsmInfo(), _target->getRegisterInfo(), &ObjFileInfo),
50     _mangler(t->getDataLayout()) {
51   ObjFileInfo.InitMCObjectFileInfo(t->getTargetTriple(),
52                                    t->getRelocationModel(), t->getCodeModel(),
53                                    _context);
54 }
55
56 /// isBitcodeFile - Returns 'true' if the file (or memory contents) is LLVM
57 /// bitcode.
58 bool LTOModule::isBitcodeFile(const void *mem, size_t length) {
59   return sys::fs::identify_magic(StringRef((const char *)mem, length)) ==
60          sys::fs::file_magic::bitcode;
61 }
62
63 bool LTOModule::isBitcodeFile(const char *path) {
64   sys::fs::file_magic type;
65   if (sys::fs::identify_magic(path, type))
66     return false;
67   return type == sys::fs::file_magic::bitcode;
68 }
69
70 /// isBitcodeFileForTarget - Returns 'true' if the file (or memory contents) is
71 /// LLVM bitcode for the specified triple.
72 bool LTOModule::isBitcodeFileForTarget(const void *mem, size_t length,
73                                        const char *triplePrefix) {
74   MemoryBuffer *buffer = makeBuffer(mem, length);
75   if (!buffer)
76     return false;
77   return isTargetMatch(buffer, triplePrefix);
78 }
79
80 bool LTOModule::isBitcodeFileForTarget(const char *path,
81                                        const char *triplePrefix) {
82   std::unique_ptr<MemoryBuffer> buffer;
83   if (MemoryBuffer::getFile(path, buffer))
84     return false;
85   return isTargetMatch(buffer.release(), triplePrefix);
86 }
87
88 /// isTargetMatch - Returns 'true' if the memory buffer is for the specified
89 /// target triple.
90 bool LTOModule::isTargetMatch(MemoryBuffer *buffer, const char *triplePrefix) {
91   std::string Triple = getBitcodeTargetTriple(buffer, getGlobalContext());
92   delete buffer;
93   return strncmp(Triple.c_str(), triplePrefix, strlen(triplePrefix)) == 0;
94 }
95
96 /// makeLTOModule - Create an LTOModule. N.B. These methods take ownership of
97 /// the buffer.
98 LTOModule *LTOModule::makeLTOModule(const char *path, TargetOptions options,
99                                     std::string &errMsg) {
100   std::unique_ptr<MemoryBuffer> buffer;
101   if (std::error_code ec = MemoryBuffer::getFile(path, buffer)) {
102     errMsg = ec.message();
103     return nullptr;
104   }
105   return makeLTOModule(buffer.release(), options, errMsg);
106 }
107
108 LTOModule *LTOModule::makeLTOModule(int fd, const char *path,
109                                     size_t size, TargetOptions options,
110                                     std::string &errMsg) {
111   return makeLTOModule(fd, path, size, 0, options, errMsg);
112 }
113
114 LTOModule *LTOModule::makeLTOModule(int fd, const char *path,
115                                     size_t map_size,
116                                     off_t offset,
117                                     TargetOptions options,
118                                     std::string &errMsg) {
119   std::unique_ptr<MemoryBuffer> buffer;
120   if (std::error_code ec =
121           MemoryBuffer::getOpenFileSlice(fd, path, buffer, map_size, offset)) {
122     errMsg = ec.message();
123     return nullptr;
124   }
125   return makeLTOModule(buffer.release(), options, errMsg);
126 }
127
128 LTOModule *LTOModule::makeLTOModule(const void *mem, size_t length,
129                                     TargetOptions options,
130                                     std::string &errMsg, StringRef path) {
131   std::unique_ptr<MemoryBuffer> buffer(makeBuffer(mem, length, path));
132   if (!buffer)
133     return nullptr;
134   return makeLTOModule(buffer.release(), options, errMsg);
135 }
136
137 LTOModule *LTOModule::makeLTOModule(MemoryBuffer *buffer,
138                                     TargetOptions options,
139                                     std::string &errMsg) {
140   // parse bitcode buffer
141   ErrorOr<Module *> ModuleOrErr =
142       getLazyBitcodeModule(buffer, getGlobalContext());
143   if (std::error_code EC = ModuleOrErr.getError()) {
144     errMsg = EC.message();
145     delete buffer;
146     return nullptr;
147   }
148   std::unique_ptr<Module> m(ModuleOrErr.get());
149
150   std::string TripleStr = m->getTargetTriple();
151   if (TripleStr.empty())
152     TripleStr = sys::getDefaultTargetTriple();
153   llvm::Triple Triple(TripleStr);
154
155   // find machine architecture for this module
156   const Target *march = TargetRegistry::lookupTarget(TripleStr, errMsg);
157   if (!march)
158     return nullptr;
159
160   // construct LTOModule, hand over ownership of module and target
161   SubtargetFeatures Features;
162   Features.getDefaultSubtargetFeatures(Triple);
163   std::string FeatureStr = Features.getString();
164   // Set a default CPU for Darwin triples.
165   std::string CPU;
166   if (Triple.isOSDarwin()) {
167     if (Triple.getArch() == llvm::Triple::x86_64)
168       CPU = "core2";
169     else if (Triple.getArch() == llvm::Triple::x86)
170       CPU = "yonah";
171     else if (Triple.getArch() == llvm::Triple::arm64 ||
172              Triple.getArch() == llvm::Triple::aarch64)
173       CPU = "cyclone";
174   }
175
176   TargetMachine *target = march->createTargetMachine(TripleStr, CPU, FeatureStr,
177                                                      options);
178   m->materializeAllPermanently();
179
180   LTOModule *Ret = new LTOModule(m.release(), target);
181
182   // We need a MCContext set up in order to get mangled names of private
183   // symbols. It is a bit odd that we need to report uses and definitions
184   // of private symbols, but it does look like ld64 expects to be informed
185   // of at least the ones with an 'l' prefix.
186   MCContext &Context = Ret->_context;
187   const TargetLoweringObjectFile &TLOF =
188       target->getTargetLowering()->getObjFileLowering();
189   const_cast<TargetLoweringObjectFile &>(TLOF).Initialize(Context, *target);
190
191   if (Ret->parseSymbols(errMsg)) {
192     delete Ret;
193     return nullptr;
194   }
195
196   Ret->parseMetadata();
197
198   return Ret;
199 }
200
201 /// Create a MemoryBuffer from a memory range with an optional name.
202 MemoryBuffer *LTOModule::makeBuffer(const void *mem, size_t length,
203                                     StringRef name) {
204   const char *startPtr = (const char*)mem;
205   return MemoryBuffer::getMemBuffer(StringRef(startPtr, length), name, false);
206 }
207
208 /// objcClassNameFromExpression - Get string that the data pointer points to.
209 bool
210 LTOModule::objcClassNameFromExpression(const Constant *c, std::string &name) {
211   if (const ConstantExpr *ce = dyn_cast<ConstantExpr>(c)) {
212     Constant *op = ce->getOperand(0);
213     if (GlobalVariable *gvn = dyn_cast<GlobalVariable>(op)) {
214       Constant *cn = gvn->getInitializer();
215       if (ConstantDataArray *ca = dyn_cast<ConstantDataArray>(cn)) {
216         if (ca->isCString()) {
217           name = ".objc_class_name_" + ca->getAsCString().str();
218           return true;
219         }
220       }
221     }
222   }
223   return false;
224 }
225
226 /// addObjCClass - Parse i386/ppc ObjC class data structure.
227 void LTOModule::addObjCClass(const GlobalVariable *clgv) {
228   const ConstantStruct *c = dyn_cast<ConstantStruct>(clgv->getInitializer());
229   if (!c) return;
230
231   // second slot in __OBJC,__class is pointer to superclass name
232   std::string superclassName;
233   if (objcClassNameFromExpression(c->getOperand(1), superclassName)) {
234     NameAndAttributes info;
235     StringMap<NameAndAttributes>::value_type &entry =
236       _undefines.GetOrCreateValue(superclassName);
237     if (!entry.getValue().name) {
238       const char *symbolName = entry.getKey().data();
239       info.name = symbolName;
240       info.attributes = LTO_SYMBOL_DEFINITION_UNDEFINED;
241       info.isFunction = false;
242       info.symbol = clgv;
243       entry.setValue(info);
244     }
245   }
246
247   // third slot in __OBJC,__class is pointer to class name
248   std::string className;
249   if (objcClassNameFromExpression(c->getOperand(2), className)) {
250     StringSet::value_type &entry = _defines.GetOrCreateValue(className);
251     entry.setValue(1);
252
253     NameAndAttributes info;
254     info.name = entry.getKey().data();
255     info.attributes = LTO_SYMBOL_PERMISSIONS_DATA |
256       LTO_SYMBOL_DEFINITION_REGULAR | LTO_SYMBOL_SCOPE_DEFAULT;
257     info.isFunction = false;
258     info.symbol = clgv;
259     _symbols.push_back(info);
260   }
261 }
262
263 /// addObjCCategory - Parse i386/ppc ObjC category data structure.
264 void LTOModule::addObjCCategory(const GlobalVariable *clgv) {
265   const ConstantStruct *c = dyn_cast<ConstantStruct>(clgv->getInitializer());
266   if (!c) return;
267
268   // second slot in __OBJC,__category is pointer to target class name
269   std::string targetclassName;
270   if (!objcClassNameFromExpression(c->getOperand(1), targetclassName))
271     return;
272
273   NameAndAttributes info;
274   StringMap<NameAndAttributes>::value_type &entry =
275     _undefines.GetOrCreateValue(targetclassName);
276
277   if (entry.getValue().name)
278     return;
279
280   const char *symbolName = entry.getKey().data();
281   info.name = symbolName;
282   info.attributes = LTO_SYMBOL_DEFINITION_UNDEFINED;
283   info.isFunction = false;
284   info.symbol = clgv;
285   entry.setValue(info);
286 }
287
288 /// addObjCClassRef - Parse i386/ppc ObjC class list data structure.
289 void LTOModule::addObjCClassRef(const GlobalVariable *clgv) {
290   std::string targetclassName;
291   if (!objcClassNameFromExpression(clgv->getInitializer(), targetclassName))
292     return;
293
294   NameAndAttributes info;
295   StringMap<NameAndAttributes>::value_type &entry =
296     _undefines.GetOrCreateValue(targetclassName);
297   if (entry.getValue().name)
298     return;
299
300   const char *symbolName = entry.getKey().data();
301   info.name = symbolName;
302   info.attributes = LTO_SYMBOL_DEFINITION_UNDEFINED;
303   info.isFunction = false;
304   info.symbol = clgv;
305   entry.setValue(info);
306 }
307
308 /// addDefinedDataSymbol - Add a data symbol as defined to the list.
309 void LTOModule::addDefinedDataSymbol(const GlobalValue *v) {
310   // Add to list of defined symbols.
311   addDefinedSymbol(v, false);
312
313   if (!v->hasSection() /* || !isTargetDarwin */)
314     return;
315
316   // Special case i386/ppc ObjC data structures in magic sections:
317   // The issue is that the old ObjC object format did some strange
318   // contortions to avoid real linker symbols.  For instance, the
319   // ObjC class data structure is allocated statically in the executable
320   // that defines that class.  That data structures contains a pointer to
321   // its superclass.  But instead of just initializing that part of the
322   // struct to the address of its superclass, and letting the static and
323   // dynamic linkers do the rest, the runtime works by having that field
324   // instead point to a C-string that is the name of the superclass.
325   // At runtime the objc initialization updates that pointer and sets
326   // it to point to the actual super class.  As far as the linker
327   // knows it is just a pointer to a string.  But then someone wanted the
328   // linker to issue errors at build time if the superclass was not found.
329   // So they figured out a way in mach-o object format to use an absolute
330   // symbols (.objc_class_name_Foo = 0) and a floating reference
331   // (.reference .objc_class_name_Bar) to cause the linker into erroring when
332   // a class was missing.
333   // The following synthesizes the implicit .objc_* symbols for the linker
334   // from the ObjC data structures generated by the front end.
335
336   // special case if this data blob is an ObjC class definition
337   std::string Section = v->getSection();
338   if (Section.compare(0, 15, "__OBJC,__class,") == 0) {
339     if (const GlobalVariable *gv = dyn_cast<GlobalVariable>(v)) {
340       addObjCClass(gv);
341     }
342   }
343
344   // special case if this data blob is an ObjC category definition
345   else if (Section.compare(0, 18, "__OBJC,__category,") == 0) {
346     if (const GlobalVariable *gv = dyn_cast<GlobalVariable>(v)) {
347       addObjCCategory(gv);
348     }
349   }
350
351   // special case if this data blob is the list of referenced classes
352   else if (Section.compare(0, 18, "__OBJC,__cls_refs,") == 0) {
353     if (const GlobalVariable *gv = dyn_cast<GlobalVariable>(v)) {
354       addObjCClassRef(gv);
355     }
356   }
357 }
358
359 /// addDefinedFunctionSymbol - Add a function symbol as defined to the list.
360 void LTOModule::addDefinedFunctionSymbol(const Function *f) {
361   // add to list of defined symbols
362   addDefinedSymbol(f, true);
363 }
364
365 static bool canBeHidden(const GlobalValue *GV) {
366   // FIXME: this is duplicated with another static function in AsmPrinter.cpp
367   GlobalValue::LinkageTypes L = GV->getLinkage();
368
369   if (L != GlobalValue::LinkOnceODRLinkage)
370     return false;
371
372   if (GV->hasUnnamedAddr())
373     return true;
374
375   // If it is a non constant variable, it needs to be uniqued across shared
376   // objects.
377   if (const GlobalVariable *Var = dyn_cast<GlobalVariable>(GV)) {
378     if (!Var->isConstant())
379       return false;
380   }
381
382   GlobalStatus GS;
383   if (GlobalStatus::analyzeGlobal(GV, GS))
384     return false;
385
386   return !GS.IsCompared;
387 }
388
389 /// addDefinedSymbol - Add a defined symbol to the list.
390 void LTOModule::addDefinedSymbol(const GlobalValue *def, bool isFunction) {
391   // ignore all llvm.* symbols
392   if (def->getName().startswith("llvm."))
393     return;
394
395   // string is owned by _defines
396   SmallString<64> Buffer;
397   _target->getNameWithPrefix(Buffer, def, _mangler);
398
399   // set alignment part log2() can have rounding errors
400   uint32_t align = def->getAlignment();
401   uint32_t attr = align ? countTrailingZeros(align) : 0;
402
403   // set permissions part
404   if (isFunction) {
405     attr |= LTO_SYMBOL_PERMISSIONS_CODE;
406   } else {
407     const GlobalVariable *gv = dyn_cast<GlobalVariable>(def);
408     if (gv && gv->isConstant())
409       attr |= LTO_SYMBOL_PERMISSIONS_RODATA;
410     else
411       attr |= LTO_SYMBOL_PERMISSIONS_DATA;
412   }
413
414   // set definition part
415   if (def->hasWeakLinkage() || def->hasLinkOnceLinkage())
416     attr |= LTO_SYMBOL_DEFINITION_WEAK;
417   else if (def->hasCommonLinkage())
418     attr |= LTO_SYMBOL_DEFINITION_TENTATIVE;
419   else
420     attr |= LTO_SYMBOL_DEFINITION_REGULAR;
421
422   // set scope part
423   if (def->hasLocalLinkage())
424     // Ignore visibility if linkage is local.
425     attr |= LTO_SYMBOL_SCOPE_INTERNAL;
426   else if (def->hasHiddenVisibility())
427     attr |= LTO_SYMBOL_SCOPE_HIDDEN;
428   else if (def->hasProtectedVisibility())
429     attr |= LTO_SYMBOL_SCOPE_PROTECTED;
430   else if (canBeHidden(def))
431     attr |= LTO_SYMBOL_SCOPE_DEFAULT_CAN_BE_HIDDEN;
432   else
433     attr |= LTO_SYMBOL_SCOPE_DEFAULT;
434
435   StringSet::value_type &entry = _defines.GetOrCreateValue(Buffer);
436   entry.setValue(1);
437
438   // fill information structure
439   NameAndAttributes info;
440   StringRef Name = entry.getKey();
441   info.name = Name.data();
442   assert(info.name[Name.size()] == '\0');
443   info.attributes = attr;
444   info.isFunction = isFunction;
445   info.symbol = def;
446
447   // add to table of symbols
448   _symbols.push_back(info);
449 }
450
451 /// addAsmGlobalSymbol - Add a global symbol from module-level ASM to the
452 /// defined list.
453 void LTOModule::addAsmGlobalSymbol(const char *name,
454                                    lto_symbol_attributes scope) {
455   StringSet::value_type &entry = _defines.GetOrCreateValue(name);
456
457   // only add new define if not already defined
458   if (entry.getValue())
459     return;
460
461   entry.setValue(1);
462
463   NameAndAttributes &info = _undefines[entry.getKey().data()];
464
465   if (info.symbol == nullptr) {
466     // FIXME: This is trying to take care of module ASM like this:
467     //
468     //   module asm ".zerofill __FOO, __foo, _bar_baz_qux, 0"
469     //
470     // but is gross and its mother dresses it funny. Have the ASM parser give us
471     // more details for this type of situation so that we're not guessing so
472     // much.
473
474     // fill information structure
475     info.name = entry.getKey().data();
476     info.attributes =
477       LTO_SYMBOL_PERMISSIONS_DATA | LTO_SYMBOL_DEFINITION_REGULAR | scope;
478     info.isFunction = false;
479     info.symbol = nullptr;
480
481     // add to table of symbols
482     _symbols.push_back(info);
483     return;
484   }
485
486   if (info.isFunction)
487     addDefinedFunctionSymbol(cast<Function>(info.symbol));
488   else
489     addDefinedDataSymbol(info.symbol);
490
491   _symbols.back().attributes &= ~LTO_SYMBOL_SCOPE_MASK;
492   _symbols.back().attributes |= scope;
493 }
494
495 /// addAsmGlobalSymbolUndef - Add a global symbol from module-level ASM to the
496 /// undefined list.
497 void LTOModule::addAsmGlobalSymbolUndef(const char *name) {
498   StringMap<NameAndAttributes>::value_type &entry =
499     _undefines.GetOrCreateValue(name);
500
501   _asm_undefines.push_back(entry.getKey().data());
502
503   // we already have the symbol
504   if (entry.getValue().name)
505     return;
506
507   uint32_t attr = LTO_SYMBOL_DEFINITION_UNDEFINED;
508   attr |= LTO_SYMBOL_SCOPE_DEFAULT;
509   NameAndAttributes info;
510   info.name = entry.getKey().data();
511   info.attributes = attr;
512   info.isFunction = false;
513   info.symbol = nullptr;
514
515   entry.setValue(info);
516 }
517
518 /// addPotentialUndefinedSymbol - Add a symbol which isn't defined just yet to a
519 /// list to be resolved later.
520 void
521 LTOModule::addPotentialUndefinedSymbol(const GlobalValue *decl, bool isFunc) {
522   // ignore all llvm.* symbols
523   if (decl->getName().startswith("llvm."))
524     return;
525
526   // ignore all aliases
527   if (isa<GlobalAlias>(decl))
528     return;
529
530   SmallString<64> name;
531   _target->getNameWithPrefix(name, decl, _mangler);
532
533   StringMap<NameAndAttributes>::value_type &entry =
534     _undefines.GetOrCreateValue(name);
535
536   // we already have the symbol
537   if (entry.getValue().name)
538     return;
539
540   NameAndAttributes info;
541
542   info.name = entry.getKey().data();
543
544   if (decl->hasExternalWeakLinkage())
545     info.attributes = LTO_SYMBOL_DEFINITION_WEAKUNDEF;
546   else
547     info.attributes = LTO_SYMBOL_DEFINITION_UNDEFINED;
548
549   info.isFunction = isFunc;
550   info.symbol = decl;
551
552   entry.setValue(info);
553 }
554
555 namespace {
556
557   class RecordStreamer : public MCStreamer {
558   public:
559     enum State { NeverSeen, Global, Defined, DefinedGlobal, Used };
560
561   private:
562     StringMap<State> Symbols;
563
564     void markDefined(const MCSymbol &Symbol) {
565       State &S = Symbols[Symbol.getName()];
566       switch (S) {
567       case DefinedGlobal:
568       case Global:
569         S = DefinedGlobal;
570         break;
571       case NeverSeen:
572       case Defined:
573       case Used:
574         S = Defined;
575         break;
576       }
577     }
578     void markGlobal(const MCSymbol &Symbol) {
579       State &S = Symbols[Symbol.getName()];
580       switch (S) {
581       case DefinedGlobal:
582       case Defined:
583         S = DefinedGlobal;
584         break;
585
586       case NeverSeen:
587       case Global:
588       case Used:
589         S = Global;
590         break;
591       }
592     }
593     void markUsed(const MCSymbol &Symbol) {
594       State &S = Symbols[Symbol.getName()];
595       switch (S) {
596       case DefinedGlobal:
597       case Defined:
598       case Global:
599         break;
600
601       case NeverSeen:
602       case Used:
603         S = Used;
604         break;
605       }
606     }
607
608     void visitUsedSymbol(const MCSymbol &Sym) override {
609       markUsed(Sym);
610     }
611
612   public:
613     typedef StringMap<State>::const_iterator const_iterator;
614
615     const_iterator begin() {
616       return Symbols.begin();
617     }
618
619     const_iterator end() {
620       return Symbols.end();
621     }
622
623     RecordStreamer(MCContext &Context) : MCStreamer(Context) {}
624
625     void EmitInstruction(const MCInst &Inst,
626                          const MCSubtargetInfo &STI) override {
627       MCStreamer::EmitInstruction(Inst, STI);
628     }
629     void EmitLabel(MCSymbol *Symbol) override {
630       MCStreamer::EmitLabel(Symbol);
631       markDefined(*Symbol);
632     }
633     void EmitAssignment(MCSymbol *Symbol, const MCExpr *Value) override {
634       markDefined(*Symbol);
635       MCStreamer::EmitAssignment(Symbol, Value);
636     }
637     bool EmitSymbolAttribute(MCSymbol *Symbol,
638                              MCSymbolAttr Attribute) override {
639       if (Attribute == MCSA_Global)
640         markGlobal(*Symbol);
641       return true;
642     }
643     void EmitZerofill(const MCSection *Section, MCSymbol *Symbol,
644                       uint64_t Size , unsigned ByteAlignment) override {
645       markDefined(*Symbol);
646     }
647     void EmitCommonSymbol(MCSymbol *Symbol, uint64_t Size,
648                           unsigned ByteAlignment) override {
649       markDefined(*Symbol);
650     }
651   };
652 } // end anonymous namespace
653
654 /// addAsmGlobalSymbols - Add global symbols from module-level ASM to the
655 /// defined or undefined lists.
656 bool LTOModule::addAsmGlobalSymbols(std::string &errMsg) {
657   const std::string &inlineAsm = _module->getModuleInlineAsm();
658   if (inlineAsm.empty())
659     return false;
660
661   std::unique_ptr<RecordStreamer> Streamer(new RecordStreamer(_context));
662   MemoryBuffer *Buffer = MemoryBuffer::getMemBuffer(inlineAsm);
663   SourceMgr SrcMgr;
664   SrcMgr.AddNewSourceBuffer(Buffer, SMLoc());
665   std::unique_ptr<MCAsmParser> Parser(
666       createMCAsmParser(SrcMgr, _context, *Streamer, *_target->getMCAsmInfo()));
667   const Target &T = _target->getTarget();
668   std::unique_ptr<MCInstrInfo> MCII(T.createMCInstrInfo());
669   std::unique_ptr<MCSubtargetInfo> STI(T.createMCSubtargetInfo(
670       _target->getTargetTriple(), _target->getTargetCPU(),
671       _target->getTargetFeatureString()));
672   std::unique_ptr<MCTargetAsmParser> TAP(
673       T.createMCAsmParser(*STI, *Parser.get(), *MCII,
674                           _target->Options.MCOptions));
675   if (!TAP) {
676     errMsg = "target " + std::string(T.getName()) +
677       " does not define AsmParser.";
678     return true;
679   }
680
681   Parser->setTargetParser(*TAP);
682   if (Parser->Run(false))
683     return true;
684
685   for (auto &KV : *Streamer) {
686     StringRef Key = KV.first();
687     RecordStreamer::State Value = KV.second;
688     if (Value == RecordStreamer::DefinedGlobal)
689       addAsmGlobalSymbol(Key.data(), LTO_SYMBOL_SCOPE_DEFAULT);
690     else if (Value == RecordStreamer::Defined)
691       addAsmGlobalSymbol(Key.data(), LTO_SYMBOL_SCOPE_INTERNAL);
692     else if (Value == RecordStreamer::Global ||
693              Value == RecordStreamer::Used)
694       addAsmGlobalSymbolUndef(Key.data());
695   }
696
697   return false;
698 }
699
700 /// isDeclaration - Return 'true' if the global value is a declaration.
701 static bool isDeclaration(const GlobalValue &V) {
702   if (V.hasAvailableExternallyLinkage())
703     return true;
704
705   if (V.isMaterializable())
706     return false;
707
708   return V.isDeclaration();
709 }
710
711 /// parseSymbols - Parse the symbols from the module and model-level ASM and add
712 /// them to either the defined or undefined lists.
713 bool LTOModule::parseSymbols(std::string &errMsg) {
714   // add functions
715   for (Module::iterator f = _module->begin(), e = _module->end(); f != e; ++f) {
716     if (isDeclaration(*f))
717       addPotentialUndefinedSymbol(f, true);
718     else
719       addDefinedFunctionSymbol(f);
720   }
721
722   // add data
723   for (Module::global_iterator v = _module->global_begin(),
724          e = _module->global_end(); v !=  e; ++v) {
725     if (isDeclaration(*v))
726       addPotentialUndefinedSymbol(v, false);
727     else
728       addDefinedDataSymbol(v);
729   }
730
731   // add asm globals
732   if (addAsmGlobalSymbols(errMsg))
733     return true;
734
735   // add aliases
736   for (const auto &Alias : _module->aliases())
737     addDefinedDataSymbol(&Alias);
738
739   // make symbols for all undefines
740   for (StringMap<NameAndAttributes>::iterator u =_undefines.begin(),
741          e = _undefines.end(); u != e; ++u) {
742     // If this symbol also has a definition, then don't make an undefine because
743     // it is a tentative definition.
744     if (_defines.count(u->getKey())) continue;
745     NameAndAttributes info = u->getValue();
746     _symbols.push_back(info);
747   }
748
749   return false;
750 }
751
752 /// parseMetadata - Parse metadata from the module
753 void LTOModule::parseMetadata() {
754   // Linker Options
755   if (Value *Val = _module->getModuleFlag("Linker Options")) {
756     MDNode *LinkerOptions = cast<MDNode>(Val);
757     for (unsigned i = 0, e = LinkerOptions->getNumOperands(); i != e; ++i) {
758       MDNode *MDOptions = cast<MDNode>(LinkerOptions->getOperand(i));
759       for (unsigned ii = 0, ie = MDOptions->getNumOperands(); ii != ie; ++ii) {
760         MDString *MDOption = cast<MDString>(MDOptions->getOperand(ii));
761         StringRef Op = _linkeropt_strings.
762             GetOrCreateValue(MDOption->getString()).getKey();
763         StringRef DepLibName = _target->getTargetLowering()->
764             getObjFileLowering().getDepLibFromLinkerOpt(Op);
765         if (!DepLibName.empty())
766           _deplibs.push_back(DepLibName.data());
767         else if (!Op.empty())
768           _linkeropts.push_back(Op.data());
769       }
770     }
771   }
772
773   // Add other interesting metadata here.
774 }