123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011 |
- //===------- SPIRVEmitter.h - SPIR-V Binary Code Emitter --------*- C++ -*-===//
- //
- // The LLVM Compiler Infrastructure
- //
- // This file is distributed under the University of Illinois Open Source
- // License. See LICENSE.TXT for details.
- //===----------------------------------------------------------------------===//
- //
- // This file defines a SPIR-V emitter class that takes in HLSL AST and emits
- // SPIR-V binary words.
- //
- //===----------------------------------------------------------------------===//
- #ifndef LLVM_CLANG_LIB_SPIRV_SPIRVEMITTER_H
- #define LLVM_CLANG_LIB_SPIRV_SPIRVEMITTER_H
- #include <stack>
- #include <string>
- #include <utility>
- #include <vector>
- #include "dxc/HLSL/DxilShaderModel.h"
- #include "dxc/HlslIntrinsicOp.h"
- #include "spirv/unified1/GLSL.std.450.h"
- #include "clang/AST/AST.h"
- #include "clang/AST/ASTConsumer.h"
- #include "clang/AST/ASTContext.h"
- #include "clang/Basic/Diagnostic.h"
- #include "clang/Frontend/CompilerInstance.h"
- #include "clang/SPIRV/EmitSPIRVOptions.h"
- #include "clang/SPIRV/FeatureManager.h"
- #include "clang/SPIRV/ModuleBuilder.h"
- #include "llvm/ADT/STLExtras.h"
- #include "llvm/ADT/SetVector.h"
- #include "DeclResultIdMapper.h"
- #include "SpirvEvalInfo.h"
- #include "TypeTranslator.h"
- namespace clang {
- namespace spirv {
- /// SPIR-V emitter class. It consumes the HLSL AST and emits SPIR-V words.
- ///
- /// This class only overrides the HandleTranslationUnit() method; Traversing
- /// through the AST is done manually instead of using ASTConsumer's harness.
- class SPIRVEmitter : public ASTConsumer {
- public:
- SPIRVEmitter(CompilerInstance &ci, EmitSPIRVOptions &options);
- void HandleTranslationUnit(ASTContext &context) override;
- ASTContext &getASTContext() { return astContext; }
- ModuleBuilder &getModuleBuilder() { return theBuilder; }
- TypeTranslator &getTypeTranslator() { return typeTranslator; }
- DiagnosticsEngine &getDiagnosticsEngine() { return diags; }
- void doDecl(const Decl *decl);
- void doStmt(const Stmt *stmt, llvm::ArrayRef<const Attr *> attrs = {});
- SpirvEvalInfo doExpr(const Expr *expr);
- /// Processes the given expression and emits SPIR-V instructions. If the
- /// result is a GLValue, does an additional load.
- ///
- /// This method is useful for cases where ImplicitCastExpr (LValueToRValue) is
- /// missing when using an lvalue as rvalue in the AST, e.g., DeclRefExpr will
- /// not be wrapped in ImplicitCastExpr (LValueToRValue) when appearing in
- /// HLSLVectorElementExpr since the generated HLSLVectorElementExpr itself can
- /// be lvalue or rvalue.
- SpirvEvalInfo loadIfGLValue(const Expr *expr);
- /// Casts the given value from fromType to toType. fromType and toType should
- /// both be scalar or vector types of the same size.
- uint32_t castToType(uint32_t value, QualType fromType, QualType toType,
- SourceLocation);
- private:
- void doFunctionDecl(const FunctionDecl *decl);
- void doVarDecl(const VarDecl *decl);
- void doRecordDecl(const RecordDecl *decl);
- void doHLSLBufferDecl(const HLSLBufferDecl *decl);
- void doBreakStmt(const BreakStmt *stmt);
- void doDiscardStmt(const DiscardStmt *stmt);
- inline void doDeclStmt(const DeclStmt *stmt);
- void doForStmt(const ForStmt *, llvm::ArrayRef<const Attr *> attrs = {});
- void doIfStmt(const IfStmt *ifStmt, llvm::ArrayRef<const Attr *> attrs = {});
- void doReturnStmt(const ReturnStmt *stmt);
- void doSwitchStmt(const SwitchStmt *stmt,
- llvm::ArrayRef<const Attr *> attrs = {});
- void doWhileStmt(const WhileStmt *, llvm::ArrayRef<const Attr *> attrs = {});
- void doDoStmt(const DoStmt *, llvm::ArrayRef<const Attr *> attrs = {});
- void doContinueStmt(const ContinueStmt *);
- SpirvEvalInfo doArraySubscriptExpr(const ArraySubscriptExpr *expr);
- SpirvEvalInfo doBinaryOperator(const BinaryOperator *expr);
- SpirvEvalInfo doCallExpr(const CallExpr *callExpr);
- SpirvEvalInfo doCastExpr(const CastExpr *expr);
- SpirvEvalInfo doCompoundAssignOperator(const CompoundAssignOperator *expr);
- SpirvEvalInfo doConditionalOperator(const ConditionalOperator *expr);
- SpirvEvalInfo doCXXMemberCallExpr(const CXXMemberCallExpr *expr);
- SpirvEvalInfo doCXXOperatorCallExpr(const CXXOperatorCallExpr *expr);
- SpirvEvalInfo doDeclRefExpr(const DeclRefExpr *expr);
- SpirvEvalInfo doExtMatrixElementExpr(const ExtMatrixElementExpr *expr);
- SpirvEvalInfo doHLSLVectorElementExpr(const HLSLVectorElementExpr *expr);
- SpirvEvalInfo doInitListExpr(const InitListExpr *expr);
- SpirvEvalInfo doMemberExpr(const MemberExpr *expr);
- SpirvEvalInfo doUnaryOperator(const UnaryOperator *expr);
- /// Overload with pre computed SpirvEvalInfo.
- ///
- /// The given expr will not be evaluated again.
- SpirvEvalInfo loadIfGLValue(const Expr *expr, SpirvEvalInfo info);
- /// Loads the pointer of the aliased-to-variable if the given expression is a
- /// DeclRefExpr referencing an alias variable. See DeclResultIdMapper for
- /// more explanation regarding this.
- ///
- /// Note: legalization specific code
- SpirvEvalInfo loadIfAliasVarRef(const Expr *expr);
- /// Loads the pointer of the aliased-to-variable and ajusts aliasVarInfo
- /// accordingly if aliasVarExpr is referencing an alias variable. Returns true
- /// if aliasVarInfo is changed, false otherwise.
- ///
- /// Note: legalization specific code
- bool loadIfAliasVarRef(const Expr *aliasVarExpr, SpirvEvalInfo &aliasVarInfo);
- private:
- /// Translates the given frontend binary operator into its SPIR-V equivalent
- /// taking consideration of the operand type.
- spv::Op translateOp(BinaryOperator::Opcode op, QualType type);
- spv::Op translateWaveOp(hlsl::IntrinsicOp op, QualType type, SourceLocation);
- /// Generates SPIR-V instructions for the given normal (non-intrinsic and
- /// non-operator) standalone or member function call.
- SpirvEvalInfo processCall(const CallExpr *expr);
- /// Generates the necessary instructions for assigning rhs to lhs. If lhsPtr
- /// is not zero, it will be used as the pointer from lhs instead of evaluating
- /// lhs again.
- SpirvEvalInfo processAssignment(const Expr *lhs, const SpirvEvalInfo &rhs,
- bool isCompoundAssignment,
- SpirvEvalInfo lhsPtr = 0);
- /// Generates SPIR-V instructions to store rhsVal into lhsPtr. This will be
- /// recursive if lhsValType is a composite type. rhsExpr will be used as a
- /// reference to adjust the CodeGen if not nullptr.
- void storeValue(const SpirvEvalInfo &lhsPtr, const SpirvEvalInfo &rhsVal,
- QualType lhsValType);
- /// Decomposes and reconstructs the given srcVal of the given valType to meet
- /// the requirements of the dstLR layout rule.
- uint32_t reconstructValue(const SpirvEvalInfo &srcVal, QualType valType,
- LayoutRule dstLR);
- /// Generates the necessary instructions for conducting the given binary
- /// operation on lhs and rhs.
- ///
- /// computationType is the type for LHS and RHS when doing computation, while
- /// resultType is the type of the whole binary operation. They can be
- /// different for compound assignments like <some-int-value> *=
- /// <some-float-value>, where computationType is float and resultType is int.
- ///
- /// If lhsResultId is not nullptr, the evaluated pointer from lhs during the
- /// process will be written into it. If mandateGenOpcode is not spv::Op::Max,
- /// it will used as the SPIR-V opcode instead of deducing from Clang frontend
- /// opcode.
- SpirvEvalInfo processBinaryOp(const Expr *lhs, const Expr *rhs,
- BinaryOperatorKind opcode,
- QualType computationType, QualType resultType,
- SourceRange, SpirvEvalInfo *lhsInfo = nullptr,
- spv::Op mandateGenOpcode = spv::Op::Max);
- /// Generates SPIR-V instructions to initialize the given variable once.
- void initOnce(QualType varType, std::string varName, uint32_t varPtr,
- const Expr *varInit);
- /// Returns true if the given expression will be translated into a vector
- /// shuffle instruction in SPIR-V.
- ///
- /// We emit a vector shuffle instruction iff
- /// * We are not selecting only one element from the vector (OpAccessChain
- /// or OpCompositeExtract for such case);
- /// * We are not selecting all elements in their original order (essentially
- /// the original vector, no shuffling needed).
- bool isVectorShuffle(const Expr *expr);
- /// \brief Returns true if the given CXXOperatorCallExpr is indexing into a
- /// Buffer/RWBuffer/Texture/RWTexture using operator[].
- /// On success, writes the base buffer into *base if base is not nullptr, and
- /// writes the index into *index if index is not nullptr.
- bool isBufferTextureIndexing(const CXXOperatorCallExpr *,
- const Expr **base = nullptr,
- const Expr **index = nullptr);
- /// \brief Returns true if the given CXXOperatorCallExpr is the .mips[][]
- /// access into a Texture or .sample[][] access into Texture2DMS(Array). On
- /// success, writes base texture object into *base if base is not nullptr,
- /// writes the index into *index if index is not nullptr, and writes the mip
- /// level (lod) to *lod if lod is not nullptr.
- bool isTextureMipsSampleIndexing(const CXXOperatorCallExpr *indexExpr,
- const Expr **base = nullptr,
- const Expr **index = nullptr,
- const Expr **lod = nullptr);
- /// Condenses a sequence of HLSLVectorElementExpr starting from the given
- /// expr into one. Writes the original base into *basePtr and the condensed
- /// accessor into *flattenedAccessor.
- void condenseVectorElementExpr(
- const HLSLVectorElementExpr *expr, const Expr **basePtr,
- hlsl::VectorMemberAccessPositions *flattenedAccessor);
- /// Generates necessary SPIR-V instructions to create a vector splat out of
- /// the given scalarExpr. The generated vector will have the same element
- /// type as scalarExpr and of the given size. If resultIsConstant is not
- /// nullptr, writes true to it if the generated instruction is a constant.
- SpirvEvalInfo createVectorSplat(const Expr *scalarExpr, uint32_t size);
- /// Splits the given vector into the last element and the rest (as a new
- /// vector).
- void splitVecLastElement(QualType vecType, uint32_t vec, uint32_t *residual,
- uint32_t *lastElement);
- /// Translates a floatN * float multiplication into SPIR-V instructions and
- /// returns the <result-id>. Returns 0 if the given binary operation is not
- /// floatN * float.
- SpirvEvalInfo tryToGenFloatVectorScale(const BinaryOperator *expr);
- /// Translates a floatMxN * float multiplication into SPIR-V instructions and
- /// returns the <result-id>. Returns 0 if the given binary operation is not
- /// floatMxN * float.
- SpirvEvalInfo tryToGenFloatMatrixScale(const BinaryOperator *expr);
- /// Tries to emit instructions for assigning to the given vector element
- /// accessing expression. Returns 0 if the trial fails and no instructions
- /// are generated.
- SpirvEvalInfo tryToAssignToVectorElements(const Expr *lhs,
- const SpirvEvalInfo &rhs);
- /// Tries to emit instructions for assigning to the given matrix element
- /// accessing expression. Returns 0 if the trial fails and no instructions
- /// are generated.
- SpirvEvalInfo tryToAssignToMatrixElements(const Expr *lhs,
- const SpirvEvalInfo &rhs);
- /// Tries to emit instructions for assigning to the given RWBuffer/RWTexture
- /// object. Returns 0 if the trial fails and no instructions are generated.
- SpirvEvalInfo tryToAssignToRWBufferRWTexture(const Expr *lhs,
- const SpirvEvalInfo &rhs);
- /// Processes each vector within the given matrix by calling actOnEachVector.
- /// matrixVal should be the loaded value of the matrix. actOnEachVector takes
- /// three parameters for the current vector: the index, the <type-id>, and
- /// the value. It returns the <result-id> of the processed vector.
- SpirvEvalInfo processEachVectorInMatrix(
- const Expr *matrix, const uint32_t matrixVal,
- llvm::function_ref<uint32_t(uint32_t, uint32_t, uint32_t)>
- actOnEachVector);
- /// Translates the given varDecl into a spec constant.
- void createSpecConstant(const VarDecl *varDecl);
- /// Generates the necessary instructions for conducting the given binary
- /// operation on lhs and rhs.
- ///
- /// This method expects that both lhs and rhs are SPIR-V acceptable matrices.
- SpirvEvalInfo processMatrixBinaryOp(const Expr *lhs, const Expr *rhs,
- const BinaryOperatorKind opcode,
- SourceRange);
- /// Creates a temporary local variable in the current function of the given
- /// varType and varName. Initializes the variable with the given initValue.
- /// Returns the <result-id> of the variable.
- uint32_t SPIRVEmitter::createTemporaryVar(QualType varType,
- llvm::StringRef varName,
- const SpirvEvalInfo &initValue);
- /// Collects all indices (SPIR-V constant values) from consecutive MemberExprs
- /// or ArraySubscriptExprs or operator[] calls and writes into indices.
- /// Returns the real base. If rawIndex is set to true, the indices collected
- /// will not be turned into SPIR-V constant values, and the base returned can
- /// be nullptr, which means some indices are not constant.
- const Expr *
- collectArrayStructIndices(const Expr *expr,
- llvm::SmallVectorImpl<uint32_t> *indices,
- bool rawIndex = false);
- /// Creates an access chain to index into the given SPIR-V evaluation result
- /// and overwrites and returns the new SPIR-V evaluation result.
- SpirvEvalInfo &
- turnIntoElementPtr(SpirvEvalInfo &info, QualType elemType,
- const llvm::SmallVector<uint32_t, 4> &indices);
- private:
- /// Validates that vk::* attributes are used correctly and returns false if
- /// errors are found.
- bool validateVKAttributes(const NamedDecl *decl);
- private:
- /// Converts the given value from the bitwidth of 'fromType' to the bitwidth
- /// of 'toType'. If the two have the same bitwidth, returns the value itself.
- /// If resultType is not nullptr, the resulting value's type will be written
- /// to resultType. Panics if the given types are not scalar or vector of
- /// float/integer type.
- uint32_t convertBitwidth(uint32_t value, QualType fromType, QualType toType,
- uint32_t *resultType = nullptr);
- /// Processes the given expr, casts the result into the given bool (vector)
- /// type and returns the <result-id> of the casted value.
- uint32_t castToBool(uint32_t value, QualType fromType, QualType toType);
- /// Processes the given expr, casts the result into the given integer (vector)
- /// type and returns the <result-id> of the casted value.
- uint32_t castToInt(uint32_t value, QualType fromType, QualType toType,
- SourceLocation);
- /// Processes the given expr, casts the result into the given float (vector)
- /// type and returns the <result-id> of the casted value.
- uint32_t castToFloat(uint32_t value, QualType fromType, QualType toType,
- SourceLocation);
- private:
- /// Processes HLSL instrinsic functions.
- SpirvEvalInfo processIntrinsicCallExpr(const CallExpr *);
- /// Processes the 'clip' intrinsic function. Discards the current pixel if the
- /// specified value is less than zero.
- uint32_t processIntrinsicClip(const CallExpr *);
- /// Processes the 'dst' intrinsic function.
- uint32_t processIntrinsicDst(const CallExpr *);
- /// Processes the 'clamp' intrinsic function.
- uint32_t processIntrinsicClamp(const CallExpr *);
- /// Processes the 'frexp' intrinsic function.
- uint32_t processIntrinsicFrexp(const CallExpr *);
- /// Processes the 'ldexp' intrinsic function.
- uint32_t processIntrinsicLdexp(const CallExpr *);
- /// Processes the 'D3DCOLORtoUBYTE4' intrinsic function.
- uint32_t processD3DCOLORtoUBYTE4(const CallExpr *);
- /// Processes the 'lit' intrinsic function.
- uint32_t processIntrinsicLit(const CallExpr *);
- /// Processes the 'GroupMemoryBarrier', 'GroupMemoryBarrierWithGroupSync',
- /// 'DeviceMemoryBarrier', 'DeviceMemoryBarrierWithGroupSync',
- /// 'AllMemoryBarrier', and 'AllMemoryBarrierWithGroupSync' intrinsic
- /// functions.
- uint32_t processIntrinsicMemoryBarrier(const CallExpr *, bool isDevice,
- bool groupSync, bool isAllBarrier);
- /// Processes the 'modf' intrinsic function.
- uint32_t processIntrinsicModf(const CallExpr *);
- /// Processes the 'msad4' intrinsic function.
- uint32_t processIntrinsicMsad4(const CallExpr *);
- /// Processes the 'mul' intrinsic function.
- uint32_t processIntrinsicMul(const CallExpr *);
- /// Transposes a non-floating point matrix and returns the result-id of the
- /// transpose.
- uint32_t processNonFpMatrixTranspose(QualType matType, uint32_t matId);
- /// Processes the dot product of two non-floating point vectors. The SPIR-V
- /// OpDot only accepts float vectors. Assumes that the two vectors are of the
- /// same size and have the same element type (elemType).
- uint32_t processNonFpDot(uint32_t vec1Id, uint32_t vec2Id, uint32_t vecSize,
- QualType elemType);
- /// Processes the multiplication of a *non-floating point* matrix by a scalar.
- /// Assumes that the matrix element type and the scalar type are the same.
- uint32_t processNonFpScalarTimesMatrix(QualType scalarType, uint32_t scalarId,
- QualType matType, uint32_t matId);
- /// Processes the multiplication of a *non-floating point* matrix by a vector.
- /// Assumes the matrix element type and the vector element type are the same.
- /// Notice that the vector in this case is a "row vector" and will be
- /// multiplied by the matrix columns (dot product). As a result, the given
- /// matrix must be transposed in order to easily get each column. If
- /// 'matTransposeId' is non-zero, it will be used as the transpose matrix
- /// result-id; otherwise the function will perform the transpose itself.
- uint32_t processNonFpVectorTimesMatrix(QualType vecType, uint32_t vecId,
- QualType matType, uint32_t matId,
- uint32_t matTransposeId = 0);
- /// Processes the multiplication of a vector by a *non-floating point* matrix.
- /// Assumes the matrix element type and the vector element type are the same.
- uint32_t processNonFpMatrixTimesVector(QualType matType, uint32_t matId,
- QualType vecType, uint32_t vecId);
- /// Processes a non-floating point matrix multiplication. Assumes that the
- /// number of columns in lhs matrix is the same as number of rows in the rhs
- /// matrix. Also assumes that the two matrices have the same element type.
- uint32_t processNonFpMatrixTimesMatrix(QualType lhsType, uint32_t lhsId,
- QualType rhsType, uint32_t rhsId);
- /// Processes the 'dot' intrinsic function.
- uint32_t processIntrinsicDot(const CallExpr *);
- /// Processes the 'log10' intrinsic function.
- uint32_t processIntrinsicLog10(const CallExpr *);
- /// Processes the 'all' and 'any' intrinsic functions.
- uint32_t processIntrinsicAllOrAny(const CallExpr *, spv::Op);
- /// Processes the 'asfloat', 'asint', and 'asuint' intrinsic functions.
- uint32_t processIntrinsicAsType(const CallExpr *);
- /// Processes the 'saturate' intrinsic function.
- uint32_t processIntrinsicSaturate(const CallExpr *);
- /// Processes the 'sincos' intrinsic function.
- uint32_t processIntrinsicSinCos(const CallExpr *);
- /// Processes the 'isFinite' intrinsic function.
- uint32_t processIntrinsicIsFinite(const CallExpr *);
- /// Processes the 'rcp' intrinsic function.
- uint32_t processIntrinsicRcp(const CallExpr *);
- /// Processes the 'sign' intrinsic function for float types.
- /// The FSign instruction in the GLSL instruction set returns a floating point
- /// result. The HLSL sign function, however, returns an integer. An extra
- /// casting from float to integer is therefore performed by this method.
- uint32_t processIntrinsicFloatSign(const CallExpr *);
- /// Processes the 'f16to32' intrinsic function.
- uint32_t processIntrinsicF16ToF32(const CallExpr *);
- /// Processes the 'f32tof16' intrinsic function.
- uint32_t processIntrinsicF32ToF16(const CallExpr *);
- /// Processes the given intrinsic function call using the given GLSL
- /// extended instruction. If the given instruction cannot operate on matrices,
- /// it performs the instruction on each row of the matrix and uses composite
- /// construction to generate the resulting matrix.
- uint32_t processIntrinsicUsingGLSLInst(const CallExpr *, GLSLstd450 instr,
- bool canOperateOnMatrix);
- /// Processes the given intrinsic function call using the given SPIR-V
- /// instruction. If the given instruction cannot operate on matrices, it
- /// performs the instruction on each row of the matrix and uses composite
- /// construction to generate the resulting matrix.
- uint32_t processIntrinsicUsingSpirvInst(const CallExpr *, spv::Op,
- bool canOperateOnMatrix);
- /// Processes the given intrinsic member call.
- SpirvEvalInfo processIntrinsicMemberCall(const CXXMemberCallExpr *expr,
- hlsl::IntrinsicOp opcode);
- /// Processes Interlocked* intrinsic functions.
- uint32_t processIntrinsicInterlockedMethod(const CallExpr *,
- hlsl::IntrinsicOp);
- /// Processes SM6.0 wave query intrinsic calls.
- uint32_t processWaveQuery(const CallExpr *, spv::Op opcode);
- /// Processes SM6.0 wave vote intrinsic calls.
- uint32_t processWaveVote(const CallExpr *, spv::Op opcode);
- /// Processes SM6.0 wave reduction or scan/prefix intrinsic calls.
- uint32_t processWaveReductionOrPrefix(const CallExpr *, spv::Op op,
- spv::GroupOperation groupOp);
- /// Processes SM6.0 wave broadcast intrinsic calls.
- uint32_t processWaveBroadcast(const CallExpr *);
- /// Processes SM6.0 quad-wide shuffle.
- uint32_t processWaveQuadWideShuffle(const CallExpr *, hlsl::IntrinsicOp op);
- private:
- /// Returns the <result-id> for constant value 0 of the given type.
- uint32_t getValueZero(QualType type);
- /// Returns the <result-id> for a constant zero vector of the given size and
- /// element type.
- uint32_t getVecValueZero(QualType elemType, uint32_t size);
- /// Returns the <result-id> for constant value 1 of the given type.
- uint32_t getValueOne(QualType type);
- /// Returns the <result-id> for a constant one vector of the given size and
- /// element type.
- uint32_t getVecValueOne(QualType elemType, uint32_t size);
- /// Returns the <result-id> for a constant one (vector) having the same
- /// element type as the given matrix type.
- ///
- /// If a 1x1 matrix is given, the returned value one will be a scalar;
- /// if a Mx1 or 1xN matrix is given, the returned value one will be a
- /// vector of size M or N; if a MxN matrix is given, the returned value
- /// one will be a vector of size N.
- uint32_t getMatElemValueOne(QualType type);
- /// Returns a SPIR-V constant equal to the bitwdith of the given type minus
- /// one. The returned constant has the same component count and bitwidth as
- /// the given type.
- uint32_t getMaskForBitwidthValue(QualType type);
- private:
- /// \brief Performs a FlatConversion implicit cast. Fills an instance of the
- /// given type with initializer <result-id>. The initializer is of type
- /// initType.
- uint32_t processFlatConversion(const QualType type, const QualType initType,
- uint32_t initId, SourceLocation);
- private:
- /// Translates the given frontend APValue into its SPIR-V equivalent for the
- /// given targetType.
- uint32_t translateAPValue(const APValue &value, const QualType targetType);
- /// Translates the given frontend APInt into its SPIR-V equivalent for the
- /// given targetType.
- uint32_t translateAPInt(const llvm::APInt &intValue, QualType targetType);
- /// Translates the given frontend APFloat into its SPIR-V equivalent for the
- /// given targetType.
- uint32_t translateAPFloat(llvm::APFloat floatValue, QualType targetType);
- /// Tries to evaluate the given Expr as a constant and returns the <result-id>
- /// if success. Otherwise, returns 0.
- uint32_t tryToEvaluateAsConst(const Expr *expr);
- /// Tries to evaluate the given APFloat as a 32-bit float. If the evaluation
- /// can be performed without loss, it returns the <result-id> of the SPIR-V
- /// constant for that value. Returns zero otherwise.
- uint32_t tryToEvaluateAsFloat32(const llvm::APFloat &);
- /// Tries to evaluate the given APInt as a 32-bit integer. If the evaluation
- /// can be performed without loss, it returns the <result-id> of the SPIR-V
- /// constant for that value.
- uint32_t tryToEvaluateAsInt32(const llvm::APInt &, bool isSigned);
- /// Returns true iff the given expression is a literal integer that cannot be
- /// represented in a 32-bit integer type or a literal float that cannot be
- /// represented in a 32-bit float type without losing info. Returns false
- /// otherwise.
- bool isLiteralLargerThan32Bits(const Expr *expr);
- private:
- /// Translates the given HLSL loop attribute into SPIR-V loop control mask.
- /// Emits an error if the given attribute is not a loop attribute.
- spv::LoopControlMask translateLoopAttribute(const Stmt *, const Attr &);
- static spv::ExecutionModel
- getSpirvShaderStage(const hlsl::ShaderModel &model);
- void AddRequiredCapabilitiesForShaderModel();
- /// \brief Adds necessary execution modes for the hull/domain shaders based on
- /// the HLSL attributes of the entry point function.
- /// In the case of hull shaders, also writes the number of output control
- /// points to *numOutputControlPoints. Returns true on success, and false on
- /// failure.
- bool processTessellationShaderAttributes(const FunctionDecl *entryFunction,
- uint32_t *numOutputControlPoints);
- /// \brief Adds necessary execution modes for the geometry shader based on the
- /// HLSL attributes of the entry point function. Also writes the array size of
- /// the input, which depends on the primitive type, to *arraySize.
- bool processGeometryShaderAttributes(const FunctionDecl *entryFunction,
- uint32_t *arraySize);
- /// \brief Adds necessary execution modes for the pixel shader based on the
- /// HLSL attributes of the entry point function.
- void processPixelShaderAttributes(const FunctionDecl *decl);
- /// \brief Adds necessary execution modes for the compute shader based on the
- /// HLSL attributes of the entry point function.
- void processComputeShaderAttributes(const FunctionDecl *entryFunction);
- /// \brief Emits a wrapper function for the entry function and returns true
- /// on success.
- ///
- /// The wrapper function loads the values of all stage input variables and
- /// creates composites as expected by the source code entry function. It then
- /// calls the source code entry point and writes out stage output variables
- /// by extracting sub-values from the return value. In this way, we can handle
- /// the source code entry point as a normal function.
- ///
- /// The wrapper function is also responsible for initializing global static
- /// variables for some cases.
- bool emitEntryFunctionWrapper(const FunctionDecl *entryFunction,
- uint32_t entryFuncId);
- /// \brief Performs the following operations for the Hull shader:
- /// * Creates an output variable which is an Array containing results for all
- /// control points.
- ///
- /// * If the Patch Constant Function (PCF) takes the Hull main entry function
- /// results (OutputPatch), it creates a temporary function-scope variable that
- /// is then passed to the PCF.
- ///
- /// * Adds a control barrier (OpControlBarrier) to ensure all invocations are
- /// done before PCF is called.
- ///
- /// * Prepares the necessary parameters to pass to the PCF (Can be one or more
- /// of InputPatch, OutputPatch, PrimitiveId).
- ///
- /// * The execution thread with ControlPointId (invocationID) of 0 calls the
- /// PCF. e.g. if(id == 0) pcf();
- ///
- /// * Gathers the results of the PCF and assigns them to stage output
- /// variables.
- ///
- /// The method panics if it is called for any shader kind other than Hull
- /// shaders.
- bool processHSEntryPointOutputAndPCF(const FunctionDecl *hullMainFuncDecl,
- uint32_t retType, uint32_t retVal,
- uint32_t numOutputControlPoints,
- uint32_t outputControlPointId,
- uint32_t primitiveId, uint32_t viewId,
- uint32_t hullMainInputPatch);
- private:
- /// \brief Returns true iff *all* the case values in the given switch
- /// statement are integer literals. In such cases OpSwitch can be used to
- /// represent the switch statement.
- /// We only care about the case values to be compared with the selector. They
- /// may appear in the top level CaseStmt or be nested in a CompoundStmt.Fall
- /// through cases will result in the second situation.
- bool allSwitchCasesAreIntegerLiterals(const Stmt *root);
- /// \brief Recursively discovers all CaseStmt and DefaultStmt under the
- /// sub-tree of the given root. Recursively goes down the tree iff it finds a
- /// CaseStmt, DefaultStmt, or CompoundStmt. It does not recurse on other
- /// statement types. For each discovered case, a basic block is created and
- /// registered within the module, and added as a successor to the current
- /// active basic block.
- ///
- /// Writes a vector of (integer, basic block label) pairs for all cases to the
- /// given 'targets' argument. If a DefaultStmt is found, it also returns the
- /// label for the default basic block through the defaultBB parameter. This
- /// method panics if it finds a case value that is not an integer literal.
- void discoverAllCaseStmtInSwitchStmt(
- const Stmt *root, uint32_t *defaultBB,
- std::vector<std::pair<uint32_t, uint32_t>> *targets);
- /// Flattens structured AST of the given switch statement into a vector of AST
- /// nodes and stores into flatSwitch.
- ///
- /// The AST for a switch statement may look arbitrarily different based on
- /// several factors such as placement of cases, placement of breaks, placement
- /// of braces, and fallthrough cases.
- ///
- /// A CaseStmt for instance is the child node of a CompoundStmt for
- /// regular cases and it is the child node of another CaseStmt for fallthrough
- /// cases.
- ///
- /// A BreakStmt for instance could be the child node of a CompoundStmt
- /// for regular cases, or the child node of a CaseStmt for some fallthrough
- /// cases.
- ///
- /// This method flattens the AST representation of a switch statement to make
- /// it easier to process for translation.
- /// For example:
- ///
- /// switch(a) {
- /// case 1:
- /// <Stmt1>
- /// case 2:
- /// <Stmt2>
- /// break;
- /// case 3:
- /// case 4:
- /// <Stmt4>
- /// break;
- /// deafult:
- /// <Stmt5>
- /// }
- ///
- /// is flattened to the following vector:
- ///
- /// +-----+-----+-----+-----+-----+-----+-----+-----+-----+-------+-----+
- /// |Case1|Stmt1|Case2|Stmt2|Break|Case3|Case4|Stmt4|Break|Default|Stmt5|
- /// +-----+-----+-----+-----+-----+-----+-----+-----+-----+-------+-----+
- ///
- void flattenSwitchStmtAST(const Stmt *root,
- std::vector<const Stmt *> *flatSwitch);
- void processCaseStmtOrDefaultStmt(const Stmt *stmt);
- void processSwitchStmtUsingSpirvOpSwitch(const SwitchStmt *switchStmt);
- /// Translates a switch statement into SPIR-V conditional branches.
- ///
- /// This is done by constructing AST if statements out of the cases using the
- /// following pattern:
- /// if { ... } else if { ... } else if { ... } else { ... }
- /// And then calling the SPIR-V codegen methods for these if statements.
- ///
- /// Each case comparison is turned into an if statement, and the "then" body
- /// of the if statement will be the body of the case.
- /// If a default statements exists, it becomes the body of the "else"
- /// statement.
- void processSwitchStmtUsingIfStmts(const SwitchStmt *switchStmt);
- private:
- /// Handles the offset argument in the given method call at the given argument
- /// index. Panics if the argument at the given index does not exist. Writes
- /// the <result-id> to either *constOffset or *varOffset, depending on the
- /// constantness of the offset.
- void handleOffsetInMethodCall(const CXXMemberCallExpr *expr, uint32_t index,
- uint32_t *constOffset, uint32_t *varOffset);
- /// \brief Processes .Load() method call for Buffer/RWBuffer and texture
- /// objects.
- SpirvEvalInfo processBufferTextureLoad(const CXXMemberCallExpr *);
- /// \brief Loads one element from the given Buffer/RWBuffer/Texture object at
- /// the given location. The type of the loaded element matches the type in the
- /// declaration for the Buffer/Texture object.
- /// If residencyCodeId is not zero, the SPIR-V instruction for storing the
- /// resulting residency code will also be emitted.
- SpirvEvalInfo processBufferTextureLoad(const Expr *object, uint32_t location,
- uint32_t constOffset,
- uint32_t varOffset, uint32_t lod,
- uint32_t residencyCode);
- /// \brief Processes .Sample() and .Gather() method calls for texture objects.
- uint32_t processTextureSampleGather(const CXXMemberCallExpr *expr,
- bool isSample);
- /// \brief Processes .SampleBias() and .SampleLevel() method calls for texture
- /// objects.
- uint32_t processTextureSampleBiasLevel(const CXXMemberCallExpr *expr,
- bool isBias);
- /// \brief Processes .SampleGrad() method call for texture objects.
- uint32_t processTextureSampleGrad(const CXXMemberCallExpr *expr);
- /// \brief Processes .SampleCmp() or .SampleCmpLevelZero() method call for
- /// texture objects.
- uint32_t processTextureSampleCmpCmpLevelZero(const CXXMemberCallExpr *expr,
- bool isCmp);
- /// \brief Handles .Gather{|Cmp}{Red|Green|Blue|Alpha}() calls on texture
- /// types.
- uint32_t processTextureGatherRGBACmpRGBA(const CXXMemberCallExpr *expr,
- bool isCmp, uint32_t component);
- /// \brief Handles .GatherCmp() calls on texture types.
- uint32_t processTextureGatherCmp(const CXXMemberCallExpr *expr);
- /// \brief Returns the calculated level-of-detail (a single float value) for
- /// the given texture. Handles intrinsic HLSL CalculateLevelOfDetail function.
- uint32_t processTextureLevelOfDetail(const CXXMemberCallExpr *expr);
- /// \brief Processes the .GetDimensions() call on supported objects.
- uint32_t processGetDimensions(const CXXMemberCallExpr *);
- /// \brief Queries the given (RW)Buffer/(RW)Texture image in the given expr
- /// for the requested information. Based on the dimension of the image, the
- /// following info can be queried: width, height, depth, number of mipmap
- /// levels.
- uint32_t processBufferTextureGetDimensions(const CXXMemberCallExpr *);
- /// \brief Generates an OpAccessChain instruction for the given
- /// (RW)StructuredBuffer.Load() method call.
- SpirvEvalInfo processStructuredBufferLoad(const CXXMemberCallExpr *expr);
- /// \brief Increments or decrements the counter for RW/Append/Consume
- /// structured buffer. If loadObject is true, the object upon which the call
- /// is made will be evaluated and translated into SPIR-V.
- uint32_t incDecRWACSBufferCounter(const CXXMemberCallExpr *call, bool isInc,
- bool loadObject = true);
- /// Assigns the counter variable associated with srcExpr to the one associated
- /// with dstDecl if the dstDecl is an internal RW/Append/Consume structured
- /// buffer. Returns false if there is no associated counter variable for
- /// srcExpr or dstDecl.
- ///
- /// Note: legalization specific code
- bool tryToAssignCounterVar(const DeclaratorDecl *dstDecl,
- const Expr *srcExpr);
- bool tryToAssignCounterVar(const Expr *dstExpr, const Expr *srcExpr);
- /// Returns the counter variable's information associated with the entity
- /// represented by the given decl.
- ///
- /// This method only handles final alias structured buffers, which means
- /// AssocCounter#1 and AssocCounter#2.
- const CounterIdAliasPair *getFinalACSBufferCounter(const Expr *expr);
- /// This method handles AssocCounter#3 and AssocCounter#4.
- const CounterVarFields *
- getIntermediateACSBufferCounter(const Expr *expr,
- llvm::SmallVector<uint32_t, 4> *indices);
- /// Gets or creates an ImplicitParamDecl to represent the implicit object
- /// parameter of the given method.
- const ImplicitParamDecl *
- getOrCreateDeclForMethodObject(const CXXMethodDecl *method);
- /// \brief Loads numWords 32-bit unsigned integers or stores numWords 32-bit
- /// unsigned integers (based on the doStore parameter) to the given
- /// ByteAddressBuffer. Loading is allowed from a ByteAddressBuffer or
- /// RWByteAddressBuffer. Storing is allowed only to RWByteAddressBuffer.
- /// Panics if it is not the case.
- SpirvEvalInfo processByteAddressBufferLoadStore(const CXXMemberCallExpr *,
- uint32_t numWords,
- bool doStore);
- /// \brief Processes the GetDimensions intrinsic function call on a
- /// (RW)ByteAddressBuffer by querying the image in the given expr.
- uint32_t processByteAddressBufferStructuredBufferGetDimensions(
- const CXXMemberCallExpr *);
- /// \brief Processes the Interlocked* intrinsic function call on a
- /// RWByteAddressBuffer.
- uint32_t processRWByteAddressBufferAtomicMethods(hlsl::IntrinsicOp opcode,
- const CXXMemberCallExpr *);
- /// \brief Processes the GetSamplePosition intrinsic method call on a
- /// Texture2DMS(Array).
- uint32_t processGetSamplePosition(const CXXMemberCallExpr *);
- /// \brief Processes the SubpassLoad intrinsic function call on a
- /// SubpassInput(MS).
- SpirvEvalInfo processSubpassLoad(const CXXMemberCallExpr *);
- /// \brief Generates SPIR-V instructions for the .Append()/.Consume() call on
- /// the given {Append|Consume}StructuredBuffer. Returns the <result-id> of
- /// the loaded value for .Consume; returns zero for .Append().
- SpirvEvalInfo processACSBufferAppendConsume(const CXXMemberCallExpr *expr);
- /// \brief Generates SPIR-V instructions to emit the current vertex in GS.
- uint32_t processStreamOutputAppend(const CXXMemberCallExpr *expr);
- /// \brief Generates SPIR-V instructions to end emitting the current
- /// primitive in GS.
- uint32_t processStreamOutputRestart(const CXXMemberCallExpr *expr);
- /// \brief Emulates GetSamplePosition() for standard sample settings, i.e.,
- /// with 1, 2, 4, 8, or 16 samples. Returns float2(0) for other cases.
- uint32_t emitGetSamplePosition(uint32_t sampleCount, uint32_t sampleIndex);
- private:
- /// \brief Takes a vector of size 4, and returns a vector of size 1 or 2 or 3
- /// or 4. Creates a CompositeExtract or VectorShuffle instruction to extract
- /// a scalar or smaller vector from the beginning of the input vector if
- /// necessary. Assumes that 'fromId' is the <result-id> of a vector of size 4.
- /// Panics if the target vector size is not 1, 2, 3, or 4.
- uint32_t extractVecFromVec4(uint32_t fromId, uint32_t targetVecSize,
- uint32_t targetElemTypeId);
- /// \brief Creates SPIR-V instructions for sampling the given image.
- /// It utilizes the ModuleBuilder's createImageSample and it ensures that the
- /// returned type is handled correctly.
- /// HLSL image sampling methods may return a scalar, vec1, vec2, vec3, or
- /// vec4. But non-Dref image sampling instructions in SPIR-V must always
- /// return a vec4. As a result, an extra processing step is necessary.
- uint32_t createImageSample(QualType retType, uint32_t imageType,
- uint32_t image, uint32_t sampler,
- uint32_t coordinate, uint32_t compareVal,
- uint32_t bias, uint32_t lod,
- std::pair<uint32_t, uint32_t> grad,
- uint32_t constOffset, uint32_t varOffset,
- uint32_t constOffsets, uint32_t sample,
- uint32_t minLod, uint32_t residencyCodeId);
- private:
- /// \brief Wrapper method to create a fatal error message and report it
- /// in the diagnostic engine associated with this consumer.
- template <unsigned N>
- DiagnosticBuilder emitFatalError(const char (&message)[N],
- SourceLocation loc) {
- const auto diagId =
- diags.getCustomDiagID(clang::DiagnosticsEngine::Fatal, message);
- return diags.Report(loc, diagId);
- }
- /// \brief Wrapper method to create an error message and report it
- /// in the diagnostic engine associated with this consumer.
- template <unsigned N>
- DiagnosticBuilder emitError(const char (&message)[N], SourceLocation loc) {
- const auto diagId =
- diags.getCustomDiagID(clang::DiagnosticsEngine::Error, message);
- return diags.Report(loc, diagId);
- }
- /// \brief Wrapper method to create a warning message and report it
- /// in the diagnostic engine associated with this consumer
- template <unsigned N>
- DiagnosticBuilder emitWarning(const char (&message)[N], SourceLocation loc) {
- const auto diagId =
- diags.getCustomDiagID(clang::DiagnosticsEngine::Warning, message);
- return diags.Report(loc, diagId);
- }
- /// \brief Wrapper method to create a note message and report it
- /// in the diagnostic engine associated with this consumer
- template <unsigned N>
- DiagnosticBuilder emitNote(const char (&message)[N], SourceLocation loc) {
- const auto diagId =
- diags.getCustomDiagID(clang::DiagnosticsEngine::Note, message);
- return diags.Report(loc, diagId);
- }
- private:
- CompilerInstance &theCompilerInstance;
- ASTContext &astContext;
- DiagnosticsEngine &diags;
- const EmitSPIRVOptions &spirvOptions;
- /// Entry function name and shader stage. Both of them are derived from the
- /// command line and should be const.
- const llvm::StringRef entryFunctionName;
- const hlsl::ShaderModel &shaderModel;
- SPIRVContext theContext;
- FeatureManager featureManager;
- ModuleBuilder theBuilder;
- TypeTranslator typeTranslator;
- DeclResultIdMapper declIdMapper;
- /// A queue of decls reachable from the entry function. Decls inserted into
- /// this queue will persist to avoid duplicated translations. And we'd like
- /// a deterministic order of iterating the queue for finding the next decl
- /// to translate. So we need SetVector here.
- llvm::SetVector<const DeclaratorDecl *> workQueue;
- /// <result-id> for the entry function. Initially it is zero and will be reset
- /// when starting to translate the entry function.
- uint32_t entryFunctionId;
- /// The current function under traversal.
- const FunctionDecl *curFunction;
- /// The SPIR-V function parameter for the current this object.
- uint32_t curThis;
- /// The source location of a push constant block we have previously seen.
- /// Invalid means no push constant blocks defined thus far.
- SourceLocation seenPushConstantAt;
- /// Indicates whether the current emitter is in specialization constant mode:
- /// all 32-bit scalar constants will be translated into OpSpecConstant.
- bool isSpecConstantMode;
- /// Whether the translated SPIR-V binary needs legalization.
- ///
- /// The following cases will require legalization:
- ///
- /// 1. Opaque types (textures, samplers) within structs
- /// 2. Structured buffer aliasing
- /// 3. Using SPIR-V instructions not allowed in the currect shader stage
- ///
- /// This covers the first and third case.
- ///
- /// If this is true, SPIRV-Tools legalization passes will be executed after
- /// the translation to legalize the generated SPIR-V binary.
- ///
- /// Note: legalization specific code
- bool needsLegalization;
- /// Mapping from methods to the decls to represent their implicit object
- /// parameters
- ///
- /// We need this map because that we need to update the associated counters on
- /// the implicit object when invoking method calls. The ImplicitParamDecl
- /// mapped to serves as a key to find the associated counters in
- /// DeclResultIdMapper.
- ///
- /// Note: legalization specific code
- llvm::DenseMap<const CXXMethodDecl *, const ImplicitParamDecl *> thisDecls;
- /// Global variables that should be initialized once at the begining of the
- /// entry function.
- llvm::SmallVector<const VarDecl *, 4> toInitGloalVars;
- /// For loops, while loops, and switch statements may encounter "break"
- /// statements that alter their control flow. At any point the break statement
- /// is observed, the control flow jumps to the inner-most scope's merge block.
- /// For instance: the break in the following example should cause a branch to
- /// the SwitchMergeBB, not ForLoopMergeBB:
- /// for (...) {
- /// switch(...) {
- /// case 1: break;
- /// }
- /// <--- SwitchMergeBB
- /// }
- /// <---- ForLoopMergeBB
- /// This stack keeps track of the basic blocks to which branching could occur.
- std::stack<uint32_t> breakStack;
- /// Loops (do, while, for) may encounter "continue" statements that alter
- /// their control flow. At any point the continue statement is observed, the
- /// control flow jumps to the inner-most scope's continue block.
- /// This stack keeps track of the basic blocks to which such branching could
- /// occur.
- std::stack<uint32_t> continueStack;
- /// Maps a given statement to the basic block that is associated with it.
- llvm::DenseMap<const Stmt *, uint32_t> stmtBasicBlock;
- /// This is the Patch Constant Function. This function is not explicitly
- /// called from the entry point function.
- FunctionDecl *patchConstFunc;
- };
- void SPIRVEmitter::doDeclStmt(const DeclStmt *declStmt) {
- for (auto *decl : declStmt->decls())
- doDecl(decl);
- }
- } // end namespace spirv
- } // end namespace clang
- #endif
|