blob: cf68653afc629484e1bf09a3dbc25aec7ea5fc62 [file] [log] [blame]
Peter Collingbourne82437bf2015-06-15 21:07:11 +00001//===-- SafeStack.cpp - Safe Stack Insertion ------------------------------===//
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 pass splits the stack into the safe stack (kept as-is for LLVM backend)
11// and the unsafe stack (explicitly allocated and managed through the runtime
12// support library).
13//
14// http://clang.llvm.org/docs/SafeStack.html
15//
16//===----------------------------------------------------------------------===//
17
18#include "llvm/Transforms/Instrumentation.h"
19#include "llvm/ADT/Statistic.h"
20#include "llvm/ADT/Triple.h"
21#include "llvm/Analysis/AliasAnalysis.h"
22#include "llvm/Analysis/TargetTransformInfo.h"
23#include "llvm/IR/Constants.h"
24#include "llvm/IR/DataLayout.h"
25#include "llvm/IR/DerivedTypes.h"
26#include "llvm/IR/DIBuilder.h"
27#include "llvm/IR/Function.h"
28#include "llvm/IR/InstIterator.h"
29#include "llvm/IR/Instructions.h"
30#include "llvm/IR/IntrinsicInst.h"
31#include "llvm/IR/Intrinsics.h"
32#include "llvm/IR/IRBuilder.h"
33#include "llvm/IR/Module.h"
34#include "llvm/Pass.h"
35#include "llvm/Support/CommandLine.h"
36#include "llvm/Support/Debug.h"
37#include "llvm/Support/Format.h"
38#include "llvm/Support/MathExtras.h"
39#include "llvm/Support/raw_os_ostream.h"
40#include "llvm/Transforms/Utils/Local.h"
41#include "llvm/Transforms/Utils/ModuleUtils.h"
42
43using namespace llvm;
44
45#define DEBUG_TYPE "safestack"
46
47namespace llvm {
48
49STATISTIC(NumFunctions, "Total number of functions");
50STATISTIC(NumUnsafeStackFunctions, "Number of functions with unsafe stack");
51STATISTIC(NumUnsafeStackRestorePointsFunctions,
52 "Number of functions that use setjmp or exceptions");
53
54STATISTIC(NumAllocas, "Total number of allocas");
55STATISTIC(NumUnsafeStaticAllocas, "Number of unsafe static allocas");
56STATISTIC(NumUnsafeDynamicAllocas, "Number of unsafe dynamic allocas");
57STATISTIC(NumUnsafeStackRestorePoints, "Number of setjmps and landingpads");
58
59} // namespace llvm
60
61namespace {
62
63/// Check whether a given alloca instruction (AI) should be put on the safe
64/// stack or not. The function analyzes all uses of AI and checks whether it is
65/// only accessed in a memory safe way (as decided statically).
66bool IsSafeStackAlloca(const AllocaInst *AI) {
67 // Go through all uses of this alloca and check whether all accesses to the
68 // allocated object are statically known to be memory safe and, hence, the
69 // object can be placed on the safe stack.
70
71 SmallPtrSet<const Value *, 16> Visited;
72 SmallVector<const Instruction *, 8> WorkList;
73 WorkList.push_back(AI);
74
75 // A DFS search through all uses of the alloca in bitcasts/PHI/GEPs/etc.
76 while (!WorkList.empty()) {
77 const Instruction *V = WorkList.pop_back_val();
78 for (const Use &UI : V->uses()) {
79 auto I = cast<const Instruction>(UI.getUser());
80 assert(V == UI.get());
81
82 switch (I->getOpcode()) {
83 case Instruction::Load:
84 // Loading from a pointer is safe.
85 break;
86 case Instruction::VAArg:
87 // "va-arg" from a pointer is safe.
88 break;
89 case Instruction::Store:
90 if (V == I->getOperand(0))
91 // Stored the pointer - conservatively assume it may be unsafe.
92 return false;
93 // Storing to the pointee is safe.
94 break;
95
96 case Instruction::GetElementPtr:
97 if (!cast<const GetElementPtrInst>(I)->hasAllConstantIndices())
98 // GEP with non-constant indices can lead to memory errors.
99 // This also applies to inbounds GEPs, as the inbounds attribute
100 // represents an assumption that the address is in bounds, rather than
101 // an assertion that it is.
102 return false;
103
104 // We assume that GEP on static alloca with constant indices is safe,
105 // otherwise a compiler would detect it and warn during compilation.
106
107 if (!isa<const ConstantInt>(AI->getArraySize()))
108 // However, if the array size itself is not constant, the access
109 // might still be unsafe at runtime.
110 return false;
111
112 /* fallthrough */
113
114 case Instruction::BitCast:
115 case Instruction::IntToPtr:
116 case Instruction::PHI:
117 case Instruction::PtrToInt:
118 case Instruction::Select:
119 // The object can be safe or not, depending on how the result of the
120 // instruction is used.
121 if (Visited.insert(I).second)
122 WorkList.push_back(cast<const Instruction>(I));
123 break;
124
125 case Instruction::Call:
126 case Instruction::Invoke: {
127 // FIXME: add support for memset and memcpy intrinsics.
128 ImmutableCallSite CS(I);
129
130 // LLVM 'nocapture' attribute is only set for arguments whose address
131 // is not stored, passed around, or used in any other non-trivial way.
132 // We assume that passing a pointer to an object as a 'nocapture'
133 // argument is safe.
134 // FIXME: a more precise solution would require an interprocedural
135 // analysis here, which would look at all uses of an argument inside
136 // the function being called.
137 ImmutableCallSite::arg_iterator B = CS.arg_begin(), E = CS.arg_end();
138 for (ImmutableCallSite::arg_iterator A = B; A != E; ++A)
139 if (A->get() == V && !CS.doesNotCapture(A - B))
140 // The parameter is not marked 'nocapture' - unsafe.
141 return false;
142 continue;
143 }
144
145 default:
146 // The object is unsafe if it is used in any other way.
147 return false;
148 }
149 }
150 }
151
152 // All uses of the alloca are safe, we can place it on the safe stack.
153 return true;
154}
155
156/// The SafeStack pass splits the stack of each function into the
157/// safe stack, which is only accessed through memory safe dereferences
158/// (as determined statically), and the unsafe stack, which contains all
159/// local variables that are accessed in unsafe ways.
160class SafeStack : public FunctionPass {
161 const DataLayout *DL;
162
163 Type *StackPtrTy;
164 Type *IntPtrTy;
165 Type *Int32Ty;
166 Type *Int8Ty;
167
Peter Collingbournede26a912015-06-22 20:26:54 +0000168 Constant *UnsafeStackPtr = nullptr;
Peter Collingbourne82437bf2015-06-15 21:07:11 +0000169
170 /// Unsafe stack alignment. Each stack frame must ensure that the stack is
171 /// aligned to this value. We need to re-align the unsafe stack if the
172 /// alignment of any object on the stack exceeds this value.
173 ///
174 /// 16 seems like a reasonable upper bound on the alignment of objects that we
175 /// might expect to appear on the stack on most common targets.
176 enum { StackAlignment = 16 };
177
178 /// \brief Build a constant representing a pointer to the unsafe stack
179 /// pointer.
180 Constant *getOrCreateUnsafeStackPtr(Module &M);
181
182 /// \brief Find all static allocas, dynamic allocas, return instructions and
183 /// stack restore points (exception unwind blocks and setjmp calls) in the
184 /// given function and append them to the respective vectors.
185 void findInsts(Function &F, SmallVectorImpl<AllocaInst *> &StaticAllocas,
186 SmallVectorImpl<AllocaInst *> &DynamicAllocas,
187 SmallVectorImpl<ReturnInst *> &Returns,
188 SmallVectorImpl<Instruction *> &StackRestorePoints);
189
190 /// \brief Allocate space for all static allocas in \p StaticAllocas,
191 /// replace allocas with pointers into the unsafe stack and generate code to
192 /// restore the stack pointer before all return instructions in \p Returns.
193 ///
194 /// \returns A pointer to the top of the unsafe stack after all unsafe static
195 /// allocas are allocated.
196 Value *moveStaticAllocasToUnsafeStack(Function &F,
197 ArrayRef<AllocaInst *> StaticAllocas,
198 ArrayRef<ReturnInst *> Returns);
199
200 /// \brief Generate code to restore the stack after all stack restore points
201 /// in \p StackRestorePoints.
202 ///
203 /// \returns A local variable in which to maintain the dynamic top of the
204 /// unsafe stack if needed.
205 AllocaInst *
206 createStackRestorePoints(Function &F,
207 ArrayRef<Instruction *> StackRestorePoints,
208 Value *StaticTop, bool NeedDynamicTop);
209
210 /// \brief Replace all allocas in \p DynamicAllocas with code to allocate
211 /// space dynamically on the unsafe stack and store the dynamic unsafe stack
212 /// top to \p DynamicTop if non-null.
213 void moveDynamicAllocasToUnsafeStack(Function &F, Value *UnsafeStackPtr,
214 AllocaInst *DynamicTop,
215 ArrayRef<AllocaInst *> DynamicAllocas);
216
217public:
218 static char ID; // Pass identification, replacement for typeid.
219 SafeStack() : FunctionPass(ID), DL(nullptr) {
220 initializeSafeStackPass(*PassRegistry::getPassRegistry());
221 }
222
Hans Wennborgaa15bff2015-09-10 16:49:58 +0000223 void getAnalysisUsage(AnalysisUsage &AU) const override {
Chandler Carruth7b560d42015-09-09 17:55:00 +0000224 AU.addRequired<AAResultsWrapperPass>();
Peter Collingbourne82437bf2015-06-15 21:07:11 +0000225 }
226
Hans Wennborgaa15bff2015-09-10 16:49:58 +0000227 bool doInitialization(Module &M) override {
Peter Collingbourne82437bf2015-06-15 21:07:11 +0000228 DL = &M.getDataLayout();
229
230 StackPtrTy = Type::getInt8PtrTy(M.getContext());
231 IntPtrTy = DL->getIntPtrType(M.getContext());
232 Int32Ty = Type::getInt32Ty(M.getContext());
233 Int8Ty = Type::getInt8Ty(M.getContext());
234
Peter Collingbourne82437bf2015-06-15 21:07:11 +0000235 return false;
236 }
237
Hans Wennborgaa15bff2015-09-10 16:49:58 +0000238 bool runOnFunction(Function &F) override;
Peter Collingbourne82437bf2015-06-15 21:07:11 +0000239}; // class SafeStack
240
241Constant *SafeStack::getOrCreateUnsafeStackPtr(Module &M) {
242 // The unsafe stack pointer is stored in a global variable with a magic name.
243 const char *kUnsafeStackPtrVar = "__safestack_unsafe_stack_ptr";
244
245 auto UnsafeStackPtr =
246 dyn_cast_or_null<GlobalVariable>(M.getNamedValue(kUnsafeStackPtrVar));
247
248 if (!UnsafeStackPtr) {
249 // The global variable is not defined yet, define it ourselves.
250 // We use the initial-exec TLS model because we do not support the variable
251 // living anywhere other than in the main executable.
252 UnsafeStackPtr = new GlobalVariable(
253 /*Module=*/M, /*Type=*/StackPtrTy,
254 /*isConstant=*/false, /*Linkage=*/GlobalValue::ExternalLinkage,
255 /*Initializer=*/0, /*Name=*/kUnsafeStackPtrVar,
256 /*InsertBefore=*/nullptr,
257 /*ThreadLocalMode=*/GlobalValue::InitialExecTLSModel);
258 } else {
259 // The variable exists, check its type and attributes.
260 if (UnsafeStackPtr->getValueType() != StackPtrTy) {
261 report_fatal_error(Twine(kUnsafeStackPtrVar) + " must have void* type");
262 }
263
264 if (!UnsafeStackPtr->isThreadLocal()) {
265 report_fatal_error(Twine(kUnsafeStackPtrVar) + " must be thread-local");
266 }
267 }
268
269 return UnsafeStackPtr;
270}
271
272void SafeStack::findInsts(Function &F,
273 SmallVectorImpl<AllocaInst *> &StaticAllocas,
274 SmallVectorImpl<AllocaInst *> &DynamicAllocas,
275 SmallVectorImpl<ReturnInst *> &Returns,
276 SmallVectorImpl<Instruction *> &StackRestorePoints) {
Nico Rieck78199512015-08-06 19:10:45 +0000277 for (Instruction &I : instructions(&F)) {
Peter Collingbourne82437bf2015-06-15 21:07:11 +0000278 if (auto AI = dyn_cast<AllocaInst>(&I)) {
279 ++NumAllocas;
280
281 if (IsSafeStackAlloca(AI))
282 continue;
283
284 if (AI->isStaticAlloca()) {
285 ++NumUnsafeStaticAllocas;
286 StaticAllocas.push_back(AI);
287 } else {
288 ++NumUnsafeDynamicAllocas;
289 DynamicAllocas.push_back(AI);
290 }
291 } else if (auto RI = dyn_cast<ReturnInst>(&I)) {
292 Returns.push_back(RI);
293 } else if (auto CI = dyn_cast<CallInst>(&I)) {
294 // setjmps require stack restore.
295 if (CI->getCalledFunction() && CI->canReturnTwice())
296 StackRestorePoints.push_back(CI);
297 } else if (auto LP = dyn_cast<LandingPadInst>(&I)) {
298 // Exception landing pads require stack restore.
299 StackRestorePoints.push_back(LP);
300 } else if (auto II = dyn_cast<IntrinsicInst>(&I)) {
301 if (II->getIntrinsicID() == Intrinsic::gcroot)
302 llvm::report_fatal_error(
303 "gcroot intrinsic not compatible with safestack attribute");
304 }
305 }
306}
307
308AllocaInst *
309SafeStack::createStackRestorePoints(Function &F,
310 ArrayRef<Instruction *> StackRestorePoints,
311 Value *StaticTop, bool NeedDynamicTop) {
312 if (StackRestorePoints.empty())
313 return nullptr;
314
315 IRBuilder<> IRB(StaticTop
316 ? cast<Instruction>(StaticTop)->getNextNode()
317 : (Instruction *)F.getEntryBlock().getFirstInsertionPt());
318
319 // We need the current value of the shadow stack pointer to restore
320 // after longjmp or exception catching.
321
322 // FIXME: On some platforms this could be handled by the longjmp/exception
323 // runtime itself.
324
325 AllocaInst *DynamicTop = nullptr;
326 if (NeedDynamicTop)
327 // If we also have dynamic alloca's, the stack pointer value changes
328 // throughout the function. For now we store it in an alloca.
329 DynamicTop = IRB.CreateAlloca(StackPtrTy, /*ArraySize=*/nullptr,
330 "unsafe_stack_dynamic_ptr");
331
332 if (!StaticTop)
333 // We need the original unsafe stack pointer value, even if there are
334 // no unsafe static allocas.
335 StaticTop = IRB.CreateLoad(UnsafeStackPtr, false, "unsafe_stack_ptr");
336
337 if (NeedDynamicTop)
338 IRB.CreateStore(StaticTop, DynamicTop);
339
340 // Restore current stack pointer after longjmp/exception catch.
341 for (Instruction *I : StackRestorePoints) {
342 ++NumUnsafeStackRestorePoints;
343
344 IRB.SetInsertPoint(cast<Instruction>(I->getNextNode()));
345 Value *CurrentTop = DynamicTop ? IRB.CreateLoad(DynamicTop) : StaticTop;
346 IRB.CreateStore(CurrentTop, UnsafeStackPtr);
347 }
348
349 return DynamicTop;
350}
351
352Value *
353SafeStack::moveStaticAllocasToUnsafeStack(Function &F,
354 ArrayRef<AllocaInst *> StaticAllocas,
355 ArrayRef<ReturnInst *> Returns) {
356 if (StaticAllocas.empty())
357 return nullptr;
358
359 IRBuilder<> IRB(F.getEntryBlock().getFirstInsertionPt());
360 DIBuilder DIB(*F.getParent());
361
362 // We explicitly compute and set the unsafe stack layout for all unsafe
363 // static alloca instructions. We save the unsafe "base pointer" in the
364 // prologue into a local variable and restore it in the epilogue.
365
366 // Load the current stack pointer (we'll also use it as a base pointer).
367 // FIXME: use a dedicated register for it ?
368 Instruction *BasePointer =
369 IRB.CreateLoad(UnsafeStackPtr, false, "unsafe_stack_ptr");
370 assert(BasePointer->getType() == StackPtrTy);
371
372 for (ReturnInst *RI : Returns) {
373 IRB.SetInsertPoint(RI);
374 IRB.CreateStore(BasePointer, UnsafeStackPtr);
375 }
376
377 // Compute maximum alignment among static objects on the unsafe stack.
378 unsigned MaxAlignment = 0;
379 for (AllocaInst *AI : StaticAllocas) {
380 Type *Ty = AI->getAllocatedType();
381 unsigned Align =
382 std::max((unsigned)DL->getPrefTypeAlignment(Ty), AI->getAlignment());
383 if (Align > MaxAlignment)
384 MaxAlignment = Align;
385 }
386
387 if (MaxAlignment > StackAlignment) {
388 // Re-align the base pointer according to the max requested alignment.
389 assert(isPowerOf2_32(MaxAlignment));
390 IRB.SetInsertPoint(cast<Instruction>(BasePointer->getNextNode()));
391 BasePointer = cast<Instruction>(IRB.CreateIntToPtr(
392 IRB.CreateAnd(IRB.CreatePtrToInt(BasePointer, IntPtrTy),
393 ConstantInt::get(IntPtrTy, ~uint64_t(MaxAlignment - 1))),
394 StackPtrTy));
395 }
396
397 // Allocate space for every unsafe static AllocaInst on the unsafe stack.
398 int64_t StaticOffset = 0; // Current stack top.
399 for (AllocaInst *AI : StaticAllocas) {
400 IRB.SetInsertPoint(AI);
401
402 auto CArraySize = cast<ConstantInt>(AI->getArraySize());
403 Type *Ty = AI->getAllocatedType();
404
405 uint64_t Size = DL->getTypeAllocSize(Ty) * CArraySize->getZExtValue();
406 if (Size == 0)
407 Size = 1; // Don't create zero-sized stack objects.
408
409 // Ensure the object is properly aligned.
410 unsigned Align =
411 std::max((unsigned)DL->getPrefTypeAlignment(Ty), AI->getAlignment());
412
413 // Add alignment.
414 // NOTE: we ensure that BasePointer itself is aligned to >= Align.
415 StaticOffset += Size;
416 StaticOffset = RoundUpToAlignment(StaticOffset, Align);
417
418 Value *Off = IRB.CreateGEP(BasePointer, // BasePointer is i8*
419 ConstantInt::get(Int32Ty, -StaticOffset));
420 Value *NewAI = IRB.CreateBitCast(Off, AI->getType(), AI->getName());
421 if (AI->hasName() && isa<Instruction>(NewAI))
422 cast<Instruction>(NewAI)->takeName(AI);
423
424 // Replace alloc with the new location.
425 replaceDbgDeclareForAlloca(AI, NewAI, DIB, /*Deref=*/true);
426 AI->replaceAllUsesWith(NewAI);
427 AI->eraseFromParent();
428 }
429
430 // Re-align BasePointer so that our callees would see it aligned as
431 // expected.
432 // FIXME: no need to update BasePointer in leaf functions.
433 StaticOffset = RoundUpToAlignment(StaticOffset, StackAlignment);
434
435 // Update shadow stack pointer in the function epilogue.
436 IRB.SetInsertPoint(cast<Instruction>(BasePointer->getNextNode()));
437
438 Value *StaticTop =
439 IRB.CreateGEP(BasePointer, ConstantInt::get(Int32Ty, -StaticOffset),
440 "unsafe_stack_static_top");
441 IRB.CreateStore(StaticTop, UnsafeStackPtr);
442 return StaticTop;
443}
444
445void SafeStack::moveDynamicAllocasToUnsafeStack(
446 Function &F, Value *UnsafeStackPtr, AllocaInst *DynamicTop,
447 ArrayRef<AllocaInst *> DynamicAllocas) {
448 DIBuilder DIB(*F.getParent());
449
450 for (AllocaInst *AI : DynamicAllocas) {
451 IRBuilder<> IRB(AI);
452
453 // Compute the new SP value (after AI).
454 Value *ArraySize = AI->getArraySize();
455 if (ArraySize->getType() != IntPtrTy)
456 ArraySize = IRB.CreateIntCast(ArraySize, IntPtrTy, false);
457
458 Type *Ty = AI->getAllocatedType();
459 uint64_t TySize = DL->getTypeAllocSize(Ty);
460 Value *Size = IRB.CreateMul(ArraySize, ConstantInt::get(IntPtrTy, TySize));
461
462 Value *SP = IRB.CreatePtrToInt(IRB.CreateLoad(UnsafeStackPtr), IntPtrTy);
463 SP = IRB.CreateSub(SP, Size);
464
465 // Align the SP value to satisfy the AllocaInst, type and stack alignments.
466 unsigned Align = std::max(
467 std::max((unsigned)DL->getPrefTypeAlignment(Ty), AI->getAlignment()),
468 (unsigned)StackAlignment);
469
470 assert(isPowerOf2_32(Align));
471 Value *NewTop = IRB.CreateIntToPtr(
472 IRB.CreateAnd(SP, ConstantInt::get(IntPtrTy, ~uint64_t(Align - 1))),
473 StackPtrTy);
474
475 // Save the stack pointer.
476 IRB.CreateStore(NewTop, UnsafeStackPtr);
477 if (DynamicTop)
478 IRB.CreateStore(NewTop, DynamicTop);
479
480 Value *NewAI = IRB.CreateIntToPtr(SP, AI->getType());
481 if (AI->hasName() && isa<Instruction>(NewAI))
482 NewAI->takeName(AI);
483
484 replaceDbgDeclareForAlloca(AI, NewAI, DIB, /*Deref=*/true);
485 AI->replaceAllUsesWith(NewAI);
486 AI->eraseFromParent();
487 }
488
489 if (!DynamicAllocas.empty()) {
490 // Now go through the instructions again, replacing stacksave/stackrestore.
491 for (inst_iterator It = inst_begin(&F), Ie = inst_end(&F); It != Ie;) {
492 Instruction *I = &*(It++);
493 auto II = dyn_cast<IntrinsicInst>(I);
494 if (!II)
495 continue;
496
497 if (II->getIntrinsicID() == Intrinsic::stacksave) {
498 IRBuilder<> IRB(II);
499 Instruction *LI = IRB.CreateLoad(UnsafeStackPtr);
500 LI->takeName(II);
501 II->replaceAllUsesWith(LI);
502 II->eraseFromParent();
503 } else if (II->getIntrinsicID() == Intrinsic::stackrestore) {
504 IRBuilder<> IRB(II);
505 Instruction *SI = IRB.CreateStore(II->getArgOperand(0), UnsafeStackPtr);
506 SI->takeName(II);
507 assert(II->use_empty());
508 II->eraseFromParent();
509 }
510 }
511 }
512}
513
514bool SafeStack::runOnFunction(Function &F) {
Chandler Carruth7b560d42015-09-09 17:55:00 +0000515 auto AA = &getAnalysis<AAResultsWrapperPass>().getAAResults();
Peter Collingbourne82437bf2015-06-15 21:07:11 +0000516
517 DEBUG(dbgs() << "[SafeStack] Function: " << F.getName() << "\n");
518
519 if (!F.hasFnAttribute(Attribute::SafeStack)) {
520 DEBUG(dbgs() << "[SafeStack] safestack is not requested"
521 " for this function\n");
522 return false;
523 }
524
525 if (F.isDeclaration()) {
526 DEBUG(dbgs() << "[SafeStack] function definition"
527 " is not available\n");
528 return false;
529 }
530
531 {
532 // Make sure the regular stack protector won't run on this function
533 // (safestack attribute takes precedence).
534 AttrBuilder B;
535 B.addAttribute(Attribute::StackProtect)
536 .addAttribute(Attribute::StackProtectReq)
537 .addAttribute(Attribute::StackProtectStrong);
538 F.removeAttributes(
539 AttributeSet::FunctionIndex,
540 AttributeSet::get(F.getContext(), AttributeSet::FunctionIndex, B));
541 }
542
543 if (AA->onlyReadsMemory(&F)) {
544 // XXX: we don't protect against information leak attacks for now.
545 DEBUG(dbgs() << "[SafeStack] function only reads memory\n");
546 return false;
547 }
548
549 ++NumFunctions;
550
551 SmallVector<AllocaInst *, 16> StaticAllocas;
552 SmallVector<AllocaInst *, 4> DynamicAllocas;
553 SmallVector<ReturnInst *, 4> Returns;
554
555 // Collect all points where stack gets unwound and needs to be restored
556 // This is only necessary because the runtime (setjmp and unwind code) is
557 // not aware of the unsafe stack and won't unwind/restore it prorerly.
558 // To work around this problem without changing the runtime, we insert
559 // instrumentation to restore the unsafe stack pointer when necessary.
560 SmallVector<Instruction *, 4> StackRestorePoints;
561
562 // Find all static and dynamic alloca instructions that must be moved to the
563 // unsafe stack, all return instructions and stack restore points.
564 findInsts(F, StaticAllocas, DynamicAllocas, Returns, StackRestorePoints);
565
566 if (StaticAllocas.empty() && DynamicAllocas.empty() &&
567 StackRestorePoints.empty())
568 return false; // Nothing to do in this function.
569
570 if (!StaticAllocas.empty() || !DynamicAllocas.empty())
571 ++NumUnsafeStackFunctions; // This function has the unsafe stack.
572
573 if (!StackRestorePoints.empty())
574 ++NumUnsafeStackRestorePointsFunctions;
575
Peter Collingbournede26a912015-06-22 20:26:54 +0000576 if (!UnsafeStackPtr)
577 UnsafeStackPtr = getOrCreateUnsafeStackPtr(*F.getParent());
578
Peter Collingbourne82437bf2015-06-15 21:07:11 +0000579 // The top of the unsafe stack after all unsafe static allocas are allocated.
580 Value *StaticTop = moveStaticAllocasToUnsafeStack(F, StaticAllocas, Returns);
581
582 // Safe stack object that stores the current unsafe stack top. It is updated
583 // as unsafe dynamic (non-constant-sized) allocas are allocated and freed.
584 // This is only needed if we need to restore stack pointer after longjmp
585 // or exceptions, and we have dynamic allocations.
586 // FIXME: a better alternative might be to store the unsafe stack pointer
587 // before setjmp / invoke instructions.
588 AllocaInst *DynamicTop = createStackRestorePoints(
589 F, StackRestorePoints, StaticTop, !DynamicAllocas.empty());
590
591 // Handle dynamic allocas.
592 moveDynamicAllocasToUnsafeStack(F, UnsafeStackPtr, DynamicTop,
593 DynamicAllocas);
594
595 DEBUG(dbgs() << "[SafeStack] safestack applied\n");
596 return true;
597}
598
599} // end anonymous namespace
600
601char SafeStack::ID = 0;
602INITIALIZE_PASS_BEGIN(SafeStack, "safe-stack",
603 "Safe Stack instrumentation pass", false, false)
604INITIALIZE_PASS_DEPENDENCY(TargetTransformInfoWrapperPass)
605INITIALIZE_PASS_END(SafeStack, "safe-stack", "Safe Stack instrumentation pass",
606 false, false)
607
608FunctionPass *llvm::createSafeStackPass() { return new SafeStack(); }