1 //===- Debugify.cpp - Check debug info preservation in optimizations ------===// 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 /// \file In the `synthetic` mode, the `-debugify` attaches synthetic debug info 10 /// to everything. It can be used to create targeted tests for debug info 11 /// preservation. In addition, when using the `original` mode, it can check 12 /// original debug info preservation. The `synthetic` mode is default one. 13 /// 14 //===----------------------------------------------------------------------===// 15 16 #include "llvm/Transforms/Utils/Debugify.h" 17 #include "llvm/ADT/BitVector.h" 18 #include "llvm/ADT/StringExtras.h" 19 #include "llvm/IR/DIBuilder.h" 20 #include "llvm/IR/DebugInfo.h" 21 #include "llvm/IR/InstIterator.h" 22 #include "llvm/IR/Instructions.h" 23 #include "llvm/IR/IntrinsicInst.h" 24 #include "llvm/IR/Module.h" 25 #include "llvm/IR/PassInstrumentation.h" 26 #include "llvm/Pass.h" 27 #include "llvm/Support/CommandLine.h" 28 #include "llvm/Support/FileSystem.h" 29 #include "llvm/Support/JSON.h" 30 #include <optional> 31 32 #define DEBUG_TYPE "debugify" 33 34 using namespace llvm; 35 36 namespace { 37 38 cl::opt<bool> Quiet("debugify-quiet", 39 cl::desc("Suppress verbose debugify output")); 40 41 cl::opt<uint64_t> DebugifyFunctionsLimit( 42 "debugify-func-limit", 43 cl::desc("Set max number of processed functions per pass."), 44 cl::init(UINT_MAX)); 45 46 enum class Level { 47 Locations, 48 LocationsAndVariables 49 }; 50 51 cl::opt<Level> DebugifyLevel( 52 "debugify-level", cl::desc("Kind of debug info to add"), 53 cl::values(clEnumValN(Level::Locations, "locations", "Locations only"), 54 clEnumValN(Level::LocationsAndVariables, "location+variables", 55 "Locations and Variables")), 56 cl::init(Level::LocationsAndVariables)); 57 58 raw_ostream &dbg() { return Quiet ? nulls() : errs(); } 59 60 uint64_t getAllocSizeInBits(Module &M, Type *Ty) { 61 return Ty->isSized() ? M.getDataLayout().getTypeAllocSizeInBits(Ty) : 0; 62 } 63 64 bool isFunctionSkipped(Function &F) { 65 return F.isDeclaration() || !F.hasExactDefinition(); 66 } 67 68 /// Find the basic block's terminating instruction. 69 /// 70 /// Special care is needed to handle musttail and deopt calls, as these behave 71 /// like (but are in fact not) terminators. 72 Instruction *findTerminatingInstruction(BasicBlock &BB) { 73 if (auto *I = BB.getTerminatingMustTailCall()) 74 return I; 75 if (auto *I = BB.getTerminatingDeoptimizeCall()) 76 return I; 77 return BB.getTerminator(); 78 } 79 } // end anonymous namespace 80 81 bool llvm::applyDebugifyMetadata( 82 Module &M, iterator_range<Module::iterator> Functions, StringRef Banner, 83 std::function<bool(DIBuilder &DIB, Function &F)> ApplyToMF) { 84 // Skip modules with debug info. 85 if (M.getNamedMetadata("llvm.dbg.cu")) { 86 dbg() << Banner << "Skipping module with debug info\n"; 87 return false; 88 } 89 90 DIBuilder DIB(M); 91 LLVMContext &Ctx = M.getContext(); 92 auto *Int32Ty = Type::getInt32Ty(Ctx); 93 94 // Get a DIType which corresponds to Ty. 95 DenseMap<uint64_t, DIType *> TypeCache; 96 auto getCachedDIType = [&](Type *Ty) -> DIType * { 97 uint64_t Size = getAllocSizeInBits(M, Ty); 98 DIType *&DTy = TypeCache[Size]; 99 if (!DTy) { 100 std::string Name = "ty" + utostr(Size); 101 DTy = DIB.createBasicType(Name, Size, dwarf::DW_ATE_unsigned); 102 } 103 return DTy; 104 }; 105 106 unsigned NextLine = 1; 107 unsigned NextVar = 1; 108 auto File = DIB.createFile(M.getName(), "/"); 109 auto CU = DIB.createCompileUnit(dwarf::DW_LANG_C, File, "debugify", 110 /*isOptimized=*/true, "", 0); 111 112 // Visit each instruction. 113 for (Function &F : Functions) { 114 if (isFunctionSkipped(F)) 115 continue; 116 117 bool InsertedDbgVal = false; 118 auto SPType = 119 DIB.createSubroutineType(DIB.getOrCreateTypeArray(std::nullopt)); 120 DISubprogram::DISPFlags SPFlags = 121 DISubprogram::SPFlagDefinition | DISubprogram::SPFlagOptimized; 122 if (F.hasPrivateLinkage() || F.hasInternalLinkage()) 123 SPFlags |= DISubprogram::SPFlagLocalToUnit; 124 auto SP = DIB.createFunction(CU, F.getName(), F.getName(), File, NextLine, 125 SPType, NextLine, DINode::FlagZero, SPFlags); 126 F.setSubprogram(SP); 127 128 // Helper that inserts a dbg.value before \p InsertBefore, copying the 129 // location (and possibly the type, if it's non-void) from \p TemplateInst. 130 auto insertDbgVal = [&](Instruction &TemplateInst, 131 Instruction *InsertBefore) { 132 std::string Name = utostr(NextVar++); 133 Value *V = &TemplateInst; 134 if (TemplateInst.getType()->isVoidTy()) 135 V = ConstantInt::get(Int32Ty, 0); 136 const DILocation *Loc = TemplateInst.getDebugLoc().get(); 137 auto LocalVar = DIB.createAutoVariable(SP, Name, File, Loc->getLine(), 138 getCachedDIType(V->getType()), 139 /*AlwaysPreserve=*/true); 140 DIB.insertDbgValueIntrinsic(V, LocalVar, DIB.createExpression(), Loc, 141 InsertBefore); 142 }; 143 144 for (BasicBlock &BB : F) { 145 // Attach debug locations. 146 for (Instruction &I : BB) 147 I.setDebugLoc(DILocation::get(Ctx, NextLine++, 1, SP)); 148 149 if (DebugifyLevel < Level::LocationsAndVariables) 150 continue; 151 152 // Inserting debug values into EH pads can break IR invariants. 153 if (BB.isEHPad()) 154 continue; 155 156 // Find the terminating instruction, after which no debug values are 157 // attached. 158 Instruction *LastInst = findTerminatingInstruction(BB); 159 assert(LastInst && "Expected basic block with a terminator"); 160 161 // Maintain an insertion point which can't be invalidated when updates 162 // are made. 163 BasicBlock::iterator InsertPt = BB.getFirstInsertionPt(); 164 assert(InsertPt != BB.end() && "Expected to find an insertion point"); 165 Instruction *InsertBefore = &*InsertPt; 166 167 // Attach debug values. 168 for (Instruction *I = &*BB.begin(); I != LastInst; I = I->getNextNode()) { 169 // Skip void-valued instructions. 170 if (I->getType()->isVoidTy()) 171 continue; 172 173 // Phis and EH pads must be grouped at the beginning of the block. 174 // Only advance the insertion point when we finish visiting these. 175 if (!isa<PHINode>(I) && !I->isEHPad()) 176 InsertBefore = I->getNextNode(); 177 178 insertDbgVal(*I, InsertBefore); 179 InsertedDbgVal = true; 180 } 181 } 182 // Make sure we emit at least one dbg.value, otherwise MachineDebugify may 183 // not have anything to work with as it goes about inserting DBG_VALUEs. 184 // (It's common for MIR tests to be written containing skeletal IR with 185 // empty functions -- we're still interested in debugifying the MIR within 186 // those tests, and this helps with that.) 187 if (DebugifyLevel == Level::LocationsAndVariables && !InsertedDbgVal) { 188 auto *Term = findTerminatingInstruction(F.getEntryBlock()); 189 insertDbgVal(*Term, Term); 190 } 191 if (ApplyToMF) 192 ApplyToMF(DIB, F); 193 DIB.finalizeSubprogram(SP); 194 } 195 DIB.finalize(); 196 197 // Track the number of distinct lines and variables. 198 NamedMDNode *NMD = M.getOrInsertNamedMetadata("llvm.debugify"); 199 auto addDebugifyOperand = [&](unsigned N) { 200 NMD->addOperand(MDNode::get( 201 Ctx, ValueAsMetadata::getConstant(ConstantInt::get(Int32Ty, N)))); 202 }; 203 addDebugifyOperand(NextLine - 1); // Original number of lines. 204 addDebugifyOperand(NextVar - 1); // Original number of variables. 205 assert(NMD->getNumOperands() == 2 && 206 "llvm.debugify should have exactly 2 operands!"); 207 208 // Claim that this synthetic debug info is valid. 209 StringRef DIVersionKey = "Debug Info Version"; 210 if (!M.getModuleFlag(DIVersionKey)) 211 M.addModuleFlag(Module::Warning, DIVersionKey, DEBUG_METADATA_VERSION); 212 213 return true; 214 } 215 216 static bool 217 applyDebugify(Function &F, 218 enum DebugifyMode Mode = DebugifyMode::SyntheticDebugInfo, 219 DebugInfoPerPass *DebugInfoBeforePass = nullptr, 220 StringRef NameOfWrappedPass = "") { 221 Module &M = *F.getParent(); 222 auto FuncIt = F.getIterator(); 223 if (Mode == DebugifyMode::SyntheticDebugInfo) 224 return applyDebugifyMetadata(M, make_range(FuncIt, std::next(FuncIt)), 225 "FunctionDebugify: ", /*ApplyToMF*/ nullptr); 226 assert(DebugInfoBeforePass); 227 return collectDebugInfoMetadata(M, M.functions(), *DebugInfoBeforePass, 228 "FunctionDebugify (original debuginfo)", 229 NameOfWrappedPass); 230 } 231 232 static bool 233 applyDebugify(Module &M, 234 enum DebugifyMode Mode = DebugifyMode::SyntheticDebugInfo, 235 DebugInfoPerPass *DebugInfoBeforePass = nullptr, 236 StringRef NameOfWrappedPass = "") { 237 if (Mode == DebugifyMode::SyntheticDebugInfo) 238 return applyDebugifyMetadata(M, M.functions(), 239 "ModuleDebugify: ", /*ApplyToMF*/ nullptr); 240 return collectDebugInfoMetadata(M, M.functions(), *DebugInfoBeforePass, 241 "ModuleDebugify (original debuginfo)", 242 NameOfWrappedPass); 243 } 244 245 bool llvm::stripDebugifyMetadata(Module &M) { 246 bool Changed = false; 247 248 // Remove the llvm.debugify and llvm.mir.debugify module-level named metadata. 249 NamedMDNode *DebugifyMD = M.getNamedMetadata("llvm.debugify"); 250 if (DebugifyMD) { 251 M.eraseNamedMetadata(DebugifyMD); 252 Changed = true; 253 } 254 255 if (auto *MIRDebugifyMD = M.getNamedMetadata("llvm.mir.debugify")) { 256 M.eraseNamedMetadata(MIRDebugifyMD); 257 Changed = true; 258 } 259 260 // Strip out all debug intrinsics and supporting metadata (subprograms, types, 261 // variables, etc). 262 Changed |= StripDebugInfo(M); 263 264 // Strip out the dead dbg.value prototype. 265 Function *DbgValF = M.getFunction("llvm.dbg.value"); 266 if (DbgValF) { 267 assert(DbgValF->isDeclaration() && DbgValF->use_empty() && 268 "Not all debug info stripped?"); 269 DbgValF->eraseFromParent(); 270 Changed = true; 271 } 272 273 // Strip out the module-level Debug Info Version metadata. 274 // FIXME: There must be an easier way to remove an operand from a NamedMDNode. 275 NamedMDNode *NMD = M.getModuleFlagsMetadata(); 276 if (!NMD) 277 return Changed; 278 SmallVector<MDNode *, 4> Flags(NMD->operands()); 279 NMD->clearOperands(); 280 for (MDNode *Flag : Flags) { 281 auto *Key = cast<MDString>(Flag->getOperand(1)); 282 if (Key->getString() == "Debug Info Version") { 283 Changed = true; 284 continue; 285 } 286 NMD->addOperand(Flag); 287 } 288 // If we left it empty we might as well remove it. 289 if (NMD->getNumOperands() == 0) 290 NMD->eraseFromParent(); 291 292 return Changed; 293 } 294 295 bool llvm::collectDebugInfoMetadata(Module &M, 296 iterator_range<Module::iterator> Functions, 297 DebugInfoPerPass &DebugInfoBeforePass, 298 StringRef Banner, 299 StringRef NameOfWrappedPass) { 300 LLVM_DEBUG(dbgs() << Banner << ": (before) " << NameOfWrappedPass << '\n'); 301 302 if (!M.getNamedMetadata("llvm.dbg.cu")) { 303 dbg() << Banner << ": Skipping module without debug info\n"; 304 return false; 305 } 306 307 uint64_t FunctionsCnt = DebugInfoBeforePass.DIFunctions.size(); 308 // Visit each instruction. 309 for (Function &F : Functions) { 310 // Use DI collected after previous Pass (when -debugify-each is used). 311 if (DebugInfoBeforePass.DIFunctions.count(&F)) 312 continue; 313 314 if (isFunctionSkipped(F)) 315 continue; 316 317 // Stop collecting DI if the Functions number reached the limit. 318 if (++FunctionsCnt >= DebugifyFunctionsLimit) 319 break; 320 // Collect the DISubprogram. 321 auto *SP = F.getSubprogram(); 322 DebugInfoBeforePass.DIFunctions.insert({&F, SP}); 323 if (SP) { 324 LLVM_DEBUG(dbgs() << " Collecting subprogram: " << *SP << '\n'); 325 for (const DINode *DN : SP->getRetainedNodes()) { 326 if (const auto *DV = dyn_cast<DILocalVariable>(DN)) { 327 DebugInfoBeforePass.DIVariables[DV] = 0; 328 } 329 } 330 } 331 332 for (BasicBlock &BB : F) { 333 // Collect debug locations (!dbg) and debug variable intrinsics. 334 for (Instruction &I : BB) { 335 // Skip PHIs. 336 if (isa<PHINode>(I)) 337 continue; 338 339 // Cllect dbg.values and dbg.declare. 340 if (DebugifyLevel > Level::Locations) { 341 if (auto *DVI = dyn_cast<DbgVariableIntrinsic>(&I)) { 342 if (!SP) 343 continue; 344 // Skip inlined variables. 345 if (I.getDebugLoc().getInlinedAt()) 346 continue; 347 // Skip undef values. 348 if (DVI->isKillLocation()) 349 continue; 350 351 auto *Var = DVI->getVariable(); 352 DebugInfoBeforePass.DIVariables[Var]++; 353 continue; 354 } 355 } 356 357 // Skip debug instructions other than dbg.value and dbg.declare. 358 if (isa<DbgInfoIntrinsic>(&I)) 359 continue; 360 361 LLVM_DEBUG(dbgs() << " Collecting info for inst: " << I << '\n'); 362 DebugInfoBeforePass.InstToDelete.insert({&I, &I}); 363 364 const DILocation *Loc = I.getDebugLoc().get(); 365 bool HasLoc = Loc != nullptr; 366 DebugInfoBeforePass.DILocations.insert({&I, HasLoc}); 367 } 368 } 369 } 370 371 return true; 372 } 373 374 // This checks the preservation of original debug info attached to functions. 375 static bool checkFunctions(const DebugFnMap &DIFunctionsBefore, 376 const DebugFnMap &DIFunctionsAfter, 377 StringRef NameOfWrappedPass, 378 StringRef FileNameFromCU, bool ShouldWriteIntoJSON, 379 llvm::json::Array &Bugs) { 380 bool Preserved = true; 381 for (const auto &F : DIFunctionsAfter) { 382 if (F.second) 383 continue; 384 auto SPIt = DIFunctionsBefore.find(F.first); 385 if (SPIt == DIFunctionsBefore.end()) { 386 if (ShouldWriteIntoJSON) 387 Bugs.push_back(llvm::json::Object({{"metadata", "DISubprogram"}, 388 {"name", F.first->getName()}, 389 {"action", "not-generate"}})); 390 else 391 dbg() << "ERROR: " << NameOfWrappedPass 392 << " did not generate DISubprogram for " << F.first->getName() 393 << " from " << FileNameFromCU << '\n'; 394 Preserved = false; 395 } else { 396 auto SP = SPIt->second; 397 if (!SP) 398 continue; 399 // If the function had the SP attached before the pass, consider it as 400 // a debug info bug. 401 if (ShouldWriteIntoJSON) 402 Bugs.push_back(llvm::json::Object({{"metadata", "DISubprogram"}, 403 {"name", F.first->getName()}, 404 {"action", "drop"}})); 405 else 406 dbg() << "ERROR: " << NameOfWrappedPass << " dropped DISubprogram of " 407 << F.first->getName() << " from " << FileNameFromCU << '\n'; 408 Preserved = false; 409 } 410 } 411 412 return Preserved; 413 } 414 415 // This checks the preservation of the original debug info attached to 416 // instructions. 417 static bool checkInstructions(const DebugInstMap &DILocsBefore, 418 const DebugInstMap &DILocsAfter, 419 const WeakInstValueMap &InstToDelete, 420 StringRef NameOfWrappedPass, 421 StringRef FileNameFromCU, 422 bool ShouldWriteIntoJSON, 423 llvm::json::Array &Bugs) { 424 bool Preserved = true; 425 for (const auto &L : DILocsAfter) { 426 if (L.second) 427 continue; 428 auto Instr = L.first; 429 430 // In order to avoid pointer reuse/recycling, skip the values that might 431 // have been deleted during a pass. 432 auto WeakInstrPtr = InstToDelete.find(Instr); 433 if (WeakInstrPtr != InstToDelete.end() && !WeakInstrPtr->second) 434 continue; 435 436 auto FnName = Instr->getFunction()->getName(); 437 auto BB = Instr->getParent(); 438 auto BBName = BB->hasName() ? BB->getName() : "no-name"; 439 auto InstName = Instruction::getOpcodeName(Instr->getOpcode()); 440 441 auto InstrIt = DILocsBefore.find(Instr); 442 if (InstrIt == DILocsBefore.end()) { 443 if (ShouldWriteIntoJSON) 444 Bugs.push_back(llvm::json::Object({{"metadata", "DILocation"}, 445 {"fn-name", FnName.str()}, 446 {"bb-name", BBName.str()}, 447 {"instr", InstName}, 448 {"action", "not-generate"}})); 449 else 450 dbg() << "WARNING: " << NameOfWrappedPass 451 << " did not generate DILocation for " << *Instr 452 << " (BB: " << BBName << ", Fn: " << FnName 453 << ", File: " << FileNameFromCU << ")\n"; 454 Preserved = false; 455 } else { 456 if (!InstrIt->second) 457 continue; 458 // If the instr had the !dbg attached before the pass, consider it as 459 // a debug info issue. 460 if (ShouldWriteIntoJSON) 461 Bugs.push_back(llvm::json::Object({{"metadata", "DILocation"}, 462 {"fn-name", FnName.str()}, 463 {"bb-name", BBName.str()}, 464 {"instr", InstName}, 465 {"action", "drop"}})); 466 else 467 dbg() << "WARNING: " << NameOfWrappedPass << " dropped DILocation of " 468 << *Instr << " (BB: " << BBName << ", Fn: " << FnName 469 << ", File: " << FileNameFromCU << ")\n"; 470 Preserved = false; 471 } 472 } 473 474 return Preserved; 475 } 476 477 // This checks the preservation of original debug variable intrinsics. 478 static bool checkVars(const DebugVarMap &DIVarsBefore, 479 const DebugVarMap &DIVarsAfter, 480 StringRef NameOfWrappedPass, StringRef FileNameFromCU, 481 bool ShouldWriteIntoJSON, llvm::json::Array &Bugs) { 482 bool Preserved = true; 483 for (const auto &V : DIVarsBefore) { 484 auto VarIt = DIVarsAfter.find(V.first); 485 if (VarIt == DIVarsAfter.end()) 486 continue; 487 488 unsigned NumOfDbgValsAfter = VarIt->second; 489 490 if (V.second > NumOfDbgValsAfter) { 491 if (ShouldWriteIntoJSON) 492 Bugs.push_back(llvm::json::Object( 493 {{"metadata", "dbg-var-intrinsic"}, 494 {"name", V.first->getName()}, 495 {"fn-name", V.first->getScope()->getSubprogram()->getName()}, 496 {"action", "drop"}})); 497 else 498 dbg() << "WARNING: " << NameOfWrappedPass 499 << " drops dbg.value()/dbg.declare() for " << V.first->getName() 500 << " from " 501 << "function " << V.first->getScope()->getSubprogram()->getName() 502 << " (file " << FileNameFromCU << ")\n"; 503 Preserved = false; 504 } 505 } 506 507 return Preserved; 508 } 509 510 // Write the json data into the specifed file. 511 static void writeJSON(StringRef OrigDIVerifyBugsReportFilePath, 512 StringRef FileNameFromCU, StringRef NameOfWrappedPass, 513 llvm::json::Array &Bugs) { 514 std::error_code EC; 515 raw_fd_ostream OS_FILE{OrigDIVerifyBugsReportFilePath, EC, 516 sys::fs::OF_Append | sys::fs::OF_TextWithCRLF}; 517 if (EC) { 518 errs() << "Could not open file: " << EC.message() << ", " 519 << OrigDIVerifyBugsReportFilePath << '\n'; 520 return; 521 } 522 523 if (auto L = OS_FILE.lock()) { 524 OS_FILE << "{\"file\":\"" << FileNameFromCU << "\", "; 525 526 StringRef PassName = 527 NameOfWrappedPass != "" ? NameOfWrappedPass : "no-name"; 528 OS_FILE << "\"pass\":\"" << PassName << "\", "; 529 530 llvm::json::Value BugsToPrint{std::move(Bugs)}; 531 OS_FILE << "\"bugs\": " << BugsToPrint; 532 533 OS_FILE << "}\n"; 534 } 535 OS_FILE.close(); 536 } 537 538 bool llvm::checkDebugInfoMetadata(Module &M, 539 iterator_range<Module::iterator> Functions, 540 DebugInfoPerPass &DebugInfoBeforePass, 541 StringRef Banner, StringRef NameOfWrappedPass, 542 StringRef OrigDIVerifyBugsReportFilePath) { 543 LLVM_DEBUG(dbgs() << Banner << ": (after) " << NameOfWrappedPass << '\n'); 544 545 if (!M.getNamedMetadata("llvm.dbg.cu")) { 546 dbg() << Banner << ": Skipping module without debug info\n"; 547 return false; 548 } 549 550 // Map the debug info holding DIs after a pass. 551 DebugInfoPerPass DebugInfoAfterPass; 552 553 // Visit each instruction. 554 for (Function &F : Functions) { 555 if (isFunctionSkipped(F)) 556 continue; 557 558 // Don't process functions without DI collected before the Pass. 559 if (!DebugInfoBeforePass.DIFunctions.count(&F)) 560 continue; 561 // TODO: Collect metadata other than DISubprograms. 562 // Collect the DISubprogram. 563 auto *SP = F.getSubprogram(); 564 DebugInfoAfterPass.DIFunctions.insert({&F, SP}); 565 566 if (SP) { 567 LLVM_DEBUG(dbgs() << " Collecting subprogram: " << *SP << '\n'); 568 for (const DINode *DN : SP->getRetainedNodes()) { 569 if (const auto *DV = dyn_cast<DILocalVariable>(DN)) { 570 DebugInfoAfterPass.DIVariables[DV] = 0; 571 } 572 } 573 } 574 575 for (BasicBlock &BB : F) { 576 // Collect debug locations (!dbg) and debug variable intrinsics. 577 for (Instruction &I : BB) { 578 // Skip PHIs. 579 if (isa<PHINode>(I)) 580 continue; 581 582 // Collect dbg.values and dbg.declares. 583 if (DebugifyLevel > Level::Locations) { 584 if (auto *DVI = dyn_cast<DbgVariableIntrinsic>(&I)) { 585 if (!SP) 586 continue; 587 // Skip inlined variables. 588 if (I.getDebugLoc().getInlinedAt()) 589 continue; 590 // Skip undef values. 591 if (DVI->isKillLocation()) 592 continue; 593 594 auto *Var = DVI->getVariable(); 595 DebugInfoAfterPass.DIVariables[Var]++; 596 continue; 597 } 598 } 599 600 // Skip debug instructions other than dbg.value and dbg.declare. 601 if (isa<DbgInfoIntrinsic>(&I)) 602 continue; 603 604 LLVM_DEBUG(dbgs() << " Collecting info for inst: " << I << '\n'); 605 606 const DILocation *Loc = I.getDebugLoc().get(); 607 bool HasLoc = Loc != nullptr; 608 609 DebugInfoAfterPass.DILocations.insert({&I, HasLoc}); 610 } 611 } 612 } 613 614 // TODO: The name of the module could be read better? 615 StringRef FileNameFromCU = 616 (cast<DICompileUnit>(M.getNamedMetadata("llvm.dbg.cu")->getOperand(0))) 617 ->getFilename(); 618 619 auto DIFunctionsBefore = DebugInfoBeforePass.DIFunctions; 620 auto DIFunctionsAfter = DebugInfoAfterPass.DIFunctions; 621 622 auto DILocsBefore = DebugInfoBeforePass.DILocations; 623 auto DILocsAfter = DebugInfoAfterPass.DILocations; 624 625 auto InstToDelete = DebugInfoBeforePass.InstToDelete; 626 627 auto DIVarsBefore = DebugInfoBeforePass.DIVariables; 628 auto DIVarsAfter = DebugInfoAfterPass.DIVariables; 629 630 bool ShouldWriteIntoJSON = !OrigDIVerifyBugsReportFilePath.empty(); 631 llvm::json::Array Bugs; 632 633 bool ResultForFunc = 634 checkFunctions(DIFunctionsBefore, DIFunctionsAfter, NameOfWrappedPass, 635 FileNameFromCU, ShouldWriteIntoJSON, Bugs); 636 bool ResultForInsts = checkInstructions( 637 DILocsBefore, DILocsAfter, InstToDelete, NameOfWrappedPass, 638 FileNameFromCU, ShouldWriteIntoJSON, Bugs); 639 640 bool ResultForVars = checkVars(DIVarsBefore, DIVarsAfter, NameOfWrappedPass, 641 FileNameFromCU, ShouldWriteIntoJSON, Bugs); 642 643 bool Result = ResultForFunc && ResultForInsts && ResultForVars; 644 645 StringRef ResultBanner = NameOfWrappedPass != "" ? NameOfWrappedPass : Banner; 646 if (ShouldWriteIntoJSON && !Bugs.empty()) 647 writeJSON(OrigDIVerifyBugsReportFilePath, FileNameFromCU, NameOfWrappedPass, 648 Bugs); 649 650 if (Result) 651 dbg() << ResultBanner << ": PASS\n"; 652 else 653 dbg() << ResultBanner << ": FAIL\n"; 654 655 // In the case of the `debugify-each`, no need to go over all the instructions 656 // again in the collectDebugInfoMetadata(), since as an input we can use 657 // the debugging information from the previous pass. 658 DebugInfoBeforePass = DebugInfoAfterPass; 659 660 LLVM_DEBUG(dbgs() << "\n\n"); 661 return Result; 662 } 663 664 namespace { 665 /// Return true if a mis-sized diagnostic is issued for \p DVI. 666 bool diagnoseMisSizedDbgValue(Module &M, DbgValueInst *DVI) { 667 // The size of a dbg.value's value operand should match the size of the 668 // variable it corresponds to. 669 // 670 // TODO: This, along with a check for non-null value operands, should be 671 // promoted to verifier failures. 672 673 // For now, don't try to interpret anything more complicated than an empty 674 // DIExpression. Eventually we should try to handle OP_deref and fragments. 675 if (DVI->getExpression()->getNumElements()) 676 return false; 677 678 Value *V = DVI->getVariableLocationOp(0); 679 if (!V) 680 return false; 681 682 Type *Ty = V->getType(); 683 uint64_t ValueOperandSize = getAllocSizeInBits(M, Ty); 684 std::optional<uint64_t> DbgVarSize = DVI->getFragmentSizeInBits(); 685 if (!ValueOperandSize || !DbgVarSize) 686 return false; 687 688 bool HasBadSize = false; 689 if (Ty->isIntegerTy()) { 690 auto Signedness = DVI->getVariable()->getSignedness(); 691 if (Signedness && *Signedness == DIBasicType::Signedness::Signed) 692 HasBadSize = ValueOperandSize < *DbgVarSize; 693 } else { 694 HasBadSize = ValueOperandSize != *DbgVarSize; 695 } 696 697 if (HasBadSize) { 698 dbg() << "ERROR: dbg.value operand has size " << ValueOperandSize 699 << ", but its variable has size " << *DbgVarSize << ": "; 700 DVI->print(dbg()); 701 dbg() << "\n"; 702 } 703 return HasBadSize; 704 } 705 706 bool checkDebugifyMetadata(Module &M, 707 iterator_range<Module::iterator> Functions, 708 StringRef NameOfWrappedPass, StringRef Banner, 709 bool Strip, DebugifyStatsMap *StatsMap) { 710 // Skip modules without debugify metadata. 711 NamedMDNode *NMD = M.getNamedMetadata("llvm.debugify"); 712 if (!NMD) { 713 dbg() << Banner << ": Skipping module without debugify metadata\n"; 714 return false; 715 } 716 717 auto getDebugifyOperand = [&](unsigned Idx) -> unsigned { 718 return mdconst::extract<ConstantInt>(NMD->getOperand(Idx)->getOperand(0)) 719 ->getZExtValue(); 720 }; 721 assert(NMD->getNumOperands() == 2 && 722 "llvm.debugify should have exactly 2 operands!"); 723 unsigned OriginalNumLines = getDebugifyOperand(0); 724 unsigned OriginalNumVars = getDebugifyOperand(1); 725 bool HasErrors = false; 726 727 // Track debug info loss statistics if able. 728 DebugifyStatistics *Stats = nullptr; 729 if (StatsMap && !NameOfWrappedPass.empty()) 730 Stats = &StatsMap->operator[](NameOfWrappedPass); 731 732 BitVector MissingLines{OriginalNumLines, true}; 733 BitVector MissingVars{OriginalNumVars, true}; 734 for (Function &F : Functions) { 735 if (isFunctionSkipped(F)) 736 continue; 737 738 // Find missing lines. 739 for (Instruction &I : instructions(F)) { 740 if (isa<DbgValueInst>(&I)) 741 continue; 742 743 auto DL = I.getDebugLoc(); 744 if (DL && DL.getLine() != 0) { 745 MissingLines.reset(DL.getLine() - 1); 746 continue; 747 } 748 749 if (!isa<PHINode>(&I) && !DL) { 750 dbg() << "WARNING: Instruction with empty DebugLoc in function "; 751 dbg() << F.getName() << " --"; 752 I.print(dbg()); 753 dbg() << "\n"; 754 } 755 } 756 757 // Find missing variables and mis-sized debug values. 758 for (Instruction &I : instructions(F)) { 759 auto *DVI = dyn_cast<DbgValueInst>(&I); 760 if (!DVI) 761 continue; 762 763 unsigned Var = ~0U; 764 (void)to_integer(DVI->getVariable()->getName(), Var, 10); 765 assert(Var <= OriginalNumVars && "Unexpected name for DILocalVariable"); 766 bool HasBadSize = diagnoseMisSizedDbgValue(M, DVI); 767 if (!HasBadSize) 768 MissingVars.reset(Var - 1); 769 HasErrors |= HasBadSize; 770 } 771 } 772 773 // Print the results. 774 for (unsigned Idx : MissingLines.set_bits()) 775 dbg() << "WARNING: Missing line " << Idx + 1 << "\n"; 776 777 for (unsigned Idx : MissingVars.set_bits()) 778 dbg() << "WARNING: Missing variable " << Idx + 1 << "\n"; 779 780 // Update DI loss statistics. 781 if (Stats) { 782 Stats->NumDbgLocsExpected += OriginalNumLines; 783 Stats->NumDbgLocsMissing += MissingLines.count(); 784 Stats->NumDbgValuesExpected += OriginalNumVars; 785 Stats->NumDbgValuesMissing += MissingVars.count(); 786 } 787 788 dbg() << Banner; 789 if (!NameOfWrappedPass.empty()) 790 dbg() << " [" << NameOfWrappedPass << "]"; 791 dbg() << ": " << (HasErrors ? "FAIL" : "PASS") << '\n'; 792 793 // Strip debugify metadata if required. 794 if (Strip) 795 return stripDebugifyMetadata(M); 796 797 return false; 798 } 799 800 /// ModulePass for attaching synthetic debug info to everything, used with the 801 /// legacy module pass manager. 802 struct DebugifyModulePass : public ModulePass { 803 bool runOnModule(Module &M) override { 804 bool NewDebugMode = M.IsNewDbgInfoFormat; 805 if (NewDebugMode) 806 M.convertFromNewDbgValues(); 807 808 bool Result = applyDebugify(M, Mode, DebugInfoBeforePass, NameOfWrappedPass); 809 810 if (NewDebugMode) 811 M.convertToNewDbgValues(); 812 return Result; 813 } 814 815 DebugifyModulePass(enum DebugifyMode Mode = DebugifyMode::SyntheticDebugInfo, 816 StringRef NameOfWrappedPass = "", 817 DebugInfoPerPass *DebugInfoBeforePass = nullptr) 818 : ModulePass(ID), NameOfWrappedPass(NameOfWrappedPass), 819 DebugInfoBeforePass(DebugInfoBeforePass), Mode(Mode) {} 820 821 void getAnalysisUsage(AnalysisUsage &AU) const override { 822 AU.setPreservesAll(); 823 } 824 825 static char ID; // Pass identification. 826 827 private: 828 StringRef NameOfWrappedPass; 829 DebugInfoPerPass *DebugInfoBeforePass; 830 enum DebugifyMode Mode; 831 }; 832 833 /// FunctionPass for attaching synthetic debug info to instructions within a 834 /// single function, used with the legacy module pass manager. 835 struct DebugifyFunctionPass : public FunctionPass { 836 bool runOnFunction(Function &F) override { 837 bool NewDebugMode = F.IsNewDbgInfoFormat; 838 if (NewDebugMode) 839 F.convertFromNewDbgValues(); 840 841 bool Result = applyDebugify(F, Mode, DebugInfoBeforePass, NameOfWrappedPass); 842 843 if (NewDebugMode) 844 F.convertToNewDbgValues(); 845 return Result; 846 } 847 848 DebugifyFunctionPass( 849 enum DebugifyMode Mode = DebugifyMode::SyntheticDebugInfo, 850 StringRef NameOfWrappedPass = "", 851 DebugInfoPerPass *DebugInfoBeforePass = nullptr) 852 : FunctionPass(ID), NameOfWrappedPass(NameOfWrappedPass), 853 DebugInfoBeforePass(DebugInfoBeforePass), Mode(Mode) {} 854 855 void getAnalysisUsage(AnalysisUsage &AU) const override { 856 AU.setPreservesAll(); 857 } 858 859 static char ID; // Pass identification. 860 861 private: 862 StringRef NameOfWrappedPass; 863 DebugInfoPerPass *DebugInfoBeforePass; 864 enum DebugifyMode Mode; 865 }; 866 867 /// ModulePass for checking debug info inserted by -debugify, used with the 868 /// legacy module pass manager. 869 struct CheckDebugifyModulePass : public ModulePass { 870 bool runOnModule(Module &M) override { 871 bool NewDebugMode = M.IsNewDbgInfoFormat; 872 if (NewDebugMode) 873 M.convertFromNewDbgValues(); 874 875 bool Result; 876 if (Mode == DebugifyMode::SyntheticDebugInfo) 877 Result = checkDebugifyMetadata(M, M.functions(), NameOfWrappedPass, 878 "CheckModuleDebugify", Strip, StatsMap); 879 else 880 Result = checkDebugInfoMetadata( 881 M, M.functions(), *DebugInfoBeforePass, 882 "CheckModuleDebugify (original debuginfo)", NameOfWrappedPass, 883 OrigDIVerifyBugsReportFilePath); 884 885 if (NewDebugMode) 886 M.convertToNewDbgValues(); 887 888 return Result; 889 } 890 891 CheckDebugifyModulePass( 892 bool Strip = false, StringRef NameOfWrappedPass = "", 893 DebugifyStatsMap *StatsMap = nullptr, 894 enum DebugifyMode Mode = DebugifyMode::SyntheticDebugInfo, 895 DebugInfoPerPass *DebugInfoBeforePass = nullptr, 896 StringRef OrigDIVerifyBugsReportFilePath = "") 897 : ModulePass(ID), NameOfWrappedPass(NameOfWrappedPass), 898 OrigDIVerifyBugsReportFilePath(OrigDIVerifyBugsReportFilePath), 899 StatsMap(StatsMap), DebugInfoBeforePass(DebugInfoBeforePass), Mode(Mode), 900 Strip(Strip) {} 901 902 void getAnalysisUsage(AnalysisUsage &AU) const override { 903 AU.setPreservesAll(); 904 } 905 906 static char ID; // Pass identification. 907 908 private: 909 StringRef NameOfWrappedPass; 910 StringRef OrigDIVerifyBugsReportFilePath; 911 DebugifyStatsMap *StatsMap; 912 DebugInfoPerPass *DebugInfoBeforePass; 913 enum DebugifyMode Mode; 914 bool Strip; 915 }; 916 917 /// FunctionPass for checking debug info inserted by -debugify-function, used 918 /// with the legacy module pass manager. 919 struct CheckDebugifyFunctionPass : public FunctionPass { 920 bool runOnFunction(Function &F) override { 921 bool NewDebugMode = F.IsNewDbgInfoFormat; 922 if (NewDebugMode) 923 F.convertFromNewDbgValues(); 924 925 Module &M = *F.getParent(); 926 auto FuncIt = F.getIterator(); 927 bool Result; 928 if (Mode == DebugifyMode::SyntheticDebugInfo) 929 Result = checkDebugifyMetadata(M, make_range(FuncIt, std::next(FuncIt)), 930 NameOfWrappedPass, "CheckFunctionDebugify", 931 Strip, StatsMap); 932 else 933 Result = checkDebugInfoMetadata( 934 M, make_range(FuncIt, std::next(FuncIt)), *DebugInfoBeforePass, 935 "CheckFunctionDebugify (original debuginfo)", NameOfWrappedPass, 936 OrigDIVerifyBugsReportFilePath); 937 938 if (NewDebugMode) 939 F.convertToNewDbgValues(); 940 return Result; 941 } 942 943 CheckDebugifyFunctionPass( 944 bool Strip = false, StringRef NameOfWrappedPass = "", 945 DebugifyStatsMap *StatsMap = nullptr, 946 enum DebugifyMode Mode = DebugifyMode::SyntheticDebugInfo, 947 DebugInfoPerPass *DebugInfoBeforePass = nullptr, 948 StringRef OrigDIVerifyBugsReportFilePath = "") 949 : FunctionPass(ID), NameOfWrappedPass(NameOfWrappedPass), 950 OrigDIVerifyBugsReportFilePath(OrigDIVerifyBugsReportFilePath), 951 StatsMap(StatsMap), DebugInfoBeforePass(DebugInfoBeforePass), Mode(Mode), 952 Strip(Strip) {} 953 954 void getAnalysisUsage(AnalysisUsage &AU) const override { 955 AU.setPreservesAll(); 956 } 957 958 static char ID; // Pass identification. 959 960 private: 961 StringRef NameOfWrappedPass; 962 StringRef OrigDIVerifyBugsReportFilePath; 963 DebugifyStatsMap *StatsMap; 964 DebugInfoPerPass *DebugInfoBeforePass; 965 enum DebugifyMode Mode; 966 bool Strip; 967 }; 968 969 } // end anonymous namespace 970 971 void llvm::exportDebugifyStats(StringRef Path, const DebugifyStatsMap &Map) { 972 std::error_code EC; 973 raw_fd_ostream OS{Path, EC}; 974 if (EC) { 975 errs() << "Could not open file: " << EC.message() << ", " << Path << '\n'; 976 return; 977 } 978 979 OS << "Pass Name" << ',' << "# of missing debug values" << ',' 980 << "# of missing locations" << ',' << "Missing/Expected value ratio" << ',' 981 << "Missing/Expected location ratio" << '\n'; 982 for (const auto &Entry : Map) { 983 StringRef Pass = Entry.first; 984 DebugifyStatistics Stats = Entry.second; 985 986 OS << Pass << ',' << Stats.NumDbgValuesMissing << ',' 987 << Stats.NumDbgLocsMissing << ',' << Stats.getMissingValueRatio() << ',' 988 << Stats.getEmptyLocationRatio() << '\n'; 989 } 990 } 991 992 ModulePass *createDebugifyModulePass(enum DebugifyMode Mode, 993 llvm::StringRef NameOfWrappedPass, 994 DebugInfoPerPass *DebugInfoBeforePass) { 995 if (Mode == DebugifyMode::SyntheticDebugInfo) 996 return new DebugifyModulePass(); 997 assert(Mode == DebugifyMode::OriginalDebugInfo && "Must be original mode"); 998 return new DebugifyModulePass(Mode, NameOfWrappedPass, DebugInfoBeforePass); 999 } 1000 1001 FunctionPass * 1002 createDebugifyFunctionPass(enum DebugifyMode Mode, 1003 llvm::StringRef NameOfWrappedPass, 1004 DebugInfoPerPass *DebugInfoBeforePass) { 1005 if (Mode == DebugifyMode::SyntheticDebugInfo) 1006 return new DebugifyFunctionPass(); 1007 assert(Mode == DebugifyMode::OriginalDebugInfo && "Must be original mode"); 1008 return new DebugifyFunctionPass(Mode, NameOfWrappedPass, DebugInfoBeforePass); 1009 } 1010 1011 PreservedAnalyses NewPMDebugifyPass::run(Module &M, ModuleAnalysisManager &) { 1012 bool NewDebugMode = M.IsNewDbgInfoFormat; 1013 if (NewDebugMode) 1014 M.convertFromNewDbgValues(); 1015 1016 if (Mode == DebugifyMode::SyntheticDebugInfo) 1017 applyDebugifyMetadata(M, M.functions(), 1018 "ModuleDebugify: ", /*ApplyToMF*/ nullptr); 1019 else 1020 collectDebugInfoMetadata(M, M.functions(), *DebugInfoBeforePass, 1021 "ModuleDebugify (original debuginfo)", 1022 NameOfWrappedPass); 1023 1024 if (NewDebugMode) 1025 M.convertToNewDbgValues(); 1026 1027 PreservedAnalyses PA; 1028 PA.preserveSet<CFGAnalyses>(); 1029 return PA; 1030 } 1031 1032 ModulePass *createCheckDebugifyModulePass( 1033 bool Strip, StringRef NameOfWrappedPass, DebugifyStatsMap *StatsMap, 1034 enum DebugifyMode Mode, DebugInfoPerPass *DebugInfoBeforePass, 1035 StringRef OrigDIVerifyBugsReportFilePath) { 1036 if (Mode == DebugifyMode::SyntheticDebugInfo) 1037 return new CheckDebugifyModulePass(Strip, NameOfWrappedPass, StatsMap); 1038 assert(Mode == DebugifyMode::OriginalDebugInfo && "Must be original mode"); 1039 return new CheckDebugifyModulePass(false, NameOfWrappedPass, nullptr, Mode, 1040 DebugInfoBeforePass, 1041 OrigDIVerifyBugsReportFilePath); 1042 } 1043 1044 FunctionPass *createCheckDebugifyFunctionPass( 1045 bool Strip, StringRef NameOfWrappedPass, DebugifyStatsMap *StatsMap, 1046 enum DebugifyMode Mode, DebugInfoPerPass *DebugInfoBeforePass, 1047 StringRef OrigDIVerifyBugsReportFilePath) { 1048 if (Mode == DebugifyMode::SyntheticDebugInfo) 1049 return new CheckDebugifyFunctionPass(Strip, NameOfWrappedPass, StatsMap); 1050 assert(Mode == DebugifyMode::OriginalDebugInfo && "Must be original mode"); 1051 return new CheckDebugifyFunctionPass(false, NameOfWrappedPass, nullptr, Mode, 1052 DebugInfoBeforePass, 1053 OrigDIVerifyBugsReportFilePath); 1054 } 1055 1056 PreservedAnalyses NewPMCheckDebugifyPass::run(Module &M, 1057 ModuleAnalysisManager &) { 1058 bool NewDebugMode = M.IsNewDbgInfoFormat; 1059 if (NewDebugMode) 1060 M.convertFromNewDbgValues(); 1061 1062 if (Mode == DebugifyMode::SyntheticDebugInfo) 1063 checkDebugifyMetadata(M, M.functions(), NameOfWrappedPass, 1064 "CheckModuleDebugify", Strip, StatsMap); 1065 else 1066 checkDebugInfoMetadata( 1067 M, M.functions(), *DebugInfoBeforePass, 1068 "CheckModuleDebugify (original debuginfo)", NameOfWrappedPass, 1069 OrigDIVerifyBugsReportFilePath); 1070 1071 if (NewDebugMode) 1072 M.convertToNewDbgValues(); 1073 1074 return PreservedAnalyses::all(); 1075 } 1076 1077 static bool isIgnoredPass(StringRef PassID) { 1078 return isSpecialPass(PassID, {"PassManager", "PassAdaptor", 1079 "AnalysisManagerProxy", "PrintFunctionPass", 1080 "PrintModulePass", "BitcodeWriterPass", 1081 "ThinLTOBitcodeWriterPass", "VerifierPass"}); 1082 } 1083 1084 void DebugifyEachInstrumentation::registerCallbacks( 1085 PassInstrumentationCallbacks &PIC, ModuleAnalysisManager &MAM) { 1086 PIC.registerBeforeNonSkippedPassCallback([this, &MAM](StringRef P, Any IR) { 1087 if (isIgnoredPass(P)) 1088 return; 1089 PreservedAnalyses PA; 1090 PA.preserveSet<CFGAnalyses>(); 1091 if (const auto **CF = llvm::any_cast<const Function *>(&IR)) { 1092 Function &F = *const_cast<Function *>(*CF); 1093 applyDebugify(F, Mode, DebugInfoBeforePass, P); 1094 MAM.getResult<FunctionAnalysisManagerModuleProxy>(*F.getParent()) 1095 .getManager() 1096 .invalidate(F, PA); 1097 } else if (const auto **CM = llvm::any_cast<const Module *>(&IR)) { 1098 Module &M = *const_cast<Module *>(*CM); 1099 applyDebugify(M, Mode, DebugInfoBeforePass, P); 1100 MAM.invalidate(M, PA); 1101 } 1102 }); 1103 PIC.registerAfterPassCallback( 1104 [this, &MAM](StringRef P, Any IR, const PreservedAnalyses &PassPA) { 1105 if (isIgnoredPass(P)) 1106 return; 1107 PreservedAnalyses PA; 1108 PA.preserveSet<CFGAnalyses>(); 1109 if (const auto **CF = llvm::any_cast<const Function *>(&IR)) { 1110 auto &F = *const_cast<Function *>(*CF); 1111 Module &M = *F.getParent(); 1112 auto It = F.getIterator(); 1113 if (Mode == DebugifyMode::SyntheticDebugInfo) 1114 checkDebugifyMetadata(M, make_range(It, std::next(It)), P, 1115 "CheckFunctionDebugify", /*Strip=*/true, 1116 DIStatsMap); 1117 else 1118 checkDebugInfoMetadata(M, make_range(It, std::next(It)), 1119 *DebugInfoBeforePass, 1120 "CheckModuleDebugify (original debuginfo)", 1121 P, OrigDIVerifyBugsReportFilePath); 1122 MAM.getResult<FunctionAnalysisManagerModuleProxy>(*F.getParent()) 1123 .getManager() 1124 .invalidate(F, PA); 1125 } else if (const auto **CM = llvm::any_cast<const Module *>(&IR)) { 1126 Module &M = *const_cast<Module *>(*CM); 1127 if (Mode == DebugifyMode::SyntheticDebugInfo) 1128 checkDebugifyMetadata(M, M.functions(), P, "CheckModuleDebugify", 1129 /*Strip=*/true, DIStatsMap); 1130 else 1131 checkDebugInfoMetadata(M, M.functions(), *DebugInfoBeforePass, 1132 "CheckModuleDebugify (original debuginfo)", 1133 P, OrigDIVerifyBugsReportFilePath); 1134 MAM.invalidate(M, PA); 1135 } 1136 }); 1137 } 1138 1139 char DebugifyModulePass::ID = 0; 1140 static RegisterPass<DebugifyModulePass> DM("debugify", 1141 "Attach debug info to everything"); 1142 1143 char CheckDebugifyModulePass::ID = 0; 1144 static RegisterPass<CheckDebugifyModulePass> 1145 CDM("check-debugify", "Check debug info from -debugify"); 1146 1147 char DebugifyFunctionPass::ID = 0; 1148 static RegisterPass<DebugifyFunctionPass> DF("debugify-function", 1149 "Attach debug info to a function"); 1150 1151 char CheckDebugifyFunctionPass::ID = 0; 1152 static RegisterPass<CheckDebugifyFunctionPass> 1153 CDF("check-debugify-function", "Check debug info from -debugify-function"); 1154