1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319
|
/*========================== begin_copyright_notice ============================
Copyright (C) 2017-2023 Intel Corporation
SPDX-License-Identifier: MIT
============================= end_copyright_notice ===========================*/
#pragma once
#include "IGC/common/StringMacros.hpp"
#include "usc.h"
#include "usc_gen7.h"
#include "usc_gen9.h"
#include "common/Stats.hpp"
#include "common/Types.hpp"
#include "common/allocator.h"
#include "common/igc_resourceDimTypes.h"
// hack
#include "common/debug/Debug.hpp"
#include "common/debug/Dump.hpp"
#include <set>
#include <string.h>
#include <sstream>
#include <unordered_map>
#include "Compiler/CISACodeGen/ShaderUnits.hpp"
#include "Compiler/CISACodeGen/Platform.hpp"
#include "Compiler/CISACodeGen/DriverInfo.hpp"
#include "Compiler/CISACodeGen/helper.h"
#include "Compiler/MetaDataApi/MetaDataApi.h"
#include "Compiler/MetaDataApi/IGCMetaDataHelper.h"
#include "Compiler/CodeGenContextWrapper.hpp"
#include "visa/include/RelocationInfo.h"
#include <ZEInfo.hpp>
#include "AdaptorOCL/OCL/sp/spp_g8.h"
#include "GenISAIntrinsics/GenIntrinsics.h"
#include "GenISAIntrinsics/GenIntrinsicInst.h"
#include "common/LLVMWarningsPush.hpp"
#include <llvm/ADT/DenseMap.h>
#include <llvm/ADT/StringMap.h>
#include <llvm/ADT/StringRef.h>
#include <llvm/IR/IRBuilder.h>
#include "llvm/IR/Function.h"
#include "llvm/IR/ValueMap.h"
#include <llvm/Support/ToolOutputFile.h>
#include "llvm/IR/AssemblyAnnotationWriter.h"
#include "common/LLVMWarningsPop.hpp"
#include "CodeGenPublicEnums.h"
#include "AdaptorOCL/TranslationBlock.h"
#include "AdaptorCommon/RayTracing/API/BVHInfo.h"
#include "common/MDFrameWork.h"
#include <unordered_set>
#include "Probe/Assertion.h"
#include <optional>
#include <Metrics/IGCMetric.h>
#include "llvmWrapper/IR/Module.h"
#include "Compiler/UserAddrSpaceMD.hpp"
/************************************************************************
This file contains the interface structure and functions to communicate
between front ends and code generator
************************************************************************/
namespace llvm
{
class Module;
class Function;
}
#define MAX_VSHADER_INPUT_REGISTERS_PACKAGEABLE 32
namespace IGCOpts
{
// Pass level optimizations
static const std::string LowerGEPForPrivMemPass = "IGC-LowerGEPForPrivMem";
static const std::string AddressArithmeticSinkingPass = "IGC-AddressArithmeticSinking";
static const std::string PreRASchedulerPass = "IGC-PreRAScheduler";
static const std::string MergeURBWritePass = "IGC-MergeURBWrites";
static const std::string ConstantCoalescingPass = "IGC-ConstantCoalescing";
static const std::string SinkLoadOptPass = "IGC-SinkLoadOpt";
// Non-pass optimizations
static const std::string AllowSimd32Slicing = "IGC-AllowSimd32Slicing";
}
namespace IGC
{
class CodeGenContext;
struct SProgramOutput
{
public:
typedef std::vector<vISA::ZESymEntry> SymbolListTy;
typedef std::vector<vISA::ZERelocEntry> RelocListTy;
typedef std::vector<vISA::ZEFuncAttribEntry> FuncAttrListTy;
// function scope symbols
struct ZEBinFuncSymbolTable {
SymbolListTy function; // function symbols
SymbolListTy sampler; // sampler symbols
SymbolListTy local; // local symbols
};
// function scope gtpin info
struct ZEBinFuncGTPinInfo {
std::string name;
void* buffer = nullptr;
unsigned bufferSize = 0;
};
typedef std::vector<ZEBinFuncGTPinInfo> FuncGTPinInfoListTy;
public:
void* m_programBin = nullptr; //<! Must be 16 byte aligned, and padded to a 64 byte boundary
unsigned int m_programSize = 0; //<! Number of bytes of program data (including padding)
unsigned int m_unpaddedProgramSize = 0; //<! program size without padding used for binary linking
unsigned int m_startReg = 0; //<! Which GRF to start with
unsigned int m_scratchSpaceUsedBySpills = 0; //<! amount of scratch space needed for BE stack (spilling and call)
unsigned int m_scratchSpaceUsedByShader = 0; //<! amount of scratch space needed by shader
unsigned int m_scratchSpaceUsedByGtpin = 0; //<! amount of scratch space used by gtpin
void* m_debugData = nullptr; //<! elf file containing debug information for the kernel (source->genIsa)
unsigned int m_debugDataSize = 0; //<! size of the elf file containing debug information
// TODO: m_debugDataGenISA and m_debugDataGenISASize
// are not really needed, consider removal
void* m_debugDataGenISA = nullptr; //<! GenISA debug data (VISA -> GenISA)
unsigned int m_debugDataGenISASize = 0; //<! Number of bytes of GenISA debug data
unsigned int m_InstructionCount = 0;
unsigned int m_BasicBlockCount = 0;
void* m_gtpinBuffer = nullptr; // Will be populated by VISA only when special switch is passed by gtpin
unsigned int m_gtpinBufferSize = 0;
FuncGTPinInfoListTy m_FuncGTPinInfoList;
void* m_funcSymbolTable = nullptr;
unsigned int m_funcSymbolTableSize = 0;
unsigned int m_funcSymbolTableEntries = 0;
ZEBinFuncSymbolTable m_symbols; // duplicated information of m_funcSymbolTable, for zebin
void* m_funcRelocationTable = nullptr;
unsigned int m_funcRelocationTableSize = 0;
unsigned int m_funcRelocationTableEntries = 0;
RelocListTy m_relocs; // duplicated information of m_funcRelocationTable, for zebin
FuncAttrListTy m_funcAttrs;
void* m_globalHostAccessTable = nullptr;
unsigned int m_globalHostAccessTableSize = 0;
unsigned int m_globalHostAccessTableEntries = 0;
unsigned int m_offsetToSkipPerThreadDataLoad = 0;
uint32_t m_offsetToSkipSetFFIDGP = 0;
bool m_roundPower2KBytes = false;
bool m_UseScratchSpacePrivateMemory = true;
bool m_SeparatingSpillAndPrivateScratchMemorySpace = false;
bool m_EnableSeparateScratchWA = true;
unsigned int m_scratchSpaceSizeLimit = 0;
unsigned int m_numGRFTotal = 128;
unsigned int m_numGRFSpillFill = 0;
using NamedVISAAsm = std::pair<std::string, std::string>; // Pair of name for the section (1st elem) and VISA asm text (2nd elem).
std::vector<NamedVISAAsm> m_VISAAsm;
// Optional statistics
std::optional<uint64_t> m_NumGRFSpill;
std::optional<uint64_t> m_NumGRFFill;
std::optional<uint64_t> m_NumSends;
std::optional<uint64_t> m_NumCycles;
std::optional<uint64_t> m_NumSendStallCycles;
unsigned int m_numThreads = 0;
unsigned int m_perThreadArgumentStackSize = 0;
void Destroy()
{
if (m_programBin)
{
IGC::aligned_free(m_programBin);
}
if (m_debugData)
{
IGC::aligned_free(m_debugData);
}
if (m_debugDataGenISA)
{
IGC::aligned_free(m_debugDataGenISA);
}
if (m_funcSymbolTable)
{
free(m_funcSymbolTable);
}
if (m_funcRelocationTable)
{
free(m_funcRelocationTable);
}
if (m_globalHostAccessTable)
{
free(m_globalHostAccessTable);
}
}
void init(bool roundPower2KBytes, unsigned int scratchSpaceSizeLimitT, bool useScratchSpacePrivateMemory, bool SepSpillPvtSS,
bool SeparateScratchWA)
{
m_roundPower2KBytes = roundPower2KBytes;
m_scratchSpaceSizeLimit = scratchSpaceSizeLimitT;
m_UseScratchSpacePrivateMemory = useScratchSpacePrivateMemory;
m_SeparatingSpillAndPrivateScratchMemorySpace = SepSpillPvtSS;
m_EnableSeparateScratchWA = SeparateScratchWA;
}
// if IGC needs scratch for private memory, we use slot0 for private
// if IGC does not need scratch for private, slot0 is used for spill
// if we want to use both private and spill in single slot, we need
// to add them together
unsigned int getScratchSpaceUsageInSlot0() const
{
unsigned int result = (m_UseScratchSpacePrivateMemory ? m_scratchSpaceUsedByShader : 0);
if (result == 0)
{
result = (m_scratchSpaceUsedBySpills + m_scratchSpaceUsedByGtpin);
}
else if (!m_SeparatingSpillAndPrivateScratchMemorySpace)
{
result += (m_scratchSpaceUsedBySpills + m_scratchSpaceUsedByGtpin);
}
else if (m_EnableSeparateScratchWA)
{
// \TODO: doubts about driver-compiler interface, conservatively set the size
// to the max of two slots
result = std::max(result, m_scratchSpaceUsedBySpills + m_scratchSpaceUsedByGtpin);
}
result = roundSize(result);
IGC_ASSERT(result <= m_scratchSpaceSizeLimit);
return result;
}
// slot1 is used for spilling only when m_SeparatingSpillAndPrivateScratchMemorySpace is on
// and Slot0 is used for IGC private memory
unsigned int getScratchSpaceUsageInSlot1() const
{
unsigned int slot0_offset = (m_UseScratchSpacePrivateMemory ? m_scratchSpaceUsedByShader : 0);
unsigned int result = 0;
if (m_SeparatingSpillAndPrivateScratchMemorySpace && slot0_offset > 0)
{
if (m_EnableSeparateScratchWA)
{
// \TODO: doubts about driver-compiler interface, conservatively set the size
// to the max of two slots
result = std::max(slot0_offset, m_scratchSpaceUsedBySpills + m_scratchSpaceUsedByGtpin);
}
else
{
result = m_scratchSpaceUsedBySpills + m_scratchSpaceUsedByGtpin;
}
}
result = roundSize(result);
IGC_ASSERT(result <= m_scratchSpaceSizeLimit);
return result;
}
unsigned int getScratchSpaceUsageInStateless() const
{
return roundSize(!m_UseScratchSpacePrivateMemory ? m_scratchSpaceUsedByShader : 0);
}
void setScratchSpaceUsedByShader(unsigned int scratchSpaceUsedByShader)
{
m_scratchSpaceUsedByShader = scratchSpaceUsedByShader;
}
private:
unsigned int roundSize(unsigned int size) const
{
if (m_roundPower2KBytes)
{
size = roundPower2KBbyte(size);
}
else
{
size = roundPower2Byte(size);
}
return size;
}
unsigned int roundPower2KBbyte(unsigned int size) const
{
return (size ? iSTD::RoundPower2(iSTD::Max(int_cast<DWORD>(size), static_cast<DWORD>(sizeof(KILOBYTE)))) : 0);
}
// XeHP_SDV+ : we round to one of values: pow(2, (0, 6, 7, 8...18))
unsigned int roundPower2Byte(unsigned int size) const
{
unsigned int ret = (size ? iSTD::RoundPower2(int_cast<DWORD>(size)) : 0);
//round any value in (0,32] to 64 BYTEs
ret = ((ret > 0 && ret <= 32) ? 64 : ret);
return ret;
}
};
enum InstrStatTypes
{
SROA_PROMOTED,
LICM_STAT,
TOTAL_TYPES
};
enum InstrStatStage
{
BEGIN,
END,
EXCEED_THRESHOLD,
TOTAL_STAGE
};
struct SInstrTypes
{
bool CorrelatedValuePropagationEnable{};
bool hasMultipleBB{};
bool hasCmp{};
bool hasSwitch{};
bool hasPhi{};
bool hasLoadStore{};
bool hasIndirectCall{};
bool hasInlineAsm{};
bool hasInlineAsmPointerAccess{};
bool hasIndirectBranch{};
bool hasFunctionAddressTaken{};
bool hasSel{};
bool hasPointer{};
bool hasLocalLoadStore{};
bool hasGlobalLoad{}; // has (stateless) loads from global addresspace
bool hasGlobalStore{}; // has (stateless) stores to global addresspace
bool hasStorageBufferLoad{}; // has (stateful) loads from storage buffers (UAV/SSBO)
bool hasStorageBufferStore{}; // has (stateful) stores to storage buffers (UAV/SSBO)
bool hasSubroutines{};
bool hasPrimitiveAlloca{};
bool hasNonPrimitiveAlloca{};
bool hasReadOnlyArray{};
bool hasBuiltin{};
bool hasFRem{};
bool psHasSideEffect{}; //<! only relevant to pixel shader, has other memory writes besides RTWrite
bool hasGenericAddressSpacePointers{};
bool hasDebugInfo{}; //<! true only if module contains debug info !llvm.dbg.cu
bool hasAtomics{};
bool hasDiscard{};
bool hasTypedRead{};
bool hasTypedwrite{};
bool mayHaveIndirectOperands{}; //<! true if code may have indirect operands like r5[a0].
// true if shader may have indirect texture or buffer.
// Note: does not check for indirect sampler
bool mayHaveIndirectResources{};
bool hasUniformAssumptions{};
bool hasPullBary{};
bool sampleCmpToDiscardOptimizationPossible{};
bool hasRuntimeValueVector{};
bool hasDynamicGenericLoadStore{};
bool hasUnmaskedRegion{};
bool hasSLM{};
unsigned int numCall{};
unsigned int numBarrier{};
unsigned int numLoadStore{};
unsigned int numWaveIntrinsics{};
unsigned int numAtomics{};
unsigned int numTypedReadWrite{};
unsigned int numAllInsts{};
unsigned int sampleCmpToDiscardOptimizationSlot{};
unsigned int numSample{};
unsigned int numBB{};
unsigned int numLoopInsts{};
unsigned int numOfLoop{};
unsigned int numInsts{}; //<! measured after optimization, used as a compiler heuristic
unsigned int numAllocaInsts{};
unsigned int numPsInputs{};
unsigned int numGlobalInsts{};
unsigned int numLocalInsts{};
unsigned int numSamplesVaryingResource{}; //<! measured before CodeGen for scheduling heuristic
// additional counters for CSWalkOrder
unsigned int numUntyped{};
unsigned int num1DAccesses{};
unsigned int num2DAccesses{};
unsigned int numSLMAccesses{};
};
struct SSimplePushInfo
{
// Constant buffer Binding Table Index or Surface State Offset.
// Valid only if 'isStateless' is false.
// If 'isBindless' is false then 'm_cbIdx' contains a Binding Table
// Index otherwise it contains a Surface State Offset in 64-byte units.
uint m_cbIdx = 0;
// m_pushableAddressGrfOffset and m_pushableOffsetGrfOffset are GRF
// offsets (in DWORDS) in the runtime data pushed to the shader. These
// fields are valid only if greater or equal to 0. If a field is valid
// it means that the runtime data from the GRF offset was used in
// the buffer address calculation.
// These fields must contain values provided by frontend in
// pushInfo.pushableAddresses metadata.
// m_pushableAddressGrfOffset is only valid when isStateless is true.
// m_pushableOffsetGrfOffset is only valid when isStateless or
// isBindless is true.
// When isStateless is true runtime data at m_pushableAddressGrfOffset
// contains a 64bit canonicalized address. Data starting at
// m_pushableOffsetGrfOffset contains 32bit offset relative to the 64bit
// starting address.
// PushAnalysiss pass matches the following pattern:
// uint8_t* pShaderRuntimeData ={...}; // to be pushed
// uint64_t pushableAddress =
// *(uint64_t*)(pShaderRuntimeData + 4*pushableAddressGrfOffset);
// if (pushableOffsetGrfOffset >=0) {
// pushableAddress +=
// *(uint32_t*)(pShaderRuntimeData + 4*pushableOffsetGrfOffset);
// }
// pushableAddress += m_offset;
//
// m_pushableOffsetGrfOffset is also used when isBindless is true and
// contains the GRF offset that was used to calculate the Surface State
// Offset of the buffer. It must contain one of the values provided by
// frontend in pushInfo.bindlessPushInfo metadata.
int m_pushableAddressGrfOffset = -1;
int m_pushableOffsetGrfOffset = -1;
// Immediate offset in bytes add to the start of the simple push region.
uint m_offset = 0;
// Data size in bytes, must be a multiple of GRF size
uint m_size = 0;
bool isStateless = false;
bool isBindless = false;
};
struct ConstantPayloadInfo
{
int DerivedConstantsOffset = -1;
};
struct SResInfoFoldingOutput
{
uint32_t textureID;
bool value[4];
};
enum SIMDInfoBit
{
SIMD_SELECTED, // 0: if the SIMD is selected. If 1, all the other bits are ignored.
SIMD_RETRY, // 1: is a retry
SIMD_SKIP_HW, // 2: skip this SIMD due to HW restriction / WA.
SIMD_SKIP_REGPRES, // 3: skip this SIMD due to register pressure early out.
SIMD_SKIP_SPILL, // 4: skip this SIMD due to spill or high chance of spilling.
SIMD_SKIP_STALL, // 5: skip this SIMD due to stall cycle or thread occupancy heuristic.
SIMD_SKIP_THGRPSIZE, // 6: skip due to threadGroupSize heuristic(CS / OCL only).
SIMD_SKIP_PERF, // 7: skip this SIMD due to performance concern (dx12 + discard, MRT, etc) or other reasons.
SIMD_SKIP_ML, // 8: skip this SIMD due to ML engine prediction.
SIMD_FORCE_CONTENT, // 9: force this simd due to shader content (simd32 if WaveActive, barriers + interlocks)
SIMD_FORCE_HINT, // 10: force this simd by hint(s) (now for WaveSize only)
SIMD_INFO_RESERVED // 11: *** If new entry is added, make sure it still fits in m_SIMDInfo ***
};
enum SIMDInfoOffset
{
SIMD8_OFFSET = 0,
SIMD16_OFFSET = SIMD_INFO_RESERVED,
SIMD32_OFFSET = SIMD_INFO_RESERVED*2,
DUAL_SIMD8_OFFSET = SIMD_INFO_RESERVED * 3,
};
struct SKernelProgram
{
SProgramOutput simd1;
SProgramOutput simd8;
SProgramOutput simd16;
SProgramOutput simd32;
unsigned int bindingTableEntryCount = 0;
char* gatherMap = nullptr;
unsigned int gatherMapSize = 0;
unsigned int ConstantBufferLength = 0;
unsigned int ConstantBufferMask = 0;
unsigned int MaxNumberOfThreads = 0;
bool isMessageTargetDataCacheDataPort = false;
unsigned int NOSBufferSize = 0;
unsigned int ConstantBufferLoaded = 0;
uint64_t UavLoaded = 0;
unsigned int ShaderResourceLoaded[4];
unsigned int RenderTargetLoaded = 0;
bool hasControlFlow = false;
unsigned int bufferSlot = 0;
unsigned int statelessCBPushedSize = 0;
bool hasEvalSampler = false;
std::vector<SResInfoFoldingOutput> m_ResInfoFoldingOutput;
// GenUpdateCB outputs
void* m_ConstantBufferReplaceShaderPatterns = nullptr;
uint m_ConstantBufferReplaceShaderPatternsSize = 0;
uint m_ConstantBufferUsageMask = 0;
uint m_ConstantBufferReplaceSize = 0;
SSimplePushInfo simplePushInfoArr[g_c_maxNumberOfBufferPushed];
uint64_t SIMDInfo = 0;
void* m_StagingCtx;
bool m_RequestStage2;
};
/// Gen10+, corresponds to 3DSTATE_VF_SGVS_2 as described below
struct SVertexFetchSGVExtendedParameters
{
struct
{
bool enabled = false; //<! XPn Enable = XPn Source Select = (*)
unsigned int location = 0; //<! Linear offset of the 32bit component in VUE
} extendedParameters[3] = {}; //<! Order of elements: XP0, XP1, XP2
};
// XeHPC/XeHPG Task/Mesh Extended Parameters: XP0 (DrawID), XP1, XP2
struct SMeshExtendedParameters
{
static constexpr size_t drawIdXPIndex = 0;
bool enabled[3] = {};
};
struct SBindlessProgram : SKernelProgram
{
SProgramOutput simdProgram;
USC::GFXMEDIA_GPUWALKER_SIMD SimdWidth;
std::string name;
uint32_t ShaderStackSize = 0;
CallableShaderTypeMD ShaderType = NumberOfCallableShaderTypes;
bool isContinuation = false;
// if 'isContinuation' is true, this will contain the name of the
// original shader.
std::string ParentName;
// if 'isContinuation' is true, this may contain the slot num for the
// shader identifier it has been promoted to.
std::optional<uint32_t> SlotNum;
uint64_t ShaderHash = 0;
// raygen specific fields
// TODO: need to separate out bindless and raygen into two structs
// for both DX and Vulkan.
// dynamically select between the 1D and 2D layout at runtime based
// on the size of the dispatch.
uint32_t DimX1D = 0;
uint32_t DimY1D = 0;
uint32_t DimX2D = 0;
uint32_t DimY2D = 0;
// Shaders that satisfy `isPrimaryShaderIdentifier()` can also have
// a collection of other names that they go by.
std::vector<std::string> Aliases;
// We maintain this information to provide to GTPin. These are all
// offsets in bytes from the base of GRF.
uint32_t GlobalPtrOffset = 0; // pointer to RTGlobals
uint32_t LocalPtrOffset = 0; // pointer to local root sig (except for raygen!)
uint32_t StackIDsOffset = 0; // stack ID vector base
// Shader has LSC store messages with non-default L1 cache control
bool HasLscStoresWithNonDefaultL1CacheControls = false;
// This is just diagnostic information to track whether we picked
// the retry shader
bool BetterThanPrev = false;
};
struct SRayTracingShadersGroup
{
// This is the default shader that is executed when the RTUnit
// encounters a null shader. It is optional because there is
// no need to compile it for collection state objects.
llvm::Optional<SBindlessProgram> callStackHandler;
typedef llvm::SmallVector<SBindlessProgram, 8> BindlessShaderVec;
// These are the raygen shaders
BindlessShaderVec m_DispatchPrograms;
// Non raygen shaders
BindlessShaderVec m_CallableShaders;
// Continuation shaders
BindlessShaderVec m_Continuations;
};
struct SRayTracingPipelineConfig
{
unsigned int maxTraceRecursionDepth = 0;
unsigned int pipelineFlags = 0;
};
struct SRayTracingShaderConfig
{
unsigned MaxPayloadSizeInBytes = 0;
unsigned MaxAttributeSizeInBytes = 0;
};
struct SOpenCLKernelInfo
{
struct SResourceInfo
{
enum { RES_UAV, RES_SRV, RES_OTHER } Type;
int Index;
};
SOpenCLKernelInfo() {};
std::string m_kernelName = {};
QWORD m_ShaderHashCode = {};
std::vector<std::unique_ptr<iOpenCL::PointerInputAnnotation>> m_pointerInput;
std::vector<std::shared_ptr<iOpenCL::PointerArgumentAnnotation>> m_pointerArgument;
std::vector<std::unique_ptr<iOpenCL::LocalArgumentAnnotation>> m_localPointerArgument;
std::vector<std::unique_ptr<iOpenCL::SamplerInputAnnotation>> m_samplerInput;
std::vector<std::unique_ptr<iOpenCL::SamplerArgumentAnnotation>> m_samplerArgument;
std::vector<std::unique_ptr<iOpenCL::ConstantInputAnnotation>> m_constantInputAnnotation;
std::vector<std::unique_ptr<iOpenCL::ConstantArgumentAnnotation>> m_constantArgumentAnnotation;
std::vector<std::unique_ptr<iOpenCL::ImageArgumentAnnotation>> m_imageInputAnnotations;
std::vector<std::unique_ptr<iOpenCL::KernelArgumentInfoAnnotation>> m_kernelArgInfo;
std::vector<std::unique_ptr<iOpenCL::PrintfStringAnnotation>> m_printfStringAnnotations;
std::unique_ptr<iOpenCL::PrintfBufferAnnotation> m_printfBufferAnnotation = nullptr;
std::unique_ptr<iOpenCL::SyncBufferAnnotation> m_syncBufferAnnotation = nullptr;
std::unique_ptr<iOpenCL::RTGlobalBufferAnnotation> m_rtGlobalBufferAnnotation = nullptr;
std::unique_ptr<iOpenCL::StartGASAnnotation> m_startGAS = nullptr;
std::unique_ptr<iOpenCL::WindowSizeGASAnnotation> m_WindowSizeGAS = nullptr;
std::unique_ptr<iOpenCL::PrivateMemSizeAnnotation> m_PrivateMemSize = nullptr;
std::string m_kernelAttributeInfo = {};
bool m_HasInlineVmeSamplers = false;
// This maps argument numbers to BTI and sampler indices
// (e.g. kernel argument 3, which is is an image_2d, may be mapped to BTI 6)
std::map<DWORD, unsigned int> m_argIndexMap = {};
std::map<unsigned int, std::shared_ptr<iOpenCL::PointerArgumentAnnotation>> m_argOffsetMap = {};
iOpenCL::ThreadPayload m_threadPayload = {};
iOpenCL::ExecutionEnvironment m_executionEnvironment = {};
iOpenCL::KernelTypeProgramBinaryInfo m_kernelTypeInfo = {};
SKernelProgram m_kernelProgram = {};
// ----- Information for zebin ----- //
// Cross-thread payload arguments
zebin::PayloadArgumentsTy m_zePayloadArgs;
// BTI information for payload arguments
zebin::BindingTableIndicesTy m_zeBTIArgs;
// Kernel attributes. zeinfo's user_attributes of kernels
zebin::zeInfoUserAttribute m_zeUserAttributes;
// Kernel args info
zebin::ArgsInfoTy m_zeKernelArgsInfo;
// Inline samplers
zebin::InlineSamplersTy m_zeInlineSamplers;
// Analysis result of if there are non-kernel-argument ld/st in the kernel
// If all false, we can avoid expensive memory setting of each kernel during runtime
int m_hasNonKernelArgLoad = -1;
int m_hasNonKernelArgStore = -1;
int m_hasNonKernelArgAtomic = -1;
};
struct SOpenCLKernelCostExpInfo
{
zebin::KCMArgsSymTy argsSym;
zebin::KCMLoopCountExpsTy loopLCE;
zebin::KCMLoopCostsTy kernelCost;
};
struct SOpenCLProgramInfo
{
struct ZEBinRelocTable
{
std::vector<vISA::ZERelocEntry> globalReloc;
std::vector<vISA::ZERelocEntry> globalConstReloc;
};
// program scope symbols
struct ZEBinProgramSymbolTable
{
using SymbolSeq = std::vector<vISA::ZESymEntry>;
SymbolSeq global; // global symbols
SymbolSeq globalConst; // global constant symbols
SymbolSeq globalStringConst; // global string constant symbols
};
struct LegacySymbolTable
{
void* m_buffer = nullptr;
unsigned int m_size = 0;
unsigned int m_entries = 0;
};
typedef std::vector<vISA::ZEHostAccessEntry> ZEBinGlobalHostAccessTable;
std::unique_ptr<iOpenCL::InitConstantAnnotation> m_initConstantAnnotation;
std::unique_ptr<iOpenCL::InitConstantAnnotation> m_initConstantStringAnnotation;
std::unique_ptr<iOpenCL::InitGlobalAnnotation> m_initGlobalAnnotation;
std::vector<std::unique_ptr<iOpenCL::ConstantPointerAnnotation> > m_initConstantPointerAnnotation;
std::vector<std::unique_ptr<iOpenCL::GlobalPointerAnnotation> > m_initGlobalPointerAnnotation;
std::vector<std::unique_ptr<iOpenCL::KernelTypeProgramBinaryInfo> > m_initKernelTypeAnnotation;
ZEBinRelocTable m_GlobalPointerAddressRelocAnnotation;
ZEBinProgramSymbolTable m_zebinSymbolTable;
LegacySymbolTable m_legacySymbolTable;
ZEBinGlobalHostAccessTable m_zebinGlobalHostAccessTable;
bool m_hasCrossThreadOffsetRelocations = false;
};
class CBTILayout
{
public:
unsigned int GetSystemThreadBindingTableIndex(void) const;
unsigned int GetBindingTableEntryCount(void) const;
unsigned int GetTextureIndex(unsigned int index) const;
unsigned int GetUavIndex(unsigned int index) const;
unsigned int GetRenderTargetIndex(unsigned int index) const;
unsigned int GetConstantBufferIndex(unsigned int index) const;
unsigned int GetTextureIndexSize() const { return m_pLayout->maxResourceIdx - m_pLayout->minResourceIdx; }
unsigned int GetUavIndexSize() const { return m_pLayout->maxUAVIdx - m_pLayout->minUAVIdx; }
unsigned int GetRenderTargetIndexSize() const { return m_pLayout->maxColorBufferIdx - m_pLayout->minColorBufferIdx; }
unsigned int GetConstantBufferIndexSize() const { return m_pLayout->maxConstantBufferIdx - m_pLayout->minConstantBufferIdx; }
unsigned int GetNullSurfaceIdx() const;
unsigned int GetTGSMIndex() const;
unsigned int GetScratchSurfaceBindingTableIndex() const;
unsigned int GetStatelessBindingTableIndex() const;
unsigned int GetImmediateConstantBufferOffset() const;
unsigned int GetDrawIndirectBufferIndex() const;
const USC::SShaderStageBTLayout* GetBtLayout() const { return m_pLayout; };
const std::vector<unsigned char>& GetColorBufferMappingTable() const { return m_ColorBufferMappings; }
CBTILayout(const USC::SShaderStageBTLayout* pLayout) : m_pLayout(pLayout)
{}
CBTILayout(
const USC::SShaderStageBTLayout* pLayout,
const std::vector<unsigned char>& colorBufferMappings) :
m_pLayout(pLayout),
m_ColorBufferMappings(colorBufferMappings)
{}
protected:
const USC::SShaderStageBTLayout* m_pLayout;
// Vulkan front end provides a separate vector with color buffer mappings.
const std::vector<unsigned char> m_ColorBufferMappings;
};
// This is insanely ugly, but it's the pretties solution we could
// think of that preserves the GFX code.
// This is temporary and will go away once image access between
// OCL and GFX is unified.
// This happens because in GFX the layout comes from the driver and is
// immutable, while in OCL we need to change the layout mid-codegen.
class COCLBTILayout : public CBTILayout
{
public:
COCLBTILayout(const USC::SShaderStageBTLayout* pLayout) : CBTILayout(pLayout)
{}
USC::SShaderStageBTLayout* getModifiableLayout();
};
class RetryManager
{
public:
RetryManager();
~RetryManager();
RetryManager(const RetryManager&) = delete;
RetryManager& operator=(const RetryManager&) = delete;
bool AdvanceState();
bool AllowLICM(llvm::Function* F = nullptr) const;
bool AllowPromotePrivateMemory(llvm::Function* F = nullptr) const;
bool AllowVISAPreRAScheduler(llvm::Function* F = nullptr) const;
bool AllowCodeSinking(llvm::Function* F = nullptr) const;
bool AllowAddressArithmeticSinking(llvm::Function* F = nullptr) const;
bool AllowCloneAddressArithmetic(llvm::Function* F = nullptr) const;
bool AllowSimd32Slicing(llvm::Function* F = nullptr) const;
bool AllowLargeURBWrite(llvm::Function* F = nullptr) const;
bool AllowConstantCoalescing(llvm::Function* F = nullptr) const;
bool AllowLargeGRF(llvm::Function* F = nullptr) const;
bool ForceIndirectCallsInSyncRT() const;
bool AllowLoadSinking(llvm::Function* F = nullptr) const;
void SetFirstStateId(int id);
bool IsFirstTry() const;
bool IsLastTry() const;
bool Trigger2xGRFRetry() const;
unsigned GetRetryId() const;
unsigned GetPerFuncRetryStateId(llvm::Function* F) const;
void Enable(ShaderType ty = ShaderType::UNKNOWN);
void Disable(bool DisablePerKernel=false);
void SetSpillSize(unsigned int spillSize);
unsigned int GetLastSpillSize() const;
unsigned int numInstructions = 0;
// For OCL the retry manager will work on per-kernel basis, that means
// Disable() will disable only specific kernel. Other kernels still can
// be retried. To keep the old behavior for other shader types, Disable()
// will check the field and keep the old behavior. If other shader
// types want to follow OCL this has to be set, see CodeGenContext
// constructor.
bool perKernel;
/// the set of OCL kernels that was compiled
std::map<std::string, CShaderProgram::UPtr> previousKernels;
/// the set of OCL kernels that need to recompile
std::set<std::string> kernelSet;
/// the set of selected OCL kernels that go through early retry
std::set<std::string> earlyRetryKernelSet;
/// the set of OCL kernels that need to skip recompilation
std::set<std::string> kernelSkip;
// Check if current shader is better then previous one
bool IsBetterThanPrevious(CShaderProgram* pCurrent, float threshold = 1.0f);
// Get the previous compilation of the current kernel
CShaderProgram* GetPrevious(CShaderProgram* pCurrent, bool ReleaseUPtr = false);
// Collect compilation of the current kernel
void Collect(CShaderProgram::UPtr pCurrent);
// Set of functions within a function group that should be retried
std::set<std::string> PerFuncRetrySet;
void ClearSpillParams();
// save entry for given SIMD mode, to avoid recompile for next retry.
void SaveSIMDEntry(SIMDMode simdMode, CShader* shader);
CShader* GetSIMDEntry(SIMDMode simdMode);
bool AnyKernelSpills() const;
// Try to pickup the simd mode & kernel based on heuristics and fill
// programOutput. If returning true, then stop the further retry.
bool PickupKernels(CodeGenContext* cgCtx);
private:
unsigned stateId;
unsigned prevStateId;
// For debugging purposes, it can be useful to start on a particular
// ID rather than id 0.
unsigned firstStateId;
// internal knob to disable retry manager.
bool enabled;
// shader type for shader specific opt
ShaderType shaderType;
unsigned lastSpillSize = 0;
// cache the compiled kernel during retry
struct CacheEntry
{
SIMDMode simdMode;
CShader* shader;
};
CacheEntry cache[3] = {
{SIMDMode::SIMD8, nullptr},
{SIMDMode::SIMD16, nullptr},
{SIMDMode::SIMD32, nullptr},
};
CacheEntry* GetCacheEntry(SIMDMode simdMode);
};
/// This class:
/// Add intrinsic cache to LLVM context
/// Add llvm metadata cache
class LLVMContextWrapper : public llvm::LLVMContext
{
LLVMContextWrapper(LLVMContextWrapper&) = delete;
LLVMContextWrapper& operator =(LLVMContextWrapper&) = delete;
public:
LLVMContextWrapper(bool createResourceDimTypes = true);
/// ref count the LLVMContext as now CodeGenContext owns it
unsigned int refCount = 0;
/// IntrinsicIDCache - Cache of intrinsic pointer to numeric ID mappings
/// requested in this context
typedef llvm::ValueMap<const llvm::Function*, unsigned> SafeIntrinsicIDCacheTy;
SafeIntrinsicIDCacheTy m_SafeIntrinsicIDCache;
/// metadata caching
UserAddrSpaceMD m_UserAddrSpaceMD;
// structType caching : for unique identified struct type
llvm::SmallVector<llvm::StructType*, 16> m_allLayoutStructTypes;
void AddRef();
void Release();
};
struct RoutingIndex
{
unsigned int resourceRangeID;
unsigned int indexIntoRange;
unsigned int routeTo;
unsigned int lscCacheCtrl;
};
class CodeGenContext
{
private:
// For assigning a unique Function ID within CodeGenContext.
std::unordered_map<std::string, int> m_functionIDs;
bool m_enableDumpUseShorterName = false;
public:
/// input: hash key
ShaderHash hash;
ShaderType type;
/// input: Platform features supported
const CPlatform& platform;
/// input: binding table layout used by the driver
const CBTILayout& btiLayout;
/// information about the driver
const CDriverInfo& m_DriverInfo;
/// output: driver instrumentation
TimeStats* m_compilerTimeStats = nullptr;
ShaderStats* m_sumShaderStats = nullptr;
/// output: list of buffer IDs which are promoted to direct AS
// Map of promoted buffer ids with their respective buffer offsets if needed. Buffer offset will be -1 if no need of buffer offset
std::map<unsigned, int> m_buffersPromotedToDirectAS;
// float 16, float32 and float64 denorm mode
Float_DenormMode m_floatDenormMode16 = FLOAT_DENORM_FLUSH_TO_ZERO;
Float_DenormMode m_floatDenormMode32 = FLOAT_DENORM_FLUSH_TO_ZERO;
Float_DenormMode m_floatDenormMode64 = FLOAT_DENORM_FLUSH_TO_ZERO;
Float_DenormMode m_floatDenormModeBFTF = FLOAT_DENORM_FLUSH_TO_ZERO;
PushConstantMode m_pushConstantMode = PushConstantMode::DEFAULT;
static constexpr uint32_t DEFAULT_TOTAL_GRF_NUM = 128;
SInstrTypes m_instrTypes = {};
SInstrTypes m_instrTypesAfterOpts = {};
// The module contains global variables with private address space.
// When this is true, the flag "ForceGlobalMemoryAllocation" is enabled as a WA
bool m_hasGlobalInPrivateAddressSpace = false;
///// used for instruction statistic before/after pass
int instrStat[TOTAL_TYPES][TOTAL_STAGE];
// Module flag for subroutines/stackcalls enabled
bool m_enableSubroutine = false;
// Module flag for function pointers enabled
bool m_enableFunctionPointer = false;
// Module flag for when we need to compile multiple SIMD sizes to support SIMD variants
bool m_enableSimdVariantCompilation = false;
// Module flag to indicate if non-inlinable stack functions are present
bool m_hasStackCalls = false;
// Flag to determine if early Z culling should be called for certain patterns
bool m_ForceEarlyZMathCheck = false;
// Adding multiversioning to partially redundant samples, if AIL is on.
bool m_enableSampleMultiversioning = false;
// Re-enabling SIMD16 for compute shader if spill oversizes on SIMD32
bool m_fallbackCSSIMD16 = false;
bool m_src1RemovedForBlendOpt = false;
llvm::AssemblyAnnotationWriter* annotater = nullptr;
RetryManager m_retryManager;
IGCMetrics::IGCMetric metrics;
// Used scratch space for private variables
llvm::DenseMap<llvm::Function*, uint64_t> m_ScratchSpaceUsage;
// shader stat for opt customization
uint32_t m_tempCount = 0;
uint32_t m_sampler = 0;
uint32_t m_inputCount = 0;
uint32_t m_dxbcCount = 0;
uint32_t m_ConstantBufferCount = 0;
uint32_t m_numGradientSinked = 0;
std::vector<unsigned> m_indexableTempSize;
bool m_highPsRegisterPressure = 0;
// Record previous simd for code patching
CShader* m_prevShader = nullptr;
// For IR dump after pass
unsigned m_numPasses = 0;
bool m_threadCombiningOptDone = false;
void* m_ConstantBufferReplaceShaderPatterns = nullptr;
uint m_ConstantBufferReplaceShaderPatternsSize = 0;
uint m_ConstantBufferUsageMask = 0;
uint m_ConstantBufferReplaceSize = 0;
// tracking next available GRF offset for constants payload
unsigned int m_constantPayloadNextAvailableGRFOffset = 0;
ConstantPayloadInfo m_constantPayloadOffsets;
void* gtpin_init = nullptr;
bool m_hasLegacyDebugInfo = false;
bool m_hasEmu64BitInsts = false;
bool m_hasDPEmu = false;
bool m_hasDPDivSqrtEmu = false;
bool m_hasDPConvEmu = false;
// Flag for staged compilation
CG_FLAG_t m_CgFlag = FLAG_CG_ALL_SIMDS;
// Staging context passing from Stage 1 for compile continuation
CG_CTX_t* m_StagingCtx = nullptr;
// We determine whether generating SIMD32 based on SIMD16's result
// For staged compilation, we record if SIMD32 will be generated in Stage1, and
// pass it to Stage2.
bool m_doSimd32Stage2 = false;
bool m_doSimd16Stage2 = false;
std::string m_savedBitcodeString;
SInstrTypes m_savedInstrTypes;
bool m_hasVendorExtension = false;
// Kernels for which recompilation should be forced.
std::vector<llvm::Function*> m_kernelsWithForcedRetry;
std::vector<int> m_hsIdxMap;
std::vector<int> m_dsIdxMap;
std::vector<int> m_gsIdxMap;
std::vector<int> m_hsNonDefaultIdxMap;
std::vector<int> m_dsNonDefaultIdxMap;
std::vector<int> m_gsNonDefaultIdxMap;
std::vector<int> m_psIdxMap;
DWORD LtoUsedMask = 0;
uint64_t m_SIMDInfo = 0;
uint32_t HdcEnableIndexSize = 0;
std::vector<RoutingIndex> HdcEnableIndexValues;
// Flag per function/kernel informing about if it has
// expensive loops and needs trigger retry compilation
std::unordered_map<llvm::Function*, bool> m_FuncHasExpensiveLoops;
bool HasFuncExpensiveLoop(llvm::Function* pFunc);
// Raytracing (any shader type)
BVHInfo bvhInfo;
// Immediate constant buffer promotion is enabled for all optimization except for Direct storage case
bool m_disableICBPromotion = false;
// Ignore per module fast math flag and use only per instruction fast math flags
// Add few changes to CustomUnsafeOptPass related to fast flag propagation
bool m_checkFastFlagPerInstructionInCustomUnsafeOptPass = false;
// Specifies if this compilation uses indirect addressing with
// differently aligned types. This can result in cross grf boundary
// access in inactive channels of address register.
bool m_mayHaveUnalignedAddressRegister = false;
// Map to store global offsets in original global buffer
std::map<std::string, uint64_t> inlineProgramScopeGlobalOffsets;
std::vector<std::string> entry_names;
private:
//For storing error message
std::stringstream oclErrorMessage;
//For storing warning message
std::stringstream oclWarningMessage;
std::unique_ptr<llvm::ToolOutputFile> RemarksFile;
protected:
// Objects pointed to by these pointers are owned by this class.
LLVMContextWrapper* llvmCtxWrapper;
/// input: LLVM module
IGCLLVM::Module* module = nullptr;
/// input: IGC MetaData Utils
IGC::IGCMD::MetaDataUtils* m_pMdUtils = nullptr;
IGC::ModuleMetaData* modMD = nullptr;
uint32_t m_NumGRFPerThread = 0;
virtual void setFlagsPerCtx();
public:
CodeGenContext(
ShaderType _type, ///< shader type
const CBTILayout& _bitLayout, ///< binding table layout to be used in code gen
const CPlatform& _platform, ///< IGC HW platform description
const CDriverInfo& driverInfo, ///< Queries to know runtime features support
const bool createResourceDimTypes = true,
LLVMContextWrapper* LLVMContext = nullptr)///< LLVM context to use, if null a new one will be created
: type(_type), platform(_platform), btiLayout(_bitLayout), m_DriverInfo(driverInfo),
llvmCtxWrapper(LLVMContext), m_SIMDInfo(0)
{
if (llvmCtxWrapper == nullptr)
{
initLLVMContextWrapper(createResourceDimTypes);
}
else
{
llvmCtxWrapper->AddRef();
}
m_indexableTempSize.resize(64);
for (uint i = 0; i < TOTAL_TYPES; i++)
{
for (uint j = 0; j < TOTAL_STAGE; j++)
{
instrStat[i][j] = 0;
}
}
// Per context flag/key adjustment
setFlagsPerCtx();
// Set retry behavor for Disable()
m_retryManager.perKernel = (type == ShaderType::OPENCL_SHADER);
}
CodeGenContext(CodeGenContext&) = delete;
CodeGenContext& operator =(CodeGenContext&) = delete;
// TODO: Right now CodeGenContext::print method must be manually updated for each
// new member added. Modify the printer to automatically support new members based
// on some "printable" metadata available with member's definition.
// Possible solution: TableGen.
void print(llvm::raw_ostream& stream) const;
void initLLVMContextWrapper(bool createResourceDimTypes = true);
llvm::LLVMContext* getLLVMContext() const;
IGC::IGCMD::MetaDataUtils* getMetaDataUtils() const;
IGCLLVM::Module* getModule() const;
std::vector<std::string> getEntryNames() const;
void setModule(llvm::Module* m);
void setEntryNames(llvm::Module* m);
void clearEntryNames();
// Several clients explicitly delete module without resetting module to null.
// This causes the issue later when the dtor is invoked (trying to delete a
// dangling pointer again). This function is used to replace any explicit
// delete in order to prevent deleting dangling pointers happening.
void deleteModule();
IGC::ModuleMetaData* getModuleMetaData() const;
unsigned int getRegisterPointerSizeInBits(unsigned int AS) const;
bool enableFunctionCall() const;
void CheckEnableSubroutine(llvm::Module& M);
void checkDPEmulationEnabled();
virtual void InitVarMetaData();
virtual ~CodeGenContext();
CodeGenContext(const CodeGenContext&) = delete;
CodeGenContext& operator=(const CodeGenContext&) = delete;
void clear();
void clearMD();
void EmitMessage(std::ostream &OS, const char* errorstr, const llvm::Value *context) const;
void EmitError(const char* errorstr, const llvm::Value *context);
void EmitWarning(const char* warningstr, const llvm::Value *context = nullptr);
inline bool HasError() const { return !this->oclErrorMessage.str().empty(); }
inline bool HasWarning() const { return !this->oclWarningMessage.str().empty(); }
inline const std::string GetWarning() { return this->oclWarningMessage.str(); }
inline const std::string GetError() { return this->oclErrorMessage.str(); }
inline const std::string GetErrorAndWarning() { return GetWarning() + GetError(); }
CompOptions& getCompilerOption();
virtual void resetOnRetry();
virtual int32_t getNumThreadsPerEU() const;
virtual uint32_t getExpGRFSize() const;
virtual uint32_t getNumGRFPerThread(bool returnDefault = true);
virtual void setNumGRFPerThread(uint32_t value) { m_NumGRFPerThread = value; }
virtual bool isAutoGRFSelectionEnabled() const { return false; };
virtual bool forceGlobalMemoryAllocation() const;
virtual bool allocatePrivateAsGlobalBuffer() const;
virtual bool noLocalToGenericOptionEnabled() const;
virtual bool mustDistinguishBetweenPrivateAndGlobalPtr() const;
virtual bool enableTakeGlobalAddress() const;
virtual int16_t getVectorCoalescingControl() const;
virtual uint32_t getPrivateMemoryMinimalSizePerThread() const;
virtual uint32_t getIntelScratchSpacePrivateMemoryMinimalSizePerThread() const;
virtual bool enableZEBinary() const;
bool isPOSH() const;
virtual bool isBufferBoundsChecking() const;
virtual uint64_t getMinimumValidAddress() const;
UserAddrSpaceMD& getUserAddrSpaceMD() {
IGC_ASSERT(llvmCtxWrapper);
return llvmCtxWrapper->m_UserAddrSpaceMD;
}
llvm::SmallVector<llvm::StructType*, 16>& getLayoutStructTypes() {
IGC_ASSERT(llvmCtxWrapper);
return llvmCtxWrapper->m_allLayoutStructTypes;
}
unsigned int GetSIMDInfoOffset(SIMDMode simd, ShaderDispatchMode mode)
{
unsigned int offset = 0;
switch (mode) {
case ShaderDispatchMode::NOT_APPLICABLE:
switch (simd) {
case SIMDMode::SIMD8:
offset = SIMD8_OFFSET;
break;
case SIMDMode::SIMD16:
offset = SIMD16_OFFSET;
break;
case SIMDMode::SIMD32:
offset = SIMD32_OFFSET;
break;
default:
break;
}
break;
case ShaderDispatchMode::DUAL_SIMD8:
offset = DUAL_SIMD8_OFFSET;
break;
default:
break;
}
return offset;
}
void SetSIMDInfo(SIMDInfoBit bit, SIMDMode simd, ShaderDispatchMode mode)
{
unsigned int offset = GetSIMDInfoOffset(simd, mode);
unsigned int shift = bit + offset;
IGC_ASSERT(shift < 64);
m_SIMDInfo |= 1ULL << shift;
}
void ClearSIMDInfo(SIMDMode simd, ShaderDispatchMode mode)
{
unsigned int offset = GetSIMDInfoOffset(simd, mode);
IGC_ASSERT(offset < 64);
m_SIMDInfo &= ~(0xffULL << offset);
}
uint64_t GetSIMDInfo() { return m_SIMDInfo; }
SIMDMode GetSIMDMode();
virtual llvm::Optional<SIMDMode> knownSIMDSize() const {
return llvm::None;
}
// This can be paired with `EncodeAS4GFXResource()` to get a unique
// index.
uint32_t getUniqueIndirectIdx()
{
return getModuleMetaData()->CurUniqueIndirectIdx++;
}
// Frontends may elect to compute indices in their own way. If so,
// they should call this at the end to mark the max index they have
// reserved so that later passes can ensure that `getUniqueIndirectIdx()`
// won't collide with any indices from the frontend.
void setUniqueIndirectIdx(uint32_t NewVal)
{
uint32_t &CurVal = getModuleMetaData()->CurUniqueIndirectIdx;
CurVal = std::max(CurVal, NewVal);
}
// Use this when you want to know about a particular function's
// rayquery usage.
bool hasSyncRTCalls(llvm::Function *F) const
{
auto* MMD = getModuleMetaData();
auto funcMDItr = MMD->FuncMD.find(F);
bool hasRQCall =
(funcMDItr != MMD->FuncMD.end() && funcMDItr->second.hasSyncRTCalls);
return hasRQCall;
}
// Use this to determine if any shaders in the module use rayquery.
bool hasSyncRTCalls() const
{
return (getModuleMetaData()->rtInfo.RayQueryAllocSizeInBytes != 0);
}
// For creating internal names with function IDs.
void createFunctionIDs();
int getFunctionID(llvm::Function* F);
std::string getFunctionDumpName(int functionId);
bool dumpUseShorterName() const { return m_enableDumpUseShorterName; }
// For remarks
void initializeRemarkEmitter(const ShaderHash& hash);
bool syncRTCallsNeedSplitting()
{
// In general, we don't want to compile SIMD32 for rayquery.
// Determine if we are forced to do so.
if (type != ShaderType::COMPUTE_SHADER)
return false;
auto& csInfo = getModuleMetaData()->csInfo;
if (IGC_IS_FLAG_ENABLED(ForceCSSIMD32) ||
IGC_GET_FLAG_VALUE(ForceCSSimdSize4RQ) == 32)
return true;
if (IGC_IS_FLAG_ENABLED(ForceCSSIMD16))
return false;
if (csInfo.forcedSIMDSize == 32)
return true;
if (csInfo.forcedSIMDSize == 16)
return false;
if (csInfo.waveSize == 32)
return true;
return false;
}
};
struct SComputeShaderSecondCompileInput
{
bool secondCompile;
bool isRowMajor;
int numChannelsUsed;
int runtimeVal_LoopCount;
int runtimeVal_ResWidthOrHeight;
int runtimeVal_ConstBufferSize;
SComputeShaderSecondCompileInput()
: secondCompile(false)
, isRowMajor(false)
, numChannelsUsed(0)
, runtimeVal_LoopCount(0)
, runtimeVal_ResWidthOrHeight(0)
, runtimeVal_ConstBufferSize(0)
{}
};
struct SComputeShaderWalkOrder
{
ThreadIDLayout m_threadIDLayout = ThreadIDLayout::X;
CS_WALK_ORDER m_walkOrder = CS_WALK_ORDER::WO_XYZ;
EMIT_LOCAL_MASK m_emitMask = EMIT_LOCAL_MASK::EM_NONE;
//true if HW generates localIDs and puts them to payload
//false if SW generates localIDs and prolog kernel loads them from memory
bool m_enableHWGenerateLID = false;
};
void OptimizeIR(CodeGenContext* ctx);
/**
* Fold derived constants. Load CB data from CBptr with index & offset,
* calculate the new data based on LLVM bitcode and store results to pNewCB.
* Then driver will push pNewCB to thread payload.
*/
void FoldDerivedConstant(char* bitcode, uint bitcodeSize, void* CBptr[15],
std::function<void(uint[4], uint, uint, bool)> getResInfoCB, uint* pNewCB);
} // end IGC namespace
|