LLVM 22.0.0git
SanitizerCoverage.cpp
Go to the documentation of this file.
1//===-- SanitizerCoverage.cpp - coverage instrumentation for sanitizers ---===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// Coverage instrumentation done on LLVM IR level, works with Sanitizers.
10//
11//===----------------------------------------------------------------------===//
12
14#include "llvm/ADT/ArrayRef.h"
18#include "llvm/IR/Constant.h"
19#include "llvm/IR/Constants.h"
20#include "llvm/IR/DataLayout.h"
21#include "llvm/IR/Dominators.h"
23#include "llvm/IR/Function.h"
25#include "llvm/IR/IRBuilder.h"
27#include "llvm/IR/Intrinsics.h"
28#include "llvm/IR/LLVMContext.h"
29#include "llvm/IR/MDBuilder.h"
30#include "llvm/IR/Module.h"
31#include "llvm/IR/Type.h"
39
40using namespace llvm;
41
42#define DEBUG_TYPE "sancov"
43
44const char SanCovTracePCIndirName[] = "__sanitizer_cov_trace_pc_indir";
45const char SanCovTracePCName[] = "__sanitizer_cov_trace_pc";
46const char SanCovTraceCmp1[] = "__sanitizer_cov_trace_cmp1";
47const char SanCovTraceCmp2[] = "__sanitizer_cov_trace_cmp2";
48const char SanCovTraceCmp4[] = "__sanitizer_cov_trace_cmp4";
49const char SanCovTraceCmp8[] = "__sanitizer_cov_trace_cmp8";
50const char SanCovTraceConstCmp1[] = "__sanitizer_cov_trace_const_cmp1";
51const char SanCovTraceConstCmp2[] = "__sanitizer_cov_trace_const_cmp2";
52const char SanCovTraceConstCmp4[] = "__sanitizer_cov_trace_const_cmp4";
53const char SanCovTraceConstCmp8[] = "__sanitizer_cov_trace_const_cmp8";
54const char SanCovLoad1[] = "__sanitizer_cov_load1";
55const char SanCovLoad2[] = "__sanitizer_cov_load2";
56const char SanCovLoad4[] = "__sanitizer_cov_load4";
57const char SanCovLoad8[] = "__sanitizer_cov_load8";
58const char SanCovLoad16[] = "__sanitizer_cov_load16";
59const char SanCovStore1[] = "__sanitizer_cov_store1";
60const char SanCovStore2[] = "__sanitizer_cov_store2";
61const char SanCovStore4[] = "__sanitizer_cov_store4";
62const char SanCovStore8[] = "__sanitizer_cov_store8";
63const char SanCovStore16[] = "__sanitizer_cov_store16";
64const char SanCovTraceDiv4[] = "__sanitizer_cov_trace_div4";
65const char SanCovTraceDiv8[] = "__sanitizer_cov_trace_div8";
66const char SanCovTraceGep[] = "__sanitizer_cov_trace_gep";
67const char SanCovTraceSwitchName[] = "__sanitizer_cov_trace_switch";
69 "sancov.module_ctor_trace_pc_guard";
71 "sancov.module_ctor_8bit_counters";
72const char SanCovModuleCtorBoolFlagName[] = "sancov.module_ctor_bool_flag";
74
75const char SanCovTracePCGuardName[] = "__sanitizer_cov_trace_pc_guard";
76const char SanCovTracePCGuardInitName[] = "__sanitizer_cov_trace_pc_guard_init";
77const char SanCov8bitCountersInitName[] = "__sanitizer_cov_8bit_counters_init";
78const char SanCovBoolFlagInitName[] = "__sanitizer_cov_bool_flag_init";
79const char SanCovPCsInitName[] = "__sanitizer_cov_pcs_init";
80const char SanCovCFsInitName[] = "__sanitizer_cov_cfs_init";
81
82const char SanCovGuardsSectionName[] = "sancov_guards";
83const char SanCovCountersSectionName[] = "sancov_cntrs";
84const char SanCovBoolFlagSectionName[] = "sancov_bools";
85const char SanCovPCsSectionName[] = "sancov_pcs";
86const char SanCovCFsSectionName[] = "sancov_cfs";
87const char SanCovCallbackGateSectionName[] = "sancov_gate";
88
89const char SanCovStackDepthCallbackName[] = "__sanitizer_cov_stack_depth";
90const char SanCovLowestStackName[] = "__sancov_lowest_stack";
91const char SanCovCallbackGateName[] = "__sancov_should_track";
92
94 "sanitizer-coverage-level",
95 cl::desc("Sanitizer Coverage. 0: none, 1: entry block, 2: all blocks, "
96 "3: all blocks and critical edges"),
98
99static cl::opt<bool> ClTracePC("sanitizer-coverage-trace-pc",
100 cl::desc("Experimental pc tracing"), cl::Hidden);
101
102static cl::opt<bool> ClTracePCGuard("sanitizer-coverage-trace-pc-guard",
103 cl::desc("pc tracing with a guard"),
104 cl::Hidden);
105
106// If true, we create a global variable that contains PCs of all instrumented
107// BBs, put this global into a named section, and pass this section's bounds
108// to __sanitizer_cov_pcs_init.
109// This way the coverage instrumentation does not need to acquire the PCs
110// at run-time. Works with trace-pc-guard, inline-8bit-counters, and
111// inline-bool-flag.
112static cl::opt<bool> ClCreatePCTable("sanitizer-coverage-pc-table",
113 cl::desc("create a static PC table"),
114 cl::Hidden);
115
116static cl::opt<bool>
117 ClInline8bitCounters("sanitizer-coverage-inline-8bit-counters",
118 cl::desc("increments 8-bit counter for every edge"),
119 cl::Hidden);
120
121static cl::opt<bool>
122 ClSancovDropCtors("sanitizer-coverage-drop-ctors",
123 cl::desc("do not emit module ctors for global counters"),
124 cl::Hidden);
125
126static cl::opt<bool>
127 ClInlineBoolFlag("sanitizer-coverage-inline-bool-flag",
128 cl::desc("sets a boolean flag for every edge"),
129 cl::Hidden);
130
131static cl::opt<bool>
132 ClCMPTracing("sanitizer-coverage-trace-compares",
133 cl::desc("Tracing of CMP and similar instructions"),
134 cl::Hidden);
135
136static cl::opt<bool> ClDIVTracing("sanitizer-coverage-trace-divs",
137 cl::desc("Tracing of DIV instructions"),
138 cl::Hidden);
139
140static cl::opt<bool> ClLoadTracing("sanitizer-coverage-trace-loads",
141 cl::desc("Tracing of load instructions"),
142 cl::Hidden);
143
144static cl::opt<bool> ClStoreTracing("sanitizer-coverage-trace-stores",
145 cl::desc("Tracing of store instructions"),
146 cl::Hidden);
147
148static cl::opt<bool> ClGEPTracing("sanitizer-coverage-trace-geps",
149 cl::desc("Tracing of GEP instructions"),
150 cl::Hidden);
151
152static cl::opt<bool>
153 ClPruneBlocks("sanitizer-coverage-prune-blocks",
154 cl::desc("Reduce the number of instrumented blocks"),
155 cl::Hidden, cl::init(true));
156
157static cl::opt<bool> ClStackDepth("sanitizer-coverage-stack-depth",
158 cl::desc("max stack depth tracing"),
159 cl::Hidden);
160
162 "sanitizer-coverage-stack-depth-callback-min",
163 cl::desc("max stack depth tracing should use callback and only when "
164 "stack depth more than specified"),
165 cl::Hidden);
166
167static cl::opt<bool>
168 ClCollectCF("sanitizer-coverage-control-flow",
169 cl::desc("collect control flow for each function"), cl::Hidden);
170
172 "sanitizer-coverage-gated-trace-callbacks",
173 cl::desc("Gate the invocation of the tracing callbacks on a global variable"
174 ". Currently only supported for trace-pc-guard and trace-cmp."),
175 cl::Hidden, cl::init(false));
176
177namespace {
178
179SanitizerCoverageOptions getOptions(int LegacyCoverageLevel) {
181 switch (LegacyCoverageLevel) {
182 case 0:
184 break;
185 case 1:
187 break;
188 case 2:
190 break;
191 case 3:
193 break;
194 case 4:
196 Res.IndirectCalls = true;
197 break;
198 }
199 return Res;
200}
201
203 // Sets CoverageType and IndirectCalls.
204 SanitizerCoverageOptions CLOpts = getOptions(ClCoverageLevel);
205 Options.CoverageType = std::max(Options.CoverageType, CLOpts.CoverageType);
206 Options.IndirectCalls |= CLOpts.IndirectCalls;
207 Options.TraceCmp |= ClCMPTracing;
208 Options.TraceDiv |= ClDIVTracing;
209 Options.TraceGep |= ClGEPTracing;
210 Options.TracePC |= ClTracePC;
211 Options.TracePCGuard |= ClTracePCGuard;
212 Options.Inline8bitCounters |= ClInline8bitCounters;
213 Options.InlineBoolFlag |= ClInlineBoolFlag;
214 Options.PCTable |= ClCreatePCTable;
215 Options.NoPrune |= !ClPruneBlocks;
216 Options.StackDepth |= ClStackDepth;
217 Options.StackDepthCallbackMin = std::max(Options.StackDepthCallbackMin,
218 ClStackDepthCallbackMin.getValue());
219 Options.TraceLoads |= ClLoadTracing;
220 Options.TraceStores |= ClStoreTracing;
221 Options.GatedCallbacks |= ClGatedCallbacks;
222 if (!Options.TracePCGuard && !Options.TracePC &&
223 !Options.Inline8bitCounters && !Options.StackDepth &&
224 !Options.InlineBoolFlag && !Options.TraceLoads && !Options.TraceStores)
225 Options.TracePCGuard = true; // TracePCGuard is default.
226 Options.CollectControlFlow |= ClCollectCF;
227 return Options;
228}
229
230class ModuleSanitizerCoverage {
231public:
232 using DomTreeCallback = function_ref<const DominatorTree &(Function &F)>;
233 using PostDomTreeCallback =
234 function_ref<const PostDominatorTree &(Function &F)>;
235
236 ModuleSanitizerCoverage(Module &M, DomTreeCallback DTCallback,
237 PostDomTreeCallback PDTCallback,
238 const SanitizerCoverageOptions &Options,
239 const SpecialCaseList *Allowlist,
240 const SpecialCaseList *Blocklist)
241 : M(M), DTCallback(DTCallback), PDTCallback(PDTCallback),
242 Options(Options), Allowlist(Allowlist), Blocklist(Blocklist) {}
243
244 bool instrumentModule();
245
246private:
247 void createFunctionControlFlow(Function &F);
248 void instrumentFunction(Function &F);
249 void InjectCoverageForIndirectCalls(Function &F,
250 ArrayRef<Instruction *> IndirCalls);
251 void InjectTraceForCmp(Function &F, ArrayRef<Instruction *> CmpTraceTargets,
252 Value *&FunctionGateCmp);
253 void InjectTraceForDiv(Function &F,
254 ArrayRef<BinaryOperator *> DivTraceTargets);
255 void InjectTraceForGep(Function &F,
256 ArrayRef<GetElementPtrInst *> GepTraceTargets);
257 void InjectTraceForLoadsAndStores(Function &F, ArrayRef<LoadInst *> Loads,
258 ArrayRef<StoreInst *> Stores);
259 void InjectTraceForSwitch(Function &F,
260 ArrayRef<Instruction *> SwitchTraceTargets,
261 Value *&FunctionGateCmp);
262 bool InjectCoverage(Function &F, ArrayRef<BasicBlock *> AllBlocks,
263 Value *&FunctionGateCmp, bool IsLeafFunc);
264 GlobalVariable *CreateFunctionLocalArrayInSection(size_t NumElements,
265 Function &F, Type *Ty,
266 const char *Section);
267 GlobalVariable *CreatePCArray(Function &F, ArrayRef<BasicBlock *> AllBlocks);
268 void CreateFunctionLocalArrays(Function &F, ArrayRef<BasicBlock *> AllBlocks);
269 Instruction *CreateGateBranch(Function &F, Value *&FunctionGateCmp,
270 Instruction *I);
271 Value *CreateFunctionLocalGateCmp(IRBuilder<> &IRB);
272 void InjectCoverageAtBlock(Function &F, BasicBlock &BB, size_t Idx,
273 Value *&FunctionGateCmp, bool IsLeafFunc);
274 Function *CreateInitCallsForSections(Module &M, const char *CtorName,
275 const char *InitFunctionName, Type *Ty,
276 const char *Section);
277 std::pair<Value *, Value *> CreateSecStartEnd(Module &M, const char *Section,
278 Type *Ty);
279
280 std::string getSectionName(const std::string &Section) const;
281 std::string getSectionStart(const std::string &Section) const;
282 std::string getSectionEnd(const std::string &Section) const;
283
284 Module &M;
285 DomTreeCallback DTCallback;
286 PostDomTreeCallback PDTCallback;
287
288 FunctionCallee SanCovStackDepthCallback;
289 FunctionCallee SanCovTracePCIndir;
290 FunctionCallee SanCovTracePC, SanCovTracePCGuard;
291 std::array<FunctionCallee, 4> SanCovTraceCmpFunction;
292 std::array<FunctionCallee, 4> SanCovTraceConstCmpFunction;
293 std::array<FunctionCallee, 5> SanCovLoadFunction;
294 std::array<FunctionCallee, 5> SanCovStoreFunction;
295 std::array<FunctionCallee, 2> SanCovTraceDivFunction;
296 FunctionCallee SanCovTraceGepFunction;
297 FunctionCallee SanCovTraceSwitchFunction;
298 GlobalVariable *SanCovLowestStack;
299 GlobalVariable *SanCovCallbackGate;
300 Type *PtrTy, *IntptrTy, *Int64Ty, *Int32Ty, *Int16Ty, *Int8Ty, *Int1Ty;
301 Module *CurModule;
302 Triple TargetTriple;
303 LLVMContext *C;
304 const DataLayout *DL;
305
306 GlobalVariable *FunctionGuardArray; // for trace-pc-guard.
307 GlobalVariable *Function8bitCounterArray; // for inline-8bit-counters.
308 GlobalVariable *FunctionBoolArray; // for inline-bool-flag.
309 GlobalVariable *FunctionPCsArray; // for pc-table.
310 GlobalVariable *FunctionCFsArray; // for control flow table
311 SmallVector<GlobalValue *, 20> GlobalsToAppendToUsed;
312 SmallVector<GlobalValue *, 20> GlobalsToAppendToCompilerUsed;
313
314 SanitizerCoverageOptions Options;
315
316 const SpecialCaseList *Allowlist;
317 const SpecialCaseList *Blocklist;
318};
319} // namespace
320
323 auto &FAM = MAM.getResult<FunctionAnalysisManagerModuleProxy>(M).getManager();
324 auto DTCallback = [&FAM](Function &F) -> const DominatorTree & {
325 return FAM.getResult<DominatorTreeAnalysis>(F);
326 };
327 auto PDTCallback = [&FAM](Function &F) -> const PostDominatorTree & {
328 return FAM.getResult<PostDominatorTreeAnalysis>(F);
329 };
330 ModuleSanitizerCoverage ModuleSancov(M, DTCallback, PDTCallback,
331 OverrideFromCL(Options), Allowlist.get(),
332 Blocklist.get());
333 if (!ModuleSancov.instrumentModule())
334 return PreservedAnalyses::all();
335
337 // GlobalsAA is considered stateless and does not get invalidated unless
338 // explicitly invalidated; PreservedAnalyses::none() is not enough. Sanitizers
339 // make changes that require GlobalsAA to be invalidated.
340 PA.abandon<GlobalsAA>();
341 return PA;
342}
343
344std::pair<Value *, Value *>
345ModuleSanitizerCoverage::CreateSecStartEnd(Module &M, const char *Section,
346 Type *Ty) {
347 // Use ExternalWeak so that if all sections are discarded due to section
348 // garbage collection, the linker will not report undefined symbol errors.
349 // Windows defines the start/stop symbols in compiler-rt so no need for
350 // ExternalWeak.
351 GlobalValue::LinkageTypes Linkage = TargetTriple.isOSBinFormatCOFF()
354 GlobalVariable *SecStart = new GlobalVariable(M, Ty, false, Linkage, nullptr,
355 getSectionStart(Section));
357 GlobalVariable *SecEnd = new GlobalVariable(M, Ty, false, Linkage, nullptr,
358 getSectionEnd(Section));
360 IRBuilder<> IRB(M.getContext());
361 if (!TargetTriple.isOSBinFormatCOFF())
362 return std::make_pair(SecStart, SecEnd);
363
364 // Account for the fact that on windows-msvc __start_* symbols actually
365 // point to a uint64_t before the start of the array.
366 auto GEP =
367 IRB.CreatePtrAdd(SecStart, ConstantInt::get(IntptrTy, sizeof(uint64_t)));
368 return std::make_pair(GEP, SecEnd);
369}
370
371Function *ModuleSanitizerCoverage::CreateInitCallsForSections(
372 Module &M, const char *CtorName, const char *InitFunctionName, Type *Ty,
373 const char *Section) {
375 return nullptr;
376 auto SecStartEnd = CreateSecStartEnd(M, Section, Ty);
377 auto SecStart = SecStartEnd.first;
378 auto SecEnd = SecStartEnd.second;
379 Function *CtorFunc;
380 std::tie(CtorFunc, std::ignore) = createSanitizerCtorAndInitFunctions(
381 M, CtorName, InitFunctionName, {PtrTy, PtrTy}, {SecStart, SecEnd});
382 assert(CtorFunc->getName() == CtorName);
383
384 if (TargetTriple.supportsCOMDAT()) {
385 // Use comdat to dedup CtorFunc.
386 CtorFunc->setComdat(M.getOrInsertComdat(CtorName));
387 appendToGlobalCtors(M, CtorFunc, SanCtorAndDtorPriority, CtorFunc);
388 } else {
390 }
391
392 if (TargetTriple.isOSBinFormatCOFF()) {
393 // In COFF files, if the contructors are set as COMDAT (they are because
394 // COFF supports COMDAT) and the linker flag /OPT:REF (strip unreferenced
395 // functions and data) is used, the constructors get stripped. To prevent
396 // this, give the constructors weak ODR linkage and ensure the linker knows
397 // to include the sancov constructor. This way the linker can deduplicate
398 // the constructors but always leave one copy.
400 }
401 return CtorFunc;
402}
403
404bool ModuleSanitizerCoverage::instrumentModule() {
406 return false;
407 if (Allowlist &&
408 !Allowlist->inSection("coverage", "src", M.getSourceFileName()))
409 return false;
410 if (Blocklist &&
411 Blocklist->inSection("coverage", "src", M.getSourceFileName()))
412 return false;
413 C = &(M.getContext());
414 DL = &M.getDataLayout();
415 CurModule = &M;
416 TargetTriple = M.getTargetTriple();
417 FunctionGuardArray = nullptr;
418 Function8bitCounterArray = nullptr;
419 FunctionBoolArray = nullptr;
420 FunctionPCsArray = nullptr;
421 FunctionCFsArray = nullptr;
422 IntptrTy = Type::getIntNTy(*C, DL->getPointerSizeInBits());
423 PtrTy = PointerType::getUnqual(*C);
424 Type *VoidTy = Type::getVoidTy(*C);
425 IRBuilder<> IRB(*C);
426 Int64Ty = IRB.getInt64Ty();
427 Int32Ty = IRB.getInt32Ty();
428 Int16Ty = IRB.getInt16Ty();
429 Int8Ty = IRB.getInt8Ty();
430 Int1Ty = IRB.getInt1Ty();
431
432 SanCovTracePCIndir =
433 M.getOrInsertFunction(SanCovTracePCIndirName, VoidTy, IntptrTy);
434 // Make sure smaller parameters are zero-extended to i64 if required by the
435 // target ABI.
436 AttributeList SanCovTraceCmpZeroExtAL;
437 SanCovTraceCmpZeroExtAL =
438 SanCovTraceCmpZeroExtAL.addParamAttribute(*C, 0, Attribute::ZExt);
439 SanCovTraceCmpZeroExtAL =
440 SanCovTraceCmpZeroExtAL.addParamAttribute(*C, 1, Attribute::ZExt);
441
442 SanCovTraceCmpFunction[0] =
443 M.getOrInsertFunction(SanCovTraceCmp1, SanCovTraceCmpZeroExtAL, VoidTy,
444 IRB.getInt8Ty(), IRB.getInt8Ty());
445 SanCovTraceCmpFunction[1] =
446 M.getOrInsertFunction(SanCovTraceCmp2, SanCovTraceCmpZeroExtAL, VoidTy,
447 IRB.getInt16Ty(), IRB.getInt16Ty());
448 SanCovTraceCmpFunction[2] =
449 M.getOrInsertFunction(SanCovTraceCmp4, SanCovTraceCmpZeroExtAL, VoidTy,
450 IRB.getInt32Ty(), IRB.getInt32Ty());
451 SanCovTraceCmpFunction[3] =
452 M.getOrInsertFunction(SanCovTraceCmp8, VoidTy, Int64Ty, Int64Ty);
453
454 SanCovTraceConstCmpFunction[0] = M.getOrInsertFunction(
455 SanCovTraceConstCmp1, SanCovTraceCmpZeroExtAL, VoidTy, Int8Ty, Int8Ty);
456 SanCovTraceConstCmpFunction[1] = M.getOrInsertFunction(
457 SanCovTraceConstCmp2, SanCovTraceCmpZeroExtAL, VoidTy, Int16Ty, Int16Ty);
458 SanCovTraceConstCmpFunction[2] = M.getOrInsertFunction(
459 SanCovTraceConstCmp4, SanCovTraceCmpZeroExtAL, VoidTy, Int32Ty, Int32Ty);
460 SanCovTraceConstCmpFunction[3] =
461 M.getOrInsertFunction(SanCovTraceConstCmp8, VoidTy, Int64Ty, Int64Ty);
462
463 // Loads.
464 SanCovLoadFunction[0] = M.getOrInsertFunction(SanCovLoad1, VoidTy, PtrTy);
465 SanCovLoadFunction[1] = M.getOrInsertFunction(SanCovLoad2, VoidTy, PtrTy);
466 SanCovLoadFunction[2] = M.getOrInsertFunction(SanCovLoad4, VoidTy, PtrTy);
467 SanCovLoadFunction[3] = M.getOrInsertFunction(SanCovLoad8, VoidTy, PtrTy);
468 SanCovLoadFunction[4] = M.getOrInsertFunction(SanCovLoad16, VoidTy, PtrTy);
469 // Stores.
470 SanCovStoreFunction[0] = M.getOrInsertFunction(SanCovStore1, VoidTy, PtrTy);
471 SanCovStoreFunction[1] = M.getOrInsertFunction(SanCovStore2, VoidTy, PtrTy);
472 SanCovStoreFunction[2] = M.getOrInsertFunction(SanCovStore4, VoidTy, PtrTy);
473 SanCovStoreFunction[3] = M.getOrInsertFunction(SanCovStore8, VoidTy, PtrTy);
474 SanCovStoreFunction[4] = M.getOrInsertFunction(SanCovStore16, VoidTy, PtrTy);
475
476 {
477 AttributeList AL;
478 AL = AL.addParamAttribute(*C, 0, Attribute::ZExt);
479 SanCovTraceDivFunction[0] =
480 M.getOrInsertFunction(SanCovTraceDiv4, AL, VoidTy, IRB.getInt32Ty());
481 }
482 SanCovTraceDivFunction[1] =
483 M.getOrInsertFunction(SanCovTraceDiv8, VoidTy, Int64Ty);
484 SanCovTraceGepFunction =
485 M.getOrInsertFunction(SanCovTraceGep, VoidTy, IntptrTy);
486 SanCovTraceSwitchFunction =
487 M.getOrInsertFunction(SanCovTraceSwitchName, VoidTy, Int64Ty, PtrTy);
488
489 SanCovLowestStack = M.getOrInsertGlobal(SanCovLowestStackName, IntptrTy);
490 if (SanCovLowestStack->getValueType() != IntptrTy) {
491 C->emitError(StringRef("'") + SanCovLowestStackName +
492 "' should not be declared by the user");
493 return true;
494 }
495 SanCovLowestStack->setThreadLocalMode(
497 if (Options.StackDepth && !SanCovLowestStack->isDeclaration())
498 SanCovLowestStack->setInitializer(Constant::getAllOnesValue(IntptrTy));
499
500 if (Options.GatedCallbacks) {
501 if (!Options.TracePCGuard && !Options.TraceCmp) {
502 C->emitError(StringRef("'") + ClGatedCallbacks.ArgStr +
503 "' is only supported with trace-pc-guard or trace-cmp");
504 return true;
505 }
506
507 SanCovCallbackGate = cast<GlobalVariable>(
508 M.getOrInsertGlobal(SanCovCallbackGateName, Int64Ty));
509 SanCovCallbackGate->setSection(
511 SanCovCallbackGate->setInitializer(Constant::getNullValue(Int64Ty));
512 SanCovCallbackGate->setLinkage(GlobalVariable::LinkOnceAnyLinkage);
513 SanCovCallbackGate->setVisibility(GlobalVariable::HiddenVisibility);
514 appendToCompilerUsed(M, SanCovCallbackGate);
515 }
516
517 SanCovTracePC = M.getOrInsertFunction(SanCovTracePCName, VoidTy);
518 SanCovTracePCGuard =
519 M.getOrInsertFunction(SanCovTracePCGuardName, VoidTy, PtrTy);
520
521 SanCovStackDepthCallback =
522 M.getOrInsertFunction(SanCovStackDepthCallbackName, VoidTy);
523
524 for (auto &F : M)
525 instrumentFunction(F);
526
527 Function *Ctor = nullptr;
528
529 if (FunctionGuardArray)
530 Ctor = CreateInitCallsForSections(M, SanCovModuleCtorTracePcGuardName,
533 if (Function8bitCounterArray)
534 Ctor = CreateInitCallsForSections(M, SanCovModuleCtor8bitCountersName,
537 if (FunctionBoolArray) {
538 Ctor = CreateInitCallsForSections(M, SanCovModuleCtorBoolFlagName,
541 }
542 if (Ctor && Options.PCTable) {
543 auto SecStartEnd = CreateSecStartEnd(M, SanCovPCsSectionName, IntptrTy);
544 FunctionCallee InitFunction =
546 IRBuilder<> IRBCtor(Ctor->getEntryBlock().getTerminator());
547 IRBCtor.CreateCall(InitFunction, {SecStartEnd.first, SecStartEnd.second});
548 }
549
550 if (Ctor && Options.CollectControlFlow) {
551 auto SecStartEnd = CreateSecStartEnd(M, SanCovCFsSectionName, IntptrTy);
552 FunctionCallee InitFunction =
554 IRBuilder<> IRBCtor(Ctor->getEntryBlock().getTerminator());
555 IRBCtor.CreateCall(InitFunction, {SecStartEnd.first, SecStartEnd.second});
556 }
557
558 appendToUsed(M, GlobalsToAppendToUsed);
559 appendToCompilerUsed(M, GlobalsToAppendToCompilerUsed);
560 return true;
561}
562
563// True if block has successors and it dominates all of them.
564static bool isFullDominator(const BasicBlock *BB, const DominatorTree &DT) {
565 if (succ_empty(BB))
566 return false;
567
568 return llvm::all_of(successors(BB), [&](const BasicBlock *SUCC) {
569 return DT.dominates(BB, SUCC);
570 });
571}
572
573// True if block has predecessors and it postdominates all of them.
574static bool isFullPostDominator(const BasicBlock *BB,
575 const PostDominatorTree &PDT) {
576 if (pred_empty(BB))
577 return false;
578
579 return llvm::all_of(predecessors(BB), [&](const BasicBlock *PRED) {
580 return PDT.dominates(BB, PRED);
581 });
582}
583
584static bool shouldInstrumentBlock(const Function &F, const BasicBlock *BB,
585 const DominatorTree &DT,
586 const PostDominatorTree &PDT,
588 // Don't insert coverage for blocks containing nothing but unreachable: we
589 // will never call __sanitizer_cov() for them, so counting them in
590 // NumberOfInstrumentedBlocks() might complicate calculation of code coverage
591 // percentage. Also, unreachable instructions frequently have no debug
592 // locations.
594 return false;
595
596 // Don't insert coverage into blocks without a valid insertion point
597 // (catchswitch blocks).
598 if (BB->getFirstInsertionPt() == BB->end())
599 return false;
600
601 if (Options.NoPrune || &F.getEntryBlock() == BB)
602 return true;
603
605 &F.getEntryBlock() != BB)
606 return false;
607
608 // Do not instrument full dominators, or full post-dominators with multiple
609 // predecessors.
610 return !isFullDominator(BB, DT) &&
611 !(isFullPostDominator(BB, PDT) && !BB->getSinglePredecessor());
612}
613
614// Returns true iff From->To is a backedge.
615// A twist here is that we treat From->To as a backedge if
616// * To dominates From or
617// * To->UniqueSuccessor dominates From
618static bool IsBackEdge(BasicBlock *From, BasicBlock *To,
619 const DominatorTree &DT) {
620 if (DT.dominates(To, From))
621 return true;
622 if (auto Next = To->getUniqueSuccessor())
623 if (DT.dominates(Next, From))
624 return true;
625 return false;
626}
627
628// Prunes uninteresting Cmp instrumentation:
629// * CMP instructions that feed into loop backedge branch.
630//
631// Note that Cmp pruning is controlled by the same flag as the
632// BB pruning.
633static bool IsInterestingCmp(ICmpInst *CMP, const DominatorTree &DT,
635 if (!Options.NoPrune)
636 if (CMP->hasOneUse())
637 if (auto BR = dyn_cast<BranchInst>(CMP->user_back()))
638 for (BasicBlock *B : BR->successors())
639 if (IsBackEdge(BR->getParent(), B, DT))
640 return false;
641 return true;
642}
643
644void ModuleSanitizerCoverage::instrumentFunction(Function &F) {
645 if (F.empty())
646 return;
647 if (F.getName().contains(".module_ctor"))
648 return; // Should not instrument sanitizer init functions.
649 if (F.getName().starts_with("__sanitizer_"))
650 return; // Don't instrument __sanitizer_* callbacks.
651 // Don't touch available_externally functions, their actual body is elewhere.
652 if (F.getLinkage() == GlobalValue::AvailableExternallyLinkage)
653 return;
654 // Don't instrument MSVC CRT configuration helpers. They may run before normal
655 // initialization.
656 if (F.getName() == "__local_stdio_printf_options" ||
657 F.getName() == "__local_stdio_scanf_options")
658 return;
659 if (isa<UnreachableInst>(F.getEntryBlock().getTerminator()))
660 return;
661 // Don't instrument functions using SEH for now. Splitting basic blocks like
662 // we do for coverage breaks WinEHPrepare.
663 // FIXME: Remove this when SEH no longer uses landingpad pattern matching.
664 if (F.hasPersonalityFn() &&
666 return;
667 if (Allowlist && !Allowlist->inSection("coverage", "fun", F.getName()))
668 return;
669 if (Blocklist && Blocklist->inSection("coverage", "fun", F.getName()))
670 return;
671 // Do not apply any instrumentation for naked functions.
672 if (F.hasFnAttribute(Attribute::Naked))
673 return;
674 if (F.hasFnAttribute(Attribute::NoSanitizeCoverage))
675 return;
676 if (F.hasFnAttribute(Attribute::DisableSanitizerInstrumentation))
677 return;
678 if (Options.CoverageType >= SanitizerCoverageOptions::SCK_Edge) {
680 F, CriticalEdgeSplittingOptions().setIgnoreUnreachableDests());
681 }
683 SmallVector<BasicBlock *, 16> BlocksToInstrument;
684 SmallVector<Instruction *, 8> CmpTraceTargets;
685 SmallVector<Instruction *, 8> SwitchTraceTargets;
686 SmallVector<BinaryOperator *, 8> DivTraceTargets;
690
691 const DominatorTree &DT = DTCallback(F);
692 const PostDominatorTree &PDT = PDTCallback(F);
693 bool IsLeafFunc = true;
694
695 for (auto &BB : F) {
696 if (shouldInstrumentBlock(F, &BB, DT, PDT, Options))
697 BlocksToInstrument.push_back(&BB);
698 for (auto &Inst : BB) {
699 if (Options.IndirectCalls) {
700 CallBase *CB = dyn_cast<CallBase>(&Inst);
701 if (CB && CB->isIndirectCall())
702 IndirCalls.push_back(&Inst);
703 }
704 if (Options.TraceCmp) {
705 if (ICmpInst *CMP = dyn_cast<ICmpInst>(&Inst))
706 if (IsInterestingCmp(CMP, DT, Options))
707 CmpTraceTargets.push_back(&Inst);
708 if (isa<SwitchInst>(&Inst))
709 SwitchTraceTargets.push_back(&Inst);
710 }
711 if (Options.TraceDiv)
713 if (BO->getOpcode() == Instruction::SDiv ||
714 BO->getOpcode() == Instruction::UDiv)
715 DivTraceTargets.push_back(BO);
716 if (Options.TraceGep)
718 GepTraceTargets.push_back(GEP);
719 if (Options.TraceLoads)
720 if (LoadInst *LI = dyn_cast<LoadInst>(&Inst))
721 Loads.push_back(LI);
722 if (Options.TraceStores)
723 if (StoreInst *SI = dyn_cast<StoreInst>(&Inst))
724 Stores.push_back(SI);
725 if (Options.StackDepth)
726 if (isa<InvokeInst>(Inst) ||
727 (isa<CallInst>(Inst) && !isa<IntrinsicInst>(Inst)))
728 IsLeafFunc = false;
729 }
730 }
731
732 if (Options.CollectControlFlow)
733 createFunctionControlFlow(F);
734
735 Value *FunctionGateCmp = nullptr;
736 InjectCoverage(F, BlocksToInstrument, FunctionGateCmp, IsLeafFunc);
737 InjectCoverageForIndirectCalls(F, IndirCalls);
738 InjectTraceForCmp(F, CmpTraceTargets, FunctionGateCmp);
739 InjectTraceForSwitch(F, SwitchTraceTargets, FunctionGateCmp);
740 InjectTraceForDiv(F, DivTraceTargets);
741 InjectTraceForGep(F, GepTraceTargets);
742 InjectTraceForLoadsAndStores(F, Loads, Stores);
743}
744
745GlobalVariable *ModuleSanitizerCoverage::CreateFunctionLocalArrayInSection(
746 size_t NumElements, Function &F, Type *Ty, const char *Section) {
747 ArrayType *ArrayTy = ArrayType::get(Ty, NumElements);
748 auto Array = new GlobalVariable(
749 *CurModule, ArrayTy, false, GlobalVariable::PrivateLinkage,
750 Constant::getNullValue(ArrayTy), "__sancov_gen_");
751
752 if (TargetTriple.supportsCOMDAT() &&
753 (F.hasComdat() || TargetTriple.isOSBinFormatELF() || !F.isInterposable()))
754 if (auto Comdat = getOrCreateFunctionComdat(F, TargetTriple))
755 Array->setComdat(Comdat);
756 Array->setSection(getSectionName(Section));
757 Array->setAlignment(Align(DL->getTypeStoreSize(Ty).getFixedValue()));
758
759 // sancov_pcs parallels the other metadata section(s). Optimizers (e.g.
760 // GlobalOpt/ConstantMerge) may not discard sancov_pcs and the other
761 // section(s) as a unit, so we conservatively retain all unconditionally in
762 // the compiler.
763 //
764 // With comdat (COFF/ELF), the linker can guarantee the associated sections
765 // will be retained or discarded as a unit, so llvm.compiler.used is
766 // sufficient. Otherwise, conservatively make all of them retained by the
767 // linker.
768 if (Array->hasComdat())
769 GlobalsToAppendToCompilerUsed.push_back(Array);
770 else
771 GlobalsToAppendToUsed.push_back(Array);
772
773 return Array;
774}
775
777ModuleSanitizerCoverage::CreatePCArray(Function &F,
778 ArrayRef<BasicBlock *> AllBlocks) {
779 size_t N = AllBlocks.size();
780 assert(N);
782 IRBuilder<> IRB(&*F.getEntryBlock().getFirstInsertionPt());
783 for (size_t i = 0; i < N; i++) {
784 if (&F.getEntryBlock() == AllBlocks[i]) {
785 PCs.push_back((Constant *)IRB.CreatePointerCast(&F, PtrTy));
786 PCs.push_back(
787 (Constant *)IRB.CreateIntToPtr(ConstantInt::get(IntptrTy, 1), PtrTy));
788 } else {
789 PCs.push_back((Constant *)IRB.CreatePointerCast(
790 BlockAddress::get(AllBlocks[i]), PtrTy));
792 }
793 }
794 auto *PCArray =
795 CreateFunctionLocalArrayInSection(N * 2, F, PtrTy, SanCovPCsSectionName);
796 PCArray->setInitializer(
797 ConstantArray::get(ArrayType::get(PtrTy, N * 2), PCs));
798 PCArray->setConstant(true);
799
800 return PCArray;
801}
802
803void ModuleSanitizerCoverage::CreateFunctionLocalArrays(
804 Function &F, ArrayRef<BasicBlock *> AllBlocks) {
805 if (Options.TracePCGuard)
806 FunctionGuardArray = CreateFunctionLocalArrayInSection(
807 AllBlocks.size(), F, Int32Ty, SanCovGuardsSectionName);
808
809 if (Options.Inline8bitCounters)
810 Function8bitCounterArray = CreateFunctionLocalArrayInSection(
811 AllBlocks.size(), F, Int8Ty, SanCovCountersSectionName);
812 if (Options.InlineBoolFlag)
813 FunctionBoolArray = CreateFunctionLocalArrayInSection(
814 AllBlocks.size(), F, Int1Ty, SanCovBoolFlagSectionName);
815
816 if (Options.PCTable)
817 FunctionPCsArray = CreatePCArray(F, AllBlocks);
818}
819
820Value *ModuleSanitizerCoverage::CreateFunctionLocalGateCmp(IRBuilder<> &IRB) {
821 auto Load = IRB.CreateLoad(Int64Ty, SanCovCallbackGate);
822 Load->setNoSanitizeMetadata();
823 auto Cmp = IRB.CreateIsNotNull(Load);
824 Cmp->setName("sancov gate cmp");
825 return Cmp;
826}
827
828Instruction *ModuleSanitizerCoverage::CreateGateBranch(Function &F,
829 Value *&FunctionGateCmp,
830 Instruction *IP) {
831 if (!FunctionGateCmp) {
832 // Create this in the entry block
833 BasicBlock &BB = F.getEntryBlock();
835 IP = PrepareToSplitEntryBlock(BB, IP);
836 IRBuilder<> EntryIRB(&*IP);
837 FunctionGateCmp = CreateFunctionLocalGateCmp(EntryIRB);
838 }
839 // Set the branch weights in order to minimize the price paid when the
840 // gate is turned off, allowing the default enablement of this
841 // instrumentation with as little of a performance cost as possible
842 auto Weights = MDBuilder(*C).createBranchWeights(1, 100000);
843 return SplitBlockAndInsertIfThen(FunctionGateCmp, IP, false, Weights);
844}
845
846bool ModuleSanitizerCoverage::InjectCoverage(Function &F,
847 ArrayRef<BasicBlock *> AllBlocks,
848 Value *&FunctionGateCmp,
849 bool IsLeafFunc) {
850 if (AllBlocks.empty())
851 return false;
852 CreateFunctionLocalArrays(F, AllBlocks);
853 for (size_t i = 0, N = AllBlocks.size(); i < N; i++)
854 InjectCoverageAtBlock(F, *AllBlocks[i], i, FunctionGateCmp, IsLeafFunc);
855 return true;
856}
857
858// On every indirect call we call a run-time function
859// __sanitizer_cov_indir_call* with two parameters:
860// - callee address,
861// - global cache array that contains CacheSize pointers (zero-initialized).
862// The cache is used to speed up recording the caller-callee pairs.
863// The address of the caller is passed implicitly via caller PC.
864// CacheSize is encoded in the name of the run-time function.
865void ModuleSanitizerCoverage::InjectCoverageForIndirectCalls(
866 Function &F, ArrayRef<Instruction *> IndirCalls) {
867 if (IndirCalls.empty())
868 return;
869 assert(Options.TracePC || Options.TracePCGuard ||
870 Options.Inline8bitCounters || Options.InlineBoolFlag);
871 for (auto *I : IndirCalls) {
873 CallBase &CB = cast<CallBase>(*I);
875 if (isa<InlineAsm>(Callee))
876 continue;
877 IRB.CreateCall(SanCovTracePCIndir, IRB.CreatePointerCast(Callee, IntptrTy));
878 }
879}
880
881// For every switch statement we insert a call:
882// __sanitizer_cov_trace_switch(CondValue,
883// {NumCases, ValueSizeInBits, Case0Value, Case1Value, Case2Value, ... })
884
885void ModuleSanitizerCoverage::InjectTraceForSwitch(
886 Function &F, ArrayRef<Instruction *> SwitchTraceTargets,
887 Value *&FunctionGateCmp) {
888 for (auto *I : SwitchTraceTargets) {
891 SmallVector<Constant *, 16> Initializers;
892 Value *Cond = SI->getCondition();
893 if (Cond->getType()->getScalarSizeInBits() >
894 Int64Ty->getScalarSizeInBits())
895 continue;
896 Initializers.push_back(ConstantInt::get(Int64Ty, SI->getNumCases()));
897 Initializers.push_back(
898 ConstantInt::get(Int64Ty, Cond->getType()->getScalarSizeInBits()));
899 if (Cond->getType()->getScalarSizeInBits() <
900 Int64Ty->getScalarSizeInBits())
901 Cond = IRB.CreateIntCast(Cond, Int64Ty, false);
902 for (auto It : SI->cases()) {
903 ConstantInt *C = It.getCaseValue();
904 if (C->getType()->getScalarSizeInBits() < 64)
905 C = ConstantInt::get(C->getContext(), C->getValue().zext(64));
906 Initializers.push_back(C);
907 }
908 llvm::sort(drop_begin(Initializers, 2),
909 [](const Constant *A, const Constant *B) {
910 return cast<ConstantInt>(A)->getLimitedValue() <
911 cast<ConstantInt>(B)->getLimitedValue();
912 });
913 ArrayType *ArrayOfInt64Ty = ArrayType::get(Int64Ty, Initializers.size());
915 *CurModule, ArrayOfInt64Ty, false, GlobalVariable::InternalLinkage,
916 ConstantArray::get(ArrayOfInt64Ty, Initializers),
917 "__sancov_gen_cov_switch_values");
918 if (Options.GatedCallbacks) {
919 auto GateBranch = CreateGateBranch(F, FunctionGateCmp, I);
920 IRBuilder<> GateIRB(GateBranch);
921 GateIRB.CreateCall(SanCovTraceSwitchFunction, {Cond, GV});
922 } else {
923 IRB.CreateCall(SanCovTraceSwitchFunction, {Cond, GV});
924 }
925 }
926 }
927}
928
929void ModuleSanitizerCoverage::InjectTraceForDiv(
930 Function &, ArrayRef<BinaryOperator *> DivTraceTargets) {
931 for (auto *BO : DivTraceTargets) {
933 Value *A1 = BO->getOperand(1);
934 if (isa<ConstantInt>(A1))
935 continue;
936 if (!A1->getType()->isIntegerTy())
937 continue;
938 uint64_t TypeSize = DL->getTypeStoreSizeInBits(A1->getType());
939 int CallbackIdx = TypeSize == 32 ? 0 : TypeSize == 64 ? 1 : -1;
940 if (CallbackIdx < 0)
941 continue;
942 auto Ty = Type::getIntNTy(*C, TypeSize);
943 IRB.CreateCall(SanCovTraceDivFunction[CallbackIdx],
944 {IRB.CreateIntCast(A1, Ty, true)});
945 }
946}
947
948void ModuleSanitizerCoverage::InjectTraceForGep(
949 Function &, ArrayRef<GetElementPtrInst *> GepTraceTargets) {
950 for (auto *GEP : GepTraceTargets) {
952 for (Use &Idx : GEP->indices())
953 if (!isa<ConstantInt>(Idx) && Idx->getType()->isIntegerTy())
954 IRB.CreateCall(SanCovTraceGepFunction,
955 {IRB.CreateIntCast(Idx, IntptrTy, true)});
956 }
957}
958
959void ModuleSanitizerCoverage::InjectTraceForLoadsAndStores(
961 auto CallbackIdx = [&](Type *ElementTy) -> int {
962 uint64_t TypeSize = DL->getTypeStoreSizeInBits(ElementTy);
963 return TypeSize == 8 ? 0
964 : TypeSize == 16 ? 1
965 : TypeSize == 32 ? 2
966 : TypeSize == 64 ? 3
967 : TypeSize == 128 ? 4
968 : -1;
969 };
970 for (auto *LI : Loads) {
972 auto Ptr = LI->getPointerOperand();
973 int Idx = CallbackIdx(LI->getType());
974 if (Idx < 0)
975 continue;
976 IRB.CreateCall(SanCovLoadFunction[Idx], Ptr);
977 }
978 for (auto *SI : Stores) {
980 auto Ptr = SI->getPointerOperand();
981 int Idx = CallbackIdx(SI->getValueOperand()->getType());
982 if (Idx < 0)
983 continue;
984 IRB.CreateCall(SanCovStoreFunction[Idx], Ptr);
985 }
986}
987
988void ModuleSanitizerCoverage::InjectTraceForCmp(
989 Function &F, ArrayRef<Instruction *> CmpTraceTargets,
990 Value *&FunctionGateCmp) {
991 for (auto *I : CmpTraceTargets) {
992 if (ICmpInst *ICMP = dyn_cast<ICmpInst>(I)) {
993 InstrumentationIRBuilder IRB(ICMP);
994 Value *A0 = ICMP->getOperand(0);
995 Value *A1 = ICMP->getOperand(1);
996 if (!A0->getType()->isIntegerTy())
997 continue;
998 uint64_t TypeSize = DL->getTypeStoreSizeInBits(A0->getType());
999 int CallbackIdx = TypeSize == 8 ? 0
1000 : TypeSize == 16 ? 1
1001 : TypeSize == 32 ? 2
1002 : TypeSize == 64 ? 3
1003 : -1;
1004 if (CallbackIdx < 0)
1005 continue;
1006 // __sanitizer_cov_trace_cmp((type_size << 32) | predicate, A0, A1);
1007 auto CallbackFunc = SanCovTraceCmpFunction[CallbackIdx];
1008 bool FirstIsConst = isa<ConstantInt>(A0);
1009 bool SecondIsConst = isa<ConstantInt>(A1);
1010 // If both are const, then we don't need such a comparison.
1011 if (FirstIsConst && SecondIsConst)
1012 continue;
1013 // If only one is const, then make it the first callback argument.
1014 if (FirstIsConst || SecondIsConst) {
1015 CallbackFunc = SanCovTraceConstCmpFunction[CallbackIdx];
1016 if (SecondIsConst)
1017 std::swap(A0, A1);
1018 }
1019
1020 auto Ty = Type::getIntNTy(*C, TypeSize);
1021 if (Options.GatedCallbacks) {
1022 auto GateBranch = CreateGateBranch(F, FunctionGateCmp, I);
1023 IRBuilder<> GateIRB(GateBranch);
1024 GateIRB.CreateCall(CallbackFunc, {GateIRB.CreateIntCast(A0, Ty, true),
1025 GateIRB.CreateIntCast(A1, Ty, true)});
1026 } else {
1027 IRB.CreateCall(CallbackFunc, {IRB.CreateIntCast(A0, Ty, true),
1028 IRB.CreateIntCast(A1, Ty, true)});
1029 }
1030 }
1031 }
1032}
1033
1034void ModuleSanitizerCoverage::InjectCoverageAtBlock(Function &F, BasicBlock &BB,
1035 size_t Idx,
1036 Value *&FunctionGateCmp,
1037 bool IsLeafFunc) {
1039 bool IsEntryBB = &BB == &F.getEntryBlock();
1040 DebugLoc EntryLoc;
1041 if (IsEntryBB) {
1042 if (auto SP = F.getSubprogram())
1043 EntryLoc = DILocation::get(SP->getContext(), SP->getScopeLine(), 0, SP);
1044 // Keep static allocas and llvm.localescape calls in the entry block. Even
1045 // if we aren't splitting the block, it's nice for allocas to be before
1046 // calls.
1047 IP = PrepareToSplitEntryBlock(BB, IP);
1048 }
1049
1050 InstrumentationIRBuilder IRB(&*IP);
1051 if (EntryLoc)
1052 IRB.SetCurrentDebugLocation(EntryLoc);
1053 if (Options.TracePC) {
1054 IRB.CreateCall(SanCovTracePC)
1055 ->setCannotMerge(); // gets the PC using GET_CALLER_PC.
1056 }
1057 if (Options.TracePCGuard) {
1058 auto GuardPtr = IRB.CreateConstInBoundsGEP2_64(
1059 FunctionGuardArray->getValueType(), FunctionGuardArray, 0, Idx);
1060 if (Options.GatedCallbacks) {
1061 Instruction *I = &*IP;
1062 auto GateBranch = CreateGateBranch(F, FunctionGateCmp, I);
1063 IRBuilder<> GateIRB(GateBranch);
1064 GateIRB.CreateCall(SanCovTracePCGuard, GuardPtr)->setCannotMerge();
1065 } else {
1066 IRB.CreateCall(SanCovTracePCGuard, GuardPtr)->setCannotMerge();
1067 }
1068 }
1069 if (Options.Inline8bitCounters) {
1070 auto CounterPtr = IRB.CreateGEP(
1071 Function8bitCounterArray->getValueType(), Function8bitCounterArray,
1072 {ConstantInt::get(IntptrTy, 0), ConstantInt::get(IntptrTy, Idx)});
1073 auto Load = IRB.CreateLoad(Int8Ty, CounterPtr);
1074 auto Inc = IRB.CreateAdd(Load, ConstantInt::get(Int8Ty, 1));
1075 auto Store = IRB.CreateStore(Inc, CounterPtr);
1076 Load->setNoSanitizeMetadata();
1077 Store->setNoSanitizeMetadata();
1078 }
1079 if (Options.InlineBoolFlag) {
1080 auto FlagPtr = IRB.CreateGEP(
1081 FunctionBoolArray->getValueType(), FunctionBoolArray,
1082 {ConstantInt::get(IntptrTy, 0), ConstantInt::get(IntptrTy, Idx)});
1083 auto Load = IRB.CreateLoad(Int1Ty, FlagPtr);
1084 auto ThenTerm = SplitBlockAndInsertIfThen(
1085 IRB.CreateIsNull(Load), &*IP, false,
1087 IRBuilder<> ThenIRB(ThenTerm);
1088 auto Store = ThenIRB.CreateStore(ConstantInt::getTrue(Int1Ty), FlagPtr);
1089 Load->setNoSanitizeMetadata();
1090 Store->setNoSanitizeMetadata();
1091 }
1092 if (Options.StackDepth && IsEntryBB && !IsLeafFunc) {
1093 Module *M = F.getParent();
1094 const DataLayout &DL = M->getDataLayout();
1095
1096 if (Options.StackDepthCallbackMin) {
1097 // In callback mode, only add call when stack depth reaches minimum.
1098 int EstimatedStackSize = 0;
1099 // If dynamic alloca found, always add call.
1100 bool HasDynamicAlloc = false;
1101 // Find an insertion point after last "alloca".
1102 llvm::Instruction *InsertBefore = nullptr;
1103
1104 // Examine all allocas in the basic block. since we're too early
1105 // to have results from Intrinsic::frameaddress, we have to manually
1106 // estimate the stack size.
1107 for (auto &I : BB) {
1108 if (auto *AI = dyn_cast<AllocaInst>(&I)) {
1109 // Move potential insertion point past the "alloca".
1110 InsertBefore = AI->getNextNode();
1111
1112 // Make an estimate on the stack usage.
1113 if (AI->isStaticAlloca()) {
1114 uint32_t Bytes = DL.getTypeAllocSize(AI->getAllocatedType());
1115 if (AI->isArrayAllocation()) {
1116 if (const ConstantInt *arraySize =
1117 dyn_cast<ConstantInt>(AI->getArraySize())) {
1118 Bytes *= arraySize->getZExtValue();
1119 } else {
1120 HasDynamicAlloc = true;
1121 }
1122 }
1123 EstimatedStackSize += Bytes;
1124 } else {
1125 HasDynamicAlloc = true;
1126 }
1127 }
1128 }
1129
1130 if (HasDynamicAlloc ||
1131 EstimatedStackSize >= Options.StackDepthCallbackMin) {
1132 if (InsertBefore)
1133 IRB.SetInsertPoint(InsertBefore);
1134 IRB.CreateCall(SanCovStackDepthCallback)->setCannotMerge();
1135 }
1136 } else {
1137 // Check stack depth. If it's the deepest so far, record it.
1138 auto FrameAddrPtr = IRB.CreateIntrinsic(
1139 Intrinsic::frameaddress, IRB.getPtrTy(DL.getAllocaAddrSpace()),
1140 {Constant::getNullValue(Int32Ty)});
1141 auto FrameAddrInt = IRB.CreatePtrToInt(FrameAddrPtr, IntptrTy);
1142 auto LowestStack = IRB.CreateLoad(IntptrTy, SanCovLowestStack);
1143 auto IsStackLower = IRB.CreateICmpULT(FrameAddrInt, LowestStack);
1144 auto ThenTerm = SplitBlockAndInsertIfThen(
1145 IsStackLower, &*IP, false,
1147 IRBuilder<> ThenIRB(ThenTerm);
1148 auto Store = ThenIRB.CreateStore(FrameAddrInt, SanCovLowestStack);
1149 LowestStack->setNoSanitizeMetadata();
1150 Store->setNoSanitizeMetadata();
1151 }
1152 }
1153}
1154
1155std::string
1156ModuleSanitizerCoverage::getSectionName(const std::string &Section) const {
1157 if (TargetTriple.isOSBinFormatCOFF()) {
1158 if (Section == SanCovCountersSectionName)
1159 return ".SCOV$CM";
1160 if (Section == SanCovBoolFlagSectionName)
1161 return ".SCOV$BM";
1162 if (Section == SanCovPCsSectionName)
1163 return ".SCOVP$M";
1164 return ".SCOV$GM"; // For SanCovGuardsSectionName.
1165 }
1166 if (TargetTriple.isOSBinFormatMachO())
1167 return "__DATA,__" + Section;
1168 return "__" + Section;
1169}
1170
1171std::string
1172ModuleSanitizerCoverage::getSectionStart(const std::string &Section) const {
1173 if (TargetTriple.isOSBinFormatMachO())
1174 return "\1section$start$__DATA$__" + Section;
1175 return "__start___" + Section;
1176}
1177
1178std::string
1179ModuleSanitizerCoverage::getSectionEnd(const std::string &Section) const {
1180 if (TargetTriple.isOSBinFormatMachO())
1181 return "\1section$end$__DATA$__" + Section;
1182 return "__stop___" + Section;
1183}
1184
1185void ModuleSanitizerCoverage::createFunctionControlFlow(Function &F) {
1187 IRBuilder<> IRB(&*F.getEntryBlock().getFirstInsertionPt());
1188
1189 for (auto &BB : F) {
1190 // blockaddress can not be used on function's entry block.
1191 if (&BB == &F.getEntryBlock())
1192 CFs.push_back((Constant *)IRB.CreatePointerCast(&F, PtrTy));
1193 else
1194 CFs.push_back(
1195 (Constant *)IRB.CreatePointerCast(BlockAddress::get(&BB), PtrTy));
1196
1197 for (auto SuccBB : successors(&BB)) {
1198 assert(SuccBB != &F.getEntryBlock());
1199 CFs.push_back(
1200 (Constant *)IRB.CreatePointerCast(BlockAddress::get(SuccBB), PtrTy));
1201 }
1202
1204
1205 for (auto &Inst : BB) {
1206 if (CallBase *CB = dyn_cast<CallBase>(&Inst)) {
1207 if (CB->isIndirectCall()) {
1208 // TODO(navidem): handle indirect calls, for now mark its existence.
1210 ConstantInt::get(IntptrTy, -1), PtrTy));
1211 } else {
1212 auto CalledF = CB->getCalledFunction();
1213 if (CalledF && !CalledF->isIntrinsic())
1214 CFs.push_back((Constant *)IRB.CreatePointerCast(CalledF, PtrTy));
1215 }
1216 }
1217 }
1218
1220 }
1221
1222 FunctionCFsArray = CreateFunctionLocalArrayInSection(CFs.size(), F, PtrTy,
1224 FunctionCFsArray->setInitializer(
1225 ConstantArray::get(ArrayType::get(PtrTy, CFs.size()), CFs));
1226 FunctionCFsArray->setConstant(true);
1227}
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
MachineBasicBlock MachineBasicBlock::iterator DebugLoc DL
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
This file contains the declarations for the subclasses of Constant, which represent the different fla...
This is the interface for a simple mod/ref and alias analysis over globals.
Hexagon Common GEP
Module.h This file contains the declarations for the Module class.
static LVOptions Options
Definition LVOptions.cpp:25
#define F(x, y, z)
Definition MD5.cpp:55
#define I(x, y, z)
Definition MD5.cpp:58
Machine Check Debug Module
static cl::opt< bool > SplitAllCriticalEdges("phi-elim-split-all-critical-edges", cl::init(false), cl::Hidden, cl::desc("Split all critical edges during " "PHI elimination"))
FunctionAnalysisManager FAM
ModuleAnalysisManager MAM
const SmallVectorImpl< MachineOperand > & Cond
static cl::opt< bool > ClLoadTracing("sanitizer-coverage-trace-loads", cl::desc("Tracing of load instructions"), cl::Hidden)
const char SanCovCFsSectionName[]
static bool isFullPostDominator(const BasicBlock *BB, const PostDominatorTree &PDT)
static cl::opt< int > ClCoverageLevel("sanitizer-coverage-level", cl::desc("Sanitizer Coverage. 0: none, 1: entry block, 2: all blocks, " "3: all blocks and critical edges"), cl::Hidden)
static cl::opt< bool > ClSancovDropCtors("sanitizer-coverage-drop-ctors", cl::desc("do not emit module ctors for global counters"), cl::Hidden)
static cl::opt< bool > ClStackDepth("sanitizer-coverage-stack-depth", cl::desc("max stack depth tracing"), cl::Hidden)
static cl::opt< bool > ClInlineBoolFlag("sanitizer-coverage-inline-bool-flag", cl::desc("sets a boolean flag for every edge"), cl::Hidden)
const char SanCovTraceConstCmp4[]
const char SanCovBoolFlagSectionName[]
const char SanCov8bitCountersInitName[]
const char SanCovLoad8[]
const char SanCovTraceSwitchName[]
const char SanCovTraceCmp1[]
const char SanCovModuleCtorTracePcGuardName[]
const char SanCovCountersSectionName[]
static cl::opt< bool > ClCreatePCTable("sanitizer-coverage-pc-table", cl::desc("create a static PC table"), cl::Hidden)
const char SanCovPCsInitName[]
const char SanCovTracePCGuardName[]
static cl::opt< int > ClStackDepthCallbackMin("sanitizer-coverage-stack-depth-callback-min", cl::desc("max stack depth tracing should use callback and only when " "stack depth more than specified"), cl::Hidden)
const char SanCovModuleCtor8bitCountersName[]
const char SanCovTracePCGuardInitName[]
static cl::opt< bool > ClCollectCF("sanitizer-coverage-control-flow", cl::desc("collect control flow for each function"), cl::Hidden)
const char SanCovTraceDiv4[]
static const uint64_t SanCtorAndDtorPriority
const char SanCovBoolFlagInitName[]
static cl::opt< bool > ClGatedCallbacks("sanitizer-coverage-gated-trace-callbacks", cl::desc("Gate the invocation of the tracing callbacks on a global variable" ". Currently only supported for trace-pc-guard and trace-cmp."), cl::Hidden, cl::init(false))
const char SanCovTraceGep[]
const char SanCovLoad16[]
const char SanCovTraceConstCmp8[]
const char SanCovGuardsSectionName[]
const char SanCovStore1[]
const char SanCovTraceConstCmp2[]
const char SanCovTraceConstCmp1[]
static bool IsBackEdge(BasicBlock *From, BasicBlock *To, const DominatorTree &DT)
static cl::opt< bool > ClStoreTracing("sanitizer-coverage-trace-stores", cl::desc("Tracing of store instructions"), cl::Hidden)
const char SanCovCallbackGateName[]
static cl::opt< bool > ClTracePCGuard("sanitizer-coverage-trace-pc-guard", cl::desc("pc tracing with a guard"), cl::Hidden)
const char SanCovTraceDiv8[]
const char SanCovLoad4[]
static cl::opt< bool > ClGEPTracing("sanitizer-coverage-trace-geps", cl::desc("Tracing of GEP instructions"), cl::Hidden)
const char SanCovStackDepthCallbackName[]
const char SanCovCFsInitName[]
static cl::opt< bool > ClTracePC("sanitizer-coverage-trace-pc", cl::desc("Experimental pc tracing"), cl::Hidden)
const char SanCovStore2[]
static cl::opt< bool > ClPruneBlocks("sanitizer-coverage-prune-blocks", cl::desc("Reduce the number of instrumented blocks"), cl::Hidden, cl::init(true))
const char SanCovPCsSectionName[]
const char SanCovLoad1[]
static bool isFullDominator(const BasicBlock *BB, const DominatorTree &DT)
static cl::opt< bool > ClCMPTracing("sanitizer-coverage-trace-compares", cl::desc("Tracing of CMP and similar instructions"), cl::Hidden)
const char SanCovTraceCmp8[]
const char SanCovCallbackGateSectionName[]
const char SanCovStore16[]
static bool IsInterestingCmp(ICmpInst *CMP, const DominatorTree &DT, const SanitizerCoverageOptions &Options)
static cl::opt< bool > ClDIVTracing("sanitizer-coverage-trace-divs", cl::desc("Tracing of DIV instructions"), cl::Hidden)
static cl::opt< bool > ClInline8bitCounters("sanitizer-coverage-inline-8bit-counters", cl::desc("increments 8-bit counter for every edge"), cl::Hidden)
static bool shouldInstrumentBlock(const Function &F, const BasicBlock *BB, const DominatorTree &DT, const PostDominatorTree &PDT, const SanitizerCoverageOptions &Options)
const char SanCovModuleCtorBoolFlagName[]
const char SanCovTraceCmp2[]
const char SanCovStore8[]
const char SanCovTracePCName[]
const char SanCovStore4[]
const char SanCovLoad2[]
const char SanCovTraceCmp4[]
const char SanCovLowestStackName[]
const char SanCovTracePCIndirName[]
This file defines the SmallVector class.
Defines the virtual file system interface vfs::FileSystem.
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition ArrayRef.h:41
size_t size() const
size - Get the array size.
Definition ArrayRef.h:147
bool empty() const
empty - Check if the array is empty.
Definition ArrayRef.h:142
Class to represent array types.
static LLVM_ABI ArrayType * get(Type *ElementType, uint64_t NumElements)
This static method is the primary way to construct an ArrayType.
LLVM Basic Block Representation.
Definition BasicBlock.h:62
iterator end()
Definition BasicBlock.h:472
LLVM_ABI const_iterator getFirstInsertionPt() const
Returns an iterator to the first instruction in this block that is suitable for inserting a non-PHI i...
LLVM_ABI const BasicBlock * getUniqueSuccessor() const
Return the successor of this block if it has a unique successor.
LLVM_ABI const BasicBlock * getSinglePredecessor() const
Return the predecessor of this block if it has a single predecessor block.
InstListType::iterator iterator
Instruction iterators...
Definition BasicBlock.h:170
LLVM_ABI InstListType::const_iterator getFirstNonPHIOrDbgOrLifetime(bool SkipPseudoOp=true) const
Returns a pointer to the first instruction in this block that is not a PHINode, a debug intrinsic,...
const Instruction * getTerminator() const LLVM_READONLY
Returns the terminator instruction if the block is well formed or null if the block is not well forme...
Definition BasicBlock.h:233
static LLVM_ABI BlockAddress * get(Function *F, BasicBlock *BB)
Return a BlockAddress for the specified function and basic block.
Base class for all callable instructions (InvokeInst and CallInst) Holds everything related to callin...
Function * getCalledFunction() const
Returns the function called, or null if this is an indirect function invocation or the function signa...
LLVM_ABI bool isIndirectCall() const
Return true if the callsite is an indirect call.
void setCannotMerge()
Value * getCalledOperand() const
static LLVM_ABI Constant * get(ArrayType *T, ArrayRef< Constant * > V)
This is the shared class of boolean and integer constants.
Definition Constants.h:87
static LLVM_ABI ConstantInt * getTrue(LLVMContext &Context)
This is an important base class in LLVM.
Definition Constant.h:43
static LLVM_ABI Constant * getAllOnesValue(Type *Ty)
static LLVM_ABI Constant * getNullValue(Type *Ty)
Constructor to create a '0' constant of arbitrary type.
A parsed version of the target data layout string in and methods for querying it.
Definition DataLayout.h:63
A debug info location.
Definition DebugLoc.h:124
Analysis pass which computes a DominatorTree.
Definition Dominators.h:284
Concrete subclass of DominatorTreeBase that is used to compute a normal dominator tree.
Definition Dominators.h:165
LLVM_ABI bool dominates(const BasicBlock *BB, const Use &U) const
Return true if the (end of the) basic block BB dominates the use U.
A handy container for a FunctionType+Callee-pointer pair, which can be passed around as a single enti...
const BasicBlock & getEntryBlock() const
Definition Function.h:807
an instruction for type-safe pointer arithmetic to access elements of arrays and structs
LLVM_ABI void setComdat(Comdat *C)
Definition Globals.cpp:214
void setLinkage(LinkageTypes LT)
@ HiddenVisibility
The GV is hidden.
Definition GlobalValue.h:69
void setVisibility(VisibilityTypes V)
LinkageTypes
An enumeration for the kinds of linkage for global values.
Definition GlobalValue.h:52
@ PrivateLinkage
Like Internal, but omit from symbol table.
Definition GlobalValue.h:61
@ InternalLinkage
Rename collisions when linking (static functions).
Definition GlobalValue.h:60
@ LinkOnceAnyLinkage
Keep one copy of function when linking (inline)
Definition GlobalValue.h:55
@ WeakODRLinkage
Same, but only replaced by something equivalent.
Definition GlobalValue.h:58
@ ExternalLinkage
Externally visible function.
Definition GlobalValue.h:53
@ AvailableExternallyLinkage
Available for inspection, not emission.
Definition GlobalValue.h:54
@ ExternalWeakLinkage
ExternalWeak linkage description.
Definition GlobalValue.h:62
Analysis pass providing a never-invalidated alias analysis result.
This instruction compares its operands according to the predicate given to the constructor.
Value * CreateICmpULT(Value *LHS, Value *RHS, const Twine &Name="")
Definition IRBuilder.h:2345
Value * CreatePointerCast(Value *V, Type *DestTy, const Twine &Name="")
Definition IRBuilder.h:2251
Value * CreateIntToPtr(Value *V, Type *DestTy, const Twine &Name="")
Definition IRBuilder.h:2199
void SetCurrentDebugLocation(DebugLoc L)
Set location information used by debugging information.
Definition IRBuilder.h:247
Value * CreateGEP(Type *Ty, Value *Ptr, ArrayRef< Value * > IdxList, const Twine &Name="", GEPNoWrapFlags NW=GEPNoWrapFlags::none())
Definition IRBuilder.h:1923
LLVM_ABI CallInst * CreateIntrinsic(Intrinsic::ID ID, ArrayRef< Type * > Types, ArrayRef< Value * > Args, FMFSource FMFSource={}, const Twine &Name="")
Create a call to intrinsic ID with Args, mangled using Types.
LoadInst * CreateLoad(Type *Ty, Value *Ptr, const char *Name)
Provided to resolve 'CreateLoad(Ty, Ptr, "...")' correctly, instead of converting the string to 'bool...
Definition IRBuilder.h:1847
LLVMContext & getContext() const
Definition IRBuilder.h:203
Value * CreateConstInBoundsGEP2_64(Type *Ty, Value *Ptr, uint64_t Idx0, uint64_t Idx1, const Twine &Name="")
Definition IRBuilder.h:2016
StoreInst * CreateStore(Value *Val, Value *Ptr, bool isVolatile=false)
Definition IRBuilder.h:1860
Value * CreateAdd(Value *LHS, Value *RHS, const Twine &Name="", bool HasNUW=false, bool HasNSW=false)
Definition IRBuilder.h:1403
Value * CreatePtrToInt(Value *V, Type *DestTy, const Twine &Name="")
Definition IRBuilder.h:2194
Value * CreateIsNotNull(Value *Arg, const Twine &Name="")
Return a boolean value testing if Arg != 0.
Definition IRBuilder.h:2651
CallInst * CreateCall(FunctionType *FTy, Value *Callee, ArrayRef< Value * > Args={}, const Twine &Name="", MDNode *FPMathTag=nullptr)
Definition IRBuilder.h:2508
PointerType * getPtrTy(unsigned AddrSpace=0)
Fetch the type representing a pointer.
Definition IRBuilder.h:605
Value * CreateIntCast(Value *V, Type *DestTy, bool isSigned, const Twine &Name="")
Definition IRBuilder.h:2277
Value * CreateIsNull(Value *Arg, const Twine &Name="")
Return a boolean value testing if Arg == 0.
Definition IRBuilder.h:2646
void SetInsertPoint(BasicBlock *TheBB)
This specifies that created instructions should be appended to the end of the specified block.
Definition IRBuilder.h:207
This provides a uniform API for creating instructions and inserting them into a basic block: either a...
Definition IRBuilder.h:2780
An instruction for reading from memory.
LLVM_ABI MDNode * createBranchWeights(uint32_t TrueWeight, uint32_t FalseWeight, bool IsExpected=false)
Return metadata containing two branch weights.
Definition MDBuilder.cpp:38
LLVM_ABI MDNode * createUnlikelyBranchWeights()
Return metadata containing two branch weights, with significant bias towards false destination.
Definition MDBuilder.cpp:48
static MDTuple * get(LLVMContext &Context, ArrayRef< Metadata * > MDs)
Definition Metadata.h:1565
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
static PointerType * getUnqual(Type *ElementType)
This constructs a pointer to an object of the specified type in the default address space (address sp...
Analysis pass which computes a PostDominatorTree.
PostDominatorTree Class - Concrete subclass of DominatorTree that is used to compute the post-dominat...
LLVM_ABI bool dominates(const Instruction *I1, const Instruction *I2) const
Return true if I1 dominates I2.
A set of analyses that are preserved following a run of a transformation pass.
Definition Analysis.h:112
static PreservedAnalyses none()
Convenience factory function for the empty preserved set.
Definition Analysis.h:115
static PreservedAnalyses all()
Construct a special preserved set that preserves all passes.
Definition Analysis.h:118
PreservedAnalyses & abandon()
Mark an analysis as abandoned.
Definition Analysis.h:171
LLVM_ABI PreservedAnalyses run(Module &M, ModuleAnalysisManager &AM)
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
An instruction for storing to memory.
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
Multiway switch.
The instances of the Type class are immutable: once they are created, they are never changed.
Definition Type.h:45
static LLVM_ABI Type * getVoidTy(LLVMContext &C)
Definition Type.cpp:281
bool isIntegerTy() const
True if this is an instance of IntegerType.
Definition Type.h:240
static LLVM_ABI IntegerType * getIntNTy(LLVMContext &C, unsigned N)
Definition Type.cpp:301
A Use represents the edge between a Value definition and its users.
Definition Use.h:35
LLVM Value Representation.
Definition Value.h:75
Type * getType() const
All values are typed, get the type of this value.
Definition Value.h:256
LLVM_ABI StringRef getName() const
Return a constant reference to the value's name.
Definition Value.cpp:322
NodeTy * getNextNode()
Get the next node, or nullptr for the list tail.
Definition ilist_node.h:359
@ C
The default llvm calling convention, compatible with C.
Definition CallingConv.h:34
initializer< Ty > init(const Ty &Val)
static constexpr const StringLiteral & getSectionName(DebugSectionKind SectionKind)
Return the name of the section.
friend class Instruction
Iterator for Instructions in a `BasicBlock.
Definition BasicBlock.h:73
This is an optimization pass for GlobalISel generic memory operations.
auto drop_begin(T &&RangeOrContainer, size_t N=1)
Return a range covering RangeOrContainer with the first N elements excluded.
Definition STLExtras.h:310
FunctionAddr VTableAddr Value
Definition InstrProf.h:137
bool all_of(R &&range, UnaryPredicate P)
Provide wrappers to std::all_of which take ranges instead of having to pass begin/end explicitly.
Definition STLExtras.h:1707
bool succ_empty(const Instruction *I)
Definition CFG.h:256
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:649
FunctionAddr VTableAddr uintptr_t uintptr_t Int32Ty
Definition InstrProf.h:296
auto successors(const MachineBasicBlock *BB)
InnerAnalysisManagerProxy< FunctionAnalysisManager, Module > FunctionAnalysisManagerModuleProxy
Provide the FunctionAnalysisManager to Module proxy.
LLVM_ABI FunctionCallee declareSanitizerInitFunction(Module &M, StringRef InitName, ArrayRef< Type * > InitArgTypes, bool Weak=false)
LLVM_ABI std::pair< Function *, FunctionCallee > createSanitizerCtorAndInitFunctions(Module &M, StringRef CtorName, StringRef InitName, ArrayRef< Type * > InitArgTypes, ArrayRef< Value * > InitArgs, StringRef VersionCheckName=StringRef(), bool Weak=false)
Creates sanitizer constructor function, and calls sanitizer's init function from it.
void sort(IteratorTy Start, IteratorTy End)
Definition STLExtras.h:1632
LLVM_ABI EHPersonality classifyEHPersonality(const Value *Pers)
See if the given exception handling personality function is one that we understand.
class LLVM_GSL_OWNER SmallVector
Forward declaration of SmallVector so that calculateSmallVectorDefaultInlinedElements can reference s...
LLVM_ABI Comdat * getOrCreateFunctionComdat(Function &F, Triple &T)
bool isa(const From &Val)
isa<X> - Return true if the parameter to the template is an instance of one of the template type argu...
Definition Casting.h:548
IRBuilder(LLVMContext &, FolderTy, InserterTy, MDNode *, ArrayRef< OperandBundleDef >) -> IRBuilder< FolderTy, InserterTy >
LLVM_ABI void appendToCompilerUsed(Module &M, ArrayRef< GlobalValue * > Values)
Adds global values to the llvm.compiler.used list.
FunctionAddr VTableAddr Next
Definition InstrProf.h:141
ArrayRef(const T &OneElt) -> ArrayRef< T >
bool isAsynchronousEHPersonality(EHPersonality Pers)
Returns true if this personality function catches asynchronous exceptions.
LLVM_ABI void appendToGlobalCtors(Module &M, Function *F, int Priority, Constant *Data=nullptr)
Append F to the list of global ctors of module M with the given Priority.
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:565
auto predecessors(const MachineBasicBlock *BB)
bool pred_empty(const BasicBlock *BB)
Definition CFG.h:119
LLVM_ABI BasicBlock::iterator PrepareToSplitEntryBlock(BasicBlock &BB, BasicBlock::iterator IP)
Instrumentation passes often insert conditional checks into entry blocks.
LLVM_ABI Instruction * SplitBlockAndInsertIfThen(Value *Cond, BasicBlock::iterator SplitBefore, bool Unreachable, MDNode *BranchWeights=nullptr, DomTreeUpdater *DTU=nullptr, LoopInfo *LI=nullptr, BasicBlock *ThenBlock=nullptr)
Split the containing block at the specified instruction - everything before SplitBefore stays in the ...
LLVM_ABI void appendToUsed(Module &M, ArrayRef< GlobalValue * > Values)
Adds global values to the llvm.used list.
AnalysisManager< Module > ModuleAnalysisManager
Convenience typedef for the Module analysis manager.
Definition MIRParser.h:39
void swap(llvm::BitVector &LHS, llvm::BitVector &RHS)
Implement std::swap in terms of BitVector swap.
Definition BitVector.h:853
#define N
This struct is a compact representation of a valid (non-zero power of two) alignment.
Definition Alignment.h:39
Option class for critical edge splitting.
enum llvm::SanitizerCoverageOptions::Type CoverageType