LLVM 17.0.0git
Signals.cpp
Go to the documentation of this file.
1//===- Signals.cpp - Signal Handling support --------------------*- C++ -*-===//
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// This file defines some helpful functions for dealing with the possibility of
10// Unix signals occurring while your program is running.
11//
12//===----------------------------------------------------------------------===//
13
15
16#include "DebugOptions.h"
17
18#include "llvm/ADT/StringRef.h"
19#include "llvm/Config/llvm-config.h"
24#include "llvm/Support/Format.h"
28#include "llvm/Support/Path.h"
32#include <array>
33#include <cmath>
34#include <vector>
35
36//===----------------------------------------------------------------------===//
37//=== WARNING: Implementation here must contain only TRULY operating system
38//=== independent code.
39//===----------------------------------------------------------------------===//
40
41using namespace llvm;
42
43// Use explicit storage to avoid accessing cl::opt in a signal handler.
44static bool DisableSymbolicationFlag = false;
46namespace {
47struct CreateDisableSymbolication {
48 static void *call() {
49 return new cl::opt<bool, true>(
50 "disable-symbolication",
51 cl::desc("Disable symbolizing crash backtraces."),
53 }
54};
55struct CreateCrashDiagnosticsDir {
56 static void *call() {
58 "crash-diagnostics-dir", cl::value_desc("directory"),
59 cl::desc("Directory for crash diagnostic files."),
61 }
62};
63} // namespace
65 static ManagedStatic<cl::opt<bool, true>, CreateDisableSymbolication>
66 DisableSymbolication;
67 static ManagedStatic<cl::opt<std::string, true>, CreateCrashDiagnosticsDir>
68 CrashDiagnosticsDir;
69 *DisableSymbolication;
70 *CrashDiagnosticsDir;
71}
72
73constexpr char DisableSymbolizationEnv[] = "LLVM_DISABLE_SYMBOLIZATION";
74constexpr char LLVMSymbolizerPathEnv[] = "LLVM_SYMBOLIZER_PATH";
75
76// Callbacks to run in signal handler must be lock-free because a signal handler
77// could be running as we add new callbacks. We don't add unbounded numbers of
78// callbacks, an array is therefore sufficient.
81 void *Cookie;
83 std::atomic<Status> Flag;
84};
85
86static constexpr size_t MaxSignalHandlerCallbacks = 8;
87
88// A global array of CallbackAndCookie may not compile with
89// -Werror=global-constructors in c++20 and above
90static std::array<CallbackAndCookie, MaxSignalHandlerCallbacks> &
92 static std::array<CallbackAndCookie, MaxSignalHandlerCallbacks> callbacks;
93 return callbacks;
94}
95
96// Signal-safe.
98 for (CallbackAndCookie &RunMe : CallBacksToRun()) {
101 if (!RunMe.Flag.compare_exchange_strong(Expected, Desired))
102 continue;
103 (*RunMe.Callback)(RunMe.Cookie);
104 RunMe.Callback = nullptr;
105 RunMe.Cookie = nullptr;
106 RunMe.Flag.store(CallbackAndCookie::Status::Empty);
107 }
108}
109
110// Signal-safe.
112 void *Cookie) {
113 for (CallbackAndCookie &SetMe : CallBacksToRun()) {
116 if (!SetMe.Flag.compare_exchange_strong(Expected, Desired))
117 continue;
118 SetMe.Callback = FnPtr;
119 SetMe.Cookie = Cookie;
121 return;
122 }
123 report_fatal_error("too many signal callbacks already registered");
124}
125
126static bool findModulesAndOffsets(void **StackTrace, int Depth,
127 const char **Modules, intptr_t *Offsets,
128 const char *MainExecutableName,
129 StringSaver &StrPool);
130
131/// Format a pointer value as hexadecimal. Zero pad it out so its always the
132/// same width.
133static FormattedNumber format_ptr(void *PC) {
134 // Each byte is two hex digits plus 2 for the 0x prefix.
135 unsigned PtrWidth = 2 + 2 * sizeof(void *);
136 return format_hex((uint64_t)PC, PtrWidth);
137}
138
139/// Helper that launches llvm-symbolizer and symbolizes a backtrace.
141static bool printSymbolizedStackTrace(StringRef Argv0, void **StackTrace,
142 int Depth, llvm::raw_ostream &OS) {
144 return false;
145
146 // Don't recursively invoke the llvm-symbolizer binary.
147 if (Argv0.find("llvm-symbolizer") != std::string::npos)
148 return false;
149
150 // FIXME: Subtract necessary number from StackTrace entries to turn return addresses
151 // into actual instruction addresses.
152 // Use llvm-symbolizer tool to symbolize the stack traces. First look for it
153 // alongside our binary, then in $PATH.
154 ErrorOr<std::string> LLVMSymbolizerPathOrErr = std::error_code();
155 if (const char *Path = getenv(LLVMSymbolizerPathEnv)) {
156 LLVMSymbolizerPathOrErr = sys::findProgramByName(Path);
157 } else if (!Argv0.empty()) {
159 if (!Parent.empty())
160 LLVMSymbolizerPathOrErr = sys::findProgramByName("llvm-symbolizer", Parent);
161 }
162 if (!LLVMSymbolizerPathOrErr)
163 LLVMSymbolizerPathOrErr = sys::findProgramByName("llvm-symbolizer");
164 if (!LLVMSymbolizerPathOrErr)
165 return false;
166 const std::string &LLVMSymbolizerPath = *LLVMSymbolizerPathOrErr;
167
168 // If we don't know argv0 or the address of main() at this point, try
169 // to guess it anyway (it's possible on some platforms).
170 std::string MainExecutableName =
171 sys::fs::exists(Argv0) ? (std::string)std::string(Argv0)
172 : sys::fs::getMainExecutable(nullptr, nullptr);
174 StringSaver StrPool(Allocator);
175 std::vector<const char *> Modules(Depth, nullptr);
176 std::vector<intptr_t> Offsets(Depth, 0);
177 if (!findModulesAndOffsets(StackTrace, Depth, Modules.data(), Offsets.data(),
178 MainExecutableName.c_str(), StrPool))
179 return false;
180 int InputFD;
181 SmallString<32> InputFile, OutputFile;
182 sys::fs::createTemporaryFile("symbolizer-input", "", InputFD, InputFile);
183 sys::fs::createTemporaryFile("symbolizer-output", "", OutputFile);
184 FileRemover InputRemover(InputFile.c_str());
185 FileRemover OutputRemover(OutputFile.c_str());
186
187 {
188 raw_fd_ostream Input(InputFD, true);
189 for (int i = 0; i < Depth; i++) {
190 if (Modules[i])
191 Input << Modules[i] << " " << (void*)Offsets[i] << "\n";
192 }
193 }
194
195 std::optional<StringRef> Redirects[] = {InputFile.str(), OutputFile.str(),
196 StringRef("")};
197 StringRef Args[] = {"llvm-symbolizer", "--functions=linkage", "--inlining",
198#ifdef _WIN32
199 // Pass --relative-address on Windows so that we don't
200 // have to add ImageBase from PE file.
201 // FIXME: Make this the default for llvm-symbolizer.
202 "--relative-address",
203#endif
204 "--demangle"};
205 int RunResult =
206 sys::ExecuteAndWait(LLVMSymbolizerPath, Args, std::nullopt, Redirects);
207 if (RunResult != 0)
208 return false;
209
210 // This report format is based on the sanitizer stack trace printer. See
211 // sanitizer_stacktrace_printer.cc in compiler-rt.
212 auto OutputBuf = MemoryBuffer::getFile(OutputFile.c_str());
213 if (!OutputBuf)
214 return false;
215 StringRef Output = OutputBuf.get()->getBuffer();
217 Output.split(Lines, "\n");
218 auto CurLine = Lines.begin();
219 int frame_no = 0;
220 for (int i = 0; i < Depth; i++) {
221 auto PrintLineHeader = [&]() {
222 OS << right_justify(formatv("#{0}", frame_no++).str(),
223 std::log10(Depth) + 2)
224 << ' ' << format_ptr(StackTrace[i]) << ' ';
225 };
226 if (!Modules[i]) {
227 PrintLineHeader();
228 OS << '\n';
229 continue;
230 }
231 // Read pairs of lines (function name and file/line info) until we
232 // encounter empty line.
233 for (;;) {
234 if (CurLine == Lines.end())
235 return false;
236 StringRef FunctionName = *CurLine++;
237 if (FunctionName.empty())
238 break;
239 PrintLineHeader();
240 if (!FunctionName.startswith("??"))
241 OS << FunctionName << ' ';
242 if (CurLine == Lines.end())
243 return false;
244 StringRef FileLineInfo = *CurLine++;
245 if (!FileLineInfo.startswith("??"))
246 OS << FileLineInfo;
247 else
248 OS << "(" << Modules[i] << '+' << format_hex(Offsets[i], 0) << ")";
249 OS << "\n";
250 }
251 }
252 return true;
253}
254
255// Include the platform-specific parts of this class.
256#ifdef LLVM_ON_UNIX
257#include "Unix/Signals.inc"
258#endif
259#ifdef _WIN32
260#include "Windows/Signals.inc"
261#endif
#define LLVM_ATTRIBUTE_USED
Definition: Compiler.h:139
Provides ErrorOr<T> smart pointer.
Basic Register Allocator
raw_pwrite_stream & OS
static FormattedNumber format_ptr(void *PC)
Format a pointer value as hexadecimal.
Definition: Signals.cpp:133
constexpr char DisableSymbolizationEnv[]
Definition: Signals.cpp:73
static LLVM_ATTRIBUTE_USED bool printSymbolizedStackTrace(StringRef Argv0, void **StackTrace, int Depth, llvm::raw_ostream &OS)
Helper that launches llvm-symbolizer and symbolizes a backtrace.
Definition: Signals.cpp:141
static std::array< CallbackAndCookie, MaxSignalHandlerCallbacks > & CallBacksToRun()
Definition: Signals.cpp:91
static bool findModulesAndOffsets(void **StackTrace, int Depth, const char **Modules, intptr_t *Offsets, const char *MainExecutableName, StringSaver &StrPool)
static bool DisableSymbolicationFlag
Definition: Signals.cpp:44
static ManagedStatic< std::string > CrashDiagnosticsDirectory
Definition: Signals.cpp:45
static constexpr size_t MaxSignalHandlerCallbacks
Definition: Signals.cpp:86
constexpr char LLVMSymbolizerPathEnv[]
Definition: Signals.cpp:74
static void insertSignalHandler(sys::SignalHandlerCallback FnPtr, void *Cookie)
Definition: Signals.cpp:111
Allocate memory in an ever growing pool, as if by bump-pointer.
Definition: Allocator.h:66
Represents either an error or a value T.
Definition: ErrorOr.h:56
Tagged union holding either a T or a Error.
Definition: Error.h:470
FileRemover - This class is a simple object meant to be stack allocated.
Definition: FileUtilities.h:42
This is a helper class used for format_hex() and format_decimal().
Definition: Format.h:164
ManagedStatic - This transparently changes the behavior of global statics to be lazily constructed on...
Definition: ManagedStatic.h:83
static ErrorOr< std::unique_ptr< MemoryBuffer > > getFile(const Twine &Filename, bool IsText=false, bool RequiresNullTerminator=true, bool IsVolatile=false, std::optional< Align > Alignment=std::nullopt)
Open the specified file as a MemoryBuffer, returning a new MemoryBuffer if successful,...
SmallString - A SmallString is just a SmallVector with methods and accessors that make it work better...
Definition: SmallString.h:26
const char * c_str()
Definition: SmallString.h:264
StringRef str() const
Explicit conversion to StringRef.
Definition: SmallString.h:261
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
Definition: SmallVector.h:1200
StringRef - Represent a constant reference to a string, i.e.
Definition: StringRef.h:50
std::pair< StringRef, StringRef > split(char Separator) const
Split into two substrings around the first occurrence of a separator character.
Definition: StringRef.h:704
constexpr bool empty() const
empty - Check if the string is empty.
Definition: StringRef.h:134
bool startswith(StringRef Prefix) const
Definition: StringRef.h:261
size_t find(char C, size_t From=0) const
Search for the first character C in the string.
Definition: StringRef.h:301
Saves strings in the provided stable storage and returns a StringRef with a stable character pointer.
Definition: StringSaver.h:21
A raw_ostream that writes to a file descriptor.
Definition: raw_ostream.h:454
This class implements an extremely fast bulk output stream that can only output to a stream.
Definition: raw_ostream.h:52
LocationClass< Ty > location(Ty &L)
Definition: CommandLine.h:465
std::string getMainExecutable(const char *argv0, void *MainExecAddr)
Return the path to the main executable, given the value of argv[0] from program startup and the addre...
bool exists(const basic_file_status &status)
Does file exist?
Definition: Path.cpp:1078
std::error_code createTemporaryFile(const Twine &Prefix, StringRef Suffix, int &ResultFD, SmallVectorImpl< char > &ResultPath, OpenFlags Flags=OF_None)
Create a file in the system temporary directory.
Definition: Path.cpp:864
StringRef parent_path(StringRef path, Style style=Style::native)
Get parent path.
Definition: Path.cpp:468
void(*)(void *) SignalHandlerCallback
Definition: Signals.h:61
void RunSignalHandlers()
Definition: Signals.cpp:97
int ExecuteAndWait(StringRef Program, ArrayRef< StringRef > Args, std::optional< ArrayRef< StringRef > > Env=std::nullopt, ArrayRef< std::optional< StringRef > > Redirects={}, unsigned SecondsToWait=0, unsigned MemoryLimit=0, std::string *ErrMsg=nullptr, bool *ExecutionFailed=nullptr, std::optional< ProcessStatistics > *ProcStat=nullptr, BitVector *AffinityMask=nullptr)
This function executes the program using the arguments provided.
Definition: Program.cpp:32
ErrorOr< std::string > findProgramByName(StringRef Name, ArrayRef< StringRef > Paths={})
Find the first executable file Name in Paths.
This is an optimization pass for GlobalISel generic memory operations.
Definition: AddressRanges.h:18
auto formatv(const char *Fmt, Ts &&... Vals) -> formatv_object< decltype(std::make_tuple(detail::build_format_adapter(std::forward< Ts >(Vals))...))>
FormattedString right_justify(StringRef Str, unsigned Width)
right_justify - add spaces before string so total output is Width characters.
Definition: Format.h:152
void report_fatal_error(Error Err, bool gen_crash_diag=true)
Report a serious error, calling any installed error handler.
Definition: Error.cpp:145
void initSignalsOptions()
Definition: Signals.cpp:64
FormattedNumber format_hex(uint64_t N, unsigned Width, bool Upper=false)
format_hex - Output N as a fixed width hexadecimal.
Definition: Format.h:186
sys::SignalHandlerCallback Callback
Definition: Signals.cpp:80
std::atomic< Status > Flag
Definition: Signals.cpp:83