1 ==============================
2 LLVM Language Reference Manual
3 ==============================
12 This document is a reference manual for the LLVM assembly language. LLVM
13 is a Static Single Assignment (SSA) based representation that provides
14 type safety, low-level operations, flexibility, and the capability of
15 representing 'all' high-level languages cleanly. It is the common code
16 representation used throughout all phases of the LLVM compilation
22 The LLVM code representation is designed to be used in three different
23 forms: as an in-memory compiler IR, as an on-disk bitcode representation
24 (suitable for fast loading by a Just-In-Time compiler), and as a human
25 readable assembly language representation. This allows LLVM to provide a
26 powerful intermediate representation for efficient compiler
27 transformations and analysis, while providing a natural means to debug
28 and visualize the transformations. The three different forms of LLVM are
29 all equivalent. This document describes the human readable
30 representation and notation.
32 The LLVM representation aims to be light-weight and low-level while
33 being expressive, typed, and extensible at the same time. It aims to be
34 a "universal IR" of sorts, by being at a low enough level that
35 high-level ideas may be cleanly mapped to it (similar to how
36 microprocessors are "universal IR's", allowing many source languages to
37 be mapped to them). By providing type information, LLVM can be used as
38 the target of optimizations: for example, through pointer analysis, it
39 can be proven that a C automatic variable is never accessed outside of
40 the current function, allowing it to be promoted to a simple SSA value
41 instead of a memory location.
48 It is important to note that this document describes 'well formed' LLVM
49 assembly language. There is a difference between what the parser accepts
50 and what is considered 'well formed'. For example, the following
51 instruction is syntactically okay, but not well formed:
57 because the definition of ``%x`` does not dominate all of its uses. The
58 LLVM infrastructure provides a verification pass that may be used to
59 verify that an LLVM module is well formed. This pass is automatically
60 run by the parser after parsing input assembly and by the optimizer
61 before it outputs bitcode. The violations pointed out by the verifier
62 pass indicate bugs in transformation passes or input to the parser.
69 LLVM identifiers come in two basic types: global and local. Global
70 identifiers (functions, global variables) begin with the ``'@'``
71 character. Local identifiers (register names, types) begin with the
72 ``'%'`` character. Additionally, there are three different formats for
73 identifiers, for different purposes:
75 #. Named values are represented as a string of characters with their
76 prefix. For example, ``%foo``, ``@DivisionByZero``,
77 ``%a.really.long.identifier``. The actual regular expression used is
78 '``[%@][-a-zA-Z$._][-a-zA-Z$._0-9]*``'. Identifiers that require other
79 characters in their names can be surrounded with quotes. Special
80 characters may be escaped using ``"\xx"`` where ``xx`` is the ASCII
81 code for the character in hexadecimal. In this way, any character can
82 be used in a name value, even quotes themselves. The ``"\01"`` prefix
83 can be used on global variables to suppress mangling.
84 #. Unnamed values are represented as an unsigned numeric value with
85 their prefix. For example, ``%12``, ``@2``, ``%44``.
86 #. Constants, which are described in the section Constants_ below.
88 LLVM requires that values start with a prefix for two reasons: Compilers
89 don't need to worry about name clashes with reserved words, and the set
90 of reserved words may be expanded in the future without penalty.
91 Additionally, unnamed identifiers allow a compiler to quickly come up
92 with a temporary variable without having to avoid symbol table
95 Reserved words in LLVM are very similar to reserved words in other
96 languages. There are keywords for different opcodes ('``add``',
97 '``bitcast``', '``ret``', etc...), for primitive type names ('``void``',
98 '``i32``', etc...), and others. These reserved words cannot conflict
99 with variable names, because none of them start with a prefix character
100 (``'%'`` or ``'@'``).
102 Here is an example of LLVM code to multiply the integer variable
109 %result = mul i32 %X, 8
111 After strength reduction:
115 %result = shl i32 %X, 3
121 %0 = add i32 %X, %X ; yields i32:%0
122 %1 = add i32 %0, %0 ; yields i32:%1
123 %result = add i32 %1, %1
125 This last way of multiplying ``%X`` by 8 illustrates several important
126 lexical features of LLVM:
128 #. Comments are delimited with a '``;``' and go until the end of line.
129 #. Unnamed temporaries are created when the result of a computation is
130 not assigned to a named value.
131 #. Unnamed temporaries are numbered sequentially (using a per-function
132 incrementing counter, starting with 0). Note that basic blocks and unnamed
133 function parameters are included in this numbering. For example, if the
134 entry basic block is not given a label name and all function parameters are
135 named, then it will get number 0.
137 It also shows a convention that we follow in this document. When
138 demonstrating instructions, we will follow an instruction with a comment
139 that defines the type and name of value produced.
147 LLVM programs are composed of ``Module``'s, each of which is a
148 translation unit of the input programs. Each module consists of
149 functions, global variables, and symbol table entries. Modules may be
150 combined together with the LLVM linker, which merges function (and
151 global variable) definitions, resolves forward declarations, and merges
152 symbol table entries. Here is an example of the "hello world" module:
156 ; Declare the string constant as a global constant.
157 @.str = private unnamed_addr constant [13 x i8] c"hello world\0A\00"
159 ; External declaration of the puts function
160 declare i32 @puts(i8* nocapture) nounwind
162 ; Definition of main function
163 define i32 @main() { ; i32()*
164 ; Convert [13 x i8]* to i8 *...
165 %cast210 = getelementptr [13 x i8], [13 x i8]* @.str, i64 0, i64 0
167 ; Call puts function to write out the string to stdout.
168 call i32 @puts(i8* %cast210)
173 !0 = !{i32 42, null, !"string"}
176 This example is made up of a :ref:`global variable <globalvars>` named
177 "``.str``", an external declaration of the "``puts``" function, a
178 :ref:`function definition <functionstructure>` for "``main``" and
179 :ref:`named metadata <namedmetadatastructure>` "``foo``".
181 In general, a module is made up of a list of global values (where both
182 functions and global variables are global values). Global values are
183 represented by a pointer to a memory location (in this case, a pointer
184 to an array of char, and a pointer to a function), and have one of the
185 following :ref:`linkage types <linkage>`.
192 All Global Variables and Functions have one of the following types of
196 Global values with "``private``" linkage are only directly
197 accessible by objects in the current module. In particular, linking
198 code into a module with an private global value may cause the
199 private to be renamed as necessary to avoid collisions. Because the
200 symbol is private to the module, all references can be updated. This
201 doesn't show up in any symbol table in the object file.
203 Similar to private, but the value shows as a local symbol
204 (``STB_LOCAL`` in the case of ELF) in the object file. This
205 corresponds to the notion of the '``static``' keyword in C.
206 ``available_externally``
207 Globals with "``available_externally``" linkage are never emitted into
208 the object file corresponding to the LLVM module. From the linker's
209 perspective, an ``available_externally`` global is equivalent to
210 an external declaration. They exist to allow inlining and other
211 optimizations to take place given knowledge of the definition of the
212 global, which is known to be somewhere outside the module. Globals
213 with ``available_externally`` linkage are allowed to be discarded at
214 will, and allow inlining and other optimizations. This linkage type is
215 only allowed on definitions, not declarations.
217 Globals with "``linkonce``" linkage are merged with other globals of
218 the same name when linkage occurs. This can be used to implement
219 some forms of inline functions, templates, or other code which must
220 be generated in each translation unit that uses it, but where the
221 body may be overridden with a more definitive definition later.
222 Unreferenced ``linkonce`` globals are allowed to be discarded. Note
223 that ``linkonce`` linkage does not actually allow the optimizer to
224 inline the body of this function into callers because it doesn't
225 know if this definition of the function is the definitive definition
226 within the program or whether it will be overridden by a stronger
227 definition. To enable inlining and other optimizations, use
228 "``linkonce_odr``" linkage.
230 "``weak``" linkage has the same merging semantics as ``linkonce``
231 linkage, except that unreferenced globals with ``weak`` linkage may
232 not be discarded. This is used for globals that are declared "weak"
235 "``common``" linkage is most similar to "``weak``" linkage, but they
236 are used for tentative definitions in C, such as "``int X;``" at
237 global scope. Symbols with "``common``" linkage are merged in the
238 same way as ``weak symbols``, and they may not be deleted if
239 unreferenced. ``common`` symbols may not have an explicit section,
240 must have a zero initializer, and may not be marked
241 ':ref:`constant <globalvars>`'. Functions and aliases may not have
244 .. _linkage_appending:
247 "``appending``" linkage may only be applied to global variables of
248 pointer to array type. When two global variables with appending
249 linkage are linked together, the two global arrays are appended
250 together. This is the LLVM, typesafe, equivalent of having the
251 system linker append together "sections" with identical names when
254 The semantics of this linkage follow the ELF object file model: the
255 symbol is weak until linked, if not linked, the symbol becomes null
256 instead of being an undefined reference.
257 ``linkonce_odr``, ``weak_odr``
258 Some languages allow differing globals to be merged, such as two
259 functions with different semantics. Other languages, such as
260 ``C++``, ensure that only equivalent globals are ever merged (the
261 "one definition rule" --- "ODR"). Such languages can use the
262 ``linkonce_odr`` and ``weak_odr`` linkage types to indicate that the
263 global will only be merged with equivalent globals. These linkage
264 types are otherwise the same as their non-``odr`` versions.
266 If none of the above identifiers are used, the global is externally
267 visible, meaning that it participates in linkage and can be used to
268 resolve external symbol references.
270 It is illegal for a function *declaration* to have any linkage type
271 other than ``external`` or ``extern_weak``.
278 LLVM :ref:`functions <functionstructure>`, :ref:`calls <i_call>` and
279 :ref:`invokes <i_invoke>` can all have an optional calling convention
280 specified for the call. The calling convention of any pair of dynamic
281 caller/callee must match, or the behavior of the program is undefined.
282 The following calling conventions are supported by LLVM, and more may be
285 "``ccc``" - The C calling convention
286 This calling convention (the default if no other calling convention
287 is specified) matches the target C calling conventions. This calling
288 convention supports varargs function calls and tolerates some
289 mismatch in the declared prototype and implemented declaration of
290 the function (as does normal C).
291 "``fastcc``" - The fast calling convention
292 This calling convention attempts to make calls as fast as possible
293 (e.g. by passing things in registers). This calling convention
294 allows the target to use whatever tricks it wants to produce fast
295 code for the target, without having to conform to an externally
296 specified ABI (Application Binary Interface). `Tail calls can only
297 be optimized when this, the GHC or the HiPE convention is
298 used. <CodeGenerator.html#id80>`_ This calling convention does not
299 support varargs and requires the prototype of all callees to exactly
300 match the prototype of the function definition.
301 "``coldcc``" - The cold calling convention
302 This calling convention attempts to make code in the caller as
303 efficient as possible under the assumption that the call is not
304 commonly executed. As such, these calls often preserve all registers
305 so that the call does not break any live ranges in the caller side.
306 This calling convention does not support varargs and requires the
307 prototype of all callees to exactly match the prototype of the
308 function definition. Furthermore the inliner doesn't consider such function
310 "``cc 10``" - GHC convention
311 This calling convention has been implemented specifically for use by
312 the `Glasgow Haskell Compiler (GHC) <http://www.haskell.org/ghc>`_.
313 It passes everything in registers, going to extremes to achieve this
314 by disabling callee save registers. This calling convention should
315 not be used lightly but only for specific situations such as an
316 alternative to the *register pinning* performance technique often
317 used when implementing functional programming languages. At the
318 moment only X86 supports this convention and it has the following
321 - On *X86-32* only supports up to 4 bit type parameters. No
322 floating point types are supported.
323 - On *X86-64* only supports up to 10 bit type parameters and 6
324 floating point parameters.
326 This calling convention supports `tail call
327 optimization <CodeGenerator.html#id80>`_ but requires both the
328 caller and callee are using it.
329 "``cc 11``" - The HiPE calling convention
330 This calling convention has been implemented specifically for use by
331 the `High-Performance Erlang
332 (HiPE) <http://www.it.uu.se/research/group/hipe/>`_ compiler, *the*
333 native code compiler of the `Ericsson's Open Source Erlang/OTP
334 system <http://www.erlang.org/download.shtml>`_. It uses more
335 registers for argument passing than the ordinary C calling
336 convention and defines no callee-saved registers. The calling
337 convention properly supports `tail call
338 optimization <CodeGenerator.html#id80>`_ but requires that both the
339 caller and the callee use it. It uses a *register pinning*
340 mechanism, similar to GHC's convention, for keeping frequently
341 accessed runtime components pinned to specific hardware registers.
342 At the moment only X86 supports this convention (both 32 and 64
344 "``webkit_jscc``" - WebKit's JavaScript calling convention
345 This calling convention has been implemented for `WebKit FTL JIT
346 <https://trac.webkit.org/wiki/FTLJIT>`_. It passes arguments on the
347 stack right to left (as cdecl does), and returns a value in the
348 platform's customary return register.
349 "``anyregcc``" - Dynamic calling convention for code patching
350 This is a special convention that supports patching an arbitrary code
351 sequence in place of a call site. This convention forces the call
352 arguments into registers but allows them to be dynamically
353 allocated. This can currently only be used with calls to
354 llvm.experimental.patchpoint because only this intrinsic records
355 the location of its arguments in a side table. See :doc:`StackMaps`.
356 "``preserve_mostcc``" - The `PreserveMost` calling convention
357 This calling convention attempts to make the code in the caller as
358 unintrusive as possible. This convention behaves identically to the `C`
359 calling convention on how arguments and return values are passed, but it
360 uses a different set of caller/callee-saved registers. This alleviates the
361 burden of saving and recovering a large register set before and after the
362 call in the caller. If the arguments are passed in callee-saved registers,
363 then they will be preserved by the callee across the call. This doesn't
364 apply for values returned in callee-saved registers.
366 - On X86-64 the callee preserves all general purpose registers, except for
367 R11. R11 can be used as a scratch register. Floating-point registers
368 (XMMs/YMMs) are not preserved and need to be saved by the caller.
370 The idea behind this convention is to support calls to runtime functions
371 that have a hot path and a cold path. The hot path is usually a small piece
372 of code that doesn't use many registers. The cold path might need to call out to
373 another function and therefore only needs to preserve the caller-saved
374 registers, which haven't already been saved by the caller. The
375 `PreserveMost` calling convention is very similar to the `cold` calling
376 convention in terms of caller/callee-saved registers, but they are used for
377 different types of function calls. `coldcc` is for function calls that are
378 rarely executed, whereas `preserve_mostcc` function calls are intended to be
379 on the hot path and definitely executed a lot. Furthermore `preserve_mostcc`
380 doesn't prevent the inliner from inlining the function call.
382 This calling convention will be used by a future version of the ObjectiveC
383 runtime and should therefore still be considered experimental at this time.
384 Although this convention was created to optimize certain runtime calls to
385 the ObjectiveC runtime, it is not limited to this runtime and might be used
386 by other runtimes in the future too. The current implementation only
387 supports X86-64, but the intention is to support more architectures in the
389 "``preserve_allcc``" - The `PreserveAll` calling convention
390 This calling convention attempts to make the code in the caller even less
391 intrusive than the `PreserveMost` calling convention. This calling
392 convention also behaves identical to the `C` calling convention on how
393 arguments and return values are passed, but it uses a different set of
394 caller/callee-saved registers. This removes the burden of saving and
395 recovering a large register set before and after the call in the caller. If
396 the arguments are passed in callee-saved registers, then they will be
397 preserved by the callee across the call. This doesn't apply for values
398 returned in callee-saved registers.
400 - On X86-64 the callee preserves all general purpose registers, except for
401 R11. R11 can be used as a scratch register. Furthermore it also preserves
402 all floating-point registers (XMMs/YMMs).
404 The idea behind this convention is to support calls to runtime functions
405 that don't need to call out to any other functions.
407 This calling convention, like the `PreserveMost` calling convention, will be
408 used by a future version of the ObjectiveC runtime and should be considered
409 experimental at this time.
410 "``cxx_fast_tlscc``" - The `CXX_FAST_TLS` calling convention for access functions
411 Clang generates an access function to access C++-style TLS. The access
412 function generally has an entry block, an exit block and an initialization
413 block that is run at the first time. The entry and exit blocks can access
414 a few TLS IR variables, each access will be lowered to a platform-specific
417 This calling convention aims to minimize overhead in the caller by
418 preserving as many registers as possible (all the registers that are
419 perserved on the fast path, composed of the entry and exit blocks).
421 This calling convention behaves identical to the `C` calling convention on
422 how arguments and return values are passed, but it uses a different set of
423 caller/callee-saved registers.
425 Given that each platform has its own lowering sequence, hence its own set
426 of preserved registers, we can't use the existing `PreserveMost`.
428 - On X86-64 the callee preserves all general purpose registers, except for
430 "``cc <n>``" - Numbered convention
431 Any calling convention may be specified by number, allowing
432 target-specific calling conventions to be used. Target specific
433 calling conventions start at 64.
435 More calling conventions can be added/defined on an as-needed basis, to
436 support Pascal conventions or any other well-known target-independent
439 .. _visibilitystyles:
444 All Global Variables and Functions have one of the following visibility
447 "``default``" - Default style
448 On targets that use the ELF object file format, default visibility
449 means that the declaration is visible to other modules and, in
450 shared libraries, means that the declared entity may be overridden.
451 On Darwin, default visibility means that the declaration is visible
452 to other modules. Default visibility corresponds to "external
453 linkage" in the language.
454 "``hidden``" - Hidden style
455 Two declarations of an object with hidden visibility refer to the
456 same object if they are in the same shared object. Usually, hidden
457 visibility indicates that the symbol will not be placed into the
458 dynamic symbol table, so no other module (executable or shared
459 library) can reference it directly.
460 "``protected``" - Protected style
461 On ELF, protected visibility indicates that the symbol will be
462 placed in the dynamic symbol table, but that references within the
463 defining module will bind to the local symbol. That is, the symbol
464 cannot be overridden by another module.
466 A symbol with ``internal`` or ``private`` linkage must have ``default``
474 All Global Variables, Functions and Aliases can have one of the following
478 "``dllimport``" causes the compiler to reference a function or variable via
479 a global pointer to a pointer that is set up by the DLL exporting the
480 symbol. On Microsoft Windows targets, the pointer name is formed by
481 combining ``__imp_`` and the function or variable name.
483 "``dllexport``" causes the compiler to provide a global pointer to a pointer
484 in a DLL, so that it can be referenced with the ``dllimport`` attribute. On
485 Microsoft Windows targets, the pointer name is formed by combining
486 ``__imp_`` and the function or variable name. Since this storage class
487 exists for defining a dll interface, the compiler, assembler and linker know
488 it is externally referenced and must refrain from deleting the symbol.
492 Thread Local Storage Models
493 ---------------------------
495 A variable may be defined as ``thread_local``, which means that it will
496 not be shared by threads (each thread will have a separated copy of the
497 variable). Not all targets support thread-local variables. Optionally, a
498 TLS model may be specified:
501 For variables that are only used within the current shared library.
503 For variables in modules that will not be loaded dynamically.
505 For variables defined in the executable and only used within it.
507 If no explicit model is given, the "general dynamic" model is used.
509 The models correspond to the ELF TLS models; see `ELF Handling For
510 Thread-Local Storage <http://people.redhat.com/drepper/tls.pdf>`_ for
511 more information on under which circumstances the different models may
512 be used. The target may choose a different TLS model if the specified
513 model is not supported, or if a better choice of model can be made.
515 A model can also be specified in an alias, but then it only governs how
516 the alias is accessed. It will not have any effect in the aliasee.
518 For platforms without linker support of ELF TLS model, the -femulated-tls
519 flag can be used to generate GCC compatible emulated TLS code.
526 LLVM IR allows you to specify both "identified" and "literal" :ref:`structure
527 types <t_struct>`. Literal types are uniqued structurally, but identified types
528 are never uniqued. An :ref:`opaque structural type <t_opaque>` can also be used
529 to forward declare a type that is not yet available.
531 An example of an identified structure specification is:
535 %mytype = type { %mytype*, i32 }
537 Prior to the LLVM 3.0 release, identified types were structurally uniqued. Only
538 literal types are uniqued in recent versions of LLVM.
545 Global variables define regions of memory allocated at compilation time
548 Global variable definitions must be initialized.
550 Global variables in other translation units can also be declared, in which
551 case they don't have an initializer.
553 Either global variable definitions or declarations may have an explicit section
554 to be placed in and may have an optional explicit alignment specified.
556 A variable may be defined as a global ``constant``, which indicates that
557 the contents of the variable will **never** be modified (enabling better
558 optimization, allowing the global data to be placed in the read-only
559 section of an executable, etc). Note that variables that need runtime
560 initialization cannot be marked ``constant`` as there is a store to the
563 LLVM explicitly allows *declarations* of global variables to be marked
564 constant, even if the final definition of the global is not. This
565 capability can be used to enable slightly better optimization of the
566 program, but requires the language definition to guarantee that
567 optimizations based on the 'constantness' are valid for the translation
568 units that do not include the definition.
570 As SSA values, global variables define pointer values that are in scope
571 (i.e. they dominate) all basic blocks in the program. Global variables
572 always define a pointer to their "content" type because they describe a
573 region of memory, and all memory objects in LLVM are accessed through
576 Global variables can be marked with ``unnamed_addr`` which indicates
577 that the address is not significant, only the content. Constants marked
578 like this can be merged with other constants if they have the same
579 initializer. Note that a constant with significant address *can* be
580 merged with a ``unnamed_addr`` constant, the result being a constant
581 whose address is significant.
583 A global variable may be declared to reside in a target-specific
584 numbered address space. For targets that support them, address spaces
585 may affect how optimizations are performed and/or what target
586 instructions are used to access the variable. The default address space
587 is zero. The address space qualifier must precede any other attributes.
589 LLVM allows an explicit section to be specified for globals. If the
590 target supports it, it will emit globals to the section specified.
591 Additionally, the global can placed in a comdat if the target has the necessary
594 By default, global initializers are optimized by assuming that global
595 variables defined within the module are not modified from their
596 initial values before the start of the global initializer. This is
597 true even for variables potentially accessible from outside the
598 module, including those with external linkage or appearing in
599 ``@llvm.used`` or dllexported variables. This assumption may be suppressed
600 by marking the variable with ``externally_initialized``.
602 An explicit alignment may be specified for a global, which must be a
603 power of 2. If not present, or if the alignment is set to zero, the
604 alignment of the global is set by the target to whatever it feels
605 convenient. If an explicit alignment is specified, the global is forced
606 to have exactly that alignment. Targets and optimizers are not allowed
607 to over-align the global if the global has an assigned section. In this
608 case, the extra alignment could be observable: for example, code could
609 assume that the globals are densely packed in their section and try to
610 iterate over them as an array, alignment padding would break this
611 iteration. The maximum alignment is ``1 << 29``.
613 Globals can also have a :ref:`DLL storage class <dllstorageclass>`.
615 Variables and aliases can have a
616 :ref:`Thread Local Storage Model <tls_model>`.
620 [@<GlobalVarName> =] [Linkage] [Visibility] [DLLStorageClass] [ThreadLocal]
621 [unnamed_addr] [AddrSpace] [ExternallyInitialized]
622 <global | constant> <Type> [<InitializerConstant>]
623 [, section "name"] [, comdat [($name)]]
624 [, align <Alignment>]
626 For example, the following defines a global in a numbered address space
627 with an initializer, section, and alignment:
631 @G = addrspace(5) constant float 1.0, section "foo", align 4
633 The following example just declares a global variable
637 @G = external global i32
639 The following example defines a thread-local global with the
640 ``initialexec`` TLS model:
644 @G = thread_local(initialexec) global i32 0, align 4
646 .. _functionstructure:
651 LLVM function definitions consist of the "``define``" keyword, an
652 optional :ref:`linkage type <linkage>`, an optional :ref:`visibility
653 style <visibility>`, an optional :ref:`DLL storage class <dllstorageclass>`,
654 an optional :ref:`calling convention <callingconv>`,
655 an optional ``unnamed_addr`` attribute, a return type, an optional
656 :ref:`parameter attribute <paramattrs>` for the return type, a function
657 name, a (possibly empty) argument list (each with optional :ref:`parameter
658 attributes <paramattrs>`), optional :ref:`function attributes <fnattrs>`,
659 an optional section, an optional alignment,
660 an optional :ref:`comdat <langref_comdats>`,
661 an optional :ref:`garbage collector name <gc>`, an optional :ref:`prefix <prefixdata>`,
662 an optional :ref:`prologue <prologuedata>`,
663 an optional :ref:`personality <personalityfn>`,
664 an optional list of attached :ref:`metadata <metadata>`,
665 an opening curly brace, a list of basic blocks, and a closing curly brace.
667 LLVM function declarations consist of the "``declare``" keyword, an
668 optional :ref:`linkage type <linkage>`, an optional :ref:`visibility
669 style <visibility>`, an optional :ref:`DLL storage class <dllstorageclass>`,
670 an optional :ref:`calling convention <callingconv>`,
671 an optional ``unnamed_addr`` attribute, a return type, an optional
672 :ref:`parameter attribute <paramattrs>` for the return type, a function
673 name, a possibly empty list of arguments, an optional alignment, an optional
674 :ref:`garbage collector name <gc>`, an optional :ref:`prefix <prefixdata>`,
675 and an optional :ref:`prologue <prologuedata>`.
677 A function definition contains a list of basic blocks, forming the CFG (Control
678 Flow Graph) for the function. Each basic block may optionally start with a label
679 (giving the basic block a symbol table entry), contains a list of instructions,
680 and ends with a :ref:`terminator <terminators>` instruction (such as a branch or
681 function return). If an explicit label is not provided, a block is assigned an
682 implicit numbered label, using the next value from the same counter as used for
683 unnamed temporaries (:ref:`see above<identifiers>`). For example, if a function
684 entry block does not have an explicit label, it will be assigned label "%0",
685 then the first unnamed temporary in that block will be "%1", etc.
687 The first basic block in a function is special in two ways: it is
688 immediately executed on entrance to the function, and it is not allowed
689 to have predecessor basic blocks (i.e. there can not be any branches to
690 the entry block of a function). Because the block can have no
691 predecessors, it also cannot have any :ref:`PHI nodes <i_phi>`.
693 LLVM allows an explicit section to be specified for functions. If the
694 target supports it, it will emit functions to the section specified.
695 Additionally, the function can be placed in a COMDAT.
697 An explicit alignment may be specified for a function. If not present,
698 or if the alignment is set to zero, the alignment of the function is set
699 by the target to whatever it feels convenient. If an explicit alignment
700 is specified, the function is forced to have at least that much
701 alignment. All alignments must be a power of 2.
703 If the ``unnamed_addr`` attribute is given, the address is known to not
704 be significant and two identical functions can be merged.
708 define [linkage] [visibility] [DLLStorageClass]
710 <ResultType> @<FunctionName> ([argument list])
711 [unnamed_addr] [fn Attrs] [section "name"] [comdat [($name)]]
712 [align N] [gc] [prefix Constant] [prologue Constant]
713 [personality Constant] (!name !N)* { ... }
715 The argument list is a comma separated sequence of arguments where each
716 argument is of the following form:
720 <type> [parameter Attrs] [name]
728 Aliases, unlike function or variables, don't create any new data. They
729 are just a new symbol and metadata for an existing position.
731 Aliases have a name and an aliasee that is either a global value or a
734 Aliases may have an optional :ref:`linkage type <linkage>`, an optional
735 :ref:`visibility style <visibility>`, an optional :ref:`DLL storage class
736 <dllstorageclass>` and an optional :ref:`tls model <tls_model>`.
740 @<Name> = [Linkage] [Visibility] [DLLStorageClass] [ThreadLocal] [unnamed_addr] alias <AliaseeTy>, <AliaseeTy>* @<Aliasee>
742 The linkage must be one of ``private``, ``internal``, ``linkonce``, ``weak``,
743 ``linkonce_odr``, ``weak_odr``, ``external``. Note that some system linkers
744 might not correctly handle dropping a weak symbol that is aliased.
746 Aliases that are not ``unnamed_addr`` are guaranteed to have the same address as
747 the aliasee expression. ``unnamed_addr`` ones are only guaranteed to point
750 Since aliases are only a second name, some restrictions apply, of which
751 some can only be checked when producing an object file:
753 * The expression defining the aliasee must be computable at assembly
754 time. Since it is just a name, no relocations can be used.
756 * No alias in the expression can be weak as the possibility of the
757 intermediate alias being overridden cannot be represented in an
760 * No global value in the expression can be a declaration, since that
761 would require a relocation, which is not possible.
768 Comdat IR provides access to COFF and ELF object file COMDAT functionality.
770 Comdats have a name which represents the COMDAT key. All global objects that
771 specify this key will only end up in the final object file if the linker chooses
772 that key over some other key. Aliases are placed in the same COMDAT that their
773 aliasee computes to, if any.
775 Comdats have a selection kind to provide input on how the linker should
776 choose between keys in two different object files.
780 $<Name> = comdat SelectionKind
782 The selection kind must be one of the following:
785 The linker may choose any COMDAT key, the choice is arbitrary.
787 The linker may choose any COMDAT key but the sections must contain the
790 The linker will choose the section containing the largest COMDAT key.
792 The linker requires that only section with this COMDAT key exist.
794 The linker may choose any COMDAT key but the sections must contain the
797 Note that the Mach-O platform doesn't support COMDATs and ELF only supports
798 ``any`` as a selection kind.
800 Here is an example of a COMDAT group where a function will only be selected if
801 the COMDAT key's section is the largest:
805 $foo = comdat largest
806 @foo = global i32 2, comdat($foo)
808 define void @bar() comdat($foo) {
812 As a syntactic sugar the ``$name`` can be omitted if the name is the same as
818 @foo = global i32 2, comdat
821 In a COFF object file, this will create a COMDAT section with selection kind
822 ``IMAGE_COMDAT_SELECT_LARGEST`` containing the contents of the ``@foo`` symbol
823 and another COMDAT section with selection kind
824 ``IMAGE_COMDAT_SELECT_ASSOCIATIVE`` which is associated with the first COMDAT
825 section and contains the contents of the ``@bar`` symbol.
827 There are some restrictions on the properties of the global object.
828 It, or an alias to it, must have the same name as the COMDAT group when
830 The contents and size of this object may be used during link-time to determine
831 which COMDAT groups get selected depending on the selection kind.
832 Because the name of the object must match the name of the COMDAT group, the
833 linkage of the global object must not be local; local symbols can get renamed
834 if a collision occurs in the symbol table.
836 The combined use of COMDATS and section attributes may yield surprising results.
843 @g1 = global i32 42, section "sec", comdat($foo)
844 @g2 = global i32 42, section "sec", comdat($bar)
846 From the object file perspective, this requires the creation of two sections
847 with the same name. This is necessary because both globals belong to different
848 COMDAT groups and COMDATs, at the object file level, are represented by
851 Note that certain IR constructs like global variables and functions may
852 create COMDATs in the object file in addition to any which are specified using
853 COMDAT IR. This arises when the code generator is configured to emit globals
854 in individual sections (e.g. when `-data-sections` or `-function-sections`
855 is supplied to `llc`).
857 .. _namedmetadatastructure:
862 Named metadata is a collection of metadata. :ref:`Metadata
863 nodes <metadata>` (but not metadata strings) are the only valid
864 operands for a named metadata.
866 #. Named metadata are represented as a string of characters with the
867 metadata prefix. The rules for metadata names are the same as for
868 identifiers, but quoted names are not allowed. ``"\xx"`` type escapes
869 are still valid, which allows any character to be part of a name.
873 ; Some unnamed metadata nodes, which are referenced by the named metadata.
878 !name = !{!0, !1, !2}
885 The return type and each parameter of a function type may have a set of
886 *parameter attributes* associated with them. Parameter attributes are
887 used to communicate additional information about the result or
888 parameters of a function. Parameter attributes are considered to be part
889 of the function, not of the function type, so functions with different
890 parameter attributes can have the same function type.
892 Parameter attributes are simple keywords that follow the type specified.
893 If multiple parameter attributes are needed, they are space separated.
898 declare i32 @printf(i8* noalias nocapture, ...)
899 declare i32 @atoi(i8 zeroext)
900 declare signext i8 @returns_signed_char()
902 Note that any attributes for the function result (``nounwind``,
903 ``readonly``) come immediately after the argument list.
905 Currently, only the following parameter attributes are defined:
908 This indicates to the code generator that the parameter or return
909 value should be zero-extended to the extent required by the target's
910 ABI (which is usually 32-bits, but is 8-bits for a i1 on x86-64) by
911 the caller (for a parameter) or the callee (for a return value).
913 This indicates to the code generator that the parameter or return
914 value should be sign-extended to the extent required by the target's
915 ABI (which is usually 32-bits) by the caller (for a parameter) or
916 the callee (for a return value).
918 This indicates that this parameter or return value should be treated
919 in a special target-dependent fashion while emitting code for
920 a function call or return (usually, by putting it in a register as
921 opposed to memory, though some targets use it to distinguish between
922 two different kinds of registers). Use of this attribute is
925 This indicates that the pointer parameter should really be passed by
926 value to the function. The attribute implies that a hidden copy of
927 the pointee is made between the caller and the callee, so the callee
928 is unable to modify the value in the caller. This attribute is only
929 valid on LLVM pointer arguments. It is generally used to pass
930 structs and arrays by value, but is also valid on pointers to
931 scalars. The copy is considered to belong to the caller not the
932 callee (for example, ``readonly`` functions should not write to
933 ``byval`` parameters). This is not a valid attribute for return
936 The byval attribute also supports specifying an alignment with the
937 align attribute. It indicates the alignment of the stack slot to
938 form and the known alignment of the pointer specified to the call
939 site. If the alignment is not specified, then the code generator
940 makes a target-specific assumption.
946 The ``inalloca`` argument attribute allows the caller to take the
947 address of outgoing stack arguments. An ``inalloca`` argument must
948 be a pointer to stack memory produced by an ``alloca`` instruction.
949 The alloca, or argument allocation, must also be tagged with the
950 inalloca keyword. Only the last argument may have the ``inalloca``
951 attribute, and that argument is guaranteed to be passed in memory.
953 An argument allocation may be used by a call at most once because
954 the call may deallocate it. The ``inalloca`` attribute cannot be
955 used in conjunction with other attributes that affect argument
956 storage, like ``inreg``, ``nest``, ``sret``, or ``byval``. The
957 ``inalloca`` attribute also disables LLVM's implicit lowering of
958 large aggregate return values, which means that frontend authors
959 must lower them with ``sret`` pointers.
961 When the call site is reached, the argument allocation must have
962 been the most recent stack allocation that is still live, or the
963 results are undefined. It is possible to allocate additional stack
964 space after an argument allocation and before its call site, but it
965 must be cleared off with :ref:`llvm.stackrestore
968 See :doc:`InAlloca` for more information on how to use this
972 This indicates that the pointer parameter specifies the address of a
973 structure that is the return value of the function in the source
974 program. This pointer must be guaranteed by the caller to be valid:
975 loads and stores to the structure may be assumed by the callee
976 not to trap and to be properly aligned. This may only be applied to
977 the first parameter. This is not a valid attribute for return
981 This indicates that the pointer value may be assumed by the optimizer to
982 have the specified alignment.
984 Note that this attribute has additional semantics when combined with the
990 This indicates that objects accessed via pointer values
991 :ref:`based <pointeraliasing>` on the argument or return value are not also
992 accessed, during the execution of the function, via pointer values not
993 *based* on the argument or return value. The attribute on a return value
994 also has additional semantics described below. The caller shares the
995 responsibility with the callee for ensuring that these requirements are met.
996 For further details, please see the discussion of the NoAlias response in
997 :ref:`alias analysis <Must, May, or No>`.
999 Note that this definition of ``noalias`` is intentionally similar
1000 to the definition of ``restrict`` in C99 for function arguments.
1002 For function return values, C99's ``restrict`` is not meaningful,
1003 while LLVM's ``noalias`` is. Furthermore, the semantics of the ``noalias``
1004 attribute on return values are stronger than the semantics of the attribute
1005 when used on function arguments. On function return values, the ``noalias``
1006 attribute indicates that the function acts like a system memory allocation
1007 function, returning a pointer to allocated storage disjoint from the
1008 storage for any other object accessible to the caller.
1011 This indicates that the callee does not make any copies of the
1012 pointer that outlive the callee itself. This is not a valid
1013 attribute for return values.
1018 This indicates that the pointer parameter can be excised using the
1019 :ref:`trampoline intrinsics <int_trampoline>`. This is not a valid
1020 attribute for return values and can only be applied to one parameter.
1023 This indicates that the function always returns the argument as its return
1024 value. This is an optimization hint to the code generator when generating
1025 the caller, allowing tail call optimization and omission of register saves
1026 and restores in some cases; it is not checked or enforced when generating
1027 the callee. The parameter and the function return type must be valid
1028 operands for the :ref:`bitcast instruction <i_bitcast>`. This is not a
1029 valid attribute for return values and can only be applied to one parameter.
1032 This indicates that the parameter or return pointer is not null. This
1033 attribute may only be applied to pointer typed parameters. This is not
1034 checked or enforced by LLVM, the caller must ensure that the pointer
1035 passed in is non-null, or the callee must ensure that the returned pointer
1038 ``dereferenceable(<n>)``
1039 This indicates that the parameter or return pointer is dereferenceable. This
1040 attribute may only be applied to pointer typed parameters. A pointer that
1041 is dereferenceable can be loaded from speculatively without a risk of
1042 trapping. The number of bytes known to be dereferenceable must be provided
1043 in parentheses. It is legal for the number of bytes to be less than the
1044 size of the pointee type. The ``nonnull`` attribute does not imply
1045 dereferenceability (consider a pointer to one element past the end of an
1046 array), however ``dereferenceable(<n>)`` does imply ``nonnull`` in
1047 ``addrspace(0)`` (which is the default address space).
1049 ``dereferenceable_or_null(<n>)``
1050 This indicates that the parameter or return value isn't both
1051 non-null and non-dereferenceable (up to ``<n>`` bytes) at the same
1052 time. All non-null pointers tagged with
1053 ``dereferenceable_or_null(<n>)`` are ``dereferenceable(<n>)``.
1054 For address space 0 ``dereferenceable_or_null(<n>)`` implies that
1055 a pointer is exactly one of ``dereferenceable(<n>)`` or ``null``,
1056 and in other address spaces ``dereferenceable_or_null(<n>)``
1057 implies that a pointer is at least one of ``dereferenceable(<n>)``
1058 or ``null`` (i.e. it may be both ``null`` and
1059 ``dereferenceable(<n>)``). This attribute may only be applied to
1060 pointer typed parameters.
1064 Garbage Collector Strategy Names
1065 --------------------------------
1067 Each function may specify a garbage collector strategy name, which is simply a
1070 .. code-block:: llvm
1072 define void @f() gc "name" { ... }
1074 The supported values of *name* includes those :ref:`built in to LLVM
1075 <builtin-gc-strategies>` and any provided by loaded plugins. Specifying a GC
1076 strategy will cause the compiler to alter its output in order to support the
1077 named garbage collection algorithm. Note that LLVM itself does not contain a
1078 garbage collector, this functionality is restricted to generating machine code
1079 which can interoperate with a collector provided externally.
1086 Prefix data is data associated with a function which the code
1087 generator will emit immediately before the function's entrypoint.
1088 The purpose of this feature is to allow frontends to associate
1089 language-specific runtime metadata with specific functions and make it
1090 available through the function pointer while still allowing the
1091 function pointer to be called.
1093 To access the data for a given function, a program may bitcast the
1094 function pointer to a pointer to the constant's type and dereference
1095 index -1. This implies that the IR symbol points just past the end of
1096 the prefix data. For instance, take the example of a function annotated
1097 with a single ``i32``,
1099 .. code-block:: llvm
1101 define void @f() prefix i32 123 { ... }
1103 The prefix data can be referenced as,
1105 .. code-block:: llvm
1107 %0 = bitcast void* () @f to i32*
1108 %a = getelementptr inbounds i32, i32* %0, i32 -1
1109 %b = load i32, i32* %a
1111 Prefix data is laid out as if it were an initializer for a global variable
1112 of the prefix data's type. The function will be placed such that the
1113 beginning of the prefix data is aligned. This means that if the size
1114 of the prefix data is not a multiple of the alignment size, the
1115 function's entrypoint will not be aligned. If alignment of the
1116 function's entrypoint is desired, padding must be added to the prefix
1119 A function may have prefix data but no body. This has similar semantics
1120 to the ``available_externally`` linkage in that the data may be used by the
1121 optimizers but will not be emitted in the object file.
1128 The ``prologue`` attribute allows arbitrary code (encoded as bytes) to
1129 be inserted prior to the function body. This can be used for enabling
1130 function hot-patching and instrumentation.
1132 To maintain the semantics of ordinary function calls, the prologue data must
1133 have a particular format. Specifically, it must begin with a sequence of
1134 bytes which decode to a sequence of machine instructions, valid for the
1135 module's target, which transfer control to the point immediately succeeding
1136 the prologue data, without performing any other visible action. This allows
1137 the inliner and other passes to reason about the semantics of the function
1138 definition without needing to reason about the prologue data. Obviously this
1139 makes the format of the prologue data highly target dependent.
1141 A trivial example of valid prologue data for the x86 architecture is ``i8 144``,
1142 which encodes the ``nop`` instruction:
1144 .. code-block:: llvm
1146 define void @f() prologue i8 144 { ... }
1148 Generally prologue data can be formed by encoding a relative branch instruction
1149 which skips the metadata, as in this example of valid prologue data for the
1150 x86_64 architecture, where the first two bytes encode ``jmp .+10``:
1152 .. code-block:: llvm
1154 %0 = type <{ i8, i8, i8* }>
1156 define void @f() prologue %0 <{ i8 235, i8 8, i8* @md}> { ... }
1158 A function may have prologue data but no body. This has similar semantics
1159 to the ``available_externally`` linkage in that the data may be used by the
1160 optimizers but will not be emitted in the object file.
1164 Personality Function
1165 --------------------
1167 The ``personality`` attribute permits functions to specify what function
1168 to use for exception handling.
1175 Attribute groups are groups of attributes that are referenced by objects within
1176 the IR. They are important for keeping ``.ll`` files readable, because a lot of
1177 functions will use the same set of attributes. In the degenerative case of a
1178 ``.ll`` file that corresponds to a single ``.c`` file, the single attribute
1179 group will capture the important command line flags used to build that file.
1181 An attribute group is a module-level object. To use an attribute group, an
1182 object references the attribute group's ID (e.g. ``#37``). An object may refer
1183 to more than one attribute group. In that situation, the attributes from the
1184 different groups are merged.
1186 Here is an example of attribute groups for a function that should always be
1187 inlined, has a stack alignment of 4, and which shouldn't use SSE instructions:
1189 .. code-block:: llvm
1191 ; Target-independent attributes:
1192 attributes #0 = { alwaysinline alignstack=4 }
1194 ; Target-dependent attributes:
1195 attributes #1 = { "no-sse" }
1197 ; Function @f has attributes: alwaysinline, alignstack=4, and "no-sse".
1198 define void @f() #0 #1 { ... }
1205 Function attributes are set to communicate additional information about
1206 a function. Function attributes are considered to be part of the
1207 function, not of the function type, so functions with different function
1208 attributes can have the same function type.
1210 Function attributes are simple keywords that follow the type specified.
1211 If multiple attributes are needed, they are space separated. For
1214 .. code-block:: llvm
1216 define void @f() noinline { ... }
1217 define void @f() alwaysinline { ... }
1218 define void @f() alwaysinline optsize { ... }
1219 define void @f() optsize { ... }
1222 This attribute indicates that, when emitting the prologue and
1223 epilogue, the backend should forcibly align the stack pointer.
1224 Specify the desired alignment, which must be a power of two, in
1227 This attribute indicates that the inliner should attempt to inline
1228 this function into callers whenever possible, ignoring any active
1229 inlining size threshold for this caller.
1231 This indicates that the callee function at a call site should be
1232 recognized as a built-in function, even though the function's declaration
1233 uses the ``nobuiltin`` attribute. This is only valid at call sites for
1234 direct calls to functions that are declared with the ``nobuiltin``
1237 This attribute indicates that this function is rarely called. When
1238 computing edge weights, basic blocks post-dominated by a cold
1239 function call are also considered to be cold; and, thus, given low
1242 This attribute indicates that the callee is dependent on a convergent
1243 thread execution pattern under certain parallel execution models.
1244 Transformations that are execution model agnostic may not make the execution
1245 of a convergent operation control dependent on any additional values.
1247 This attribute indicates that the source code contained a hint that
1248 inlining this function is desirable (such as the "inline" keyword in
1249 C/C++). It is just a hint; it imposes no requirements on the
1252 This attribute indicates that the function should be added to a
1253 jump-instruction table at code-generation time, and that all address-taken
1254 references to this function should be replaced with a reference to the
1255 appropriate jump-instruction-table function pointer. Note that this creates
1256 a new pointer for the original function, which means that code that depends
1257 on function-pointer identity can break. So, any function annotated with
1258 ``jumptable`` must also be ``unnamed_addr``.
1260 This attribute suggests that optimization passes and code generator
1261 passes make choices that keep the code size of this function as small
1262 as possible and perform optimizations that may sacrifice runtime
1263 performance in order to minimize the size of the generated code.
1265 This attribute disables prologue / epilogue emission for the
1266 function. This can have very system-specific consequences.
1268 This indicates that the callee function at a call site is not recognized as
1269 a built-in function. LLVM will retain the original call and not replace it
1270 with equivalent code based on the semantics of the built-in function, unless
1271 the call site uses the ``builtin`` attribute. This is valid at call sites
1272 and on function declarations and definitions.
1274 This attribute indicates that calls to the function cannot be
1275 duplicated. A call to a ``noduplicate`` function may be moved
1276 within its parent function, but may not be duplicated within
1277 its parent function.
1279 A function containing a ``noduplicate`` call may still
1280 be an inlining candidate, provided that the call is not
1281 duplicated by inlining. That implies that the function has
1282 internal linkage and only has one call site, so the original
1283 call is dead after inlining.
1285 This attributes disables implicit floating point instructions.
1287 This attribute indicates that the inliner should never inline this
1288 function in any situation. This attribute may not be used together
1289 with the ``alwaysinline`` attribute.
1291 This attribute suppresses lazy symbol binding for the function. This
1292 may make calls to the function faster, at the cost of extra program
1293 startup time if the function is not called during program startup.
1295 This attribute indicates that the code generator should not use a
1296 red zone, even if the target-specific ABI normally permits it.
1298 This function attribute indicates that the function never returns
1299 normally. This produces undefined behavior at runtime if the
1300 function ever does dynamically return.
1302 This function attribute indicates that the function does not call itself
1303 either directly or indirectly down any possible call path. This produces
1304 undefined behavior at runtime if the function ever does recurse.
1306 This function attribute indicates that the function never raises an
1307 exception. If the function does raise an exception, its runtime
1308 behavior is undefined. However, functions marked nounwind may still
1309 trap or generate asynchronous exceptions. Exception handling schemes
1310 that are recognized by LLVM to handle asynchronous exceptions, such
1311 as SEH, will still provide their implementation defined semantics.
1313 This function attribute indicates that most optimization passes will skip
1314 this function, with the exception of interprocedural optimization passes.
1315 Code generation defaults to the "fast" instruction selector.
1316 This attribute cannot be used together with the ``alwaysinline``
1317 attribute; this attribute is also incompatible
1318 with the ``minsize`` attribute and the ``optsize`` attribute.
1320 This attribute requires the ``noinline`` attribute to be specified on
1321 the function as well, so the function is never inlined into any caller.
1322 Only functions with the ``alwaysinline`` attribute are valid
1323 candidates for inlining into the body of this function.
1325 This attribute suggests that optimization passes and code generator
1326 passes make choices that keep the code size of this function low,
1327 and otherwise do optimizations specifically to reduce code size as
1328 long as they do not significantly impact runtime performance.
1330 On a function, this attribute indicates that the function computes its
1331 result (or decides to unwind an exception) based strictly on its arguments,
1332 without dereferencing any pointer arguments or otherwise accessing
1333 any mutable state (e.g. memory, control registers, etc) visible to
1334 caller functions. It does not write through any pointer arguments
1335 (including ``byval`` arguments) and never changes any state visible
1336 to callers. This means that it cannot unwind exceptions by calling
1337 the ``C++`` exception throwing methods.
1339 On an argument, this attribute indicates that the function does not
1340 dereference that pointer argument, even though it may read or write the
1341 memory that the pointer points to if accessed through other pointers.
1343 On a function, this attribute indicates that the function does not write
1344 through any pointer arguments (including ``byval`` arguments) or otherwise
1345 modify any state (e.g. memory, control registers, etc) visible to
1346 caller functions. It may dereference pointer arguments and read
1347 state that may be set in the caller. A readonly function always
1348 returns the same value (or unwinds an exception identically) when
1349 called with the same set of arguments and global state. It cannot
1350 unwind an exception by calling the ``C++`` exception throwing
1353 On an argument, this attribute indicates that the function does not write
1354 through this pointer argument, even though it may write to the memory that
1355 the pointer points to.
1357 This attribute indicates that the only memory accesses inside function are
1358 loads and stores from objects pointed to by its pointer-typed arguments,
1359 with arbitrary offsets. Or in other words, all memory operations in the
1360 function can refer to memory only using pointers based on its function
1362 Note that ``argmemonly`` can be used together with ``readonly`` attribute
1363 in order to specify that function reads only from its arguments.
1365 This attribute indicates that this function can return twice. The C
1366 ``setjmp`` is an example of such a function. The compiler disables
1367 some optimizations (like tail calls) in the caller of these
1370 This attribute indicates that
1371 `SafeStack <http://clang.llvm.org/docs/SafeStack.html>`_
1372 protection is enabled for this function.
1374 If a function that has a ``safestack`` attribute is inlined into a
1375 function that doesn't have a ``safestack`` attribute or which has an
1376 ``ssp``, ``sspstrong`` or ``sspreq`` attribute, then the resulting
1377 function will have a ``safestack`` attribute.
1378 ``sanitize_address``
1379 This attribute indicates that AddressSanitizer checks
1380 (dynamic address safety analysis) are enabled for this function.
1382 This attribute indicates that MemorySanitizer checks (dynamic detection
1383 of accesses to uninitialized memory) are enabled for this function.
1385 This attribute indicates that ThreadSanitizer checks
1386 (dynamic thread safety analysis) are enabled for this function.
1388 This attribute indicates that the function should emit a stack
1389 smashing protector. It is in the form of a "canary" --- a random value
1390 placed on the stack before the local variables that's checked upon
1391 return from the function to see if it has been overwritten. A
1392 heuristic is used to determine if a function needs stack protectors
1393 or not. The heuristic used will enable protectors for functions with:
1395 - Character arrays larger than ``ssp-buffer-size`` (default 8).
1396 - Aggregates containing character arrays larger than ``ssp-buffer-size``.
1397 - Calls to alloca() with variable sizes or constant sizes greater than
1398 ``ssp-buffer-size``.
1400 Variables that are identified as requiring a protector will be arranged
1401 on the stack such that they are adjacent to the stack protector guard.
1403 If a function that has an ``ssp`` attribute is inlined into a
1404 function that doesn't have an ``ssp`` attribute, then the resulting
1405 function will have an ``ssp`` attribute.
1407 This attribute indicates that the function should *always* emit a
1408 stack smashing protector. This overrides the ``ssp`` function
1411 Variables that are identified as requiring a protector will be arranged
1412 on the stack such that they are adjacent to the stack protector guard.
1413 The specific layout rules are:
1415 #. Large arrays and structures containing large arrays
1416 (``>= ssp-buffer-size``) are closest to the stack protector.
1417 #. Small arrays and structures containing small arrays
1418 (``< ssp-buffer-size``) are 2nd closest to the protector.
1419 #. Variables that have had their address taken are 3rd closest to the
1422 If a function that has an ``sspreq`` attribute is inlined into a
1423 function that doesn't have an ``sspreq`` attribute or which has an
1424 ``ssp`` or ``sspstrong`` attribute, then the resulting function will have
1425 an ``sspreq`` attribute.
1427 This attribute indicates that the function should emit a stack smashing
1428 protector. This attribute causes a strong heuristic to be used when
1429 determining if a function needs stack protectors. The strong heuristic
1430 will enable protectors for functions with:
1432 - Arrays of any size and type
1433 - Aggregates containing an array of any size and type.
1434 - Calls to alloca().
1435 - Local variables that have had their address taken.
1437 Variables that are identified as requiring a protector will be arranged
1438 on the stack such that they are adjacent to the stack protector guard.
1439 The specific layout rules are:
1441 #. Large arrays and structures containing large arrays
1442 (``>= ssp-buffer-size``) are closest to the stack protector.
1443 #. Small arrays and structures containing small arrays
1444 (``< ssp-buffer-size``) are 2nd closest to the protector.
1445 #. Variables that have had their address taken are 3rd closest to the
1448 This overrides the ``ssp`` function attribute.
1450 If a function that has an ``sspstrong`` attribute is inlined into a
1451 function that doesn't have an ``sspstrong`` attribute, then the
1452 resulting function will have an ``sspstrong`` attribute.
1454 This attribute indicates that the function will delegate to some other
1455 function with a tail call. The prototype of a thunk should not be used for
1456 optimization purposes. The caller is expected to cast the thunk prototype to
1457 match the thunk target prototype.
1459 This attribute indicates that the ABI being targeted requires that
1460 an unwind table entry be produced for this function even if we can
1461 show that no exceptions passes by it. This is normally the case for
1462 the ELF x86-64 abi, but it can be disabled for some compilation
1471 Note: operand bundles are a work in progress, and they should be
1472 considered experimental at this time.
1474 Operand bundles are tagged sets of SSA values that can be associated
1475 with certain LLVM instructions (currently only ``call`` s and
1476 ``invoke`` s). In a way they are like metadata, but dropping them is
1477 incorrect and will change program semantics.
1481 operand bundle set ::= '[' operand bundle (, operand bundle )* ']'
1482 operand bundle ::= tag '(' [ bundle operand ] (, bundle operand )* ')'
1483 bundle operand ::= SSA value
1484 tag ::= string constant
1486 Operand bundles are **not** part of a function's signature, and a
1487 given function may be called from multiple places with different kinds
1488 of operand bundles. This reflects the fact that the operand bundles
1489 are conceptually a part of the ``call`` (or ``invoke``), not the
1490 callee being dispatched to.
1492 Operand bundles are a generic mechanism intended to support
1493 runtime-introspection-like functionality for managed languages. While
1494 the exact semantics of an operand bundle depend on the bundle tag,
1495 there are certain limitations to how much the presence of an operand
1496 bundle can influence the semantics of a program. These restrictions
1497 are described as the semantics of an "unknown" operand bundle. As
1498 long as the behavior of an operand bundle is describable within these
1499 restrictions, LLVM does not need to have special knowledge of the
1500 operand bundle to not miscompile programs containing it.
1502 - The bundle operands for an unknown operand bundle escape in unknown
1503 ways before control is transferred to the callee or invokee.
1504 - Calls and invokes with operand bundles have unknown read / write
1505 effect on the heap on entry and exit (even if the call target is
1506 ``readnone`` or ``readonly``), unless they're overriden with
1507 callsite specific attributes.
1508 - An operand bundle at a call site cannot change the implementation
1509 of the called function. Inter-procedural optimizations work as
1510 usual as long as they take into account the first two properties.
1512 More specific types of operand bundles are described below.
1514 Deoptimization Operand Bundles
1515 ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
1517 Deoptimization operand bundles are characterized by the ``"deopt"``
1518 operand bundle tag. These operand bundles represent an alternate
1519 "safe" continuation for the call site they're attached to, and can be
1520 used by a suitable runtime to deoptimize the compiled frame at the
1521 specified call site. There can be at most one ``"deopt"`` operand
1522 bundle attached to a call site. Exact details of deoptimization is
1523 out of scope for the language reference, but it usually involves
1524 rewriting a compiled frame into a set of interpreted frames.
1526 From the compiler's perspective, deoptimization operand bundles make
1527 the call sites they're attached to at least ``readonly``. They read
1528 through all of their pointer typed operands (even if they're not
1529 otherwise escaped) and the entire visible heap. Deoptimization
1530 operand bundles do not capture their operands except during
1531 deoptimization, in which case control will not be returned to the
1534 The inliner knows how to inline through calls that have deoptimization
1535 operand bundles. Just like inlining through a normal call site
1536 involves composing the normal and exceptional continuations, inlining
1537 through a call site with a deoptimization operand bundle needs to
1538 appropriately compose the "safe" deoptimization continuation. The
1539 inliner does this by prepending the parent's deoptimization
1540 continuation to every deoptimization continuation in the inlined body.
1541 E.g. inlining ``@f`` into ``@g`` in the following example
1543 .. code-block:: llvm
1546 call void @x() ;; no deopt state
1547 call void @y() [ "deopt"(i32 10) ]
1548 call void @y() [ "deopt"(i32 10), "unknown"(i8* null) ]
1553 call void @f() [ "deopt"(i32 20) ]
1559 .. code-block:: llvm
1562 call void @x() ;; still no deopt state
1563 call void @y() [ "deopt"(i32 20, i32 10) ]
1564 call void @y() [ "deopt"(i32 20, i32 10), "unknown"(i8* null) ]
1568 It is the frontend's responsibility to structure or encode the
1569 deoptimization state in a way that syntactically prepending the
1570 caller's deoptimization state to the callee's deoptimization state is
1571 semantically equivalent to composing the caller's deoptimization
1572 continuation after the callee's deoptimization continuation.
1574 Funclet Operand Bundles
1575 ^^^^^^^^^^^^^^^^^^^^^^^
1577 Funclet operand bundles are characterized by the ``"funclet"``
1578 operand bundle tag. These operand bundles indicate that a call site
1579 is within a particular funclet. There can be at most one
1580 ``"funclet"`` operand bundle attached to a call site and it must have
1581 exactly one bundle operand.
1585 Module-Level Inline Assembly
1586 ----------------------------
1588 Modules may contain "module-level inline asm" blocks, which corresponds
1589 to the GCC "file scope inline asm" blocks. These blocks are internally
1590 concatenated by LLVM and treated as a single unit, but may be separated
1591 in the ``.ll`` file if desired. The syntax is very simple:
1593 .. code-block:: llvm
1595 module asm "inline asm code goes here"
1596 module asm "more can go here"
1598 The strings can contain any character by escaping non-printable
1599 characters. The escape sequence used is simply "\\xx" where "xx" is the
1600 two digit hex code for the number.
1602 Note that the assembly string *must* be parseable by LLVM's integrated assembler
1603 (unless it is disabled), even when emitting a ``.s`` file.
1605 .. _langref_datalayout:
1610 A module may specify a target specific data layout string that specifies
1611 how data is to be laid out in memory. The syntax for the data layout is
1614 .. code-block:: llvm
1616 target datalayout = "layout specification"
1618 The *layout specification* consists of a list of specifications
1619 separated by the minus sign character ('-'). Each specification starts
1620 with a letter and may include other information after the letter to
1621 define some aspect of the data layout. The specifications accepted are
1625 Specifies that the target lays out data in big-endian form. That is,
1626 the bits with the most significance have the lowest address
1629 Specifies that the target lays out data in little-endian form. That
1630 is, the bits with the least significance have the lowest address
1633 Specifies the natural alignment of the stack in bits. Alignment
1634 promotion of stack variables is limited to the natural stack
1635 alignment to avoid dynamic stack realignment. The stack alignment
1636 must be a multiple of 8-bits. If omitted, the natural stack
1637 alignment defaults to "unspecified", which does not prevent any
1638 alignment promotions.
1639 ``p[n]:<size>:<abi>:<pref>``
1640 This specifies the *size* of a pointer and its ``<abi>`` and
1641 ``<pref>``\erred alignments for address space ``n``. All sizes are in
1642 bits. The address space, ``n``, is optional, and if not specified,
1643 denotes the default address space 0. The value of ``n`` must be
1644 in the range [1,2^23).
1645 ``i<size>:<abi>:<pref>``
1646 This specifies the alignment for an integer type of a given bit
1647 ``<size>``. The value of ``<size>`` must be in the range [1,2^23).
1648 ``v<size>:<abi>:<pref>``
1649 This specifies the alignment for a vector type of a given bit
1651 ``f<size>:<abi>:<pref>``
1652 This specifies the alignment for a floating point type of a given bit
1653 ``<size>``. Only values of ``<size>`` that are supported by the target
1654 will work. 32 (float) and 64 (double) are supported on all targets; 80
1655 or 128 (different flavors of long double) are also supported on some
1658 This specifies the alignment for an object of aggregate type.
1660 If present, specifies that llvm names are mangled in the output. The
1663 * ``e``: ELF mangling: Private symbols get a ``.L`` prefix.
1664 * ``m``: Mips mangling: Private symbols get a ``$`` prefix.
1665 * ``o``: Mach-O mangling: Private symbols get ``L`` prefix. Other
1666 symbols get a ``_`` prefix.
1667 * ``w``: Windows COFF prefix: Similar to Mach-O, but stdcall and fastcall
1668 functions also get a suffix based on the frame size.
1669 * ``x``: Windows x86 COFF prefix: Similar to Windows COFF, but use a ``_``
1670 prefix for ``__cdecl`` functions.
1671 ``n<size1>:<size2>:<size3>...``
1672 This specifies a set of native integer widths for the target CPU in
1673 bits. For example, it might contain ``n32`` for 32-bit PowerPC,
1674 ``n32:64`` for PowerPC 64, or ``n8:16:32:64`` for X86-64. Elements of
1675 this set are considered to support most general arithmetic operations
1678 On every specification that takes a ``<abi>:<pref>``, specifying the
1679 ``<pref>`` alignment is optional. If omitted, the preceding ``:``
1680 should be omitted too and ``<pref>`` will be equal to ``<abi>``.
1682 When constructing the data layout for a given target, LLVM starts with a
1683 default set of specifications which are then (possibly) overridden by
1684 the specifications in the ``datalayout`` keyword. The default
1685 specifications are given in this list:
1687 - ``E`` - big endian
1688 - ``p:64:64:64`` - 64-bit pointers with 64-bit alignment.
1689 - ``p[n]:64:64:64`` - Other address spaces are assumed to be the
1690 same as the default address space.
1691 - ``S0`` - natural stack alignment is unspecified
1692 - ``i1:8:8`` - i1 is 8-bit (byte) aligned
1693 - ``i8:8:8`` - i8 is 8-bit (byte) aligned
1694 - ``i16:16:16`` - i16 is 16-bit aligned
1695 - ``i32:32:32`` - i32 is 32-bit aligned
1696 - ``i64:32:64`` - i64 has ABI alignment of 32-bits but preferred
1697 alignment of 64-bits
1698 - ``f16:16:16`` - half is 16-bit aligned
1699 - ``f32:32:32`` - float is 32-bit aligned
1700 - ``f64:64:64`` - double is 64-bit aligned
1701 - ``f128:128:128`` - quad is 128-bit aligned
1702 - ``v64:64:64`` - 64-bit vector is 64-bit aligned
1703 - ``v128:128:128`` - 128-bit vector is 128-bit aligned
1704 - ``a:0:64`` - aggregates are 64-bit aligned
1706 When LLVM is determining the alignment for a given type, it uses the
1709 #. If the type sought is an exact match for one of the specifications,
1710 that specification is used.
1711 #. If no match is found, and the type sought is an integer type, then
1712 the smallest integer type that is larger than the bitwidth of the
1713 sought type is used. If none of the specifications are larger than
1714 the bitwidth then the largest integer type is used. For example,
1715 given the default specifications above, the i7 type will use the
1716 alignment of i8 (next largest) while both i65 and i256 will use the
1717 alignment of i64 (largest specified).
1718 #. If no match is found, and the type sought is a vector type, then the
1719 largest vector type that is smaller than the sought vector type will
1720 be used as a fall back. This happens because <128 x double> can be
1721 implemented in terms of 64 <2 x double>, for example.
1723 The function of the data layout string may not be what you expect.
1724 Notably, this is not a specification from the frontend of what alignment
1725 the code generator should use.
1727 Instead, if specified, the target data layout is required to match what
1728 the ultimate *code generator* expects. This string is used by the
1729 mid-level optimizers to improve code, and this only works if it matches
1730 what the ultimate code generator uses. There is no way to generate IR
1731 that does not embed this target-specific detail into the IR. If you
1732 don't specify the string, the default specifications will be used to
1733 generate a Data Layout and the optimization phases will operate
1734 accordingly and introduce target specificity into the IR with respect to
1735 these default specifications.
1742 A module may specify a target triple string that describes the target
1743 host. The syntax for the target triple is simply:
1745 .. code-block:: llvm
1747 target triple = "x86_64-apple-macosx10.7.0"
1749 The *target triple* string consists of a series of identifiers delimited
1750 by the minus sign character ('-'). The canonical forms are:
1754 ARCHITECTURE-VENDOR-OPERATING_SYSTEM
1755 ARCHITECTURE-VENDOR-OPERATING_SYSTEM-ENVIRONMENT
1757 This information is passed along to the backend so that it generates
1758 code for the proper architecture. It's possible to override this on the
1759 command line with the ``-mtriple`` command line option.
1761 .. _pointeraliasing:
1763 Pointer Aliasing Rules
1764 ----------------------
1766 Any memory access must be done through a pointer value associated with
1767 an address range of the memory access, otherwise the behavior is
1768 undefined. Pointer values are associated with address ranges according
1769 to the following rules:
1771 - A pointer value is associated with the addresses associated with any
1772 value it is *based* on.
1773 - An address of a global variable is associated with the address range
1774 of the variable's storage.
1775 - The result value of an allocation instruction is associated with the
1776 address range of the allocated storage.
1777 - A null pointer in the default address-space is associated with no
1779 - An integer constant other than zero or a pointer value returned from
1780 a function not defined within LLVM may be associated with address
1781 ranges allocated through mechanisms other than those provided by
1782 LLVM. Such ranges shall not overlap with any ranges of addresses
1783 allocated by mechanisms provided by LLVM.
1785 A pointer value is *based* on another pointer value according to the
1788 - A pointer value formed from a ``getelementptr`` operation is *based*
1789 on the first value operand of the ``getelementptr``.
1790 - The result value of a ``bitcast`` is *based* on the operand of the
1792 - A pointer value formed by an ``inttoptr`` is *based* on all pointer
1793 values that contribute (directly or indirectly) to the computation of
1794 the pointer's value.
1795 - The "*based* on" relationship is transitive.
1797 Note that this definition of *"based"* is intentionally similar to the
1798 definition of *"based"* in C99, though it is slightly weaker.
1800 LLVM IR does not associate types with memory. The result type of a
1801 ``load`` merely indicates the size and alignment of the memory from
1802 which to load, as well as the interpretation of the value. The first
1803 operand type of a ``store`` similarly only indicates the size and
1804 alignment of the store.
1806 Consequently, type-based alias analysis, aka TBAA, aka
1807 ``-fstrict-aliasing``, is not applicable to general unadorned LLVM IR.
1808 :ref:`Metadata <metadata>` may be used to encode additional information
1809 which specialized optimization passes may use to implement type-based
1814 Volatile Memory Accesses
1815 ------------------------
1817 Certain memory accesses, such as :ref:`load <i_load>`'s,
1818 :ref:`store <i_store>`'s, and :ref:`llvm.memcpy <int_memcpy>`'s may be
1819 marked ``volatile``. The optimizers must not change the number of
1820 volatile operations or change their order of execution relative to other
1821 volatile operations. The optimizers *may* change the order of volatile
1822 operations relative to non-volatile operations. This is not Java's
1823 "volatile" and has no cross-thread synchronization behavior.
1825 IR-level volatile loads and stores cannot safely be optimized into
1826 llvm.memcpy or llvm.memmove intrinsics even when those intrinsics are
1827 flagged volatile. Likewise, the backend should never split or merge
1828 target-legal volatile load/store instructions.
1830 .. admonition:: Rationale
1832 Platforms may rely on volatile loads and stores of natively supported
1833 data width to be executed as single instruction. For example, in C
1834 this holds for an l-value of volatile primitive type with native
1835 hardware support, but not necessarily for aggregate types. The
1836 frontend upholds these expectations, which are intentionally
1837 unspecified in the IR. The rules above ensure that IR transformations
1838 do not violate the frontend's contract with the language.
1842 Memory Model for Concurrent Operations
1843 --------------------------------------
1845 The LLVM IR does not define any way to start parallel threads of
1846 execution or to register signal handlers. Nonetheless, there are
1847 platform-specific ways to create them, and we define LLVM IR's behavior
1848 in their presence. This model is inspired by the C++0x memory model.
1850 For a more informal introduction to this model, see the :doc:`Atomics`.
1852 We define a *happens-before* partial order as the least partial order
1855 - Is a superset of single-thread program order, and
1856 - When a *synchronizes-with* ``b``, includes an edge from ``a`` to
1857 ``b``. *Synchronizes-with* pairs are introduced by platform-specific
1858 techniques, like pthread locks, thread creation, thread joining,
1859 etc., and by atomic instructions. (See also :ref:`Atomic Memory Ordering
1860 Constraints <ordering>`).
1862 Note that program order does not introduce *happens-before* edges
1863 between a thread and signals executing inside that thread.
1865 Every (defined) read operation (load instructions, memcpy, atomic
1866 loads/read-modify-writes, etc.) R reads a series of bytes written by
1867 (defined) write operations (store instructions, atomic
1868 stores/read-modify-writes, memcpy, etc.). For the purposes of this
1869 section, initialized globals are considered to have a write of the
1870 initializer which is atomic and happens before any other read or write
1871 of the memory in question. For each byte of a read R, R\ :sub:`byte`
1872 may see any write to the same byte, except:
1874 - If write\ :sub:`1` happens before write\ :sub:`2`, and
1875 write\ :sub:`2` happens before R\ :sub:`byte`, then
1876 R\ :sub:`byte` does not see write\ :sub:`1`.
1877 - If R\ :sub:`byte` happens before write\ :sub:`3`, then
1878 R\ :sub:`byte` does not see write\ :sub:`3`.
1880 Given that definition, R\ :sub:`byte` is defined as follows:
1882 - If R is volatile, the result is target-dependent. (Volatile is
1883 supposed to give guarantees which can support ``sig_atomic_t`` in
1884 C/C++, and may be used for accesses to addresses that do not behave
1885 like normal memory. It does not generally provide cross-thread
1887 - Otherwise, if there is no write to the same byte that happens before
1888 R\ :sub:`byte`, R\ :sub:`byte` returns ``undef`` for that byte.
1889 - Otherwise, if R\ :sub:`byte` may see exactly one write,
1890 R\ :sub:`byte` returns the value written by that write.
1891 - Otherwise, if R is atomic, and all the writes R\ :sub:`byte` may
1892 see are atomic, it chooses one of the values written. See the :ref:`Atomic
1893 Memory Ordering Constraints <ordering>` section for additional
1894 constraints on how the choice is made.
1895 - Otherwise R\ :sub:`byte` returns ``undef``.
1897 R returns the value composed of the series of bytes it read. This
1898 implies that some bytes within the value may be ``undef`` **without**
1899 the entire value being ``undef``. Note that this only defines the
1900 semantics of the operation; it doesn't mean that targets will emit more
1901 than one instruction to read the series of bytes.
1903 Note that in cases where none of the atomic intrinsics are used, this
1904 model places only one restriction on IR transformations on top of what
1905 is required for single-threaded execution: introducing a store to a byte
1906 which might not otherwise be stored is not allowed in general.
1907 (Specifically, in the case where another thread might write to and read
1908 from an address, introducing a store can change a load that may see
1909 exactly one write into a load that may see multiple writes.)
1913 Atomic Memory Ordering Constraints
1914 ----------------------------------
1916 Atomic instructions (:ref:`cmpxchg <i_cmpxchg>`,
1917 :ref:`atomicrmw <i_atomicrmw>`, :ref:`fence <i_fence>`,
1918 :ref:`atomic load <i_load>`, and :ref:`atomic store <i_store>`) take
1919 ordering parameters that determine which other atomic instructions on
1920 the same address they *synchronize with*. These semantics are borrowed
1921 from Java and C++0x, but are somewhat more colloquial. If these
1922 descriptions aren't precise enough, check those specs (see spec
1923 references in the :doc:`atomics guide <Atomics>`).
1924 :ref:`fence <i_fence>` instructions treat these orderings somewhat
1925 differently since they don't take an address. See that instruction's
1926 documentation for details.
1928 For a simpler introduction to the ordering constraints, see the
1932 The set of values that can be read is governed by the happens-before
1933 partial order. A value cannot be read unless some operation wrote
1934 it. This is intended to provide a guarantee strong enough to model
1935 Java's non-volatile shared variables. This ordering cannot be
1936 specified for read-modify-write operations; it is not strong enough
1937 to make them atomic in any interesting way.
1939 In addition to the guarantees of ``unordered``, there is a single
1940 total order for modifications by ``monotonic`` operations on each
1941 address. All modification orders must be compatible with the
1942 happens-before order. There is no guarantee that the modification
1943 orders can be combined to a global total order for the whole program
1944 (and this often will not be possible). The read in an atomic
1945 read-modify-write operation (:ref:`cmpxchg <i_cmpxchg>` and
1946 :ref:`atomicrmw <i_atomicrmw>`) reads the value in the modification
1947 order immediately before the value it writes. If one atomic read
1948 happens before another atomic read of the same address, the later
1949 read must see the same value or a later value in the address's
1950 modification order. This disallows reordering of ``monotonic`` (or
1951 stronger) operations on the same address. If an address is written
1952 ``monotonic``-ally by one thread, and other threads ``monotonic``-ally
1953 read that address repeatedly, the other threads must eventually see
1954 the write. This corresponds to the C++0x/C1x
1955 ``memory_order_relaxed``.
1957 In addition to the guarantees of ``monotonic``, a
1958 *synchronizes-with* edge may be formed with a ``release`` operation.
1959 This is intended to model C++'s ``memory_order_acquire``.
1961 In addition to the guarantees of ``monotonic``, if this operation
1962 writes a value which is subsequently read by an ``acquire``
1963 operation, it *synchronizes-with* that operation. (This isn't a
1964 complete description; see the C++0x definition of a release
1965 sequence.) This corresponds to the C++0x/C1x
1966 ``memory_order_release``.
1967 ``acq_rel`` (acquire+release)
1968 Acts as both an ``acquire`` and ``release`` operation on its
1969 address. This corresponds to the C++0x/C1x ``memory_order_acq_rel``.
1970 ``seq_cst`` (sequentially consistent)
1971 In addition to the guarantees of ``acq_rel`` (``acquire`` for an
1972 operation that only reads, ``release`` for an operation that only
1973 writes), there is a global total order on all
1974 sequentially-consistent operations on all addresses, which is
1975 consistent with the *happens-before* partial order and with the
1976 modification orders of all the affected addresses. Each
1977 sequentially-consistent read sees the last preceding write to the
1978 same address in this global order. This corresponds to the C++0x/C1x
1979 ``memory_order_seq_cst`` and Java volatile.
1983 If an atomic operation is marked ``singlethread``, it only *synchronizes
1984 with* or participates in modification and seq\_cst total orderings with
1985 other operations running in the same thread (for example, in signal
1993 LLVM IR floating-point binary ops (:ref:`fadd <i_fadd>`,
1994 :ref:`fsub <i_fsub>`, :ref:`fmul <i_fmul>`, :ref:`fdiv <i_fdiv>`,
1995 :ref:`frem <i_frem>`, :ref:`fcmp <i_fcmp>`) have the following flags that can
1996 be set to enable otherwise unsafe floating point operations
1999 No NaNs - Allow optimizations to assume the arguments and result are not
2000 NaN. Such optimizations are required to retain defined behavior over
2001 NaNs, but the value of the result is undefined.
2004 No Infs - Allow optimizations to assume the arguments and result are not
2005 +/-Inf. Such optimizations are required to retain defined behavior over
2006 +/-Inf, but the value of the result is undefined.
2009 No Signed Zeros - Allow optimizations to treat the sign of a zero
2010 argument or result as insignificant.
2013 Allow Reciprocal - Allow optimizations to use the reciprocal of an
2014 argument rather than perform division.
2017 Fast - Allow algebraically equivalent transformations that may
2018 dramatically change results in floating point (e.g. reassociate). This
2019 flag implies all the others.
2023 Use-list Order Directives
2024 -------------------------
2026 Use-list directives encode the in-memory order of each use-list, allowing the
2027 order to be recreated. ``<order-indexes>`` is a comma-separated list of
2028 indexes that are assigned to the referenced value's uses. The referenced
2029 value's use-list is immediately sorted by these indexes.
2031 Use-list directives may appear at function scope or global scope. They are not
2032 instructions, and have no effect on the semantics of the IR. When they're at
2033 function scope, they must appear after the terminator of the final basic block.
2035 If basic blocks have their address taken via ``blockaddress()`` expressions,
2036 ``uselistorder_bb`` can be used to reorder their use-lists from outside their
2043 uselistorder <ty> <value>, { <order-indexes> }
2044 uselistorder_bb @function, %block { <order-indexes> }
2050 define void @foo(i32 %arg1, i32 %arg2) {
2052 ; ... instructions ...
2054 ; ... instructions ...
2056 ; At function scope.
2057 uselistorder i32 %arg1, { 1, 0, 2 }
2058 uselistorder label %bb, { 1, 0 }
2062 uselistorder i32* @global, { 1, 2, 0 }
2063 uselistorder i32 7, { 1, 0 }
2064 uselistorder i32 (i32) @bar, { 1, 0 }
2065 uselistorder_bb @foo, %bb, { 5, 1, 3, 2, 0, 4 }
2072 The LLVM type system is one of the most important features of the
2073 intermediate representation. Being typed enables a number of
2074 optimizations to be performed on the intermediate representation
2075 directly, without having to do extra analyses on the side before the
2076 transformation. A strong type system makes it easier to read the
2077 generated code and enables novel analyses and transformations that are
2078 not feasible to perform on normal three address code representations.
2088 The void type does not represent any value and has no size.
2106 The function type can be thought of as a function signature. It consists of a
2107 return type and a list of formal parameter types. The return type of a function
2108 type is a void type or first class type --- except for :ref:`label <t_label>`
2109 and :ref:`metadata <t_metadata>` types.
2115 <returntype> (<parameter list>)
2117 ...where '``<parameter list>``' is a comma-separated list of type
2118 specifiers. Optionally, the parameter list may include a type ``...``, which
2119 indicates that the function takes a variable number of arguments. Variable
2120 argument functions can access their arguments with the :ref:`variable argument
2121 handling intrinsic <int_varargs>` functions. '``<returntype>``' is any type
2122 except :ref:`label <t_label>` and :ref:`metadata <t_metadata>`.
2126 +---------------------------------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------+
2127 | ``i32 (i32)`` | function taking an ``i32``, returning an ``i32`` |
2128 +---------------------------------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------+
2129 | ``float (i16, i32 *) *`` | :ref:`Pointer <t_pointer>` to a function that takes an ``i16`` and a :ref:`pointer <t_pointer>` to ``i32``, returning ``float``. |
2130 +---------------------------------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------+
2131 | ``i32 (i8*, ...)`` | A vararg function that takes at least one :ref:`pointer <t_pointer>` to ``i8`` (char in C), which returns an integer. This is the signature for ``printf`` in LLVM. |
2132 +---------------------------------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------+
2133 | ``{i32, i32} (i32)`` | A function taking an ``i32``, returning a :ref:`structure <t_struct>` containing two ``i32`` values |
2134 +---------------------------------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------+
2141 The :ref:`first class <t_firstclass>` types are perhaps the most important.
2142 Values of these types are the only ones which can be produced by
2150 These are the types that are valid in registers from CodeGen's perspective.
2159 The integer type is a very simple type that simply specifies an
2160 arbitrary bit width for the integer type desired. Any bit width from 1
2161 bit to 2\ :sup:`23`\ -1 (about 8 million) can be specified.
2169 The number of bits the integer will occupy is specified by the ``N``
2175 +----------------+------------------------------------------------+
2176 | ``i1`` | a single-bit integer. |
2177 +----------------+------------------------------------------------+
2178 | ``i32`` | a 32-bit integer. |
2179 +----------------+------------------------------------------------+
2180 | ``i1942652`` | a really big integer of over 1 million bits. |
2181 +----------------+------------------------------------------------+
2185 Floating Point Types
2186 """"""""""""""""""""
2195 - 16-bit floating point value
2198 - 32-bit floating point value
2201 - 64-bit floating point value
2204 - 128-bit floating point value (112-bit mantissa)
2207 - 80-bit floating point value (X87)
2210 - 128-bit floating point value (two 64-bits)
2217 The x86_mmx type represents a value held in an MMX register on an x86
2218 machine. The operations allowed on it are quite limited: parameters and
2219 return values, load and store, and bitcast. User-specified MMX
2220 instructions are represented as intrinsic or asm calls with arguments
2221 and/or results of this type. There are no arrays, vectors or constants
2238 The pointer type is used to specify memory locations. Pointers are
2239 commonly used to reference objects in memory.
2241 Pointer types may have an optional address space attribute defining the
2242 numbered address space where the pointed-to object resides. The default
2243 address space is number zero. The semantics of non-zero address spaces
2244 are target-specific.
2246 Note that LLVM does not permit pointers to void (``void*``) nor does it
2247 permit pointers to labels (``label*``). Use ``i8*`` instead.
2257 +-------------------------+--------------------------------------------------------------------------------------------------------------+
2258 | ``[4 x i32]*`` | A :ref:`pointer <t_pointer>` to :ref:`array <t_array>` of four ``i32`` values. |
2259 +-------------------------+--------------------------------------------------------------------------------------------------------------+
2260 | ``i32 (i32*) *`` | A :ref:`pointer <t_pointer>` to a :ref:`function <t_function>` that takes an ``i32*``, returning an ``i32``. |
2261 +-------------------------+--------------------------------------------------------------------------------------------------------------+
2262 | ``i32 addrspace(5)*`` | A :ref:`pointer <t_pointer>` to an ``i32`` value that resides in address space #5. |
2263 +-------------------------+--------------------------------------------------------------------------------------------------------------+
2272 A vector type is a simple derived type that represents a vector of
2273 elements. Vector types are used when multiple primitive data are
2274 operated in parallel using a single instruction (SIMD). A vector type
2275 requires a size (number of elements) and an underlying primitive data
2276 type. Vector types are considered :ref:`first class <t_firstclass>`.
2282 < <# elements> x <elementtype> >
2284 The number of elements is a constant integer value larger than 0;
2285 elementtype may be any integer, floating point or pointer type. Vectors
2286 of size zero are not allowed.
2290 +-------------------+--------------------------------------------------+
2291 | ``<4 x i32>`` | Vector of 4 32-bit integer values. |
2292 +-------------------+--------------------------------------------------+
2293 | ``<8 x float>`` | Vector of 8 32-bit floating-point values. |
2294 +-------------------+--------------------------------------------------+
2295 | ``<2 x i64>`` | Vector of 2 64-bit integer values. |
2296 +-------------------+--------------------------------------------------+
2297 | ``<4 x i64*>`` | Vector of 4 pointers to 64-bit integer values. |
2298 +-------------------+--------------------------------------------------+
2307 The label type represents code labels.
2322 The token type is used when a value is associated with an instruction
2323 but all uses of the value must not attempt to introspect or obscure it.
2324 As such, it is not appropriate to have a :ref:`phi <i_phi>` or
2325 :ref:`select <i_select>` of type token.
2342 The metadata type represents embedded metadata. No derived types may be
2343 created from metadata except for :ref:`function <t_function>` arguments.
2356 Aggregate Types are a subset of derived types that can contain multiple
2357 member types. :ref:`Arrays <t_array>` and :ref:`structs <t_struct>` are
2358 aggregate types. :ref:`Vectors <t_vector>` are not considered to be
2368 The array type is a very simple derived type that arranges elements
2369 sequentially in memory. The array type requires a size (number of
2370 elements) and an underlying data type.
2376 [<# elements> x <elementtype>]
2378 The number of elements is a constant integer value; ``elementtype`` may
2379 be any type with a size.
2383 +------------------+--------------------------------------+
2384 | ``[40 x i32]`` | Array of 40 32-bit integer values. |
2385 +------------------+--------------------------------------+
2386 | ``[41 x i32]`` | Array of 41 32-bit integer values. |
2387 +------------------+--------------------------------------+
2388 | ``[4 x i8]`` | Array of 4 8-bit integer values. |
2389 +------------------+--------------------------------------+
2391 Here are some examples of multidimensional arrays:
2393 +-----------------------------+----------------------------------------------------------+
2394 | ``[3 x [4 x i32]]`` | 3x4 array of 32-bit integer values. |
2395 +-----------------------------+----------------------------------------------------------+
2396 | ``[12 x [10 x float]]`` | 12x10 array of single precision floating point values. |
2397 +-----------------------------+----------------------------------------------------------+
2398 | ``[2 x [3 x [4 x i16]]]`` | 2x3x4 array of 16-bit integer values. |
2399 +-----------------------------+----------------------------------------------------------+
2401 There is no restriction on indexing beyond the end of the array implied
2402 by a static type (though there are restrictions on indexing beyond the
2403 bounds of an allocated object in some cases). This means that
2404 single-dimension 'variable sized array' addressing can be implemented in
2405 LLVM with a zero length array type. An implementation of 'pascal style
2406 arrays' in LLVM could use the type "``{ i32, [0 x float]}``", for
2416 The structure type is used to represent a collection of data members
2417 together in memory. The elements of a structure may be any type that has
2420 Structures in memory are accessed using '``load``' and '``store``' by
2421 getting a pointer to a field with the '``getelementptr``' instruction.
2422 Structures in registers are accessed using the '``extractvalue``' and
2423 '``insertvalue``' instructions.
2425 Structures may optionally be "packed" structures, which indicate that
2426 the alignment of the struct is one byte, and that there is no padding
2427 between the elements. In non-packed structs, padding between field types
2428 is inserted as defined by the DataLayout string in the module, which is
2429 required to match what the underlying code generator expects.
2431 Structures can either be "literal" or "identified". A literal structure
2432 is defined inline with other types (e.g. ``{i32, i32}*``) whereas
2433 identified types are always defined at the top level with a name.
2434 Literal types are uniqued by their contents and can never be recursive
2435 or opaque since there is no way to write one. Identified types can be
2436 recursive, can be opaqued, and are never uniqued.
2442 %T1 = type { <type list> } ; Identified normal struct type
2443 %T2 = type <{ <type list> }> ; Identified packed struct type
2447 +------------------------------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+
2448 | ``{ i32, i32, i32 }`` | A triple of three ``i32`` values |
2449 +------------------------------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+
2450 | ``{ float, i32 (i32) * }`` | A pair, where the first element is a ``float`` and the second element is a :ref:`pointer <t_pointer>` to a :ref:`function <t_function>` that takes an ``i32``, returning an ``i32``. |
2451 +------------------------------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+
2452 | ``<{ i8, i32 }>`` | A packed struct known to be 5 bytes in size. |
2453 +------------------------------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+
2457 Opaque Structure Types
2458 """"""""""""""""""""""
2462 Opaque structure types are used to represent named structure types that
2463 do not have a body specified. This corresponds (for example) to the C
2464 notion of a forward declared structure.
2475 +--------------+-------------------+
2476 | ``opaque`` | An opaque type. |
2477 +--------------+-------------------+
2484 LLVM has several different basic types of constants. This section
2485 describes them all and their syntax.
2490 **Boolean constants**
2491 The two strings '``true``' and '``false``' are both valid constants
2493 **Integer constants**
2494 Standard integers (such as '4') are constants of the
2495 :ref:`integer <t_integer>` type. Negative numbers may be used with
2497 **Floating point constants**
2498 Floating point constants use standard decimal notation (e.g.
2499 123.421), exponential notation (e.g. 1.23421e+2), or a more precise
2500 hexadecimal notation (see below). The assembler requires the exact
2501 decimal value of a floating-point constant. For example, the
2502 assembler accepts 1.25 but rejects 1.3 because 1.3 is a repeating
2503 decimal in binary. Floating point constants must have a :ref:`floating
2504 point <t_floating>` type.
2505 **Null pointer constants**
2506 The identifier '``null``' is recognized as a null pointer constant
2507 and must be of :ref:`pointer type <t_pointer>`.
2509 The identifier '``none``' is recognized as an empty token constant
2510 and must be of :ref:`token type <t_token>`.
2512 The one non-intuitive notation for constants is the hexadecimal form of
2513 floating point constants. For example, the form
2514 '``double 0x432ff973cafa8000``' is equivalent to (but harder to read
2515 than) '``double 4.5e+15``'. The only time hexadecimal floating point
2516 constants are required (and the only time that they are generated by the
2517 disassembler) is when a floating point constant must be emitted but it
2518 cannot be represented as a decimal floating point number in a reasonable
2519 number of digits. For example, NaN's, infinities, and other special
2520 values are represented in their IEEE hexadecimal format so that assembly
2521 and disassembly do not cause any bits to change in the constants.
2523 When using the hexadecimal form, constants of types half, float, and
2524 double are represented using the 16-digit form shown above (which
2525 matches the IEEE754 representation for double); half and float values
2526 must, however, be exactly representable as IEEE 754 half and single
2527 precision, respectively. Hexadecimal format is always used for long
2528 double, and there are three forms of long double. The 80-bit format used
2529 by x86 is represented as ``0xK`` followed by 20 hexadecimal digits. The
2530 128-bit format used by PowerPC (two adjacent doubles) is represented by
2531 ``0xM`` followed by 32 hexadecimal digits. The IEEE 128-bit format is
2532 represented by ``0xL`` followed by 32 hexadecimal digits. Long doubles
2533 will only work if they match the long double format on your target.
2534 The IEEE 16-bit format (half precision) is represented by ``0xH``
2535 followed by 4 hexadecimal digits. All hexadecimal formats are big-endian
2536 (sign bit at the left).
2538 There are no constants of type x86_mmx.
2540 .. _complexconstants:
2545 Complex constants are a (potentially recursive) combination of simple
2546 constants and smaller complex constants.
2548 **Structure constants**
2549 Structure constants are represented with notation similar to
2550 structure type definitions (a comma separated list of elements,
2551 surrounded by braces (``{}``)). For example:
2552 "``{ i32 4, float 17.0, i32* @G }``", where "``@G``" is declared as
2553 "``@G = external global i32``". Structure constants must have
2554 :ref:`structure type <t_struct>`, and the number and types of elements
2555 must match those specified by the type.
2557 Array constants are represented with notation similar to array type
2558 definitions (a comma separated list of elements, surrounded by
2559 square brackets (``[]``)). For example:
2560 "``[ i32 42, i32 11, i32 74 ]``". Array constants must have
2561 :ref:`array type <t_array>`, and the number and types of elements must
2562 match those specified by the type. As a special case, character array
2563 constants may also be represented as a double-quoted string using the ``c``
2564 prefix. For example: "``c"Hello World\0A\00"``".
2565 **Vector constants**
2566 Vector constants are represented with notation similar to vector
2567 type definitions (a comma separated list of elements, surrounded by
2568 less-than/greater-than's (``<>``)). For example:
2569 "``< i32 42, i32 11, i32 74, i32 100 >``". Vector constants
2570 must have :ref:`vector type <t_vector>`, and the number and types of
2571 elements must match those specified by the type.
2572 **Zero initialization**
2573 The string '``zeroinitializer``' can be used to zero initialize a
2574 value to zero of *any* type, including scalar and
2575 :ref:`aggregate <t_aggregate>` types. This is often used to avoid
2576 having to print large zero initializers (e.g. for large arrays) and
2577 is always exactly equivalent to using explicit zero initializers.
2579 A metadata node is a constant tuple without types. For example:
2580 "``!{!0, !{!2, !0}, !"test"}``". Metadata can reference constant values,
2581 for example: "``!{!0, i32 0, i8* @global, i64 (i64)* @function, !"str"}``".
2582 Unlike other typed constants that are meant to be interpreted as part of
2583 the instruction stream, metadata is a place to attach additional
2584 information such as debug info.
2586 Global Variable and Function Addresses
2587 --------------------------------------
2589 The addresses of :ref:`global variables <globalvars>` and
2590 :ref:`functions <functionstructure>` are always implicitly valid
2591 (link-time) constants. These constants are explicitly referenced when
2592 the :ref:`identifier for the global <identifiers>` is used and always have
2593 :ref:`pointer <t_pointer>` type. For example, the following is a legal LLVM
2596 .. code-block:: llvm
2600 @Z = global [2 x i32*] [ i32* @X, i32* @Y ]
2607 The string '``undef``' can be used anywhere a constant is expected, and
2608 indicates that the user of the value may receive an unspecified
2609 bit-pattern. Undefined values may be of any type (other than '``label``'
2610 or '``void``') and be used anywhere a constant is permitted.
2612 Undefined values are useful because they indicate to the compiler that
2613 the program is well defined no matter what value is used. This gives the
2614 compiler more freedom to optimize. Here are some examples of
2615 (potentially surprising) transformations that are valid (in pseudo IR):
2617 .. code-block:: llvm
2627 This is safe because all of the output bits are affected by the undef
2628 bits. Any output bit can have a zero or one depending on the input bits.
2630 .. code-block:: llvm
2641 These logical operations have bits that are not always affected by the
2642 input. For example, if ``%X`` has a zero bit, then the output of the
2643 '``and``' operation will always be a zero for that bit, no matter what
2644 the corresponding bit from the '``undef``' is. As such, it is unsafe to
2645 optimize or assume that the result of the '``and``' is '``undef``'.
2646 However, it is safe to assume that all bits of the '``undef``' could be
2647 0, and optimize the '``and``' to 0. Likewise, it is safe to assume that
2648 all the bits of the '``undef``' operand to the '``or``' could be set,
2649 allowing the '``or``' to be folded to -1.
2651 .. code-block:: llvm
2653 %A = select undef, %X, %Y
2654 %B = select undef, 42, %Y
2655 %C = select %X, %Y, undef
2665 This set of examples shows that undefined '``select``' (and conditional
2666 branch) conditions can go *either way*, but they have to come from one
2667 of the two operands. In the ``%A`` example, if ``%X`` and ``%Y`` were
2668 both known to have a clear low bit, then ``%A`` would have to have a
2669 cleared low bit. However, in the ``%C`` example, the optimizer is
2670 allowed to assume that the '``undef``' operand could be the same as
2671 ``%Y``, allowing the whole '``select``' to be eliminated.
2673 .. code-block:: llvm
2675 %A = xor undef, undef
2692 This example points out that two '``undef``' operands are not
2693 necessarily the same. This can be surprising to people (and also matches
2694 C semantics) where they assume that "``X^X``" is always zero, even if
2695 ``X`` is undefined. This isn't true for a number of reasons, but the
2696 short answer is that an '``undef``' "variable" can arbitrarily change
2697 its value over its "live range". This is true because the variable
2698 doesn't actually *have a live range*. Instead, the value is logically
2699 read from arbitrary registers that happen to be around when needed, so
2700 the value is not necessarily consistent over time. In fact, ``%A`` and
2701 ``%C`` need to have the same semantics or the core LLVM "replace all
2702 uses with" concept would not hold.
2704 .. code-block:: llvm
2712 These examples show the crucial difference between an *undefined value*
2713 and *undefined behavior*. An undefined value (like '``undef``') is
2714 allowed to have an arbitrary bit-pattern. This means that the ``%A``
2715 operation can be constant folded to '``undef``', because the '``undef``'
2716 could be an SNaN, and ``fdiv`` is not (currently) defined on SNaN's.
2717 However, in the second example, we can make a more aggressive
2718 assumption: because the ``undef`` is allowed to be an arbitrary value,
2719 we are allowed to assume that it could be zero. Since a divide by zero
2720 has *undefined behavior*, we are allowed to assume that the operation
2721 does not execute at all. This allows us to delete the divide and all
2722 code after it. Because the undefined operation "can't happen", the
2723 optimizer can assume that it occurs in dead code.
2725 .. code-block:: llvm
2727 a: store undef -> %X
2728 b: store %X -> undef
2733 These examples reiterate the ``fdiv`` example: a store *of* an undefined
2734 value can be assumed to not have any effect; we can assume that the
2735 value is overwritten with bits that happen to match what was already
2736 there. However, a store *to* an undefined location could clobber
2737 arbitrary memory, therefore, it has undefined behavior.
2744 Poison values are similar to :ref:`undef values <undefvalues>`, however
2745 they also represent the fact that an instruction or constant expression
2746 that cannot evoke side effects has nevertheless detected a condition
2747 that results in undefined behavior.
2749 There is currently no way of representing a poison value in the IR; they
2750 only exist when produced by operations such as :ref:`add <i_add>` with
2753 Poison value behavior is defined in terms of value *dependence*:
2755 - Values other than :ref:`phi <i_phi>` nodes depend on their operands.
2756 - :ref:`Phi <i_phi>` nodes depend on the operand corresponding to
2757 their dynamic predecessor basic block.
2758 - Function arguments depend on the corresponding actual argument values
2759 in the dynamic callers of their functions.
2760 - :ref:`Call <i_call>` instructions depend on the :ref:`ret <i_ret>`
2761 instructions that dynamically transfer control back to them.
2762 - :ref:`Invoke <i_invoke>` instructions depend on the
2763 :ref:`ret <i_ret>`, :ref:`resume <i_resume>`, or exception-throwing
2764 call instructions that dynamically transfer control back to them.
2765 - Non-volatile loads and stores depend on the most recent stores to all
2766 of the referenced memory addresses, following the order in the IR
2767 (including loads and stores implied by intrinsics such as
2768 :ref:`@llvm.memcpy <int_memcpy>`.)
2769 - An instruction with externally visible side effects depends on the
2770 most recent preceding instruction with externally visible side
2771 effects, following the order in the IR. (This includes :ref:`volatile
2772 operations <volatile>`.)
2773 - An instruction *control-depends* on a :ref:`terminator
2774 instruction <terminators>` if the terminator instruction has
2775 multiple successors and the instruction is always executed when
2776 control transfers to one of the successors, and may not be executed
2777 when control is transferred to another.
2778 - Additionally, an instruction also *control-depends* on a terminator
2779 instruction if the set of instructions it otherwise depends on would
2780 be different if the terminator had transferred control to a different
2782 - Dependence is transitive.
2784 Poison values have the same behavior as :ref:`undef values <undefvalues>`,
2785 with the additional effect that any instruction that has a *dependence*
2786 on a poison value has undefined behavior.
2788 Here are some examples:
2790 .. code-block:: llvm
2793 %poison = sub nuw i32 0, 1 ; Results in a poison value.
2794 %still_poison = and i32 %poison, 0 ; 0, but also poison.
2795 %poison_yet_again = getelementptr i32, i32* @h, i32 %still_poison
2796 store i32 0, i32* %poison_yet_again ; memory at @h[0] is poisoned
2798 store i32 %poison, i32* @g ; Poison value stored to memory.
2799 %poison2 = load i32, i32* @g ; Poison value loaded back from memory.
2801 store volatile i32 %poison, i32* @g ; External observation; undefined behavior.
2803 %narrowaddr = bitcast i32* @g to i16*
2804 %wideaddr = bitcast i32* @g to i64*
2805 %poison3 = load i16, i16* %narrowaddr ; Returns a poison value.
2806 %poison4 = load i64, i64* %wideaddr ; Returns a poison value.
2808 %cmp = icmp slt i32 %poison, 0 ; Returns a poison value.
2809 br i1 %cmp, label %true, label %end ; Branch to either destination.
2812 store volatile i32 0, i32* @g ; This is control-dependent on %cmp, so
2813 ; it has undefined behavior.
2817 %p = phi i32 [ 0, %entry ], [ 1, %true ]
2818 ; Both edges into this PHI are
2819 ; control-dependent on %cmp, so this
2820 ; always results in a poison value.
2822 store volatile i32 0, i32* @g ; This would depend on the store in %true
2823 ; if %cmp is true, or the store in %entry
2824 ; otherwise, so this is undefined behavior.
2826 br i1 %cmp, label %second_true, label %second_end
2827 ; The same branch again, but this time the
2828 ; true block doesn't have side effects.
2835 store volatile i32 0, i32* @g ; This time, the instruction always depends
2836 ; on the store in %end. Also, it is
2837 ; control-equivalent to %end, so this is
2838 ; well-defined (ignoring earlier undefined
2839 ; behavior in this example).
2843 Addresses of Basic Blocks
2844 -------------------------
2846 ``blockaddress(@function, %block)``
2848 The '``blockaddress``' constant computes the address of the specified
2849 basic block in the specified function, and always has an ``i8*`` type.
2850 Taking the address of the entry block is illegal.
2852 This value only has defined behavior when used as an operand to the
2853 ':ref:`indirectbr <i_indirectbr>`' instruction, or for comparisons
2854 against null. Pointer equality tests between labels addresses results in
2855 undefined behavior --- though, again, comparison against null is ok, and
2856 no label is equal to the null pointer. This may be passed around as an
2857 opaque pointer sized value as long as the bits are not inspected. This
2858 allows ``ptrtoint`` and arithmetic to be performed on these values so
2859 long as the original value is reconstituted before the ``indirectbr``
2862 Finally, some targets may provide defined semantics when using the value
2863 as the operand to an inline assembly, but that is target specific.
2867 Constant Expressions
2868 --------------------
2870 Constant expressions are used to allow expressions involving other
2871 constants to be used as constants. Constant expressions may be of any
2872 :ref:`first class <t_firstclass>` type and may involve any LLVM operation
2873 that does not have side effects (e.g. load and call are not supported).
2874 The following is the syntax for constant expressions:
2876 ``trunc (CST to TYPE)``
2877 Truncate a constant to another type. The bit size of CST must be
2878 larger than the bit size of TYPE. Both types must be integers.
2879 ``zext (CST to TYPE)``
2880 Zero extend a constant to another type. The bit size of CST must be
2881 smaller than the bit size of TYPE. Both types must be integers.
2882 ``sext (CST to TYPE)``
2883 Sign extend a constant to another type. The bit size of CST must be
2884 smaller than the bit size of TYPE. Both types must be integers.
2885 ``fptrunc (CST to TYPE)``
2886 Truncate a floating point constant to another floating point type.
2887 The size of CST must be larger than the size of TYPE. Both types
2888 must be floating point.
2889 ``fpext (CST to TYPE)``
2890 Floating point extend a constant to another type. The size of CST
2891 must be smaller or equal to the size of TYPE. Both types must be
2893 ``fptoui (CST to TYPE)``
2894 Convert a floating point constant to the corresponding unsigned
2895 integer constant. TYPE must be a scalar or vector integer type. CST
2896 must be of scalar or vector floating point type. Both CST and TYPE
2897 must be scalars, or vectors of the same number of elements. If the
2898 value won't fit in the integer type, the results are undefined.
2899 ``fptosi (CST to TYPE)``
2900 Convert a floating point constant to the corresponding signed
2901 integer constant. TYPE must be a scalar or vector integer type. CST
2902 must be of scalar or vector floating point type. Both CST and TYPE
2903 must be scalars, or vectors of the same number of elements. If the
2904 value won't fit in the integer type, the results are undefined.
2905 ``uitofp (CST to TYPE)``
2906 Convert an unsigned integer constant to the corresponding floating
2907 point constant. TYPE must be a scalar or vector floating point type.
2908 CST must be of scalar or vector integer type. Both CST and TYPE must
2909 be scalars, or vectors of the same number of elements. If the value
2910 won't fit in the floating point type, the results are undefined.
2911 ``sitofp (CST to TYPE)``
2912 Convert a signed integer constant to the corresponding floating
2913 point constant. TYPE must be a scalar or vector floating point type.
2914 CST must be of scalar or vector integer type. Both CST and TYPE must
2915 be scalars, or vectors of the same number of elements. If the value
2916 won't fit in the floating point type, the results are undefined.
2917 ``ptrtoint (CST to TYPE)``
2918 Convert a pointer typed constant to the corresponding integer
2919 constant. ``TYPE`` must be an integer type. ``CST`` must be of
2920 pointer type. The ``CST`` value is zero extended, truncated, or
2921 unchanged to make it fit in ``TYPE``.
2922 ``inttoptr (CST to TYPE)``
2923 Convert an integer constant to a pointer constant. TYPE must be a
2924 pointer type. CST must be of integer type. The CST value is zero
2925 extended, truncated, or unchanged to make it fit in a pointer size.
2926 This one is *really* dangerous!
2927 ``bitcast (CST to TYPE)``
2928 Convert a constant, CST, to another TYPE. The constraints of the
2929 operands are the same as those for the :ref:`bitcast
2930 instruction <i_bitcast>`.
2931 ``addrspacecast (CST to TYPE)``
2932 Convert a constant pointer or constant vector of pointer, CST, to another
2933 TYPE in a different address space. The constraints of the operands are the
2934 same as those for the :ref:`addrspacecast instruction <i_addrspacecast>`.
2935 ``getelementptr (TY, CSTPTR, IDX0, IDX1, ...)``, ``getelementptr inbounds (TY, CSTPTR, IDX0, IDX1, ...)``
2936 Perform the :ref:`getelementptr operation <i_getelementptr>` on
2937 constants. As with the :ref:`getelementptr <i_getelementptr>`
2938 instruction, the index list may have zero or more indexes, which are
2939 required to make sense for the type of "pointer to TY".
2940 ``select (COND, VAL1, VAL2)``
2941 Perform the :ref:`select operation <i_select>` on constants.
2942 ``icmp COND (VAL1, VAL2)``
2943 Performs the :ref:`icmp operation <i_icmp>` on constants.
2944 ``fcmp COND (VAL1, VAL2)``
2945 Performs the :ref:`fcmp operation <i_fcmp>` on constants.
2946 ``extractelement (VAL, IDX)``
2947 Perform the :ref:`extractelement operation <i_extractelement>` on
2949 ``insertelement (VAL, ELT, IDX)``
2950 Perform the :ref:`insertelement operation <i_insertelement>` on
2952 ``shufflevector (VEC1, VEC2, IDXMASK)``
2953 Perform the :ref:`shufflevector operation <i_shufflevector>` on
2955 ``extractvalue (VAL, IDX0, IDX1, ...)``
2956 Perform the :ref:`extractvalue operation <i_extractvalue>` on
2957 constants. The index list is interpreted in a similar manner as
2958 indices in a ':ref:`getelementptr <i_getelementptr>`' operation. At
2959 least one index value must be specified.
2960 ``insertvalue (VAL, ELT, IDX0, IDX1, ...)``
2961 Perform the :ref:`insertvalue operation <i_insertvalue>` on constants.
2962 The index list is interpreted in a similar manner as indices in a
2963 ':ref:`getelementptr <i_getelementptr>`' operation. At least one index
2964 value must be specified.
2965 ``OPCODE (LHS, RHS)``
2966 Perform the specified operation of the LHS and RHS constants. OPCODE
2967 may be any of the :ref:`binary <binaryops>` or :ref:`bitwise
2968 binary <bitwiseops>` operations. The constraints on operands are
2969 the same as those for the corresponding instruction (e.g. no bitwise
2970 operations on floating point values are allowed).
2977 Inline Assembler Expressions
2978 ----------------------------
2980 LLVM supports inline assembler expressions (as opposed to :ref:`Module-Level
2981 Inline Assembly <moduleasm>`) through the use of a special value. This value
2982 represents the inline assembler as a template string (containing the
2983 instructions to emit), a list of operand constraints (stored as a string), a
2984 flag that indicates whether or not the inline asm expression has side effects,
2985 and a flag indicating whether the function containing the asm needs to align its
2986 stack conservatively.
2988 The template string supports argument substitution of the operands using "``$``"
2989 followed by a number, to indicate substitution of the given register/memory
2990 location, as specified by the constraint string. "``${NUM:MODIFIER}``" may also
2991 be used, where ``MODIFIER`` is a target-specific annotation for how to print the
2992 operand (See :ref:`inline-asm-modifiers`).
2994 A literal "``$``" may be included by using "``$$``" in the template. To include
2995 other special characters into the output, the usual "``\XX``" escapes may be
2996 used, just as in other strings. Note that after template substitution, the
2997 resulting assembly string is parsed by LLVM's integrated assembler unless it is
2998 disabled -- even when emitting a ``.s`` file -- and thus must contain assembly
2999 syntax known to LLVM.
3001 LLVM's support for inline asm is modeled closely on the requirements of Clang's
3002 GCC-compatible inline-asm support. Thus, the feature-set and the constraint and
3003 modifier codes listed here are similar or identical to those in GCC's inline asm
3004 support. However, to be clear, the syntax of the template and constraint strings
3005 described here is *not* the same as the syntax accepted by GCC and Clang, and,
3006 while most constraint letters are passed through as-is by Clang, some get
3007 translated to other codes when converting from the C source to the LLVM
3010 An example inline assembler expression is:
3012 .. code-block:: llvm
3014 i32 (i32) asm "bswap $0", "=r,r"
3016 Inline assembler expressions may **only** be used as the callee operand
3017 of a :ref:`call <i_call>` or an :ref:`invoke <i_invoke>` instruction.
3018 Thus, typically we have:
3020 .. code-block:: llvm
3022 %X = call i32 asm "bswap $0", "=r,r"(i32 %Y)
3024 Inline asms with side effects not visible in the constraint list must be
3025 marked as having side effects. This is done through the use of the
3026 '``sideeffect``' keyword, like so:
3028 .. code-block:: llvm
3030 call void asm sideeffect "eieio", ""()
3032 In some cases inline asms will contain code that will not work unless
3033 the stack is aligned in some way, such as calls or SSE instructions on
3034 x86, yet will not contain code that does that alignment within the asm.
3035 The compiler should make conservative assumptions about what the asm
3036 might contain and should generate its usual stack alignment code in the
3037 prologue if the '``alignstack``' keyword is present:
3039 .. code-block:: llvm
3041 call void asm alignstack "eieio", ""()
3043 Inline asms also support using non-standard assembly dialects. The
3044 assumed dialect is ATT. When the '``inteldialect``' keyword is present,
3045 the inline asm is using the Intel dialect. Currently, ATT and Intel are
3046 the only supported dialects. An example is:
3048 .. code-block:: llvm
3050 call void asm inteldialect "eieio", ""()
3052 If multiple keywords appear the '``sideeffect``' keyword must come
3053 first, the '``alignstack``' keyword second and the '``inteldialect``'
3056 Inline Asm Constraint String
3057 ^^^^^^^^^^^^^^^^^^^^^^^^^^^^
3059 The constraint list is a comma-separated string, each element containing one or
3060 more constraint codes.
3062 For each element in the constraint list an appropriate register or memory
3063 operand will be chosen, and it will be made available to assembly template
3064 string expansion as ``$0`` for the first constraint in the list, ``$1`` for the
3067 There are three different types of constraints, which are distinguished by a
3068 prefix symbol in front of the constraint code: Output, Input, and Clobber. The
3069 constraints must always be given in that order: outputs first, then inputs, then
3070 clobbers. They cannot be intermingled.
3072 There are also three different categories of constraint codes:
3074 - Register constraint. This is either a register class, or a fixed physical
3075 register. This kind of constraint will allocate a register, and if necessary,
3076 bitcast the argument or result to the appropriate type.
3077 - Memory constraint. This kind of constraint is for use with an instruction
3078 taking a memory operand. Different constraints allow for different addressing
3079 modes used by the target.
3080 - Immediate value constraint. This kind of constraint is for an integer or other
3081 immediate value which can be rendered directly into an instruction. The
3082 various target-specific constraints allow the selection of a value in the
3083 proper range for the instruction you wish to use it with.
3088 Output constraints are specified by an "``=``" prefix (e.g. "``=r``"). This
3089 indicates that the assembly will write to this operand, and the operand will
3090 then be made available as a return value of the ``asm`` expression. Output
3091 constraints do not consume an argument from the call instruction. (Except, see
3092 below about indirect outputs).
3094 Normally, it is expected that no output locations are written to by the assembly
3095 expression until *all* of the inputs have been read. As such, LLVM may assign
3096 the same register to an output and an input. If this is not safe (e.g. if the
3097 assembly contains two instructions, where the first writes to one output, and
3098 the second reads an input and writes to a second output), then the "``&``"
3099 modifier must be used (e.g. "``=&r``") to specify that the output is an
3100 "early-clobber" output. Marking an ouput as "early-clobber" ensures that LLVM
3101 will not use the same register for any inputs (other than an input tied to this
3107 Input constraints do not have a prefix -- just the constraint codes. Each input
3108 constraint will consume one argument from the call instruction. It is not
3109 permitted for the asm to write to any input register or memory location (unless
3110 that input is tied to an output). Note also that multiple inputs may all be
3111 assigned to the same register, if LLVM can determine that they necessarily all
3112 contain the same value.
3114 Instead of providing a Constraint Code, input constraints may also "tie"
3115 themselves to an output constraint, by providing an integer as the constraint
3116 string. Tied inputs still consume an argument from the call instruction, and
3117 take up a position in the asm template numbering as is usual -- they will simply
3118 be constrained to always use the same register as the output they've been tied
3119 to. For example, a constraint string of "``=r,0``" says to assign a register for
3120 output, and use that register as an input as well (it being the 0'th
3123 It is permitted to tie an input to an "early-clobber" output. In that case, no
3124 *other* input may share the same register as the input tied to the early-clobber
3125 (even when the other input has the same value).
3127 You may only tie an input to an output which has a register constraint, not a
3128 memory constraint. Only a single input may be tied to an output.
3130 There is also an "interesting" feature which deserves a bit of explanation: if a
3131 register class constraint allocates a register which is too small for the value
3132 type operand provided as input, the input value will be split into multiple
3133 registers, and all of them passed to the inline asm.
3135 However, this feature is often not as useful as you might think.
3137 Firstly, the registers are *not* guaranteed to be consecutive. So, on those
3138 architectures that have instructions which operate on multiple consecutive
3139 instructions, this is not an appropriate way to support them. (e.g. the 32-bit
3140 SparcV8 has a 64-bit load, which instruction takes a single 32-bit register. The
3141 hardware then loads into both the named register, and the next register. This
3142 feature of inline asm would not be useful to support that.)
3144 A few of the targets provide a template string modifier allowing explicit access
3145 to the second register of a two-register operand (e.g. MIPS ``L``, ``M``, and
3146 ``D``). On such an architecture, you can actually access the second allocated
3147 register (yet, still, not any subsequent ones). But, in that case, you're still
3148 probably better off simply splitting the value into two separate operands, for
3149 clarity. (e.g. see the description of the ``A`` constraint on X86, which,
3150 despite existing only for use with this feature, is not really a good idea to
3153 Indirect inputs and outputs
3154 """""""""""""""""""""""""""
3156 Indirect output or input constraints can be specified by the "``*``" modifier
3157 (which goes after the "``=``" in case of an output). This indicates that the asm
3158 will write to or read from the contents of an *address* provided as an input
3159 argument. (Note that in this way, indirect outputs act more like an *input* than
3160 an output: just like an input, they consume an argument of the call expression,
3161 rather than producing a return value. An indirect output constraint is an
3162 "output" only in that the asm is expected to write to the contents of the input
3163 memory location, instead of just read from it).
3165 This is most typically used for memory constraint, e.g. "``=*m``", to pass the
3166 address of a variable as a value.
3168 It is also possible to use an indirect *register* constraint, but only on output
3169 (e.g. "``=*r``"). This will cause LLVM to allocate a register for an output
3170 value normally, and then, separately emit a store to the address provided as
3171 input, after the provided inline asm. (It's not clear what value this
3172 functionality provides, compared to writing the store explicitly after the asm
3173 statement, and it can only produce worse code, since it bypasses many
3174 optimization passes. I would recommend not using it.)
3180 A clobber constraint is indicated by a "``~``" prefix. A clobber does not
3181 consume an input operand, nor generate an output. Clobbers cannot use any of the
3182 general constraint code letters -- they may use only explicit register
3183 constraints, e.g. "``~{eax}``". The one exception is that a clobber string of
3184 "``~{memory}``" indicates that the assembly writes to arbitrary undeclared
3185 memory locations -- not only the memory pointed to by a declared indirect
3191 After a potential prefix comes constraint code, or codes.
3193 A Constraint Code is either a single letter (e.g. "``r``"), a "``^``" character
3194 followed by two letters (e.g. "``^wc``"), or "``{``" register-name "``}``"
3197 The one and two letter constraint codes are typically chosen to be the same as
3198 GCC's constraint codes.
3200 A single constraint may include one or more than constraint code in it, leaving
3201 it up to LLVM to choose which one to use. This is included mainly for
3202 compatibility with the translation of GCC inline asm coming from clang.
3204 There are two ways to specify alternatives, and either or both may be used in an
3205 inline asm constraint list:
3207 1) Append the codes to each other, making a constraint code set. E.g. "``im``"
3208 or "``{eax}m``". This means "choose any of the options in the set". The
3209 choice of constraint is made independently for each constraint in the
3212 2) Use "``|``" between constraint code sets, creating alternatives. Every
3213 constraint in the constraint list must have the same number of alternative
3214 sets. With this syntax, the same alternative in *all* of the items in the
3215 constraint list will be chosen together.
3217 Putting those together, you might have a two operand constraint string like
3218 ``"rm|r,ri|rm"``. This indicates that if operand 0 is ``r`` or ``m``, then
3219 operand 1 may be one of ``r`` or ``i``. If operand 0 is ``r``, then operand 1
3220 may be one of ``r`` or ``m``. But, operand 0 and 1 cannot both be of type m.
3222 However, the use of either of the alternatives features is *NOT* recommended, as
3223 LLVM is not able to make an intelligent choice about which one to use. (At the
3224 point it currently needs to choose, not enough information is available to do so
3225 in a smart way.) Thus, it simply tries to make a choice that's most likely to
3226 compile, not one that will be optimal performance. (e.g., given "``rm``", it'll
3227 always choose to use memory, not registers). And, if given multiple registers,
3228 or multiple register classes, it will simply choose the first one. (In fact, it
3229 doesn't currently even ensure explicitly specified physical registers are
3230 unique, so specifying multiple physical registers as alternatives, like
3231 ``{r11}{r12},{r11}{r12}``, will assign r11 to both operands, not at all what was
3234 Supported Constraint Code List
3235 """"""""""""""""""""""""""""""
3237 The constraint codes are, in general, expected to behave the same way they do in
3238 GCC. LLVM's support is often implemented on an 'as-needed' basis, to support C
3239 inline asm code which was supported by GCC. A mismatch in behavior between LLVM
3240 and GCC likely indicates a bug in LLVM.
3242 Some constraint codes are typically supported by all targets:
3244 - ``r``: A register in the target's general purpose register class.
3245 - ``m``: A memory address operand. It is target-specific what addressing modes
3246 are supported, typical examples are register, or register + register offset,
3247 or register + immediate offset (of some target-specific size).
3248 - ``i``: An integer constant (of target-specific width). Allows either a simple
3249 immediate, or a relocatable value.
3250 - ``n``: An integer constant -- *not* including relocatable values.
3251 - ``s``: An integer constant, but allowing *only* relocatable values.
3252 - ``X``: Allows an operand of any kind, no constraint whatsoever. Typically
3253 useful to pass a label for an asm branch or call.
3255 .. FIXME: but that surely isn't actually okay to jump out of an asm
3256 block without telling llvm about the control transfer???)
3258 - ``{register-name}``: Requires exactly the named physical register.
3260 Other constraints are target-specific:
3264 - ``z``: An immediate integer 0. Outputs ``WZR`` or ``XZR``, as appropriate.
3265 - ``I``: An immediate integer valid for an ``ADD`` or ``SUB`` instruction,
3266 i.e. 0 to 4095 with optional shift by 12.
3267 - ``J``: An immediate integer that, when negated, is valid for an ``ADD`` or
3268 ``SUB`` instruction, i.e. -1 to -4095 with optional left shift by 12.
3269 - ``K``: An immediate integer that is valid for the 'bitmask immediate 32' of a
3270 logical instruction like ``AND``, ``EOR``, or ``ORR`` with a 32-bit register.
3271 - ``L``: An immediate integer that is valid for the 'bitmask immediate 64' of a
3272 logical instruction like ``AND``, ``EOR``, or ``ORR`` with a 64-bit register.
3273 - ``M``: An immediate integer for use with the ``MOV`` assembly alias on a
3274 32-bit register. This is a superset of ``K``: in addition to the bitmask
3275 immediate, also allows immediate integers which can be loaded with a single
3276 ``MOVZ`` or ``MOVL`` instruction.
3277 - ``N``: An immediate integer for use with the ``MOV`` assembly alias on a
3278 64-bit register. This is a superset of ``L``.
3279 - ``Q``: Memory address operand must be in a single register (no
3280 offsets). (However, LLVM currently does this for the ``m`` constraint as
3282 - ``r``: A 32 or 64-bit integer register (W* or X*).
3283 - ``w``: A 32, 64, or 128-bit floating-point/SIMD register.
3284 - ``x``: A lower 128-bit floating-point/SIMD register (``V0`` to ``V15``).
3288 - ``r``: A 32 or 64-bit integer register.
3289 - ``[0-9]v``: The 32-bit VGPR register, number 0-9.
3290 - ``[0-9]s``: The 32-bit SGPR register, number 0-9.
3295 - ``Q``, ``Um``, ``Un``, ``Uq``, ``Us``, ``Ut``, ``Uv``, ``Uy``: Memory address
3296 operand. Treated the same as operand ``m``, at the moment.
3298 ARM and ARM's Thumb2 mode:
3300 - ``j``: An immediate integer between 0 and 65535 (valid for ``MOVW``)
3301 - ``I``: An immediate integer valid for a data-processing instruction.
3302 - ``J``: An immediate integer between -4095 and 4095.
3303 - ``K``: An immediate integer whose bitwise inverse is valid for a
3304 data-processing instruction. (Can be used with template modifier "``B``" to
3305 print the inverted value).
3306 - ``L``: An immediate integer whose negation is valid for a data-processing
3307 instruction. (Can be used with template modifier "``n``" to print the negated
3309 - ``M``: A power of two or a integer between 0 and 32.
3310 - ``N``: Invalid immediate constraint.
3311 - ``O``: Invalid immediate constraint.
3312 - ``r``: A general-purpose 32-bit integer register (``r0-r15``).
3313 - ``l``: In Thumb2 mode, low 32-bit GPR registers (``r0-r7``). In ARM mode, same
3315 - ``h``: In Thumb2 mode, a high 32-bit GPR register (``r8-r15``). In ARM mode,
3317 - ``w``: A 32, 64, or 128-bit floating-point/SIMD register: ``s0-s31``,
3318 ``d0-d31``, or ``q0-q15``.
3319 - ``x``: A 32, 64, or 128-bit floating-point/SIMD register: ``s0-s15``,
3320 ``d0-d7``, or ``q0-q3``.
3321 - ``t``: A floating-point/SIMD register, only supports 32-bit values:
3326 - ``I``: An immediate integer between 0 and 255.
3327 - ``J``: An immediate integer between -255 and -1.
3328 - ``K``: An immediate integer between 0 and 255, with optional left-shift by
3330 - ``L``: An immediate integer between -7 and 7.
3331 - ``M``: An immediate integer which is a multiple of 4 between 0 and 1020.
3332 - ``N``: An immediate integer between 0 and 31.
3333 - ``O``: An immediate integer which is a multiple of 4 between -508 and 508.
3334 - ``r``: A low 32-bit GPR register (``r0-r7``).
3335 - ``l``: A low 32-bit GPR register (``r0-r7``).
3336 - ``h``: A high GPR register (``r0-r7``).
3337 - ``w``: A 32, 64, or 128-bit floating-point/SIMD register: ``s0-s31``,
3338 ``d0-d31``, or ``q0-q15``.
3339 - ``x``: A 32, 64, or 128-bit floating-point/SIMD register: ``s0-s15``,
3340 ``d0-d7``, or ``q0-q3``.
3341 - ``t``: A floating-point/SIMD register, only supports 32-bit values:
3347 - ``o``, ``v``: A memory address operand, treated the same as constraint ``m``,
3349 - ``r``: A 32 or 64-bit register.
3353 - ``r``: An 8 or 16-bit register.
3357 - ``I``: An immediate signed 16-bit integer.
3358 - ``J``: An immediate integer zero.
3359 - ``K``: An immediate unsigned 16-bit integer.
3360 - ``L``: An immediate 32-bit integer, where the lower 16 bits are 0.
3361 - ``N``: An immediate integer between -65535 and -1.
3362 - ``O``: An immediate signed 15-bit integer.
3363 - ``P``: An immediate integer between 1 and 65535.
3364 - ``m``: A memory address operand. In MIPS-SE mode, allows a base address
3365 register plus 16-bit immediate offset. In MIPS mode, just a base register.
3366 - ``R``: A memory address operand. In MIPS-SE mode, allows a base address
3367 register plus a 9-bit signed offset. In MIPS mode, the same as constraint
3369 - ``ZC``: A memory address operand, suitable for use in a ``pref``, ``ll``, or
3370 ``sc`` instruction on the given subtarget (details vary).
3371 - ``r``, ``d``, ``y``: A 32 or 64-bit GPR register.
3372 - ``f``: A 32 or 64-bit FPU register (``F0-F31``), or a 128-bit MSA register
3373 (``W0-W31``). In the case of MSA registers, it is recommended to use the ``w``
3374 argument modifier for compatibility with GCC.
3375 - ``c``: A 32-bit or 64-bit GPR register suitable for indirect jump (always
3377 - ``l``: The ``lo`` register, 32 or 64-bit.
3382 - ``b``: A 1-bit integer register.
3383 - ``c`` or ``h``: A 16-bit integer register.
3384 - ``r``: A 32-bit integer register.
3385 - ``l`` or ``N``: A 64-bit integer register.
3386 - ``f``: A 32-bit float register.
3387 - ``d``: A 64-bit float register.
3392 - ``I``: An immediate signed 16-bit integer.
3393 - ``J``: An immediate unsigned 16-bit integer, shifted left 16 bits.
3394 - ``K``: An immediate unsigned 16-bit integer.
3395 - ``L``: An immediate signed 16-bit integer, shifted left 16 bits.
3396 - ``M``: An immediate integer greater than 31.
3397 - ``N``: An immediate integer that is an exact power of 2.
3398 - ``O``: The immediate integer constant 0.
3399 - ``P``: An immediate integer constant whose negation is a signed 16-bit
3401 - ``es``, ``o``, ``Q``, ``Z``, ``Zy``: A memory address operand, currently
3402 treated the same as ``m``.
3403 - ``r``: A 32 or 64-bit integer register.
3404 - ``b``: A 32 or 64-bit integer register, excluding ``R0`` (that is:
3406 - ``f``: A 32 or 64-bit float register (``F0-F31``), or when QPX is enabled, a
3407 128 or 256-bit QPX register (``Q0-Q31``; aliases the ``F`` registers).
3408 - ``v``: For ``4 x f32`` or ``4 x f64`` types, when QPX is enabled, a
3409 128 or 256-bit QPX register (``Q0-Q31``), otherwise a 128-bit
3410 altivec vector register (``V0-V31``).
3412 .. FIXME: is this a bug that v accepts QPX registers? I think this
3413 is supposed to only use the altivec vector registers?
3415 - ``y``: Condition register (``CR0-CR7``).
3416 - ``wc``: An individual CR bit in a CR register.
3417 - ``wa``, ``wd``, ``wf``: Any 128-bit VSX vector register, from the full VSX
3418 register set (overlapping both the floating-point and vector register files).
3419 - ``ws``: A 32 or 64-bit floating point register, from the full VSX register
3424 - ``I``: An immediate 13-bit signed integer.
3425 - ``r``: A 32-bit integer register.
3429 - ``I``: An immediate unsigned 8-bit integer.
3430 - ``J``: An immediate unsigned 12-bit integer.
3431 - ``K``: An immediate signed 16-bit integer.
3432 - ``L``: An immediate signed 20-bit integer.
3433 - ``M``: An immediate integer 0x7fffffff.
3434 - ``Q``, ``R``, ``S``, ``T``: A memory address operand, treated the same as
3435 ``m``, at the moment.
3436 - ``r`` or ``d``: A 32, 64, or 128-bit integer register.
3437 - ``a``: A 32, 64, or 128-bit integer address register (excludes R0, which in an
3438 address context evaluates as zero).
3439 - ``h``: A 32-bit value in the high part of a 64bit data register
3441 - ``f``: A 32, 64, or 128-bit floating point register.
3445 - ``I``: An immediate integer between 0 and 31.
3446 - ``J``: An immediate integer between 0 and 64.
3447 - ``K``: An immediate signed 8-bit integer.
3448 - ``L``: An immediate integer, 0xff or 0xffff or (in 64-bit mode only)
3450 - ``M``: An immediate integer between 0 and 3.
3451 - ``N``: An immediate unsigned 8-bit integer.
3452 - ``O``: An immediate integer between 0 and 127.
3453 - ``e``: An immediate 32-bit signed integer.
3454 - ``Z``: An immediate 32-bit unsigned integer.
3455 - ``o``, ``v``: Treated the same as ``m``, at the moment.
3456 - ``q``: An 8, 16, 32, or 64-bit register which can be accessed as an 8-bit
3457 ``l`` integer register. On X86-32, this is the ``a``, ``b``, ``c``, and ``d``
3458 registers, and on X86-64, it is all of the integer registers.
3459 - ``Q``: An 8, 16, 32, or 64-bit register which can be accessed as an 8-bit
3460 ``h`` integer register. This is the ``a``, ``b``, ``c``, and ``d`` registers.
3461 - ``r`` or ``l``: An 8, 16, 32, or 64-bit integer register.
3462 - ``R``: An 8, 16, 32, or 64-bit "legacy" integer register -- one which has
3463 existed since i386, and can be accessed without the REX prefix.
3464 - ``f``: A 32, 64, or 80-bit '387 FPU stack pseudo-register.
3465 - ``y``: A 64-bit MMX register, if MMX is enabled.
3466 - ``x``: If SSE is enabled: a 32 or 64-bit scalar operand, or 128-bit vector
3467 operand in a SSE register. If AVX is also enabled, can also be a 256-bit
3468 vector operand in an AVX register. If AVX-512 is also enabled, can also be a
3469 512-bit vector operand in an AVX512 register, Otherwise, an error.
3470 - ``Y``: The same as ``x``, if *SSE2* is enabled, otherwise an error.
3471 - ``A``: Special case: allocates EAX first, then EDX, for a single operand (in
3472 32-bit mode, a 64-bit integer operand will get split into two registers). It
3473 is not recommended to use this constraint, as in 64-bit mode, the 64-bit
3474 operand will get allocated only to RAX -- if two 32-bit operands are needed,
3475 you're better off splitting it yourself, before passing it to the asm
3480 - ``r``: A 32-bit integer register.
3483 .. _inline-asm-modifiers:
3485 Asm template argument modifiers
3486 ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
3488 In the asm template string, modifiers can be used on the operand reference, like
3491 The modifiers are, in general, expected to behave the same way they do in
3492 GCC. LLVM's support is often implemented on an 'as-needed' basis, to support C
3493 inline asm code which was supported by GCC. A mismatch in behavior between LLVM
3494 and GCC likely indicates a bug in LLVM.
3498 - ``c``: Print an immediate integer constant unadorned, without
3499 the target-specific immediate punctuation (e.g. no ``$`` prefix).
3500 - ``n``: Negate and print immediate integer constant unadorned, without the
3501 target-specific immediate punctuation (e.g. no ``$`` prefix).
3502 - ``l``: Print as an unadorned label, without the target-specific label
3503 punctuation (e.g. no ``$`` prefix).
3507 - ``w``: Print a GPR register with a ``w*`` name instead of ``x*`` name. E.g.,
3508 instead of ``x30``, print ``w30``.
3509 - ``x``: Print a GPR register with a ``x*`` name. (this is the default, anyhow).
3510 - ``b``, ``h``, ``s``, ``d``, ``q``: Print a floating-point/SIMD register with a
3511 ``b*``, ``h*``, ``s*``, ``d*``, or ``q*`` name, rather than the default of
3520 - ``a``: Print an operand as an address (with ``[`` and ``]`` surrounding a
3524 - ``y``: Print a VFP single-precision register as an indexed double (e.g. print
3525 as ``d4[1]`` instead of ``s9``)
3526 - ``B``: Bitwise invert and print an immediate integer constant without ``#``
3528 - ``L``: Print the low 16-bits of an immediate integer constant.
3529 - ``M``: Print as a register set suitable for ldm/stm. Also prints *all*
3530 register operands subsequent to the specified one (!), so use carefully.
3531 - ``Q``: Print the low-order register of a register-pair, or the low-order
3532 register of a two-register operand.
3533 - ``R``: Print the high-order register of a register-pair, or the high-order
3534 register of a two-register operand.
3535 - ``H``: Print the second register of a register-pair. (On a big-endian system,
3536 ``H`` is equivalent to ``Q``, and on little-endian system, ``H`` is equivalent
3539 .. FIXME: H doesn't currently support printing the second register
3540 of a two-register operand.
3542 - ``e``: Print the low doubleword register of a NEON quad register.
3543 - ``f``: Print the high doubleword register of a NEON quad register.
3544 - ``m``: Print the base register of a memory operand without the ``[`` and ``]``
3549 - ``L``: Print the second register of a two-register operand. Requires that it
3550 has been allocated consecutively to the first.
3552 .. FIXME: why is it restricted to consecutive ones? And there's
3553 nothing that ensures that happens, is there?
3555 - ``I``: Print the letter 'i' if the operand is an integer constant, otherwise
3556 nothing. Used to print 'addi' vs 'add' instructions.
3560 No additional modifiers.
3564 - ``X``: Print an immediate integer as hexadecimal
3565 - ``x``: Print the low 16 bits of an immediate integer as hexadecimal.
3566 - ``d``: Print an immediate integer as decimal.
3567 - ``m``: Subtract one and print an immediate integer as decimal.
3568 - ``z``: Print $0 if an immediate zero, otherwise print normally.
3569 - ``L``: Print the low-order register of a two-register operand, or prints the
3570 address of the low-order word of a double-word memory operand.
3572 .. FIXME: L seems to be missing memory operand support.
3574 - ``M``: Print the high-order register of a two-register operand, or prints the
3575 address of the high-order word of a double-word memory operand.
3577 .. FIXME: M seems to be missing memory operand support.
3579 - ``D``: Print the second register of a two-register operand, or prints the
3580 second word of a double-word memory operand. (On a big-endian system, ``D`` is
3581 equivalent to ``L``, and on little-endian system, ``D`` is equivalent to
3583 - ``w``: No effect. Provided for compatibility with GCC which requires this
3584 modifier in order to print MSA registers (``W0-W31``) with the ``f``
3593 - ``L``: Print the second register of a two-register operand. Requires that it
3594 has been allocated consecutively to the first.
3596 .. FIXME: why is it restricted to consecutive ones? And there's
3597 nothing that ensures that happens, is there?
3599 - ``I``: Print the letter 'i' if the operand is an integer constant, otherwise
3600 nothing. Used to print 'addi' vs 'add' instructions.
3601 - ``y``: For a memory operand, prints formatter for a two-register X-form