LLVM 23.0.0git
Intrinsics.cpp
Go to the documentation of this file.
1//===-- Intrinsics.cpp - Intrinsic Function Handling ------------*- C++ -*-===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// This file implements functions required for supporting intrinsic functions.
10//
11//===----------------------------------------------------------------------===//
12
13#include "llvm/IR/Intrinsics.h"
17#include "llvm/IR/Function.h"
18#include "llvm/IR/IntrinsicsAArch64.h"
19#include "llvm/IR/IntrinsicsAMDGPU.h"
20#include "llvm/IR/IntrinsicsARM.h"
21#include "llvm/IR/IntrinsicsBPF.h"
22#include "llvm/IR/IntrinsicsHexagon.h"
23#include "llvm/IR/IntrinsicsLoongArch.h"
24#include "llvm/IR/IntrinsicsMips.h"
25#include "llvm/IR/IntrinsicsNVPTX.h"
26#include "llvm/IR/IntrinsicsPowerPC.h"
27#include "llvm/IR/IntrinsicsR600.h"
28#include "llvm/IR/IntrinsicsRISCV.h"
29#include "llvm/IR/IntrinsicsS390.h"
30#include "llvm/IR/IntrinsicsSPIRV.h"
31#include "llvm/IR/IntrinsicsVE.h"
32#include "llvm/IR/IntrinsicsX86.h"
33#include "llvm/IR/IntrinsicsXCore.h"
34#include "llvm/IR/Module.h"
36#include "llvm/IR/Type.h"
37
38using namespace llvm;
39
40/// Table of string intrinsic names indexed by enum value.
41#define GET_INTRINSIC_NAME_TABLE
42#include "llvm/IR/IntrinsicImpl.inc"
43
45 assert(id < num_intrinsics && "Invalid intrinsic ID!");
46 return IntrinsicNameTable[IntrinsicNameOffsetTable[id]];
47}
48
50 assert(id < num_intrinsics && "Invalid intrinsic ID!");
52 "This version of getName does not support overloading");
53 return getBaseName(id);
54}
55
56/// Returns a stable mangling for the type specified for use in the name
57/// mangling scheme used by 'any' types in intrinsic signatures. The mangling
58/// of named types is simply their name. Manglings for unnamed types consist
59/// of a prefix ('p' for pointers, 'a' for arrays, 'f_' for functions)
60/// combined with the mangling of their component types. A vararg function
61/// type will have a suffix of 'vararg'. Since function types can contain
62/// other function types, we close a function type mangling with suffix 'f'
63/// which can't be confused with it's prefix. This ensures we don't have
64/// collisions between two unrelated function types. Otherwise, you might
65/// parse ffXX as f(fXX) or f(fX)X. (X is a placeholder for any other type.)
66/// The HasUnnamedType boolean is set if an unnamed type was encountered,
67/// indicating that extra care must be taken to ensure a unique name.
68static std::string getMangledTypeStr(Type *Ty, bool &HasUnnamedType) {
69 std::string Result;
70 if (PointerType *PTyp = dyn_cast<PointerType>(Ty)) {
71 Result += "p" + utostr(PTyp->getAddressSpace());
72 } else if (ArrayType *ATyp = dyn_cast<ArrayType>(Ty)) {
73 Result += "a" + utostr(ATyp->getNumElements()) +
74 getMangledTypeStr(ATyp->getElementType(), HasUnnamedType);
75 } else if (StructType *STyp = dyn_cast<StructType>(Ty)) {
76 if (!STyp->isLiteral()) {
77 Result += "s_";
78 if (STyp->hasName())
79 Result += STyp->getName();
80 else
81 HasUnnamedType = true;
82 } else {
83 Result += "sl_";
84 for (auto *Elem : STyp->elements())
85 Result += getMangledTypeStr(Elem, HasUnnamedType);
86 }
87 // Ensure nested structs are distinguishable.
88 Result += "s";
89 } else if (FunctionType *FT = dyn_cast<FunctionType>(Ty)) {
90 Result += "f_" + getMangledTypeStr(FT->getReturnType(), HasUnnamedType);
91 for (size_t i = 0; i < FT->getNumParams(); i++)
92 Result += getMangledTypeStr(FT->getParamType(i), HasUnnamedType);
93 if (FT->isVarArg())
94 Result += "vararg";
95 // Ensure nested function types are distinguishable.
96 Result += "f";
97 } else if (VectorType *VTy = dyn_cast<VectorType>(Ty)) {
98 ElementCount EC = VTy->getElementCount();
99 if (EC.isScalable())
100 Result += "nx";
101 Result += "v" + utostr(EC.getKnownMinValue()) +
102 getMangledTypeStr(VTy->getElementType(), HasUnnamedType);
103 } else if (TargetExtType *TETy = dyn_cast<TargetExtType>(Ty)) {
104 Result += "t";
105 Result += TETy->getName();
106 for (Type *ParamTy : TETy->type_params())
107 Result += "_" + getMangledTypeStr(ParamTy, HasUnnamedType);
108 for (unsigned IntParam : TETy->int_params())
109 Result += "_" + utostr(IntParam);
110 // Ensure nested target extension types are distinguishable.
111 Result += "t";
112 } else if (Ty) {
113 switch (Ty->getTypeID()) {
114 default:
115 llvm_unreachable("Unhandled type");
116 case Type::VoidTyID:
117 Result += "isVoid";
118 break;
120 Result += "Metadata";
121 break;
122 case Type::HalfTyID:
123 Result += "f16";
124 break;
125 case Type::BFloatTyID:
126 Result += "bf16";
127 break;
128 case Type::FloatTyID:
129 Result += "f32";
130 break;
131 case Type::DoubleTyID:
132 Result += "f64";
133 break;
135 Result += "f80";
136 break;
137 case Type::FP128TyID:
138 Result += "f128";
139 break;
141 Result += "ppcf128";
142 break;
144 Result += "x86amx";
145 break;
147 Result += "i" + utostr(cast<IntegerType>(Ty)->getBitWidth());
148 break;
149 case Type::ByteTyID:
150 Result += "b" + utostr(cast<ByteType>(Ty)->getBitWidth());
151 break;
152 }
153 }
154 return Result;
155}
156
158 Module *M, FunctionType *FT,
159 bool EarlyModuleCheck) {
160
161 assert(Id < Intrinsic::num_intrinsics && "Invalid intrinsic ID!");
162 assert((Tys.empty() || Intrinsic::isOverloaded(Id)) &&
163 "This version of getName is for overloaded intrinsics only");
164 (void)EarlyModuleCheck;
165 assert((!EarlyModuleCheck || M ||
166 !any_of(Tys, [](Type *T) { return isa<PointerType>(T); })) &&
167 "Intrinsic overloading on pointer types need to provide a Module");
168 bool HasUnnamedType = false;
169 std::string Result(Intrinsic::getBaseName(Id));
170 for (Type *Ty : Tys)
171 Result += "." + getMangledTypeStr(Ty, HasUnnamedType);
172 if (HasUnnamedType) {
173 assert(M && "unnamed types need a module");
174 if (!FT)
175 FT = Intrinsic::getType(M->getContext(), Id, Tys);
176 else
177 assert((FT == Intrinsic::getType(M->getContext(), Id, Tys)) &&
178 "Provided FunctionType must match arguments");
179 return M->getUniqueIntrinsicName(Result, Id, FT);
180 }
181 return Result;
182}
183
185 FunctionType *FT) {
186 assert(M && "We need to have a Module");
187 return getIntrinsicNameImpl(Id, Tys, M, FT, true);
188}
189
191 return getIntrinsicNameImpl(Id, Tys, nullptr, nullptr, false);
192}
193
194/// IIT_Info - These are enumerators that describe the entries returned by the
195/// getIntrinsicInfoTableEntries function.
196///
197/// Defined in Intrinsics.td.
199#define GET_INTRINSIC_IITINFO
200#include "llvm/IR/IntrinsicImpl.inc"
201};
202
203static void
204DecodeIITType(unsigned &NextElt, ArrayRef<unsigned char> Infos,
205 IIT_Info LastInfo,
207 using namespace Intrinsic;
208
209 bool IsScalableVector = (LastInfo == IIT_SCALABLE_VEC);
210
211 IIT_Info Info = IIT_Info(Infos[NextElt++]);
212
213 switch (Info) {
214 case IIT_Done:
215 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Void, 0));
216 return;
217 case IIT_VARARG:
218 OutputTable.push_back(IITDescriptor::get(IITDescriptor::VarArg, 0));
219 return;
220 case IIT_MMX:
221 OutputTable.push_back(IITDescriptor::get(IITDescriptor::MMX, 0));
222 return;
223 case IIT_AMX:
224 OutputTable.push_back(IITDescriptor::get(IITDescriptor::AMX, 0));
225 return;
226 case IIT_TOKEN:
227 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Token, 0));
228 return;
229 case IIT_METADATA:
230 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Metadata, 0));
231 return;
232 case IIT_F16:
233 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Half, 0));
234 return;
235 case IIT_BF16:
236 OutputTable.push_back(IITDescriptor::get(IITDescriptor::BFloat, 0));
237 return;
238 case IIT_F32:
239 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Float, 0));
240 return;
241 case IIT_F64:
242 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Double, 0));
243 return;
244 case IIT_F128:
245 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Quad, 0));
246 return;
247 case IIT_PPCF128:
248 OutputTable.push_back(IITDescriptor::get(IITDescriptor::PPCQuad, 0));
249 return;
250 case IIT_I1:
251 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Integer, 1));
252 return;
253 case IIT_I2:
254 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Integer, 2));
255 return;
256 case IIT_I4:
257 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Integer, 4));
258 return;
259 case IIT_AARCH64_SVCOUNT:
260 OutputTable.push_back(IITDescriptor::get(IITDescriptor::AArch64Svcount, 0));
261 return;
262 case IIT_I8:
263 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Integer, 8));
264 return;
265 case IIT_I16:
266 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Integer, 16));
267 return;
268 case IIT_I32:
269 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Integer, 32));
270 return;
271 case IIT_I64:
272 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Integer, 64));
273 return;
274 case IIT_I128:
275 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Integer, 128));
276 return;
277 case IIT_V1:
278 OutputTable.push_back(IITDescriptor::getVector(1, IsScalableVector));
279 DecodeIITType(NextElt, Infos, Info, OutputTable);
280 return;
281 case IIT_V2:
282 OutputTable.push_back(IITDescriptor::getVector(2, IsScalableVector));
283 DecodeIITType(NextElt, Infos, Info, OutputTable);
284 return;
285 case IIT_V3:
286 OutputTable.push_back(IITDescriptor::getVector(3, IsScalableVector));
287 DecodeIITType(NextElt, Infos, Info, OutputTable);
288 return;
289 case IIT_V4:
290 OutputTable.push_back(IITDescriptor::getVector(4, IsScalableVector));
291 DecodeIITType(NextElt, Infos, Info, OutputTable);
292 return;
293 case IIT_V6:
294 OutputTable.push_back(IITDescriptor::getVector(6, IsScalableVector));
295 DecodeIITType(NextElt, Infos, Info, OutputTable);
296 return;
297 case IIT_V8:
298 OutputTable.push_back(IITDescriptor::getVector(8, IsScalableVector));
299 DecodeIITType(NextElt, Infos, Info, OutputTable);
300 return;
301 case IIT_V10:
302 OutputTable.push_back(IITDescriptor::getVector(10, IsScalableVector));
303 DecodeIITType(NextElt, Infos, Info, OutputTable);
304 return;
305 case IIT_V16:
306 OutputTable.push_back(IITDescriptor::getVector(16, IsScalableVector));
307 DecodeIITType(NextElt, Infos, Info, OutputTable);
308 return;
309 case IIT_V32:
310 OutputTable.push_back(IITDescriptor::getVector(32, IsScalableVector));
311 DecodeIITType(NextElt, Infos, Info, OutputTable);
312 return;
313 case IIT_V64:
314 OutputTable.push_back(IITDescriptor::getVector(64, IsScalableVector));
315 DecodeIITType(NextElt, Infos, Info, OutputTable);
316 return;
317 case IIT_V128:
318 OutputTable.push_back(IITDescriptor::getVector(128, IsScalableVector));
319 DecodeIITType(NextElt, Infos, Info, OutputTable);
320 return;
321 case IIT_V256:
322 OutputTable.push_back(IITDescriptor::getVector(256, IsScalableVector));
323 DecodeIITType(NextElt, Infos, Info, OutputTable);
324 return;
325 case IIT_V512:
326 OutputTable.push_back(IITDescriptor::getVector(512, IsScalableVector));
327 DecodeIITType(NextElt, Infos, Info, OutputTable);
328 return;
329 case IIT_V1024:
330 OutputTable.push_back(IITDescriptor::getVector(1024, IsScalableVector));
331 DecodeIITType(NextElt, Infos, Info, OutputTable);
332 return;
333 case IIT_V2048:
334 OutputTable.push_back(IITDescriptor::getVector(2048, IsScalableVector));
335 DecodeIITType(NextElt, Infos, Info, OutputTable);
336 return;
337 case IIT_V4096:
338 OutputTable.push_back(IITDescriptor::getVector(4096, IsScalableVector));
339 DecodeIITType(NextElt, Infos, Info, OutputTable);
340 return;
341 case IIT_EXTERNREF:
342 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Pointer, 10));
343 return;
344 case IIT_FUNCREF:
345 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Pointer, 20));
346 return;
347 case IIT_PTR:
348 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Pointer, 0));
349 return;
350 case IIT_ANYPTR: // [ANYPTR addrspace]
351 OutputTable.push_back(
352 IITDescriptor::get(IITDescriptor::Pointer, Infos[NextElt++]));
353 return;
354 case IIT_ARG: {
355 unsigned ArgInfo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
356 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Argument, ArgInfo));
357 return;
358 }
359 case IIT_EXTEND_ARG: {
360 unsigned ArgInfo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
361 OutputTable.push_back(
362 IITDescriptor::get(IITDescriptor::ExtendArgument, ArgInfo));
363 return;
364 }
365 case IIT_TRUNC_ARG: {
366 unsigned ArgInfo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
367 OutputTable.push_back(
368 IITDescriptor::get(IITDescriptor::TruncArgument, ArgInfo));
369 return;
370 }
371 case IIT_ONE_NTH_ELTS_VEC_ARG: {
372 unsigned short ArgNo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
373 unsigned short N = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
374 OutputTable.push_back(
375 IITDescriptor::get(IITDescriptor::OneNthEltsVecArgument, N, ArgNo));
376 return;
377 }
378 case IIT_SAME_VEC_WIDTH_ARG: {
379 unsigned ArgInfo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
380 OutputTable.push_back(
381 IITDescriptor::get(IITDescriptor::SameVecWidthArgument, ArgInfo));
382 return;
383 }
384 case IIT_VEC_OF_ANYPTRS_TO_ELT: {
385 unsigned short ArgNo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
386 unsigned short RefNo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
387 OutputTable.push_back(
388 IITDescriptor::get(IITDescriptor::VecOfAnyPtrsToElt, ArgNo, RefNo));
389 return;
390 }
391 case IIT_EMPTYSTRUCT:
392 OutputTable.push_back(IITDescriptor::get(IITDescriptor::Struct, 0));
393 return;
394 case IIT_STRUCT: {
395 unsigned StructElts = Infos[NextElt++] + 2;
396
397 OutputTable.push_back(
398 IITDescriptor::get(IITDescriptor::Struct, StructElts));
399
400 for (unsigned i = 0; i != StructElts; ++i)
401 DecodeIITType(NextElt, Infos, Info, OutputTable);
402 return;
403 }
404 case IIT_SUBDIVIDE2_ARG: {
405 unsigned ArgInfo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
406 OutputTable.push_back(
407 IITDescriptor::get(IITDescriptor::Subdivide2Argument, ArgInfo));
408 return;
409 }
410 case IIT_SUBDIVIDE4_ARG: {
411 unsigned ArgInfo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
412 OutputTable.push_back(
413 IITDescriptor::get(IITDescriptor::Subdivide4Argument, ArgInfo));
414 return;
415 }
416 case IIT_VEC_ELEMENT: {
417 unsigned ArgInfo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
418 OutputTable.push_back(
419 IITDescriptor::get(IITDescriptor::VecElementArgument, ArgInfo));
420 return;
421 }
422 case IIT_SCALABLE_VEC: {
423 DecodeIITType(NextElt, Infos, Info, OutputTable);
424 return;
425 }
426 case IIT_VEC_OF_BITCASTS_TO_INT: {
427 unsigned ArgInfo = (NextElt == Infos.size() ? 0 : Infos[NextElt++]);
428 OutputTable.push_back(
429 IITDescriptor::get(IITDescriptor::VecOfBitcastsToInt, ArgInfo));
430 return;
431 }
432 }
433 llvm_unreachable("unhandled");
434}
435
436#define GET_INTRINSIC_GENERATOR_GLOBAL
437#include "llvm/IR/IntrinsicImpl.inc"
438
441 // Note that `FixedEncodingTy` is defined in IntrinsicImpl.inc and can be
442 // uint16_t or uint32_t based on the the value of `Use16BitFixedEncoding` in
443 // IntrinsicEmitter.cpp.
444 constexpr unsigned FixedEncodingBits = sizeof(FixedEncodingTy) * CHAR_BIT;
445 constexpr unsigned MSBPosition = FixedEncodingBits - 1;
446 // Mask with all bits 1 except the most significant bit.
447 constexpr unsigned Mask = (1U << MSBPosition) - 1;
448
449 FixedEncodingTy TableVal = IIT_Table[id - 1];
450
451 // Array to hold the inlined fixed encoding values expanded from nibbles to
452 // bytes. Its size can be be atmost FixedEncodingBits / 4 i.e., number
453 // of nibbles that can fit in `FixedEncodingTy`.
454 unsigned char IITValues[FixedEncodingBits / 4];
455
456 ArrayRef<unsigned char> IITEntries;
457 unsigned NextElt = 0;
458 // Check to see if the intrinsic's type was inlined in the fixed encoding
459 // table.
460 if (TableVal >> MSBPosition) {
461 // This is an offset into the IIT_LongEncodingTable.
462 IITEntries = IIT_LongEncodingTable;
463
464 // Strip sentinel bit.
465 NextElt = TableVal & Mask;
466 } else {
467 // If the entry was encoded into a single word in the table itself, decode
468 // it from an array of nibbles to an array of bytes.
469 do {
470 IITValues[NextElt++] = TableVal & 0xF;
471 TableVal >>= 4;
472 } while (TableVal);
473
474 IITEntries = ArrayRef(IITValues).take_front(NextElt);
475 NextElt = 0;
476 }
477
478 // Okay, decode the table into the output vector of IITDescriptors.
479 DecodeIITType(NextElt, IITEntries, IIT_Done, T);
480 while (NextElt != IITEntries.size() && IITEntries[NextElt] != 0)
481 DecodeIITType(NextElt, IITEntries, IIT_Done, T);
482}
483
485 ArrayRef<Type *> Tys, LLVMContext &Context) {
486 using namespace Intrinsic;
487
488 IITDescriptor D = Infos.front();
489 Infos = Infos.slice(1);
490
491 switch (D.Kind) {
492 case IITDescriptor::Void:
493 return Type::getVoidTy(Context);
494 case IITDescriptor::VarArg:
495 return Type::getVoidTy(Context);
496 case IITDescriptor::MMX:
498 case IITDescriptor::AMX:
499 return Type::getX86_AMXTy(Context);
500 case IITDescriptor::Token:
501 return Type::getTokenTy(Context);
502 case IITDescriptor::Metadata:
503 return Type::getMetadataTy(Context);
504 case IITDescriptor::Half:
505 return Type::getHalfTy(Context);
506 case IITDescriptor::BFloat:
507 return Type::getBFloatTy(Context);
508 case IITDescriptor::Float:
509 return Type::getFloatTy(Context);
510 case IITDescriptor::Double:
511 return Type::getDoubleTy(Context);
512 case IITDescriptor::Quad:
513 return Type::getFP128Ty(Context);
514 case IITDescriptor::PPCQuad:
515 return Type::getPPC_FP128Ty(Context);
516 case IITDescriptor::AArch64Svcount:
517 return TargetExtType::get(Context, "aarch64.svcount");
518
519 case IITDescriptor::Integer:
520 return IntegerType::get(Context, D.IntegerWidth);
521 case IITDescriptor::Vector:
522 return VectorType::get(DecodeFixedType(Infos, Tys, Context), D.VectorWidth);
523 case IITDescriptor::Pointer:
524 return PointerType::get(Context, D.PointerAddressSpace);
525 case IITDescriptor::Struct: {
527 for (unsigned i = 0, e = D.StructNumElements; i != e; ++i)
528 Elts.push_back(DecodeFixedType(Infos, Tys, Context));
529 return StructType::get(Context, Elts);
530 }
531 case IITDescriptor::Argument:
532 return Tys[D.getArgumentNumber()];
533 case IITDescriptor::ExtendArgument: {
534 Type *Ty = Tys[D.getArgumentNumber()];
535 if (VectorType *VTy = dyn_cast<VectorType>(Ty))
537
538 return IntegerType::get(Context, 2 * cast<IntegerType>(Ty)->getBitWidth());
539 }
540 case IITDescriptor::TruncArgument: {
541 Type *Ty = Tys[D.getArgumentNumber()];
542 if (VectorType *VTy = dyn_cast<VectorType>(Ty))
544
546 assert(ITy->getBitWidth() % 2 == 0);
547 return IntegerType::get(Context, ITy->getBitWidth() / 2);
548 }
549 case IITDescriptor::Subdivide2Argument:
550 case IITDescriptor::Subdivide4Argument: {
551 Type *Ty = Tys[D.getArgumentNumber()];
553 assert(VTy && "Expected an argument of Vector Type");
554 int SubDivs = D.Kind == IITDescriptor::Subdivide2Argument ? 1 : 2;
555 return VectorType::getSubdividedVectorType(VTy, SubDivs);
556 }
557 case IITDescriptor::OneNthEltsVecArgument:
559 cast<VectorType>(Tys[D.getRefArgNumber()]), D.getVectorDivisor());
560 case IITDescriptor::SameVecWidthArgument: {
561 Type *EltTy = DecodeFixedType(Infos, Tys, Context);
562 Type *Ty = Tys[D.getArgumentNumber()];
563 if (auto *VTy = dyn_cast<VectorType>(Ty))
564 return VectorType::get(EltTy, VTy->getElementCount());
565 return EltTy;
566 }
567 case IITDescriptor::VecElementArgument: {
568 Type *Ty = Tys[D.getArgumentNumber()];
569 if (VectorType *VTy = dyn_cast<VectorType>(Ty))
570 return VTy->getElementType();
571 llvm_unreachable("Expected an argument of Vector Type");
572 }
573 case IITDescriptor::VecOfBitcastsToInt: {
574 Type *Ty = Tys[D.getArgumentNumber()];
576 assert(VTy && "Expected an argument of Vector Type");
577 return VectorType::getInteger(VTy);
578 }
579 case IITDescriptor::VecOfAnyPtrsToElt:
580 // Return the overloaded type (which determines the pointers address space)
581 return Tys[D.getOverloadArgNumber()];
582 }
583 llvm_unreachable("unhandled");
584}
585
587 ArrayRef<Type *> Tys) {
590
592 Type *ResultTy = DecodeFixedType(TableRef, Tys, Context);
593
595 while (!TableRef.empty())
596 ArgTys.push_back(DecodeFixedType(TableRef, Tys, Context));
597
598 // DecodeFixedType returns Void for IITDescriptor::Void and
599 // IITDescriptor::VarArg If we see void type as the type of the last argument,
600 // it is vararg intrinsic
601 if (!ArgTys.empty() && ArgTys.back()->isVoidTy()) {
602 ArgTys.pop_back();
603 return FunctionType::get(ResultTy, ArgTys, true);
604 }
605 return FunctionType::get(ResultTy, ArgTys, false);
606}
607
609#define GET_INTRINSIC_OVERLOAD_TABLE
610#include "llvm/IR/IntrinsicImpl.inc"
611}
612
614#define GET_INTRINSIC_PRETTY_PRINT_TABLE
615#include "llvm/IR/IntrinsicImpl.inc"
616}
617
618/// Table of per-target intrinsic name tables.
619#define GET_INTRINSIC_TARGET_DATA
620#include "llvm/IR/IntrinsicImpl.inc"
621
623 return IID > TargetInfos[0].Count;
624}
625
626/// Looks up Name in NameTable via binary search. NameTable must be sorted
627/// and all entries must start with "llvm.". If NameTable contains an exact
628/// match for Name or a prefix of Name followed by a dot, its index in
629/// NameTable is returned. Otherwise, -1 is returned.
631 StringRef Name, StringRef Target = "") {
632 assert(Name.starts_with("llvm.") && "Unexpected intrinsic prefix");
633 assert(Name.drop_front(5).starts_with(Target) && "Unexpected target");
634
635 // Do successive binary searches of the dotted name components. For
636 // "llvm.gc.experimental.statepoint.p1i8.p1i32", we will find the range of
637 // intrinsics starting with "llvm.gc", then "llvm.gc.experimental", then
638 // "llvm.gc.experimental.statepoint", and then we will stop as the range is
639 // size 1. During the search, we can skip the prefix that we already know is
640 // identical. By using strncmp we consider names with differing suffixes to
641 // be part of the equal range.
642 size_t CmpEnd = 4; // Skip the "llvm" component.
643 if (!Target.empty())
644 CmpEnd += 1 + Target.size(); // skip the .target component.
645
646 const unsigned *Low = NameOffsetTable.begin();
647 const unsigned *High = NameOffsetTable.end();
648 const unsigned *LastLow = Low;
649 while (CmpEnd < Name.size() && High - Low > 0) {
650 size_t CmpStart = CmpEnd;
651 CmpEnd = Name.find('.', CmpStart + 1);
652 CmpEnd = CmpEnd == StringRef::npos ? Name.size() : CmpEnd;
653 auto Cmp = [CmpStart, CmpEnd](auto LHS, auto RHS) {
654 // `equal_range` requires the comparison to work with either side being an
655 // offset or the value. Detect which kind each side is to set up the
656 // compared strings.
657 const char *LHSStr;
658 if constexpr (std::is_integral_v<decltype(LHS)>)
659 LHSStr = IntrinsicNameTable.getCString(LHS);
660 else
661 LHSStr = LHS;
662
663 const char *RHSStr;
664 if constexpr (std::is_integral_v<decltype(RHS)>)
665 RHSStr = IntrinsicNameTable.getCString(RHS);
666 else
667 RHSStr = RHS;
668
669 return strncmp(LHSStr + CmpStart, RHSStr + CmpStart, CmpEnd - CmpStart) <
670 0;
671 };
672 LastLow = Low;
673 std::tie(Low, High) = std::equal_range(Low, High, Name.data(), Cmp);
674 }
675 if (High - Low > 0)
676 LastLow = Low;
677
678 if (LastLow == NameOffsetTable.end())
679 return -1;
680 StringRef NameFound = IntrinsicNameTable[*LastLow];
681 if (Name == NameFound ||
682 (Name.starts_with(NameFound) && Name[NameFound.size()] == '.'))
683 return LastLow - NameOffsetTable.begin();
684 return -1;
685}
686
687/// Find the segment of \c IntrinsicNameOffsetTable for intrinsics with the same
688/// target as \c Name, or the generic table if \c Name is not target specific.
689///
690/// Returns the relevant slice of \c IntrinsicNameOffsetTable and the target
691/// name.
692static std::pair<ArrayRef<unsigned>, StringRef>
694 assert(Name.starts_with("llvm."));
695
696 ArrayRef<IntrinsicTargetInfo> Targets(TargetInfos);
697 // Drop "llvm." and take the first dotted component. That will be the target
698 // if this is target specific.
699 StringRef Target = Name.drop_front(5).split('.').first;
700 auto It = partition_point(
701 Targets, [=](const IntrinsicTargetInfo &TI) { return TI.Name < Target; });
702 // We've either found the target or just fall back to the generic set, which
703 // is always first.
704 const auto &TI = It != Targets.end() && It->Name == Target ? *It : Targets[0];
705 return {ArrayRef(&IntrinsicNameOffsetTable[1] + TI.Offset, TI.Count),
706 TI.Name};
707}
708
709/// This does the actual lookup of an intrinsic ID which matches the given
710/// function name.
712 auto [NameOffsetTable, Target] = findTargetSubtable(Name);
713 int Idx = lookupLLVMIntrinsicByName(NameOffsetTable, Name, Target);
714 if (Idx == -1)
716
717 // Intrinsic IDs correspond to the location in IntrinsicNameTable, but we have
718 // an index into a sub-table.
719 int Adjust = NameOffsetTable.data() - IntrinsicNameOffsetTable;
720 Intrinsic::ID ID = static_cast<Intrinsic::ID>(Idx + Adjust);
721
722 // If the intrinsic is not overloaded, require an exact match. If it is
723 // overloaded, require either exact or prefix match.
724 const auto MatchSize = IntrinsicNameTable[NameOffsetTable[Idx]].size();
725 assert(Name.size() >= MatchSize && "Expected either exact or prefix match");
726 bool IsExactMatch = Name.size() == MatchSize;
727 return IsExactMatch || Intrinsic::isOverloaded(ID) ? ID
729}
730
731/// This defines the "Intrinsic::getAttributes(ID id)" method.
732#define GET_INTRINSIC_ATTRIBUTES
733#include "llvm/IR/IntrinsicImpl.inc"
734
736 Intrinsic::ID id,
738 FunctionType *FT) {
740 M->getOrInsertFunction(Tys.empty() ? Intrinsic::getName(id)
741 : Intrinsic::getName(id, Tys, M, FT),
742 FT)
743 .getCallee());
744 if (F->getFunctionType() == FT)
745 return F;
746
747 // It's possible that a declaration for this intrinsic already exists with an
748 // incorrect signature, if the signature has changed, but this particular
749 // declaration has not been auto-upgraded yet. In that case, rename the
750 // invalid declaration and insert a new one with the correct signature. The
751 // invalid declaration will get upgraded later.
752 F->setName(F->getName() + ".invalid");
753 return cast<Function>(
754 M->getOrInsertFunction(Tys.empty() ? Intrinsic::getName(id)
755 : Intrinsic::getName(id, Tys, M, FT),
756 FT)
757 .getCallee());
758}
759
761 ArrayRef<Type *> Tys) {
762 // There can never be multiple globals with the same name of different types,
763 // because intrinsics must be a specific type.
764 FunctionType *FT = getType(M->getContext(), id, Tys);
765 return getOrInsertIntrinsicDeclarationImpl(M, id, Tys, FT);
766}
767
769 ArrayRef<Type *> ArgTys) {
770 // If the intrinsic is not overloaded, use the non-overloaded version.
772 return getOrInsertDeclaration(M, id);
773
774 // Get the intrinsic signature metadata.
778
779 FunctionType *FTy = FunctionType::get(RetTy, ArgTys, /*isVarArg=*/false);
780
781 // Automatically determine the overloaded types.
782 SmallVector<Type *, 4> OverloadTys;
783 [[maybe_unused]] Intrinsic::MatchIntrinsicTypesResult Res =
784 matchIntrinsicSignature(FTy, TableRef, OverloadTys);
786 "intrinsic signature mismatch");
787
788 // If intrinsic requires vararg, recreate the FunctionType accordingly.
789 if (!matchIntrinsicVarArg(/*isVarArg=*/true, TableRef))
790 FTy = FunctionType::get(RetTy, ArgTys, /*isVarArg=*/true);
791
792 assert(TableRef.empty() && "Unprocessed descriptors remain");
793
794 return getOrInsertIntrinsicDeclarationImpl(M, id, OverloadTys, FTy);
795}
796
798 return M->getFunction(getName(id));
799}
800
803 FunctionType *FT) {
804 return M->getFunction(getName(id, Tys, M, FT));
805}
806
807// This defines the "Intrinsic::getIntrinsicForClangBuiltin()" method.
808#define GET_LLVM_INTRINSIC_FOR_CLANG_BUILTIN
809#include "llvm/IR/IntrinsicImpl.inc"
810
811// This defines the "Intrinsic::getIntrinsicForMSBuiltin()" method.
812#define GET_LLVM_INTRINSIC_FOR_MS_BUILTIN
813#include "llvm/IR/IntrinsicImpl.inc"
814
816 switch (QID) {
817#define INSTRUCTION(NAME, NARG, ROUND_MODE, INTRINSIC) \
818 case Intrinsic::INTRINSIC:
819#include "llvm/IR/ConstrainedOps.def"
820#undef INSTRUCTION
821 return true;
822 default:
823 return false;
824 }
825}
826
828 switch (QID) {
829#define INSTRUCTION(NAME, NARG, ROUND_MODE, INTRINSIC) \
830 case Intrinsic::INTRINSIC: \
831 return ROUND_MODE == 1;
832#include "llvm/IR/ConstrainedOps.def"
833#undef INSTRUCTION
834 default:
835 return false;
836 }
837}
838
840 std::pair<Type *, ArrayRef<Intrinsic::IITDescriptor>>;
841
842static bool
846 bool IsDeferredCheck) {
847 using namespace Intrinsic;
848
849 // If we ran out of descriptors, there are too many arguments.
850 if (Infos.empty())
851 return true;
852
853 // Do this before slicing off the 'front' part
854 auto InfosRef = Infos;
855 auto DeferCheck = [&DeferredChecks, &InfosRef](Type *T) {
856 DeferredChecks.emplace_back(T, InfosRef);
857 return false;
858 };
859
860 IITDescriptor D = Infos.front();
861 Infos = Infos.slice(1);
862
863 switch (D.Kind) {
864 case IITDescriptor::Void:
865 return !Ty->isVoidTy();
866 case IITDescriptor::VarArg:
867 return true;
868 case IITDescriptor::MMX: {
870 return !VT || VT->getNumElements() != 1 ||
871 !VT->getElementType()->isIntegerTy(64);
872 }
873 case IITDescriptor::AMX:
874 return !Ty->isX86_AMXTy();
875 case IITDescriptor::Token:
876 return !Ty->isTokenTy();
877 case IITDescriptor::Metadata:
878 return !Ty->isMetadataTy();
879 case IITDescriptor::Half:
880 return !Ty->isHalfTy();
881 case IITDescriptor::BFloat:
882 return !Ty->isBFloatTy();
883 case IITDescriptor::Float:
884 return !Ty->isFloatTy();
885 case IITDescriptor::Double:
886 return !Ty->isDoubleTy();
887 case IITDescriptor::Quad:
888 return !Ty->isFP128Ty();
889 case IITDescriptor::PPCQuad:
890 return !Ty->isPPC_FP128Ty();
891 case IITDescriptor::Integer:
892 return !Ty->isIntegerTy(D.IntegerWidth);
893 case IITDescriptor::AArch64Svcount:
894 return !isa<TargetExtType>(Ty) ||
895 cast<TargetExtType>(Ty)->getName() != "aarch64.svcount";
896 case IITDescriptor::Vector: {
898 return !VT || VT->getElementCount() != D.VectorWidth ||
899 matchIntrinsicType(VT->getElementType(), Infos, ArgTys,
900 DeferredChecks, IsDeferredCheck);
901 }
902 case IITDescriptor::Pointer: {
904 return !PT || PT->getAddressSpace() != D.PointerAddressSpace;
905 }
906
907 case IITDescriptor::Struct: {
909 if (!ST || !ST->isLiteral() || ST->isPacked() ||
910 ST->getNumElements() != D.StructNumElements)
911 return true;
912
913 for (unsigned i = 0, e = D.StructNumElements; i != e; ++i)
914 if (matchIntrinsicType(ST->getElementType(i), Infos, ArgTys,
915 DeferredChecks, IsDeferredCheck))
916 return true;
917 return false;
918 }
919
920 case IITDescriptor::Argument:
921 // If this is the second occurrence of an argument,
922 // verify that the later instance matches the previous instance.
923 if (D.getArgumentNumber() < ArgTys.size())
924 return Ty != ArgTys[D.getArgumentNumber()];
925
926 if (D.getArgumentNumber() > ArgTys.size() ||
927 D.getArgumentKind() == IITDescriptor::AK_MatchType)
928 return IsDeferredCheck || DeferCheck(Ty);
929
930 assert(D.getArgumentNumber() == ArgTys.size() && !IsDeferredCheck &&
931 "Table consistency error");
932 ArgTys.push_back(Ty);
933
934 switch (D.getArgumentKind()) {
935 case IITDescriptor::AK_Any:
936 return false; // Success
937 case IITDescriptor::AK_AnyInteger:
938 return !Ty->isIntOrIntVectorTy();
939 case IITDescriptor::AK_AnyFloat:
940 return !Ty->isFPOrFPVectorTy();
941 case IITDescriptor::AK_AnyVector:
942 return !isa<VectorType>(Ty);
943 case IITDescriptor::AK_AnyPointer:
944 return !isa<PointerType>(Ty);
945 default:
946 break;
947 }
948 llvm_unreachable("all argument kinds not covered");
949
950 case IITDescriptor::ExtendArgument: {
951 // If this is a forward reference, defer the check for later.
952 if (D.getArgumentNumber() >= ArgTys.size())
953 return IsDeferredCheck || DeferCheck(Ty);
954
955 Type *NewTy = ArgTys[D.getArgumentNumber()];
956 if (VectorType *VTy = dyn_cast<VectorType>(NewTy))
958 else if (IntegerType *ITy = dyn_cast<IntegerType>(NewTy))
959 NewTy = IntegerType::get(ITy->getContext(), 2 * ITy->getBitWidth());
960 else
961 return true;
962
963 return Ty != NewTy;
964 }
965 case IITDescriptor::TruncArgument: {
966 // If this is a forward reference, defer the check for later.
967 if (D.getArgumentNumber() >= ArgTys.size())
968 return IsDeferredCheck || DeferCheck(Ty);
969
970 Type *NewTy = ArgTys[D.getArgumentNumber()];
971 if (VectorType *VTy = dyn_cast<VectorType>(NewTy))
973 else if (IntegerType *ITy = dyn_cast<IntegerType>(NewTy))
974 NewTy = IntegerType::get(ITy->getContext(), ITy->getBitWidth() / 2);
975 else
976 return true;
977
978 return Ty != NewTy;
979 }
980 case IITDescriptor::OneNthEltsVecArgument: {
981 // If this is a forward reference, defer the check for later.
982 if (D.getRefArgNumber() >= ArgTys.size())
983 return IsDeferredCheck || DeferCheck(Ty);
984 auto *VTy = dyn_cast<VectorType>(ArgTys[D.getRefArgNumber()]);
985 if (!VTy)
986 return true;
987 if (!VTy->getElementCount().isKnownMultipleOf(D.getVectorDivisor()))
988 return true;
989 return VectorType::getOneNthElementsVectorType(VTy, D.getVectorDivisor()) !=
990 Ty;
991 }
992 case IITDescriptor::SameVecWidthArgument: {
993 if (D.getArgumentNumber() >= ArgTys.size()) {
994 // Defer check and subsequent check for the vector element type.
995 Infos = Infos.slice(1);
996 return IsDeferredCheck || DeferCheck(Ty);
997 }
998 auto *ReferenceType = dyn_cast<VectorType>(ArgTys[D.getArgumentNumber()]);
999 auto *ThisArgType = dyn_cast<VectorType>(Ty);
1000 // Both must be vectors of the same number of elements or neither.
1001 if ((ReferenceType != nullptr) != (ThisArgType != nullptr))
1002 return true;
1003 Type *EltTy = Ty;
1004 if (ThisArgType) {
1005 if (ReferenceType->getElementCount() != ThisArgType->getElementCount())
1006 return true;
1007 EltTy = ThisArgType->getElementType();
1008 }
1009 return matchIntrinsicType(EltTy, Infos, ArgTys, DeferredChecks,
1010 IsDeferredCheck);
1011 }
1012 case IITDescriptor::VecOfAnyPtrsToElt: {
1013 unsigned RefArgNumber = D.getRefArgNumber();
1014 if (RefArgNumber >= ArgTys.size()) {
1015 if (IsDeferredCheck)
1016 return true;
1017 // If forward referencing, already add the pointer-vector type and
1018 // defer the checks for later.
1019 ArgTys.push_back(Ty);
1020 return DeferCheck(Ty);
1021 }
1022
1023 if (!IsDeferredCheck) {
1024 assert(D.getOverloadArgNumber() == ArgTys.size() &&
1025 "Table consistency error");
1026 ArgTys.push_back(Ty);
1027 }
1028
1029 // Verify the overloaded type "matches" the Ref type.
1030 // i.e. Ty is a vector with the same width as Ref.
1031 // Composed of pointers to the same element type as Ref.
1032 auto *ReferenceType = dyn_cast<VectorType>(ArgTys[RefArgNumber]);
1033 auto *ThisArgVecTy = dyn_cast<VectorType>(Ty);
1034 if (!ThisArgVecTy || !ReferenceType ||
1035 (ReferenceType->getElementCount() != ThisArgVecTy->getElementCount()))
1036 return true;
1037 return !ThisArgVecTy->getElementType()->isPointerTy();
1038 }
1039 case IITDescriptor::VecElementArgument: {
1040 if (D.getArgumentNumber() >= ArgTys.size())
1041 return IsDeferredCheck ? true : DeferCheck(Ty);
1042 auto *ReferenceType = dyn_cast<VectorType>(ArgTys[D.getArgumentNumber()]);
1043 return !ReferenceType || Ty != ReferenceType->getElementType();
1044 }
1045 case IITDescriptor::Subdivide2Argument:
1046 case IITDescriptor::Subdivide4Argument: {
1047 // If this is a forward reference, defer the check for later.
1048 if (D.getArgumentNumber() >= ArgTys.size())
1049 return IsDeferredCheck || DeferCheck(Ty);
1050
1051 Type *NewTy = ArgTys[D.getArgumentNumber()];
1052 if (auto *VTy = dyn_cast<VectorType>(NewTy)) {
1053 int SubDivs = D.Kind == IITDescriptor::Subdivide2Argument ? 1 : 2;
1054 NewTy = VectorType::getSubdividedVectorType(VTy, SubDivs);
1055 return Ty != NewTy;
1056 }
1057 return true;
1058 }
1059 case IITDescriptor::VecOfBitcastsToInt: {
1060 if (D.getArgumentNumber() >= ArgTys.size())
1061 return IsDeferredCheck || DeferCheck(Ty);
1062 auto *ReferenceType = dyn_cast<VectorType>(ArgTys[D.getArgumentNumber()]);
1063 auto *ThisArgVecTy = dyn_cast<VectorType>(Ty);
1064 if (!ThisArgVecTy || !ReferenceType)
1065 return true;
1066 return ThisArgVecTy != VectorType::getInteger(ReferenceType);
1067 }
1068 }
1069 llvm_unreachable("unhandled");
1070}
1071
1075 SmallVectorImpl<Type *> &ArgTys) {
1077 if (matchIntrinsicType(FTy->getReturnType(), Infos, ArgTys, DeferredChecks,
1078 false))
1080
1081 unsigned NumDeferredReturnChecks = DeferredChecks.size();
1082
1083 for (auto *Ty : FTy->params())
1084 if (matchIntrinsicType(Ty, Infos, ArgTys, DeferredChecks, false))
1086
1087 for (unsigned I = 0, E = DeferredChecks.size(); I != E; ++I) {
1088 DeferredIntrinsicMatchPair &Check = DeferredChecks[I];
1089 if (matchIntrinsicType(Check.first, Check.second, ArgTys, DeferredChecks,
1090 true))
1091 return I < NumDeferredReturnChecks ? MatchIntrinsicTypes_NoMatchRet
1093 }
1094
1096}
1097
1099 bool isVarArg, ArrayRef<Intrinsic::IITDescriptor> &Infos) {
1100 // If there are no descriptors left, then it can't be a vararg.
1101 if (Infos.empty())
1102 return isVarArg;
1103
1104 // There should be only one descriptor remaining at this point.
1105 if (Infos.size() != 1)
1106 return true;
1107
1108 // Check and verify the descriptor.
1109 IITDescriptor D = Infos.front();
1110 Infos = Infos.slice(1);
1111 if (D.Kind == IITDescriptor::VarArg)
1112 return !isVarArg;
1113
1114 return true;
1115}
1116
1118 SmallVectorImpl<Type *> &ArgTys) {
1119 if (!ID)
1120 return false;
1121
1125
1128 return false;
1129 }
1131 return false;
1132 return true;
1133}
1134
1136 SmallVectorImpl<Type *> &ArgTys) {
1137 return getIntrinsicSignature(F->getIntrinsicID(), F->getFunctionType(),
1138 ArgTys);
1139}
1140
1143 if (!getIntrinsicSignature(F, ArgTys))
1144 return std::nullopt;
1145
1146 Intrinsic::ID ID = F->getIntrinsicID();
1147 StringRef Name = F->getName();
1148 std::string WantedName =
1149 Intrinsic::getName(ID, ArgTys, F->getParent(), F->getFunctionType());
1150 if (Name == WantedName)
1151 return std::nullopt;
1152
1153 Function *NewDecl = [&] {
1154 if (auto *ExistingGV = F->getParent()->getNamedValue(WantedName)) {
1155 if (auto *ExistingF = dyn_cast<Function>(ExistingGV))
1156 if (ExistingF->getFunctionType() == F->getFunctionType())
1157 return ExistingF;
1158
1159 // The name already exists, but is not a function or has the wrong
1160 // prototype. Make place for the new one by renaming the old version.
1161 // Either this old version will be removed later on or the module is
1162 // invalid and we'll get an error.
1163 ExistingGV->setName(WantedName + ".renamed");
1164 }
1165 return Intrinsic::getOrInsertDeclaration(F->getParent(), ID, ArgTys);
1166 }();
1167
1168 NewDecl->setCallingConv(F->getCallingConv());
1169 assert(NewDecl->getFunctionType() == F->getFunctionType() &&
1170 "Shouldn't change the signature");
1171 return NewDecl;
1172}
1173
1177
1179 {Intrinsic::vector_interleave2, Intrinsic::vector_deinterleave2},
1180 {Intrinsic::vector_interleave3, Intrinsic::vector_deinterleave3},
1181 {Intrinsic::vector_interleave4, Intrinsic::vector_deinterleave4},
1182 {Intrinsic::vector_interleave5, Intrinsic::vector_deinterleave5},
1183 {Intrinsic::vector_interleave6, Intrinsic::vector_deinterleave6},
1184 {Intrinsic::vector_interleave7, Intrinsic::vector_deinterleave7},
1185 {Intrinsic::vector_interleave8, Intrinsic::vector_deinterleave8},
1186};
1187
1189 assert(Factor >= 2 && Factor <= 8 && "Unexpected factor");
1190 return InterleaveIntrinsics[Factor - 2].Interleave;
1191}
1192
1194 assert(Factor >= 2 && Factor <= 8 && "Unexpected factor");
1195 return InterleaveIntrinsics[Factor - 2].Deinterleave;
1196}
1197
1198#define GET_INTRINSIC_PRETTY_PRINT_ARGUMENTS
1199#include "llvm/IR/IntrinsicImpl.inc"
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
ArrayRef< TableEntry > TableRef
static GCRegistry::Add< StatepointGC > D("statepoint-example", "an example strategy for statepoint")
Module.h This file contains the declarations for the Module class.
static bool matchIntrinsicType(Type *Ty, ArrayRef< Intrinsic::IITDescriptor > &Infos, SmallVectorImpl< Type * > &ArgTys, SmallVectorImpl< DeferredIntrinsicMatchPair > &DeferredChecks, bool IsDeferredCheck)
static std::string getIntrinsicNameImpl(Intrinsic::ID Id, ArrayRef< Type * > Tys, Module *M, FunctionType *FT, bool EarlyModuleCheck)
static InterleaveIntrinsic InterleaveIntrinsics[]
static Function * getOrInsertIntrinsicDeclarationImpl(Module *M, Intrinsic::ID id, ArrayRef< Type * > Tys, FunctionType *FT)
static std::pair< ArrayRef< unsigned >, StringRef > findTargetSubtable(StringRef Name)
Find the segment of IntrinsicNameOffsetTable for intrinsics with the same target as Name,...
std::pair< Type *, ArrayRef< Intrinsic::IITDescriptor > > DeferredIntrinsicMatchPair
static void DecodeIITType(unsigned &NextElt, ArrayRef< unsigned char > Infos, IIT_Info LastInfo, SmallVectorImpl< Intrinsic::IITDescriptor > &OutputTable)
IIT_Info
IIT_Info - These are enumerators that describe the entries returned by the getIntrinsicInfoTableEntri...
static Type * DecodeFixedType(ArrayRef< Intrinsic::IITDescriptor > &Infos, ArrayRef< Type * > Tys, LLVMContext &Context)
static int lookupLLVMIntrinsicByName(ArrayRef< unsigned > NameOffsetTable, StringRef Name, StringRef Target="")
Looks up Name in NameTable via binary search.
static std::string getMangledTypeStr(Type *Ty, bool &HasUnnamedType)
Returns a stable mangling for the type specified for use in the name mangling scheme used by 'any' ty...
#define F(x, y, z)
Definition MD5.cpp:54
#define I(x, y, z)
Definition MD5.cpp:57
#define T
uint64_t High
This file contains the definitions of the enumerations and flags associated with NVVM Intrinsics,...
static StringRef getName(Value *V)
This file contains some functions that are useful when dealing with strings.
static SymbolRef::Type getType(const Symbol *Sym)
Definition TapiFile.cpp:39
static unsigned getBitWidth(Type *Ty, const DataLayout &DL)
Returns the bitwidth of the given scalar or pointer type.
Value * RHS
Value * LHS
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition ArrayRef.h:40
ArrayRef< T > take_front(size_t N=1) const
Return a copy of *this with only the first N elements.
Definition ArrayRef.h:219
const T & front() const
front - Get the first element.
Definition ArrayRef.h:145
iterator end() const
Definition ArrayRef.h:131
size_t size() const
size - Get the array size.
Definition ArrayRef.h:142
iterator begin() const
Definition ArrayRef.h:130
bool empty() const
empty - Check if the array is empty.
Definition ArrayRef.h:137
ArrayRef< T > slice(size_t N, size_t M) const
slice(n, m) - Chop off the first N elements of the array, and keep M elements in the array.
Definition ArrayRef.h:186
Class to represent fixed width SIMD vectors.
unsigned getNumElements() const
static LLVM_ABI FixedVectorType * get(Type *ElementType, unsigned NumElts)
Definition Type.cpp:873
Class to represent function types.
ArrayRef< Type * > params() const
bool isVarArg() const
Type * getReturnType() const
static LLVM_ABI FunctionType * get(Type *Result, ArrayRef< Type * > Params, bool isVarArg)
This static method is the primary way of constructing a FunctionType.
FunctionType * getFunctionType() const
Returns the FunctionType for me.
Definition Function.h:211
const Function & getFunction() const
Definition Function.h:166
void setCallingConv(CallingConv::ID CC)
Definition Function.h:276
Class to represent integer types.
static LLVM_ABI IntegerType * get(LLVMContext &C, unsigned NumBits)
This static method is the primary way of constructing an IntegerType.
Definition Type.cpp:354
unsigned getBitWidth() const
Get the number of bits in this IntegerType.
This is an important class for using LLVM in a threaded context.
Definition LLVMContext.h:68
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
static LLVM_ABI PointerType * get(Type *ElementType, unsigned AddressSpace)
This constructs a pointer to an object of the specified type in a numbered address space.
This class consists of common code factored out of the SmallVector class to reduce code duplication b...
reference emplace_back(ArgTypes &&... Args)
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
static constexpr size_t npos
Definition StringRef.h:57
constexpr size_t size() const
size - Get the string size.
Definition StringRef.h:143
Class to represent struct types.
static LLVM_ABI StructType * get(LLVMContext &Context, ArrayRef< Type * > Elements, bool isPacked=false)
This static method is the primary way to create a literal StructType.
Definition Type.cpp:483
Class to represent target extensions types, which are generally unintrospectable from target-independ...
static LLVM_ABI TargetExtType * get(LLVMContext &Context, StringRef Name, ArrayRef< Type * > Types={}, ArrayRef< unsigned > Ints={})
Return a target extension type having the specified name and optional type and integer parameters.
Definition Type.cpp:978
Target - Wrapper for Target specific information.
The instances of the Type class are immutable: once they are created, they are never changed.
Definition Type.h:46
static LLVM_ABI Type * getX86_AMXTy(LLVMContext &C)
Definition Type.cpp:297
static LLVM_ABI Type * getMetadataTy(LLVMContext &C)
Definition Type.cpp:292
static LLVM_ABI Type * getTokenTy(LLVMContext &C)
Definition Type.cpp:293
static LLVM_ABI Type * getPPC_FP128Ty(LLVMContext &C)
Definition Type.cpp:296
static LLVM_ABI Type * getFP128Ty(LLVMContext &C)
Definition Type.cpp:295
@ X86_AMXTyID
AMX vectors (8192 bits, X86 specific)
Definition Type.h:67
@ HalfTyID
16-bit floating point type
Definition Type.h:57
@ VoidTyID
type with no size
Definition Type.h:64
@ FloatTyID
32-bit floating point type
Definition Type.h:59
@ IntegerTyID
Arbitrary bit width integers.
Definition Type.h:71
@ BFloatTyID
16-bit floating point type (7-bit significand)
Definition Type.h:58
@ DoubleTyID
64-bit floating point type
Definition Type.h:60
@ X86_FP80TyID
80-bit floating point type (X87)
Definition Type.h:61
@ PPC_FP128TyID
128-bit floating point type (two 64-bits, PowerPC)
Definition Type.h:63
@ MetadataTyID
Metadata.
Definition Type.h:66
@ ByteTyID
Arbitrary bit width bytes.
Definition Type.h:72
@ FP128TyID
128-bit floating point type (112-bit significand)
Definition Type.h:62
static LLVM_ABI Type * getVoidTy(LLVMContext &C)
Definition Type.cpp:286
bool isIntegerTy() const
True if this is an instance of IntegerType.
Definition Type.h:257
static LLVM_ABI Type * getDoubleTy(LLVMContext &C)
Definition Type.cpp:291
static LLVM_ABI Type * getFloatTy(LLVMContext &C)
Definition Type.cpp:290
static LLVM_ABI Type * getBFloatTy(LLVMContext &C)
Definition Type.cpp:289
static LLVM_ABI Type * getHalfTy(LLVMContext &C)
Definition Type.cpp:288
static VectorType * getExtendedElementVectorType(VectorType *VTy)
This static method is like getInteger except that the element types are twice as wide as the elements...
static VectorType * getOneNthElementsVectorType(VectorType *VTy, unsigned Denominator)
static VectorType * getSubdividedVectorType(VectorType *VTy, int NumSubdivs)
static VectorType * getInteger(VectorType *VTy)
This static method gets a VectorType with the same number of elements as the input type,...
static VectorType * getTruncatedElementVectorType(VectorType *VTy)
static LLVM_ABI VectorType * get(Type *ElementType, ElementCount EC)
This static method is the primary way to construct an VectorType.
Type * getElementType() const
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
This namespace contains an enum with a value for every intrinsic/builtin function known by LLVM.
LLVM_ABI Function * getOrInsertDeclaration(Module *M, ID id, ArrayRef< Type * > Tys={})
Look up the Function declaration of the intrinsic id in the Module M.
LLVM_ABI Intrinsic::ID getDeinterleaveIntrinsicID(unsigned Factor)
Returns the corresponding llvm.vector.deinterleaveN intrinsic for factor N.
LLVM_ABI MatchIntrinsicTypesResult matchIntrinsicSignature(FunctionType *FTy, ArrayRef< IITDescriptor > &Infos, SmallVectorImpl< Type * > &ArgTys)
Match the specified function type with the type constraints specified by the .td file.
LLVM_ABI void getIntrinsicInfoTableEntries(ID id, SmallVectorImpl< IITDescriptor > &T)
Return the IIT table descriptor for the specified intrinsic into an array of IITDescriptors.
@ MatchIntrinsicTypes_NoMatchRet
Definition Intrinsics.h:257
@ MatchIntrinsicTypes_NoMatchArg
Definition Intrinsics.h:258
LLVM_ABI Function * getDeclarationIfExists(const Module *M, ID id)
Look up the Function declaration of the intrinsic id in the Module M and return it if it exists.
LLVM_ABI std::string getNameNoUnnamedTypes(ID Id, ArrayRef< Type * > Tys)
Return the LLVM name for an intrinsic.
LLVM_ABI std::optional< Function * > remangleIntrinsicFunction(Function *F)
LLVM_ABI bool hasConstrainedFPRoundingModeOperand(ID QID)
Returns true if the intrinsic ID is for one of the "ConstrainedFloating-Point Intrinsics" that take r...
LLVM_ABI StringRef getName(ID id)
Return the LLVM name for an intrinsic, such as "llvm.ppc.altivec.lvx".
LLVM_ABI bool isConstrainedFPIntrinsic(ID QID)
Returns true if the intrinsic ID is for one of the "ConstrainedFloating-Point Intrinsics".
LLVM_ABI ID lookupIntrinsicID(StringRef Name)
This does the actual lookup of an intrinsic ID which matches the given function name.
LLVM_ABI bool hasPrettyPrintedArgs(ID id)
Returns true if the intrinsic has pretty printed immediate arguments.
LLVM_ABI StringRef getBaseName(ID id)
Return the LLVM name for an intrinsic, without encoded types for overloading, such as "llvm....
LLVM_ABI Intrinsic::ID getInterleaveIntrinsicID(unsigned Factor)
Returns the corresponding llvm.vector.interleaveN intrinsic for factor N.
LLVM_ABI bool isOverloaded(ID id)
Returns true if the intrinsic can be overloaded.
LLVM_ABI FunctionType * getType(LLVMContext &Context, ID id, ArrayRef< Type * > Tys={})
Return the function type for an intrinsic.
LLVM_ABI bool getIntrinsicSignature(Intrinsic::ID, FunctionType *FT, SmallVectorImpl< Type * > &ArgTys)
Gets the type arguments of an intrinsic call by matching type contraints specified by the ....
LLVM_ABI bool isTargetIntrinsic(ID IID)
isTargetIntrinsic - Returns true if IID is an intrinsic specific to a certain target.
LLVM_ABI bool matchIntrinsicVarArg(bool isVarArg, ArrayRef< IITDescriptor > &Infos)
Verify if the intrinsic has variable arguments.
This is an optimization pass for GlobalISel generic memory operations.
@ Low
Lower the current thread's priority such that it does not affect foreground tasks significantly.
Definition Threading.h:280
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
auto partition_point(R &&Range, Predicate P)
Binary search for the first iterator in a range where a predicate is false.
Definition STLExtras.h:2129
std::string utostr(uint64_t X, bool isNeg=false)
bool any_of(R &&range, UnaryPredicate P)
Provide wrappers to std::any_of which take ranges instead of having to pass begin/end explicitly.
Definition STLExtras.h:1746
bool isa(const From &Val)
isa<X> - Return true if the parameter to the template is an instance of one of the template type argu...
Definition Casting.h:547
ArrayRef(const T &OneElt) -> ArrayRef< T >
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
#define N
Intrinsic::ID Interleave
Intrinsic::ID Deinterleave
Helper struct shared between Function Specialization and SCCP Solver.
Definition SCCPSolver.h:42
This is a type descriptor which explains the type requirements of an intrinsic.
Definition Intrinsics.h:154