LLDB mainline
lldb-enumerations.h
Go to the documentation of this file.
1//===-- lldb-enumerations.h -------------------------------------*- 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#ifndef LLDB_LLDB_ENUMERATIONS_H
10#define LLDB_LLDB_ENUMERATIONS_H
11
12#include <cstdint>
13#include <type_traits>
14
15#ifndef SWIG
16// Macro to enable bitmask operations on an enum. Without this, Enum | Enum
17// gets promoted to an int, so you have to say Enum a = Enum(eFoo | eBar). If
18// you mark Enum with LLDB_MARK_AS_BITMASK_ENUM(Enum), however, you can simply
19// write Enum a = eFoo | eBar.
20// Unfortunately, swig<3.0 doesn't recognise the constexpr keyword, so remove
21// this entire block, as it is not necessary for swig processing.
22#define LLDB_MARK_AS_BITMASK_ENUM(Enum) \
23 constexpr Enum operator|(Enum a, Enum b) { \
24 return static_cast<Enum>( \
25 static_cast<std::underlying_type<Enum>::type>(a) | \
26 static_cast<std::underlying_type<Enum>::type>(b)); \
27 } \
28 constexpr Enum operator&(Enum a, Enum b) { \
29 return static_cast<Enum>( \
30 static_cast<std::underlying_type<Enum>::type>(a) & \
31 static_cast<std::underlying_type<Enum>::type>(b)); \
32 } \
33 constexpr Enum operator~(Enum a) { \
34 return static_cast<Enum>( \
35 ~static_cast<std::underlying_type<Enum>::type>(a)); \
36 } \
37 inline Enum &operator|=(Enum &a, Enum b) { \
38 a = a | b; \
39 return a; \
40 } \
41 inline Enum &operator&=(Enum &a, Enum b) { \
42 a = a & b; \
43 return a; \
44 }
45#else
46#define LLDB_MARK_AS_BITMASK_ENUM(Enum)
47#endif
48
49#ifndef SWIG
50// With MSVC, the default type of an enum is always signed, even if one of the
51// enumerator values is too large to fit into a signed integer but would
52// otherwise fit into an unsigned integer. As a result of this, all of LLDB's
53// flag-style enumerations that specify something like eValueFoo = 1u << 31
54// result in negative values. This usually just results in a benign warning,
55// but in a few places we actually do comparisons on the enum values, which
56// would cause a real bug. Furthermore, there's no way to silence only this
57// warning, as it's part of -Wmicrosoft which also catches a whole slew of
58// other useful issues.
59//
60// To make matters worse, early versions of SWIG don't recognize the syntax of
61// specifying the underlying type of an enum (and Python doesn't care anyway)
62// so we need a way to specify the underlying type when the enum is being used
63// from C++ code, but just use a regular enum when swig is pre-processing.
64#define FLAGS_ENUM(Name) enum Name : unsigned
65#define FLAGS_ANONYMOUS_ENUM() enum : unsigned
66#else
67#define FLAGS_ENUM(Name) enum Name
68#define FLAGS_ANONYMOUS_ENUM() enum
69#endif
70
71namespace lldb {
72
73/// Process and Thread States.
76 eStateUnloaded, ///< Process is object is valid, but not currently loaded
77 eStateConnected, ///< Process is connected to remote debug services, but not
78 /// launched or attached to anything yet
79 eStateAttaching, ///< Process is currently trying to attach
80 eStateLaunching, ///< Process is in the process of launching
81 // The state changes eStateAttaching and eStateLaunching are both sent while
82 // the private state thread is either not yet started or paused. For that
83 // reason, they should only be signaled as public state changes, and not
84 // private state changes.
85 eStateStopped, ///< Process or thread is stopped and can be examined.
86 eStateRunning, ///< Process or thread is running and can't be examined.
87 eStateStepping, ///< Process or thread is in the process of stepping and can
88 /// not be examined.
89 eStateCrashed, ///< Process or thread has crashed and can be examined.
90 eStateDetached, ///< Process has been detached and can't be examined.
91 eStateExited, ///< Process has exited and can't be examined.
92 eStateSuspended, ///< Process or thread is in a suspended state as far
93 ///< as the debugger is concerned while other processes
94 ///< or threads get the chance to run.
96};
97
98/// Launch Flags.
99FLAGS_ENUM(LaunchFlags){
100 eLaunchFlagNone = 0u,
101 eLaunchFlagExec = (1u << 0), ///< Exec when launching and turn the calling
102 /// process into a new process
103 eLaunchFlagDebug = (1u << 1), ///< Stop as soon as the process launches to
104 /// allow the process to be debugged
105 eLaunchFlagStopAtEntry = (1u
106 << 2), ///< Stop at the program entry point
107 /// instead of auto-continuing when
108 /// launching or attaching at entry point
109 eLaunchFlagDisableASLR =
110 (1u << 3), ///< Disable Address Space Layout Randomization
111 eLaunchFlagDisableSTDIO =
112 (1u << 4), ///< Disable stdio for inferior process (e.g. for a GUI app)
113 eLaunchFlagLaunchInTTY =
114 (1u << 5), ///< Launch the process in a new TTY if supported by the host
115 eLaunchFlagLaunchInShell =
116 (1u << 6), ///< Launch the process inside a shell to get shell expansion
117 eLaunchFlagLaunchInSeparateProcessGroup =
118 (1u << 7), ///< Launch the process in a separate process group
119 ///< If you are going to hand the process off (e.g. to
120 ///< debugserver)
121 eLaunchFlagDontSetExitStatus = (1u << 8),
122 ///< set this flag so lldb & the handee don't race to set its exit status.
123 eLaunchFlagDetachOnError = (1u << 9), ///< If set, then the client stub
124 ///< should detach rather than killing
125 ///< the debugee
126 ///< if it loses connection with lldb.
127 eLaunchFlagShellExpandArguments =
128 (1u << 10), ///< Perform shell-style argument expansion
129 eLaunchFlagCloseTTYOnExit = (1u << 11), ///< Close the open TTY on exit
130 eLaunchFlagInheritTCCFromParent =
131 (1u << 12), ///< Don't make the inferior responsible for its own TCC
132 ///< permissions but instead inherit them from its parent.
133 eLaunchFlagMemoryTagging =
134 (1u << 13), ///< Launch process with memory tagging explicitly enabled.
135 eLaunchFlagUsePipes =
136 (1u << 14), ///< Use anonymous pipes for stdio instead of a ConPTY on
137 ///< Windows. Useful when terminal emulation is not needed
138 ///< (e.g. lldb-dap internalConsole mode).
139};
140
141/// Thread Run Modes.
143
144/// Execution directions
146
147/// Byte ordering definitions.
154
155/// Register encoding definitions.
158 eEncodingUint, ///< unsigned integer
159 eEncodingSint, ///< signed integer
161 eEncodingVector ///< vector registers
162};
163
164/// Display format definitions.
165enum Format {
173 eFormatCharPrintable, ///< Only printable characters, '.' if not printable
174 eFormatComplex, ///< Floating point complex type
176 eFormatCString, ///< NULL terminated C strings
183 eFormatOSType, ///< OS character codes encoded into an integer 'PICT' 'text'
184 ///< etc...
202 eFormatComplexInteger, ///< Integer complex type
203 eFormatCharArray, ///< Print characters with no single quotes, used for
204 ///< character arrays that can contain non printable
205 ///< characters
206 eFormatAddressInfo, ///< Describe what an address points to (func + offset
207 ///< with file/line, symbol + offset, data, etc)
208 eFormatHexFloat, ///< ISO C99 hex float string
209 eFormatInstruction, ///< Disassemble an opcode
210 eFormatVoid, ///< Do not print this
212 eFormatFloat128, ///< Disambiguate between 128-bit `long double` (which uses
213 ///< `eFormatFloat`) and `__float128` (which uses
214 ///< `eFormatFloat128`). If the value being formatted is not
215 ///< 128 bits, then this is identical to `eFormatFloat`.
217};
218
219/// Description levels for "void GetDescription(Stream *, DescriptionLevel)"
220/// calls.
228
229/// Script interpreter types.
237
238/// Register numbering types.
239// See RegisterContext::ConvertRegisterKindToRegisterNumber to convert any of
240// these to the lldb internal register numbering scheme (eRegisterKindLLDB).
242 eRegisterKindEHFrame = 0, ///< the register numbers seen in eh_frame
243 eRegisterKindDWARF, ///< the register numbers seen DWARF
244 eRegisterKindGeneric, ///< insn ptr reg, stack ptr reg, etc not specific to
245 ///< any particular target
246 eRegisterKindProcessPlugin, ///< num used by the process plugin - e.g. by the
247 ///< remote gdb-protocol stub program
248 eRegisterKindLLDB, ///< lldb's internal register numbers
250};
251
252/// Thread stop reasons.
274
275/// Command Return Status Types.
286
287/// The results of expression evaluation.
300
311
312/// Connection Status Types.
315 eConnectionStatusEndOfFile, ///< End-of-file encountered
316 eConnectionStatusError, ///< Check GetError() for details
317 eConnectionStatusTimedOut, ///< Request timed out
319 eConnectionStatusLostConnection, ///< Lost connection while connected to a
320 ///< valid connection
321 eConnectionStatusInterrupted ///< Interrupted read
322};
323
326 eErrorTypeGeneric, ///< Generic errors that can be any value.
327 eErrorTypeMachKernel, ///< Mach kernel error codes.
328 eErrorTypePOSIX, ///< POSIX error codes.
329 eErrorTypeExpression, ///< These are from the ExpressionResults enum.
330 eErrorTypeWin32 ///< Standard Win32 error codes.
331};
332
335 eValueTypeVariableGlobal = 1, ///< globals variable
336 eValueTypeVariableStatic = 2, ///< static variable
337 eValueTypeVariableArgument = 3, ///< function argument variables
338 eValueTypeVariableLocal = 4, ///< function local variables
339 eValueTypeRegister = 5, ///< stack frame register value
340 eValueTypeRegisterSet = 6, ///< A collection of stack frame register values
341 eValueTypeConstResult = 7, ///< constant result variables
342 eValueTypeVariableThreadLocal = 8, ///< thread local storage variable
343 eValueTypeVTable = 9, ///< virtual function table
344 eValueTypeVTableEntry = 10, ///< function pointer in virtual function table
345};
346
347/// A mask that we can use to check if the value type is synthetic or not.
348// NOTE: This limits the number of value types to 31, but that's 3x more than
349// what we currently have now. See lldb/Utility/ValueType.h for helpers for
350// working with synthetic value types.
351static constexpr unsigned ValueTypeSyntheticMask = 0x20;
352
353/// Token size/granularities for Input Readers.
354
362
363/// These mask bits allow a common interface for queries that can
364/// limit the amount of information that gets parsed to only the
365/// information that is requested. These bits also can indicate what
366/// actually did get resolved during query function calls.
367///
368/// Each definition corresponds to a one of the member variables
369/// in this class, and requests that that item be resolved, or
370/// indicates that the member did get resolved.
371FLAGS_ENUM(SymbolContextItem){
372 /// Set when \a target is requested from a query, or was located
373 /// in query results
374 eSymbolContextTarget = (1u << 0),
375 /// Set when \a module is requested from a query, or was located
376 /// in query results
377 eSymbolContextModule = (1u << 1),
378 /// Set when \a comp_unit is requested from a query, or was
379 /// located in query results
380 eSymbolContextCompUnit = (1u << 2),
381 /// Set when \a function is requested from a query, or was located
382 /// in query results
383 eSymbolContextFunction = (1u << 3),
384 /// Set when the deepest \a block is requested from a query, or
385 /// was located in query results
386 eSymbolContextBlock = (1u << 4),
387 /// Set when \a line_entry is requested from a query, or was
388 /// located in query results
389 eSymbolContextLineEntry = (1u << 5),
390 /// Set when \a symbol is requested from a query, or was located
391 /// in query results
392 eSymbolContextSymbol = (1u << 6),
393 /// Indicates to try and lookup everything up during a routine
394 /// symbol context query.
395 eSymbolContextEverything = ((eSymbolContextSymbol << 1) - 1u),
396 /// Set when \a global or static variable is requested from a
397 /// query, or was located in query results.
398 /// eSymbolContextVariable is potentially expensive to lookup so
399 /// it isn't included in eSymbolContextEverything which stops it
400 /// from being used during frame PC lookups and many other
401 /// potential address to symbol context lookups.
402 eSymbolContextVariable = (1u << 7),
403
404 // Keep this last and up-to-date for what the last enum value is.
405 eSymbolContextLastItem = eSymbolContextVariable,
406};
407LLDB_MARK_AS_BITMASK_ENUM(SymbolContextItem)
408
409FLAGS_ENUM(Permissions){ePermissionsWritable = (1u << 0),
410 ePermissionsReadable = (1u << 1),
411 ePermissionsExecutable = (1u << 2)};
412LLDB_MARK_AS_BITMASK_ENUM(Permissions)
413
415 eInputReaderActivate, ///< reader is newly pushed onto the reader stack
416 eInputReaderAsynchronousOutputWritten, ///< an async output event occurred;
417 ///< the reader may want to do
418 ///< something
419 eInputReaderReactivate, ///< reader is on top of the stack again after another
420 ///< reader was popped off
421 eInputReaderDeactivate, ///< another reader was pushed on the stack
422 eInputReaderGotToken, ///< reader got one of its tokens (granularity)
423 eInputReaderInterrupt, ///< reader received an interrupt signal (probably from
424 ///< a control-c)
425 eInputReaderEndOfFile, ///< reader received an EOF char (probably from a
426 ///< control-d)
427 eInputReaderDone ///< reader was just popped off the stack and is done
428};
429
430FLAGS_ENUM(BreakpointEventType){
431 eBreakpointEventTypeInvalidType = (1u << 0),
432 eBreakpointEventTypeAdded = (1u << 1),
433 eBreakpointEventTypeRemoved = (1u << 2),
434 eBreakpointEventTypeLocationsAdded = (1u << 3), ///< Locations added doesn't
435 ///< get sent when the
436 ///< breakpoint is created
437 eBreakpointEventTypeLocationsRemoved = (1u << 4),
438 eBreakpointEventTypeLocationsResolved = (1u << 5),
439 eBreakpointEventTypeEnabled = (1u << 6),
440 eBreakpointEventTypeDisabled = (1u << 7),
441 eBreakpointEventTypeCommandChanged = (1u << 8),
442 eBreakpointEventTypeConditionChanged = (1u << 9),
443 eBreakpointEventTypeIgnoreChanged = (1u << 10),
444 eBreakpointEventTypeThreadChanged = (1u << 11),
445 eBreakpointEventTypeAutoContinueChanged = (1u << 12)};
446
447FLAGS_ENUM(WatchpointEventType){
448 eWatchpointEventTypeInvalidType = (1u << 0),
449 eWatchpointEventTypeAdded = (1u << 1),
450 eWatchpointEventTypeRemoved = (1u << 2),
451 eWatchpointEventTypeEnabled = (1u << 6),
452 eWatchpointEventTypeDisabled = (1u << 7),
453 eWatchpointEventTypeCommandChanged = (1u << 8),
454 eWatchpointEventTypeConditionChanged = (1u << 9),
455 eWatchpointEventTypeIgnoreChanged = (1u << 10),
456 eWatchpointEventTypeThreadChanged = (1u << 11),
457 eWatchpointEventTypeTypeChanged = (1u << 12)};
458
460 /// Don't stop when the watched memory region is written to.
462 /// Stop on any write access to the memory region, even if
463 /// the value doesn't change. On some architectures, a write
464 /// near the memory region may be falsely reported as a match,
465 /// and notify this spurious stop as a watchpoint trap.
467 /// Stop on a write to the memory region that changes its value.
468 /// This is most likely the behavior a user expects, and is the
469 /// behavior in gdb. lldb can silently ignore writes near the
470 /// watched memory region that are reported as accesses to lldb.
472};
473
474/// Programming language type.
475///
476/// These enumerations use the same language enumerations as the DWARF
477/// specification for ease of use and consistency.
478/// The enum -> string code is in Language.cpp, don't change this
479/// table without updating that code as well.
480///
481/// This datatype is used in SBExpressionOptions::SetLanguage() which
482/// makes this type API. Do not change its underlying storage type!
484 eLanguageTypeUnknown = 0x0000, ///< Unknown or invalid language value.
485 eLanguageTypeC89 = 0x0001, ///< ISO C:1989.
486 eLanguageTypeC = 0x0002, ///< Non-standardized C, such as K&R.
487 eLanguageTypeAda83 = 0x0003, ///< ISO Ada:1983.
488 eLanguageTypeC_plus_plus = 0x0004, ///< ISO C++:1998.
489 eLanguageTypeCobol74 = 0x0005, ///< ISO Cobol:1974.
490 eLanguageTypeCobol85 = 0x0006, ///< ISO Cobol:1985.
491 eLanguageTypeFortran77 = 0x0007, ///< ISO Fortran 77.
492 eLanguageTypeFortran90 = 0x0008, ///< ISO Fortran 90.
493 eLanguageTypePascal83 = 0x0009, ///< ISO Pascal:1983.
494 eLanguageTypeModula2 = 0x000a, ///< ISO Modula-2:1996.
495 eLanguageTypeJava = 0x000b, ///< Java.
496 eLanguageTypeC99 = 0x000c, ///< ISO C:1999.
497 eLanguageTypeAda95 = 0x000d, ///< ISO Ada:1995.
498 eLanguageTypeFortran95 = 0x000e, ///< ISO Fortran 95.
499 eLanguageTypePLI = 0x000f, ///< ANSI PL/I:1976.
500 eLanguageTypeObjC = 0x0010, ///< Objective-C.
501 eLanguageTypeObjC_plus_plus = 0x0011, ///< Objective-C++.
502 eLanguageTypeUPC = 0x0012, ///< Unified Parallel C.
503 eLanguageTypeD = 0x0013, ///< D.
504 eLanguageTypePython = 0x0014, ///< Python.
505 // NOTE: The below are DWARF5 constants, subject to change upon
506 // completion of the DWARF5 specification
507 eLanguageTypeOpenCL = 0x0015, ///< OpenCL.
508 eLanguageTypeGo = 0x0016, ///< Go.
509 eLanguageTypeModula3 = 0x0017, ///< Modula 3.
510 eLanguageTypeHaskell = 0x0018, ///< Haskell.
511 eLanguageTypeC_plus_plus_03 = 0x0019, ///< ISO C++:2003.
512 eLanguageTypeC_plus_plus_11 = 0x001a, ///< ISO C++:2011.
513 eLanguageTypeOCaml = 0x001b, ///< OCaml.
514 eLanguageTypeRust = 0x001c, ///< Rust.
515 eLanguageTypeC11 = 0x001d, ///< ISO C:2011.
516 eLanguageTypeSwift = 0x001e, ///< Swift.
517 eLanguageTypeJulia = 0x001f, ///< Julia.
518 eLanguageTypeDylan = 0x0020, ///< Dylan.
519 eLanguageTypeC_plus_plus_14 = 0x0021, ///< ISO C++:2014.
520 eLanguageTypeFortran03 = 0x0022, ///< ISO Fortran 2003.
521 eLanguageTypeFortran08 = 0x0023, ///< ISO Fortran 2008.
527 eLanguageTypeC_plus_plus_17 = 0x002a, ///< ISO C++:2017.
528 eLanguageTypeC_plus_plus_20 = 0x002b, ///< ISO C++:2020.
538
539 // Vendor Extensions
540 // Note: Language::GetNameForLanguageType
541 // assumes these can be used as indexes into array language_names, and
542 // Language::SetLanguageFromCString and Language::AsCString assume these can
543 // be used as indexes into array g_languages.
544 eLanguageTypeMipsAssembler, ///< Mips_Assembler.
546};
547
558
564
571
579
687 eArgTypeLastArg // Always keep this entry as the last entry in this
688 // enumeration!!
689};
690
691/// Symbol types.
692// Symbol holds the SymbolType in a 6-bit field (m_type), so if you get over 63
693// entries you will have to resize that field.
727
731 eSectionTypeContainer, ///< The section contains child sections
733 eSectionTypeDataCString, ///< Inlined C string data
734 eSectionTypeDataCStringPointers, ///< Pointers to C string data
735 eSectionTypeDataSymbolAddress, ///< Address of a symbol in the symbol table
742 eSectionTypeDataObjCMessageRefs, ///< Pointer to function pointer + selector
743 eSectionTypeDataObjCCFStrings, ///< Objective-C const CFString/NSString
744 ///< objects
764 eSectionTypeELFSymbolTable, ///< Elf SHT_SYMTAB section
765 eSectionTypeELFDynamicSymbols, ///< Elf SHT_DYNSYM section
766 eSectionTypeELFRelocationEntries, ///< Elf SHT_REL or SHT_REL section
767 eSectionTypeELFDynamicLinkInfo, ///< Elf SHT_DYNAMIC section
771 eSectionTypeCompactUnwind, ///< compact unwind section in Mach-O,
772 ///< __TEXT,__unwind_info
774 eSectionTypeAbsoluteAddress, ///< Dummy section for symbols with absolute
775 ///< address
777 eSectionTypeDWARFDebugTypes, ///< DWARF .debug_types section
778 eSectionTypeDWARFDebugNames, ///< DWARF v5 .debug_names
780 eSectionTypeDWARFDebugLineStr, ///< DWARF v5 .debug_line_str
781 eSectionTypeDWARFDebugRngLists, ///< DWARF v5 .debug_rnglists
782 eSectionTypeDWARFDebugLocLists, ///< DWARF v5 .debug_loclists
797};
798
799FLAGS_ENUM(EmulateInstructionOptions){
800 eEmulateInstructionOptionNone = (0u),
801 eEmulateInstructionOptionAutoAdvancePC = (1u << 0),
802 eEmulateInstructionOptionIgnoreConditions = (1u << 1)};
803
804FLAGS_ENUM(FunctionNameType){
805 eFunctionNameTypeNone = 0u,
806 eFunctionNameTypeAuto =
807 (1u << 1), ///< Automatically figure out which FunctionNameType
808 ///< bits to set based on the function name.
809 eFunctionNameTypeFull = (1u << 2), ///< The function name.
810 ///< For C this is the same as just the name of the function For C++ this is
811 ///< the mangled or demangled version of the mangled name. For ObjC this is
812 ///< the full function signature with the + or - and the square brackets and
813 ///< the class and selector
814 eFunctionNameTypeBase = (1u
815 << 3), ///< The function name only, no namespaces
816 ///< or arguments and no class
817 ///< methods or selectors will be searched.
818 eFunctionNameTypeMethod = (1u << 4), ///< Find function by method name (C++)
819 ///< with no namespace or arguments
820 eFunctionNameTypeSelector =
821 (1u << 5), ///< Find function by selector name (ObjC) names
822 eFunctionNameTypeAny =
823 eFunctionNameTypeAuto ///< DEPRECATED: use eFunctionNameTypeAuto
824};
825LLDB_MARK_AS_BITMASK_ENUM(FunctionNameType)
826
827/// Basic types enumeration for the public API SBType::GetBasicType().
865
866/// Deprecated
869
870 /// Intel Processor Trace
872};
873
887
888FLAGS_ENUM(TypeClass){
889 eTypeClassInvalid = (0u), eTypeClassArray = (1u << 0),
890 eTypeClassBlockPointer = (1u << 1), eTypeClassBuiltin = (1u << 2),
891 eTypeClassClass = (1u << 3), eTypeClassComplexFloat = (1u << 4),
892 eTypeClassComplexInteger = (1u << 5), eTypeClassEnumeration = (1u << 6),
893 eTypeClassFunction = (1u << 7), eTypeClassMemberPointer = (1u << 8),
894 eTypeClassObjCObject = (1u << 9), eTypeClassObjCInterface = (1u << 10),
895 eTypeClassObjCObjectPointer = (1u << 11), eTypeClassPointer = (1u << 12),
896 eTypeClassReference = (1u << 13), eTypeClassStruct = (1u << 14),
897 eTypeClassTypedef = (1u << 15), eTypeClassUnion = (1u << 16),
898 eTypeClassVector = (1u << 17),
899 // Define the last type class as the MSBit of a 32 bit value
900 eTypeClassOther = (1u << 31),
901 // Define a mask that can be used for any type when finding types
902 eTypeClassAny = (0xffffffffu)};
904
917
918/// Type of match to be performed when looking for a formatter for a data type.
919/// Used by classes like SBTypeNameSpecifier or lldb_private::TypeMatcher.
927
928/// Options that can be set for a formatter to alter its behavior. Not
929/// all of these are applicable to all formatter types.
930FLAGS_ENUM(TypeOptions){eTypeOptionNone = (0u),
931 eTypeOptionCascade = (1u << 0),
932 eTypeOptionSkipPointers = (1u << 1),
933 eTypeOptionSkipReferences = (1u << 2),
934 eTypeOptionHideChildren = (1u << 3),
935 eTypeOptionHideValue = (1u << 4),
936 eTypeOptionShowOneLiner = (1u << 5),
937 eTypeOptionHideNames = (1u << 6),
938 eTypeOptionNonCacheable = (1u << 7),
939 eTypeOptionHideEmptyAggregates = (1u << 8),
940 eTypeOptionFrontEndWantsDereference = (1u << 9),
941 eTypeOptionCustomSubscripting = (1u << 10)};
942
943/// This is the return value for frame comparisons. If you are comparing frame
944/// A to frame B the following cases arise:
945///
946/// 1) When frame A pushes frame B (or a frame that ends up pushing
947/// B) A is Older than B.
948///
949/// 2) When frame A pushed frame B (or if frameA is on the stack
950/// but B is not) A is Younger than B.
951///
952/// 3) When frame A and frame B have the same StackID, they are
953/// Equal.
954///
955/// 4) When frame A and frame B have the same immediate parent
956/// frame, but are not equal, the comparison yields SameParent.
957///
958/// 5) If the two frames are on different threads or processes the
959/// comparison is Invalid.
960///
961/// 6) If for some reason we can't figure out what went on, we
962/// return Unknown.
971
972/// File Permissions.
973///
974/// Designed to mimic the unix file permission bits so they can be used with
975/// functions that set 'mode_t' to certain values for permissions.
976FLAGS_ENUM(FilePermissions){
977 eFilePermissionsUserRead = (1u << 8),
978 eFilePermissionsUserWrite = (1u << 7),
979 eFilePermissionsUserExecute = (1u << 6),
980 eFilePermissionsGroupRead = (1u << 5),
981 eFilePermissionsGroupWrite = (1u << 4),
982 eFilePermissionsGroupExecute = (1u << 3),
983 eFilePermissionsWorldRead = (1u << 2),
984 eFilePermissionsWorldWrite = (1u << 1),
985 eFilePermissionsWorldExecute = (1u << 0),
986
987 eFilePermissionsUserRW = (eFilePermissionsUserRead |
988 eFilePermissionsUserWrite | 0),
989 eFileFilePermissionsUserRX = (eFilePermissionsUserRead | 0 |
990 eFilePermissionsUserExecute),
991 eFilePermissionsUserRWX = (eFilePermissionsUserRead |
992 eFilePermissionsUserWrite |
993 eFilePermissionsUserExecute),
994
995 eFilePermissionsGroupRW = (eFilePermissionsGroupRead |
996 eFilePermissionsGroupWrite | 0),
997 eFilePermissionsGroupRX = (eFilePermissionsGroupRead | 0 |
998 eFilePermissionsGroupExecute),
999 eFilePermissionsGroupRWX = (eFilePermissionsGroupRead |
1000 eFilePermissionsGroupWrite |
1001 eFilePermissionsGroupExecute),
1002
1003 eFilePermissionsWorldRW = (eFilePermissionsWorldRead |
1004 eFilePermissionsWorldWrite | 0),
1005 eFilePermissionsWorldRX = (eFilePermissionsWorldRead | 0 |
1006 eFilePermissionsWorldExecute),
1007 eFilePermissionsWorldRWX = (eFilePermissionsWorldRead |
1008 eFilePermissionsWorldWrite |
1009 eFilePermissionsWorldExecute),
1010
1011 eFilePermissionsEveryoneR = (eFilePermissionsUserRead |
1012 eFilePermissionsGroupRead |
1013 eFilePermissionsWorldRead),
1014 eFilePermissionsEveryoneW = (eFilePermissionsUserWrite |
1015 eFilePermissionsGroupWrite |
1016 eFilePermissionsWorldWrite),
1017 eFilePermissionsEveryoneX = (eFilePermissionsUserExecute |
1018 eFilePermissionsGroupExecute |
1019 eFilePermissionsWorldExecute),
1020
1021 eFilePermissionsEveryoneRW = (eFilePermissionsEveryoneR |
1022 eFilePermissionsEveryoneW | 0),
1023 eFilePermissionsEveryoneRX = (eFilePermissionsEveryoneR | 0 |
1024 eFilePermissionsEveryoneX),
1025 eFilePermissionsEveryoneRWX = (eFilePermissionsEveryoneR |
1026 eFilePermissionsEveryoneW |
1027 eFilePermissionsEveryoneX),
1028 eFilePermissionsFileDefault = eFilePermissionsUserRW,
1029 eFilePermissionsDirectoryDefault = eFilePermissionsUserRWX,
1030};
1031
1032/// Queue work item types.
1033///
1034/// The different types of work that can be enqueued on a libdispatch aka Grand
1035/// Central Dispatch (GCD) queue.
1041
1042/// Queue type.
1043///
1044/// libdispatch aka Grand Central Dispatch (GCD) queues can be either
1045/// serial (executing on one thread) or concurrent (executing on
1046/// multiple threads).
1052
1053/// Expression Evaluation Stages.
1054///
1055/// These are the cancellable stages of expression evaluation, passed
1056/// to the expression evaluation callback, so that you can interrupt
1057/// expression evaluation at the various points in its lifecycle.
1064
1065/// Architecture-agnostic categorization of instructions for traversing the
1066/// control flow of a trace.
1067///
1068/// A single instruction can match one or more of these categories.
1070 /// The instruction could not be classified.
1072 /// The instruction is something not listed below, i.e. it's a sequential
1073 /// instruction that doesn't affect the control flow of the program.
1075 /// The instruction is a near (function) call.
1077 /// The instruction is a near (function) return.
1079 /// The instruction is a near unconditional jump.
1081 /// The instruction is a near conditional jump.
1083 /// The instruction is a call-like far transfer.
1084 /// E.g. SYSCALL, SYSENTER, or FAR CALL.
1086 /// The instruction is a return-like far transfer.
1087 /// E.g. SYSRET, SYSEXIT, IRET, or FAR RET.
1089 /// The instruction is a jump-like far transfer.
1090 /// E.g. FAR JMP.
1092};
1093
1094/// Watchpoint Kind.
1095///
1096/// Indicates what types of events cause the watchpoint to fire. Used by Native
1097/// *Protocol-related classes.
1098FLAGS_ENUM(WatchpointKind){eWatchpointKindWrite = (1u << 0),
1099 eWatchpointKindRead = (1u << 1)};
1100
1109
1110/// Used with SBHostOS::GetLLDBPath (lldb::PathType) to find files that are
1111/// related to LLDB on the current host machine. Most files are
1112/// relative to LLDB or are in known locations.
1114 ePathTypeLLDBShlibDir, ///< The directory where the lldb.so (unix) or LLDB
1115 ///< mach-o file in LLDB.framework (MacOSX) exists
1116 ePathTypeSupportExecutableDir, ///< Find LLDB support executable directory
1117 ///< (debugserver, etc)
1118 ePathTypeHeaderDir, ///< Find LLDB header file directory
1119 ePathTypePythonDir, ///< Find Python modules (PYTHONPATH) directory
1120 ePathTypeLLDBSystemPlugins, ///< System plug-ins directory
1121 ePathTypeLLDBUserPlugins, ///< User plug-ins directory
1122 ePathTypeLLDBTempSystemDir, ///< The LLDB temp directory for this system that
1123 ///< will be cleaned up on exit
1124 ePathTypeGlobalLLDBTempSystemDir, ///< The LLDB temp directory for this
1125 ///< system, NOT cleaned up on a process
1126 ///< exit.
1127 ePathTypeClangDir ///< Find path to Clang builtin headers
1128};
1129
1130/// Kind of member function.
1131///
1132/// Used by the type system.
1134 eMemberFunctionKindUnknown = 0, ///< Not sure what the type of this is
1135 eMemberFunctionKindConstructor, ///< A function used to create instances
1136 eMemberFunctionKindDestructor, ///< A function used to tear down existing
1137 ///< instances
1138 eMemberFunctionKindInstanceMethod, ///< A function that applies to a specific
1139 ///< instance
1140 eMemberFunctionKindStaticMethod ///< A function that applies to a type rather
1141 ///< than any instance
1142};
1143
1144/// String matching algorithm used by SBTarget.
1151
1152/// Bitmask that describes details about a type.
1153FLAGS_ENUM(TypeFlags){
1154 eTypeHasChildren = (1u << 0), eTypeHasValue = (1u << 1),
1155 eTypeIsArray = (1u << 2), eTypeIsBlock = (1u << 3),
1156 eTypeIsBuiltIn = (1u << 4), eTypeIsClass = (1u << 5),
1157 eTypeIsCPlusPlus = (1u << 6), eTypeIsEnumeration = (1u << 7),
1158 eTypeIsFuncPrototype = (1u << 8), eTypeIsMember = (1u << 9),
1159 eTypeIsObjC = (1u << 10), eTypeIsPointer = (1u << 11),
1160 eTypeIsReference = (1u << 12), eTypeIsStructUnion = (1u << 13),
1161 eTypeIsTemplate = (1u << 14), eTypeIsTypedef = (1u << 15),
1162 eTypeIsVector = (1u << 16), eTypeIsScalar = (1u << 17),
1163 eTypeIsInteger = (1u << 18), eTypeIsFloat = (1u << 19),
1164 eTypeIsComplex = (1u << 20), eTypeIsSigned = (1u << 21),
1165 eTypeInstanceIsPointer = (1u << 22)};
1166
1167FLAGS_ENUM(CommandFlags){
1168 /// eCommandRequiresTarget
1169 ///
1170 /// Ensures a valid target is contained in m_exe_ctx prior to executing the
1171 /// command. If a target doesn't exist or is invalid, the command will fail
1172 /// and CommandObject::GetInvalidTargetDescription() will be returned as the
1173 /// error. CommandObject subclasses can override the virtual function for
1174 /// GetInvalidTargetDescription() to provide custom strings when needed.
1175 eCommandRequiresTarget = (1u << 0),
1176 /// eCommandRequiresProcess
1177 ///
1178 /// Ensures a valid process is contained in m_exe_ctx prior to executing the
1179 /// command. If a process doesn't exist or is invalid, the command will fail
1180 /// and CommandObject::GetInvalidProcessDescription() will be returned as
1181 /// the error. CommandObject subclasses can override the virtual function
1182 /// for GetInvalidProcessDescription() to provide custom strings when
1183 /// needed.
1184 eCommandRequiresProcess = (1u << 1),
1185 /// eCommandRequiresThread
1186 ///
1187 /// Ensures a valid thread is contained in m_exe_ctx prior to executing the
1188 /// command. If a thread doesn't exist or is invalid, the command will fail
1189 /// and CommandObject::GetInvalidThreadDescription() will be returned as the
1190 /// error. CommandObject subclasses can override the virtual function for
1191 /// GetInvalidThreadDescription() to provide custom strings when needed.
1192 eCommandRequiresThread = (1u << 2),
1193 /// eCommandRequiresFrame
1194 ///
1195 /// Ensures a valid frame is contained in m_exe_ctx prior to executing the
1196 /// command. If a frame doesn't exist or is invalid, the command will fail
1197 /// and CommandObject::GetInvalidFrameDescription() will be returned as the
1198 /// error. CommandObject subclasses can override the virtual function for
1199 /// GetInvalidFrameDescription() to provide custom strings when needed.
1200 eCommandRequiresFrame = (1u << 3),
1201 /// eCommandRequiresRegContext
1202 ///
1203 /// Ensures a valid register context (from the selected frame if there is a
1204 /// frame in m_exe_ctx, or from the selected thread from m_exe_ctx) is
1205 /// available from m_exe_ctx prior to executing the command. If a target
1206 /// doesn't exist or is invalid, the command will fail and
1207 /// CommandObject::GetInvalidRegContextDescription() will be returned as the
1208 /// error. CommandObject subclasses can override the virtual function for
1209 /// GetInvalidRegContextDescription() to provide custom strings when needed.
1210 eCommandRequiresRegContext = (1u << 4),
1211 /// eCommandTryTargetAPILock
1212 ///
1213 /// Attempts to acquire the target lock if a target is selected in the
1214 /// command interpreter. If the command object fails to acquire the API
1215 /// lock, the command will fail with an appropriate error message.
1216 eCommandTryTargetAPILock = (1u << 5),
1217 /// eCommandProcessMustBeLaunched
1218 ///
1219 /// Verifies that there is a launched process in m_exe_ctx, if there isn't,
1220 /// the command will fail with an appropriate error message.
1221 eCommandProcessMustBeLaunched = (1u << 6),
1222 /// eCommandProcessMustBePaused
1223 ///
1224 /// Verifies that there is a paused process in m_exe_ctx, if there isn't,
1225 /// the command will fail with an appropriate error message.
1226 eCommandProcessMustBePaused = (1u << 7),
1227 /// eCommandProcessMustBeTraced
1228 ///
1229 /// Verifies that the process is being traced by a Trace plug-in, if it
1230 /// isn't the command will fail with an appropriate error message.
1231 eCommandProcessMustBeTraced = (1u << 8)};
1232
1233/// Whether a summary should cap how much data it returns to users or not.
1238
1239/// The result from a command interpreter run.
1241 /// Command interpreter finished successfully.
1243 /// Stopped because the corresponding option was set and the inferior
1244 /// crashed.
1246 /// Stopped because the corresponding option was set and a command returned
1247 /// an error.
1249 /// Stopped because quit was requested.
1251};
1252
1253// Style of core file to create when calling SaveCore.
1261
1262/// Events that might happen during a trace session.
1264 /// Tracing was disabled for some time due to a software trigger.
1266 /// Tracing was disable for some time due to a hardware trigger.
1268 /// Event due to CPU change for a thread. This event is also fired when
1269 /// suddenly it's not possible to identify the cpu of a given thread.
1271 /// Event due to a CPU HW clock tick.
1273 /// The underlying tracing technology emitted a synchronization event used by
1274 /// trace processors.
1276};
1277
1278// Enum used to identify which kind of item a \a TraceCursor is pointing at
1284
1285/// Enum to indicate the reference point when invoking
1286/// \a TraceCursor::Seek().
1287/// The following values are inspired by \a std::istream::seekg.
1289 /// The beginning of the trace, i.e the oldest item.
1291 /// The current position in the trace.
1293 /// The end of the trace, i.e the most recent item.
1295};
1296
1297/// Enum to control the verbosity level of `dwim-print` execution.
1299 /// Run `dwim-print` with no verbosity.
1301 /// Print a message when `dwim-print` uses `expression` evaluation.
1303 /// Always print a message indicating how `dwim-print` is evaluating its
1304 /// expression.
1306};
1307
1310 ///< Watchpoint was created watching a variable
1312 ///< Watchpoint was created watching the result of an expression that was
1313 ///< evaluated at creation time.
1315};
1316
1322 eSymbolCompletion = (1ul << 3),
1323 eModuleCompletion = (1ul << 4),
1344 eCustomCompletion = (1ul << 25),
1345 eThreadIDCompletion = (1ul << 26),
1347 // This last enum element is just for input validation.
1348 // Add new completions before this element,
1349 // and then increment eTerminatorCompletion's shift value
1351};
1352
1353/// Specifies if children need to be re-computed
1354/// after a call to \ref SyntheticChildrenFrontEnd::Update.
1356 eRefetch = 0, ///< Children need to be recomputed dynamically.
1357
1358 eReuse = 1, ///< Children did not change and don't need to be recomputed;
1359 ///< re-use what we computed the last time we called Update.
1360};
1361
1367
1374
1375/// Used in the SBProcess AddressMask/FixAddress methods.
1382
1383/// Used in the SBProcess AddressMask/FixAddress methods.
1390
1391/// Used by the debugger to indicate which events are being broadcasted.
1401
1402/// Used for expressing severity in logs and diagnostics.
1406 eSeverityInfo, // Equivalent to Remark used in clang.
1407};
1408
1409/// Callback return value, indicating whether it handled printing the
1410/// CommandReturnObject or deferred doing so to the CommandInterpreter.
1412 /// The callback deferred printing the command return object.
1414 /// The callback handled printing the command return object.
1416};
1417
1418/// Used to determine when to show disassembly.
1425
1432
1434 eNameMatchStyleAuto = eFunctionNameTypeAuto,
1435 eNameMatchStyleFull = eFunctionNameTypeFull,
1436 eNameMatchStyleBase = eFunctionNameTypeBase,
1437 eNameMatchStyleMethod = eFunctionNameTypeMethod,
1438 eNameMatchStyleSelector = eFunctionNameTypeSelector,
1439 eNameMatchStyleRegex = eFunctionNameTypeSelector << 1
1440};
1441
1442/// Data Inspection Language (DIL) evaluation modes.
1443/// DIL will only attempt evaluating expressions that contain tokens
1444/// allowed by a selected mode.
1446 /// Allowed: identifiers, operators: '.'.
1448 /// Allowed: identifiers, integers, operators: '.', '->', '*', '&', '[]'.
1450 /// Allowed: everything supported by DIL.
1451 /// \see lldb/docs/dil-expr-lang.ebnf
1453};
1454
1455/// When the Process plugin can retrieve information
1456/// about all binaries loaded in the target process,
1457/// or given a list of binary load addresses, this
1458/// enum specifies how much information needed from
1459/// the Process plugin; there may be performance reasons
1460/// to limit the amount of information returned.
1467
1468} // namespace lldb
1469
1470#endif // LLDB_LLDB_ENUMERATIONS_H
#define LLDB_MARK_AS_BITMASK_ENUM(Enum)
#define FLAGS_ENUM(Name)
@ eInputReaderEndOfFile
reader received an EOF char (probably from a control-d)
@ eInputReaderActivate
reader is newly pushed onto the reader stack
@ eInputReaderInterrupt
reader received an interrupt signal (probably from a control-c)
@ eInputReaderReactivate
reader is on top of the stack again after another reader was popped off
@ eInputReaderDeactivate
another reader was pushed on the stack
@ eInputReaderAsynchronousOutputWritten
an async output event occurred; the reader may want to do something
@ eInputReaderDone
reader was just popped off the stack and is done
@ eInputReaderGotToken
reader got one of its tokens (granularity)
@ eRemoteDiskDirectoryCompletion
@ eFrameIndexCompletion
@ eModuleUUIDCompletion
@ eDisassemblyFlavorCompletion
@ eVariablePathCompletion
@ eDiskDirectoryCompletion
@ eTypeCategoryNameCompletion
@ ePlatformPluginCompletion
@ eSettingsNameCompletion
@ eSourceFileCompletion
@ eTypeLanguageCompletion
@ eStopHookIDCompletion
@ eWatchpointIDCompletion
@ eBreakpointNameCompletion
@ eProcessPluginCompletion
@ eRemoteDiskFileCompletion
@ eBreakpointCompletion
@ eThreadIndexCompletion
@ eArchitectureCompletion
@ eProcessNameCompletion
@ eManagedPluginCompletion
@ eTerminatorCompletion
TypeSummaryCapping
Whether a summary should cap how much data it returns to users or not.
ScriptLanguage
Script interpreter types.
@ eScriptLanguageUnknown
@ eScriptLanguageDefault
@ eScriptLanguageNone
@ eScriptLanguagePython
MatchType
String matching algorithm used by SBTarget.
@ eMatchTypeRegexInsensitive
ExpressionEvaluationPhase
Expression Evaluation Stages.
@ eExpressionEvaluationComplete
@ eExpressionEvaluationParse
@ eExpressionEvaluationExecution
@ eExpressionEvaluationIRGen
Severity
Used for expressing severity in logs and diagnostics.
TraceType
Deprecated.
@ eTraceTypeProcessorTrace
Intel Processor Trace.
DescriptionLevel
Description levels for "void GetDescription(Stream *, DescriptionLevel)" calls.
@ eDescriptionLevelBrief
@ kNumDescriptionLevels
@ eDescriptionLevelInitial
@ eDescriptionLevelFull
@ eDescriptionLevelVerbose
DebuggerBroadcastBit
Used by the debugger to indicate which events are being broadcasted.
@ eBroadcastBitProgressCategory
Deprecated.
@ eBroadcastBitExternalProgress
@ eBroadcastBitProgress
@ eBroadcastSymbolChange
@ eBroadcastBitExternalProgressCategory
Deprecated.
BasicType
Basic types enumeration for the public API SBType::GetBasicType().
@ eBasicTypeUnsignedShort
@ eBasicTypeSignedChar
@ eBasicTypeUnsignedInt128
@ eBasicTypeFloatComplex
@ eBasicTypeUnsignedWChar
@ eBasicTypeUnsignedLong
@ eBasicTypeLongDoubleComplex
@ eBasicTypeSignedWChar
@ eBasicTypeUnsignedChar
@ eBasicTypeUnsignedLongLong
@ eBasicTypeDoubleComplex
@ eBasicTypeLongDouble
@ eBasicTypeUnsignedInt
@ eBasicTypeObjCClass
RunDirection
Execution directions.
@ eWatchpointWriteTypeOnModify
Stop on a write to the memory region that changes its value.
@ eWatchpointWriteTypeAlways
Stop on any write access to the memory region, even if the value doesn't change.
@ eWatchpointWriteTypeDisabled
Don't stop when the watched memory region is written to.
ChildCacheState
Specifies if children need to be re-computed after a call to SyntheticChildrenFrontEnd::Update.
@ eRefetch
Children need to be recomputed dynamically.
@ eReuse
Children did not change and don't need to be recomputed; re-use what we computed the last time we cal...
@ eWatchPointValueKindInvalid
Watchpoint was created watching a variable.
@ eWatchPointValueKindExpression
@ eWatchPointValueKindVariable
Watchpoint was created watching the result of an expression that was evaluated at creation time.
AddressMaskRange
Used in the SBProcess AddressMask/FixAddress methods.
@ eAddressMaskRangeHigh
CommandInterpreterResult
The result from a command interpreter run.
@ eCommandInterpreterResultInferiorCrash
Stopped because the corresponding option was set and the inferior crashed.
@ eCommandInterpreterResultSuccess
Command interpreter finished successfully.
@ eCommandInterpreterResultCommandError
Stopped because the corresponding option was set and a command returned an error.
@ eCommandInterpreterResultQuitRequested
Stopped because quit was requested.
ConnectionStatus
Connection Status Types.
@ eConnectionStatusError
Check GetError() for details.
@ eConnectionStatusInterrupted
Interrupted read.
@ eConnectionStatusTimedOut
Request timed out.
@ eConnectionStatusEndOfFile
End-of-file encountered.
@ eConnectionStatusSuccess
Success.
@ eConnectionStatusLostConnection
Lost connection while connected to a valid connection.
@ eConnectionStatusNoConnection
No connection.
TraceEvent
Events that might happen during a trace session.
@ eTraceEventSyncPoint
The underlying tracing technology emitted a synchronization event used by trace processors.
@ eTraceEventCPUChanged
Event due to CPU change for a thread.
@ eTraceEventHWClockTick
Event due to a CPU HW clock tick.
@ eTraceEventDisabledHW
Tracing was disable for some time due to a hardware trigger.
@ eTraceEventDisabledSW
Tracing was disabled for some time due to a software trigger.
Format
Display format definitions.
@ eFormatCString
NULL terminated C strings.
@ eFormatCharArray
Print characters with no single quotes, used for character arrays that can contain non printable char...
@ eFormatInstruction
Disassemble an opcode.
@ eFormatVectorOfChar
@ eFormatVectorOfUInt64
@ eFormatVoid
Do not print this.
@ eFormatVectorOfFloat16
@ eFormatVectorOfSInt64
@ eFormatComplex
Floating point complex type.
@ eFormatHexFloat
ISO C99 hex float string.
@ eFormatBytesWithASCII
@ eFormatOSType
OS character codes encoded into an integer 'PICT' 'text' etc...
@ eFormatAddressInfo
Describe what an address points to (func + offset with file/line, symbol + offset,...
@ eFormatVectorOfUInt128
@ eFormatVectorOfUInt8
@ eFormatComplexFloat
@ eFormatVectorOfFloat32
@ eFormatVectorOfSInt32
@ eFormatVectorOfSInt8
@ eFormatVectorOfUInt16
@ eFormatHexUppercase
@ eFormatVectorOfFloat64
@ eFormatCharPrintable
Only printable characters, '.' if not printable.
@ eFormatComplexInteger
Integer complex type.
@ eFormatVectorOfSInt16
@ eFormatFloat128
Disambiguate between 128-bit long double (which uses eFormatFloat) and __float128 (which uses eFormat...
@ eFormatVectorOfUInt32
FrameComparison
This is the return value for frame comparisons.
@ eFrameCompareInvalid
@ eFrameCompareUnknown
@ eFrameCompareSameParent
@ eFrameCompareYounger
DWIMPrintVerbosity
Enum to control the verbosity level of dwim-print execution.
@ eDWIMPrintVerbosityFull
Always print a message indicating how dwim-print is evaluating its expression.
@ eDWIMPrintVerbosityNone
Run dwim-print with no verbosity.
@ eDWIMPrintVerbosityExpression
Print a message when dwim-print uses expression evaluation.
StateType
Process and Thread States.
@ eStateUnloaded
Process is object is valid, but not currently loaded.
@ eStateConnected
Process is connected to remote debug services, but not launched or attached to anything yet.
@ eStateDetached
Process has been detached and can't be examined.
@ eStateStopped
Process or thread is stopped and can be examined.
@ eStateSuspended
Process or thread is in a suspended state as far as the debugger is concerned while other processes o...
@ eStateRunning
Process or thread is running and can't be examined.
@ eStateLaunching
Process is in the process of launching.
@ eStateAttaching
Process is currently trying to attach.
@ eStateExited
Process has exited and can't be examined.
@ eStateStepping
Process or thread is in the process of stepping and can not be examined.
@ eStateCrashed
Process or thread has crashed and can be examined.
LanguageType
Programming language type.
@ eLanguageTypeC_plus_plus_20
ISO C++:2020.
@ eLanguageTypeC_plus_plus_14
ISO C++:2014.
@ eLanguageTypeHaskell
Haskell.
@ eLanguageTypeRenderScript
@ eLanguageTypePLI
ANSI PL/I:1976.
@ eLanguageTypeC11
ISO C:2011.
@ eLanguageTypeJava
Java.
@ eLanguageTypeFortran08
ISO Fortran 2008.
@ eLanguageTypeFortran18
@ eLanguageTypeC99
ISO C:1999.
@ eLanguageTypePascal83
ISO Pascal:1983.
@ eLanguageTypeModula3
Modula 3.
@ eLanguageTypeModula2
ISO Modula-2:1996.
@ eLanguageTypeOCaml
OCaml.
@ eLanguageTypeMipsAssembler
Mips_Assembler.
@ eLanguageTypeC_plus_plus_03
ISO C++:2003.
@ eLanguageTypeUnknown
Unknown or invalid language value.
@ eLanguageTypeRust
Rust.
@ eLanguageTypeFortran95
ISO Fortran 95.
@ eLanguageTypeC_sharp
@ eLanguageTypeAda2012
@ eLanguageTypeC_plus_plus_17
ISO C++:2017.
@ eLanguageTypeCrystal
@ eLanguageTypeObjC_plus_plus
Objective-C++.
@ eLanguageTypeC_plus_plus_11
ISO C++:2011.
@ eLanguageTypeSwift
Swift.
@ eLanguageTypeC89
ISO C:1989.
@ eLanguageTypeAda83
ISO Ada:1983.
@ eLanguageTypeJulia
Julia.
@ eLanguageTypeGo
Go.
@ eLanguageTypeFortran77
ISO Fortran 77.
@ eLanguageTypeKotlin
@ eLanguageTypeCobol85
ISO Cobol:1985.
@ eLanguageTypeUPC
Unified Parallel C.
@ eLanguageTypeC
Non-standardized C, such as K&R.
@ eLanguageTypeAda95
ISO Ada:1995.
@ eLanguageTypeCobol74
ISO Cobol:1974.
@ eLanguageTypePython
Python.
@ eLanguageTypeAda2005
@ eLanguageTypeOpenCL
OpenCL.
@ eLanguageTypeAssembly
@ eLanguageTypeD
D.
@ eLanguageTypeFortran90
ISO Fortran 90.
@ eLanguageTypeObjC
Objective-C.
@ eLanguageTypeC_plus_plus
ISO C++:1998.
@ eLanguageTypeLastStandardLanguage
@ eLanguageTypeDylan
Dylan.
@ eLanguageTypeFortran03
ISO Fortran 2003.
@ eSymbolSharedCacheUseHostSharedCache
@ eSymbolSharedCacheUseInferiorSharedCacheOnly
@ eSymbolSharedCacheUseHostLLDBMemory
@ eSymbolSharedCacheUseHostAndInferiorSharedCache
@ eNameMatchStyleSelector
@ eNameMatchStyleMethod
FLAGS_ENUM(LaunchFlags)
Launch Flags.
PathType
Used with SBHostOS::GetLLDBPath (lldb::PathType) to find files that are related to LLDB on the curren...
@ ePathTypeGlobalLLDBTempSystemDir
The LLDB temp directory for this system, NOT cleaned up on a process exit.
@ ePathTypeHeaderDir
Find LLDB header file directory.
@ ePathTypeLLDBSystemPlugins
System plug-ins directory.
@ ePathTypeLLDBTempSystemDir
The LLDB temp directory for this system that will be cleaned up on exit.
@ ePathTypeClangDir
Find path to Clang builtin headers.
@ ePathTypeLLDBUserPlugins
User plug-ins directory.
@ ePathTypeSupportExecutableDir
Find LLDB support executable directory (debugserver, etc)
@ ePathTypePythonDir
Find Python modules (PYTHONPATH) directory.
@ ePathTypeLLDBShlibDir
The directory where the lldb.so (unix) or LLDB mach-o file in LLDB.framework (MacOSX) exists.
@ eErrorTypeGeneric
Generic errors that can be any value.
@ eErrorTypeWin32
Standard Win32 error codes.
@ eErrorTypeExpression
These are from the ExpressionResults enum.
@ eErrorTypeMachKernel
Mach kernel error codes.
@ eErrorTypePOSIX
POSIX error codes.
FormatterMatchType
Type of match to be performed when looking for a formatter for a data type.
@ eFormatterMatchExact
@ eFormatterMatchRegex
@ eLastFormatterMatchType
@ eFormatterMatchCallback
static constexpr unsigned ValueTypeSyntheticMask
A mask that we can use to check if the value type is synthetic or not.
ExpressionResults
The results of expression evaluation.
@ eExpressionTimedOut
@ eExpressionCompleted
@ eExpressionHitBreakpoint
@ eExpressionInterrupted
@ eExpressionDiscarded
@ eExpressionParseError
@ eExpressionStoppedForDebug
@ eExpressionResultUnavailable
@ eExpressionThreadVanished
@ eExpressionSetupError
@ eTemplateArgumentKindTemplate
@ eTemplateArgumentKindTemplateExpansion
@ eTemplateArgumentKindNull
@ eTemplateArgumentKindNullPtr
@ eTemplateArgumentKindDeclaration
@ eTemplateArgumentKindIntegral
@ eTemplateArgumentKindPack
@ eTemplateArgumentKindType
@ eTemplateArgumentKindStructuralValue
@ eTemplateArgumentKindExpression
SymbolType
Symbol types.
@ eSymbolTypeUndefined
@ eSymbolTypeVariableType
@ eSymbolTypeObjCMetaClass
@ eSymbolTypeReExported
@ eSymbolTypeObjCClass
@ eSymbolTypeObjectFile
@ eSymbolTypeTrampoline
@ eSymbolTypeResolver
@ eSymbolTypeSourceFile
@ eSymbolTypeException
@ eSymbolTypeVariable
@ eSymbolTypeAbsolute
@ eSymbolTypeAdditional
When symbols take more than one entry, the extra entries get this type.
@ eSymbolTypeInstrumentation
@ eSymbolTypeHeaderFile
@ eSymbolTypeCommonBlock
@ eSymbolTypeCompiler
@ eSymbolTypeLineHeader
@ eSymbolTypeObjCIVar
@ eSymbolTypeLineEntry
@ eSymbolTypeScopeBegin
@ eSymbolTypeScopeEnd
Encoding
Register encoding definitions.
@ eEncodingIEEE754
float
@ eEncodingVector
vector registers
@ eEncodingUint
unsigned integer
@ eEncodingSint
signed integer
InstrumentationRuntimeType
@ eInstrumentationRuntimeTypeThreadSanitizer
@ eInstrumentationRuntimeTypeBoundsSafety
@ eInstrumentationRuntimeTypeMainThreadChecker
@ eInstrumentationRuntimeTypeLibsanitizersAsan
@ eInstrumentationRuntimeTypeAddressSanitizer
@ eNumInstrumentationRuntimeTypes
@ eInstrumentationRuntimeTypeUndefinedBehaviorSanitizer
@ eInstrumentationRuntimeTypeSwiftRuntimeReporting
StopDisassemblyType
Used to determine when to show disassembly.
@ eStopDisassemblyTypeNever
@ eStopDisassemblyTypeNoSource
@ eStopDisassemblyTypeAlways
@ eStopDisassemblyTypeNoDebugInfo
@ eStopShowColumnAnsi
@ eStopShowColumnCaret
@ eStopShowColumnNone
@ eStopShowColumnAnsiOrCaret
ReturnStatus
Command Return Status Types.
@ eReturnStatusStarted
@ eReturnStatusSuccessContinuingResult
@ eReturnStatusFailed
@ eReturnStatusSuccessContinuingNoResult
@ eReturnStatusSuccessFinishResult
@ eReturnStatusInvalid
@ eReturnStatusSuccessFinishNoResult
QueueKind
Queue type.
@ eArgTypeSEDStylePair
@ eArgTypeExpressionPath
@ eArgTypeBreakpointIDRange
@ eArgTypePythonFunction
@ eArgTypePermissionsNumber
@ eArgTypeNumberPerLine
@ eArgTypePermissionsString
@ eArgTypeLogCategory
@ eArgTypeDescriptionVerbosity
@ eArgTypeOldPathPrefix
@ eArgTypeArchitecture
@ eArgTypeProcessName
@ eArgTypeFrameProviderIDRange
@ eArgTypeBreakpointID
@ eArgTypeThreadIndex
@ eArgTypeNewPathPrefix
@ eArgTypeStartAddress
@ eArgTypeNameMatchStyle
@ eArgTypeSettingPrefix
@ eArgTypePythonClass
@ eArgTypeFileLineColumn
@ eArgTypeCommandName
@ eArgTypeSummaryString
@ eArgTypePythonScript
@ eArgTypeRecognizerID
@ eArgTypeManagedPlugin
@ eArgTypeWatchpointID
@ eArgTypeCPUFeatures
@ eArgTypeFunctionOrSymbol
@ eArgTypeRemoteFilename
@ eArgTypeExceptionStage
@ eArgTypeSettingIndex
@ eArgTypeSettingVariableName
@ eArgTypeDisassemblyFlavor
@ eArgTypeRegisterName
@ eArgTypeBreakpointName
@ eArgTypeScriptedCommandSynchronicity
@ eArgTypeCompletionType
@ eArgTypeWatchpointIDRange
@ eArgTypeSaveCoreStyle
@ eArgTypeRegularExpression
@ eArgTypeUnsignedInteger
@ eArgTypeFunctionName
@ eArgTypeAliasOptions
@ eArgTypeDirectoryName
@ eArgTypeAddressOrExpression
ByteOrder
Byte ordering definitions.
MemberFunctionKind
Kind of member function.
@ eMemberFunctionKindInstanceMethod
A function that applies to a specific instance.
@ eMemberFunctionKindConstructor
A function used to create instances.
@ eMemberFunctionKindUnknown
Not sure what the type of this is.
@ eMemberFunctionKindDestructor
A function used to tear down existing instances.
@ eMemberFunctionKindStaticMethod
A function that applies to a type rather than any instance.
InstructionControlFlowKind
Architecture-agnostic categorization of instructions for traversing the control flow of a trace.
@ eInstructionControlFlowKindReturn
The instruction is a near (function) return.
@ eInstructionControlFlowKindFarJump
The instruction is a jump-like far transfer.
@ eInstructionControlFlowKindOther
The instruction is something not listed below, i.e.
@ eInstructionControlFlowKindFarCall
The instruction is a call-like far transfer.
@ eInstructionControlFlowKindFarReturn
The instruction is a return-like far transfer.
@ eInstructionControlFlowKindUnknown
The instruction could not be classified.
@ eInstructionControlFlowKindJump
The instruction is a near unconditional jump.
@ eInstructionControlFlowKindCall
The instruction is a near (function) call.
@ eInstructionControlFlowKindCondJump
The instruction is a near conditional jump.
TraceCursorSeekType
Enum to indicate the reference point when invoking TraceCursor::Seek().
@ eTraceCursorSeekTypeCurrent
The current position in the trace.
@ eTraceCursorSeekTypeEnd
The end of the trace, i.e the most recent item.
@ eTraceCursorSeekTypeBeginning
The beginning of the trace, i.e the oldest item.
@ eSearchDepthInvalid
@ eSearchDepthAddress
@ eSearchDepthFunction
@ kLastSearchDepthKind
@ eSearchDepthCompUnit
@ eGdbSignalBadInstruction
@ eTraceItemKindInstruction
StopReason
Thread stop reasons.
@ eStopReasonInstrumentation
@ eStopReasonPlanComplete
@ eStopReasonHistoryBoundary
@ eStopReasonBreakpoint
@ eStopReasonExec
Program was re-exec'ed.
@ eStopReasonVForkDone
@ eStopReasonInterrupt
Thread requested interrupt.
@ eStopReasonProcessorTrace
@ eStopReasonThreadExiting
@ eStopReasonException
@ eStopReasonWatchpoint
BinaryInformationLevel
When the Process plugin can retrieve information about all binaries loaded in the target process,...
@ eBinaryInformationLevelAddrName
@ eBinaryInformationLevelAddrNameUUID
@ eBinaryInformationLevelFull
@ eBinaryInformationLevelAddrOnly
AddressMaskType
Used in the SBProcess AddressMask/FixAddress methods.
@ eDynamicDontRunTarget
@ eDynamicCanRunTarget
@ eStructuredDataTypeFloat
@ eStructuredDataTypeDictionary
@ eStructuredDataTypeInvalid
@ eStructuredDataTypeInteger
@ eStructuredDataTypeGeneric
@ eStructuredDataTypeArray
@ eStructuredDataTypeSignedInteger
@ eStructuredDataTypeUnsignedInteger
@ eStructuredDataTypeNull
@ eStructuredDataTypeBoolean
@ eStructuredDataTypeString
@ eSectionTypeDWARFDebugStrOffsets
@ eSectionTypeELFDynamicSymbols
Elf SHT_DYNSYM section.
@ eSectionTypeInvalid
@ eSectionTypeDWARFDebugPubNames
@ eSectionTypeDataObjCCFStrings
Objective-C const CFString/NSString objects.
@ eSectionTypeZeroFill
@ eSectionTypeDWARFDebugLocDwo
@ eSectionTypeDWARFDebugFrame
@ eSectionTypeARMextab
@ eSectionTypeContainer
The section contains child sections.
@ eSectionTypeDWARFDebugLocLists
DWARF v5 .debug_loclists.
@ eSectionTypeDWARFDebugTypes
DWARF .debug_types section.
@ eSectionTypeDataSymbolAddress
Address of a symbol in the symbol table.
@ eSectionTypeELFDynamicLinkInfo
Elf SHT_DYNAMIC section.
@ eSectionTypeDWARFDebugMacInfo
@ eSectionTypeAbsoluteAddress
Dummy section for symbols with absolute address.
@ eSectionTypeCompactUnwind
compact unwind section in Mach-O, __TEXT,__unwind_info
@ eSectionTypeELFRelocationEntries
Elf SHT_REL or SHT_REL section.
@ eSectionTypeDWARFAppleNamespaces
@ eSectionTypeLLDBFormatters
@ eSectionTypeDWARFDebugNames
DWARF v5 .debug_names.
@ eSectionTypeDWARFDebugRngLists
DWARF v5 .debug_rnglists.
@ eSectionTypeEHFrame
@ eSectionTypeDWARFDebugStrOffsetsDwo
@ eSectionTypeDWARFDebugMacro
@ eSectionTypeDWARFAppleTypes
@ eSectionTypeDWARFDebugInfo
@ eSectionTypeDWARFDebugTypesDwo
@ eSectionTypeDWARFDebugRanges
@ eSectionTypeDWARFDebugRngListsDwo
@ eSectionTypeLLDBTypeSummaries
@ eSectionTypeGoSymtab
@ eSectionTypeARMexidx
@ eSectionTypeDWARFDebugLine
@ eSectionTypeDWARFDebugPubTypes
@ eSectionTypeDataObjCMessageRefs
Pointer to function pointer + selector.
@ eSectionTypeDWARFDebugTuIndex
@ eSectionTypeDWARFDebugStr
@ eSectionTypeDWARFDebugLineStr
DWARF v5 .debug_line_str.
@ eSectionTypeDWARFDebugLoc
@ eSectionTypeDWARFAppleNames
@ eSectionTypeDataCStringPointers
Pointers to C string data.
@ eSectionTypeDWARFAppleObjC
@ eSectionTypeSwiftModules
@ eSectionTypeDWARFDebugCuIndex
@ eSectionTypeDWARFDebugAranges
@ eSectionTypeDWARFDebugAbbrevDwo
@ eSectionTypeDWARFGNUDebugAltLink
@ eSectionTypeDWARFDebugStrDwo
@ eSectionTypeDWARFDebugAbbrev
@ eSectionTypeDataPointers
@ eSectionTypeDWARFDebugLocListsDwo
@ eSectionTypeDWARFDebugInfoDwo
@ eSectionTypeDWARFDebugAddr
@ eSectionTypeWasmName
@ eSectionTypeDataCString
Inlined C string data.
@ eSectionTypeELFSymbolTable
Elf SHT_SYMTAB section.
RunMode
Thread Run Modes.
@ eOnlyDuringStepping
DILMode
Data Inspection Language (DIL) evaluation modes.
@ eDILModeFull
Allowed: everything supported by DIL.
@ eDILModeLegacy
Allowed: identifiers, integers, operators: '.', '->', '*', '&', '[]'.
@ eDILModeSimple
Allowed: identifiers, operators: '.'.
@ eSymbolDownloadBackground
@ eSymbolDownloadForeground
CommandReturnObjectCallbackResult
Callback return value, indicating whether it handled printing the CommandReturnObject or deferred doi...
@ eCommandReturnObjectPrintCallbackSkipped
The callback deferred printing the command return object.
@ eCommandReturnObjectPrintCallbackHandled
The callback handled printing the command return object.
@ eExceptionStageReThrow
@ eExceptionStageCreate
@ eValueTypeVTableEntry
function pointer in virtual function table
@ eValueTypeVTable
virtual function table
@ eValueTypeVariableGlobal
globals variable
@ eValueTypeConstResult
constant result variables
@ eValueTypeVariableLocal
function local variables
@ eValueTypeVariableArgument
function argument variables
@ eValueTypeRegister
stack frame register value
@ eValueTypeVariableStatic
static variable
@ eValueTypeRegisterSet
A collection of stack frame register values.
@ eValueTypeVariableThreadLocal
thread local storage variable
InputReaderGranularity
Token size/granularities for Input Readers.
@ eInputReaderGranularityInvalid
@ eInputReaderGranularityAll
@ eInputReaderGranularityWord
@ eInputReaderGranularityByte
@ eInputReaderGranularityLine
QueueItemKind
Queue work item types.
@ eQueueItemKindUnknown
@ eQueueItemKindFunction
RegisterKind
Register numbering types.
@ eRegisterKindGeneric
insn ptr reg, stack ptr reg, etc not specific to any particular target
@ eRegisterKindLLDB
lldb's internal register numbers
@ eRegisterKindDWARF
the register numbers seen DWARF
@ eRegisterKindEHFrame
the register numbers seen in eh_frame
@ eRegisterKindProcessPlugin
num used by the process plugin - e.g.