• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1 //
2 // Copyright (C) 2002-2005  3Dlabs Inc. Ltd.
3 // Copyright (C) 2012-2015 LunarG, Inc.
4 // Copyright (C) 2015-2018 Google, Inc.
5 // Copyright (C) 2017, 2019 ARM Limited.
6 // Modifications Copyright (C) 2020 Advanced Micro Devices, Inc. All rights reserved.
7 //
8 // All rights reserved.
9 //
10 // Redistribution and use in source and binary forms, with or without
11 // modification, are permitted provided that the following conditions
12 // are met:
13 //
14 //    Redistributions of source code must retain the above copyright
15 //    notice, this list of conditions and the following disclaimer.
16 //
17 //    Redistributions in binary form must reproduce the above
18 //    copyright notice, this list of conditions and the following
19 //    disclaimer in the documentation and/or other materials provided
20 //    with the distribution.
21 //
22 //    Neither the name of 3Dlabs Inc. Ltd. nor the names of its
23 //    contributors may be used to endorse or promote products derived
24 //    from this software without specific prior written permission.
25 //
26 // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
27 // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
28 // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
29 // FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
30 // COPYRIGHT HOLDERS OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
31 // INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
32 // BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
33 // LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
34 // CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
35 // LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN
36 // ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
37 // POSSIBILITY OF SUCH DAMAGE.
38 //
39 
40 #include "ParseHelper.h"
41 #include "Scan.h"
42 
43 #include "../OSDependent/osinclude.h"
44 #include <algorithm>
45 
46 #include "preprocessor/PpContext.h"
47 
48 extern int yyparse(glslang::TParseContext*);
49 
50 namespace glslang {
51 
TParseContext(TSymbolTable & symbolTable,TIntermediate & interm,bool parsingBuiltins,int version,EProfile profile,const SpvVersion & spvVersion,EShLanguage language,TInfoSink & infoSink,bool forwardCompatible,EShMessages messages,const TString * entryPoint)52 TParseContext::TParseContext(TSymbolTable& symbolTable, TIntermediate& interm, bool parsingBuiltins,
53                              int version, EProfile profile, const SpvVersion& spvVersion, EShLanguage language,
54                              TInfoSink& infoSink, bool forwardCompatible, EShMessages messages,
55                              const TString* entryPoint) :
56             TParseContextBase(symbolTable, interm, parsingBuiltins, version, profile, spvVersion, language,
57                               infoSink, forwardCompatible, messages, entryPoint),
58             inMain(false),
59             blockName(nullptr),
60             limits(resources.limits)
61 #ifndef GLSLANG_WEB
62             ,
63             atomicUintOffsets(nullptr), anyIndexLimits(false)
64 #endif
65 {
66     // decide whether precision qualifiers should be ignored or respected
67     if (isEsProfile() || spvVersion.vulkan > 0) {
68         precisionManager.respectPrecisionQualifiers();
69         if (! parsingBuiltins && language == EShLangFragment && !isEsProfile() && spvVersion.vulkan > 0)
70             precisionManager.warnAboutDefaults();
71     }
72 
73     setPrecisionDefaults();
74 
75     globalUniformDefaults.clear();
76     globalUniformDefaults.layoutMatrix = ElmColumnMajor;
77     globalUniformDefaults.layoutPacking = spvVersion.spv != 0 ? ElpStd140 : ElpShared;
78 
79     globalBufferDefaults.clear();
80     globalBufferDefaults.layoutMatrix = ElmColumnMajor;
81     globalBufferDefaults.layoutPacking = spvVersion.spv != 0 ? ElpStd430 : ElpShared;
82 
83     // use storage buffer on SPIR-V 1.3 and up
84     if (spvVersion.spv >= EShTargetSpv_1_3)
85         intermediate.setUseStorageBuffer();
86 
87     globalInputDefaults.clear();
88     globalOutputDefaults.clear();
89 
90 #ifndef GLSLANG_WEB
91     // "Shaders in the transform
92     // feedback capturing mode have an initial global default of
93     //     layout(xfb_buffer = 0) out;"
94     if (language == EShLangVertex ||
95         language == EShLangTessControl ||
96         language == EShLangTessEvaluation ||
97         language == EShLangGeometry)
98         globalOutputDefaults.layoutXfbBuffer = 0;
99 
100     if (language == EShLangGeometry)
101         globalOutputDefaults.layoutStream = 0;
102 #endif
103 
104     if (entryPoint != nullptr && entryPoint->size() > 0 && *entryPoint != "main")
105         infoSink.info.message(EPrefixError, "Source entry point must be \"main\"");
106 }
107 
~TParseContext()108 TParseContext::~TParseContext()
109 {
110 #ifndef GLSLANG_WEB
111     delete [] atomicUintOffsets;
112 #endif
113 }
114 
115 // Set up all default precisions as needed by the current environment.
116 // Intended just as a TParseContext constructor helper.
setPrecisionDefaults()117 void TParseContext::setPrecisionDefaults()
118 {
119     // Set all precision defaults to EpqNone, which is correct for all types
120     // when not obeying precision qualifiers, and correct for types that don't
121     // have defaults (thus getting an error on use) when obeying precision
122     // qualifiers.
123 
124     for (int type = 0; type < EbtNumTypes; ++type)
125         defaultPrecision[type] = EpqNone;
126 
127     for (int type = 0; type < maxSamplerIndex; ++type)
128         defaultSamplerPrecision[type] = EpqNone;
129 
130     // replace with real precision defaults for those that have them
131     if (obeyPrecisionQualifiers()) {
132         if (isEsProfile()) {
133             // Most don't have defaults, a few default to lowp.
134             TSampler sampler;
135             sampler.set(EbtFloat, Esd2D);
136             defaultSamplerPrecision[computeSamplerTypeIndex(sampler)] = EpqLow;
137             sampler.set(EbtFloat, EsdCube);
138             defaultSamplerPrecision[computeSamplerTypeIndex(sampler)] = EpqLow;
139             sampler.set(EbtFloat, Esd2D);
140             sampler.setExternal(true);
141             defaultSamplerPrecision[computeSamplerTypeIndex(sampler)] = EpqLow;
142         }
143 
144         // If we are parsing built-in computational variables/functions, it is meaningful to record
145         // whether the built-in has no precision qualifier, as that ambiguity
146         // is used to resolve the precision from the supplied arguments/operands instead.
147         // So, we don't actually want to replace EpqNone with a default precision for built-ins.
148         if (! parsingBuiltins) {
149             if (isEsProfile() && language == EShLangFragment) {
150                 defaultPrecision[EbtInt] = EpqMedium;
151                 defaultPrecision[EbtUint] = EpqMedium;
152             } else {
153                 defaultPrecision[EbtInt] = EpqHigh;
154                 defaultPrecision[EbtUint] = EpqHigh;
155                 defaultPrecision[EbtFloat] = EpqHigh;
156             }
157 
158             if (!isEsProfile()) {
159                 // Non-ES profile
160                 // All sampler precisions default to highp.
161                 for (int type = 0; type < maxSamplerIndex; ++type)
162                     defaultSamplerPrecision[type] = EpqHigh;
163             }
164         }
165 
166         defaultPrecision[EbtSampler] = EpqLow;
167         defaultPrecision[EbtAtomicUint] = EpqHigh;
168     }
169 }
170 
setLimits(const TBuiltInResource & r)171 void TParseContext::setLimits(const TBuiltInResource& r)
172 {
173     resources = r;
174     intermediate.setLimits(r);
175 
176 #ifndef GLSLANG_WEB
177     anyIndexLimits = ! limits.generalAttributeMatrixVectorIndexing ||
178                      ! limits.generalConstantMatrixVectorIndexing ||
179                      ! limits.generalSamplerIndexing ||
180                      ! limits.generalUniformIndexing ||
181                      ! limits.generalVariableIndexing ||
182                      ! limits.generalVaryingIndexing;
183 
184 
185     // "Each binding point tracks its own current default offset for
186     // inheritance of subsequent variables using the same binding. The initial state of compilation is that all
187     // binding points have an offset of 0."
188     atomicUintOffsets = new int[resources.maxAtomicCounterBindings];
189     for (int b = 0; b < resources.maxAtomicCounterBindings; ++b)
190         atomicUintOffsets[b] = 0;
191 #endif
192 }
193 
194 //
195 // Parse an array of strings using yyparse, going through the
196 // preprocessor to tokenize the shader strings, then through
197 // the GLSL scanner.
198 //
199 // Returns true for successful acceptance of the shader, false if any errors.
200 //
parseShaderStrings(TPpContext & ppContext,TInputScanner & input,bool versionWillBeError)201 bool TParseContext::parseShaderStrings(TPpContext& ppContext, TInputScanner& input, bool versionWillBeError)
202 {
203     currentScanner = &input;
204     ppContext.setInput(input, versionWillBeError);
205     yyparse(this);
206 
207     finish();
208 
209     return numErrors == 0;
210 }
211 
212 // This is called from bison when it has a parse (syntax) error
213 // Note though that to stop cascading errors, we set EOF, which
214 // will usually cause a syntax error, so be more accurate that
215 // compilation is terminating.
parserError(const char * s)216 void TParseContext::parserError(const char* s)
217 {
218     if (! getScanner()->atEndOfInput() || numErrors == 0)
219         error(getCurrentLoc(), "", "", s, "");
220     else
221         error(getCurrentLoc(), "compilation terminated", "", "");
222 }
223 
handlePragma(const TSourceLoc & loc,const TVector<TString> & tokens)224 void TParseContext::handlePragma(const TSourceLoc& loc, const TVector<TString>& tokens)
225 {
226 #ifndef GLSLANG_WEB
227     if (pragmaCallback)
228         pragmaCallback(loc.line, tokens);
229 
230     if (tokens.size() == 0)
231         return;
232 
233     if (tokens[0].compare("optimize") == 0) {
234         if (tokens.size() != 4) {
235             error(loc, "optimize pragma syntax is incorrect", "#pragma", "");
236             return;
237         }
238 
239         if (tokens[1].compare("(") != 0) {
240             error(loc, "\"(\" expected after 'optimize' keyword", "#pragma", "");
241             return;
242         }
243 
244         if (tokens[2].compare("on") == 0)
245             contextPragma.optimize = true;
246         else if (tokens[2].compare("off") == 0)
247             contextPragma.optimize = false;
248         else {
249             if(relaxedErrors())
250                 //  If an implementation does not recognize the tokens following #pragma, then it will ignore that pragma.
251                 warn(loc, "\"on\" or \"off\" expected after '(' for 'optimize' pragma", "#pragma", "");
252             return;
253         }
254 
255         if (tokens[3].compare(")") != 0) {
256             error(loc, "\")\" expected to end 'optimize' pragma", "#pragma", "");
257             return;
258         }
259     } else if (tokens[0].compare("debug") == 0) {
260         if (tokens.size() != 4) {
261             error(loc, "debug pragma syntax is incorrect", "#pragma", "");
262             return;
263         }
264 
265         if (tokens[1].compare("(") != 0) {
266             error(loc, "\"(\" expected after 'debug' keyword", "#pragma", "");
267             return;
268         }
269 
270         if (tokens[2].compare("on") == 0)
271             contextPragma.debug = true;
272         else if (tokens[2].compare("off") == 0)
273             contextPragma.debug = false;
274         else {
275             if(relaxedErrors())
276                 //  If an implementation does not recognize the tokens following #pragma, then it will ignore that pragma.
277                 warn(loc, "\"on\" or \"off\" expected after '(' for 'debug' pragma", "#pragma", "");
278             return;
279         }
280 
281         if (tokens[3].compare(")") != 0) {
282             error(loc, "\")\" expected to end 'debug' pragma", "#pragma", "");
283             return;
284         }
285     } else if (spvVersion.spv > 0 && tokens[0].compare("use_storage_buffer") == 0) {
286         if (tokens.size() != 1)
287             error(loc, "extra tokens", "#pragma", "");
288         intermediate.setUseStorageBuffer();
289     } else if (spvVersion.spv > 0 && tokens[0].compare("use_vulkan_memory_model") == 0) {
290         if (tokens.size() != 1)
291             error(loc, "extra tokens", "#pragma", "");
292         intermediate.setUseVulkanMemoryModel();
293     } else if (spvVersion.spv > 0 && tokens[0].compare("use_variable_pointers") == 0) {
294         if (tokens.size() != 1)
295             error(loc, "extra tokens", "#pragma", "");
296         if (spvVersion.spv < glslang::EShTargetSpv_1_3)
297             error(loc, "requires SPIR-V 1.3", "#pragma use_variable_pointers", "");
298         intermediate.setUseVariablePointers();
299     } else if (tokens[0].compare("once") == 0) {
300         warn(loc, "not implemented", "#pragma once", "");
301     } else if (tokens[0].compare("glslang_binary_double_output") == 0)
302         intermediate.setBinaryDoubleOutput();
303 #endif
304 }
305 
306 //
307 // Handle seeing a variable identifier in the grammar.
308 //
handleVariable(const TSourceLoc & loc,TSymbol * symbol,const TString * string)309 TIntermTyped* TParseContext::handleVariable(const TSourceLoc& loc, TSymbol* symbol, const TString* string)
310 {
311     TIntermTyped* node = nullptr;
312 
313     // Error check for requiring specific extensions present.
314     if (symbol && symbol->getNumExtensions())
315         requireExtensions(loc, symbol->getNumExtensions(), symbol->getExtensions(), symbol->getName().c_str());
316 
317 #ifndef GLSLANG_WEB
318     if (symbol && symbol->isReadOnly()) {
319         // All shared things containing an unsized array must be copied up
320         // on first use, so that all future references will share its array structure,
321         // so that editing the implicit size will effect all nodes consuming it,
322         // and so that editing the implicit size won't change the shared one.
323         //
324         // If this is a variable or a block, check it and all it contains, but if this
325         // is a member of an anonymous block, check the whole block, as the whole block
326         // will need to be copied up if it contains an unsized array.
327         //
328         // This check is being done before the block-name check further down, so guard
329         // for that too.
330         if (!symbol->getType().isUnusableName()) {
331             if (symbol->getType().containsUnsizedArray() ||
332                 (symbol->getAsAnonMember() &&
333                  symbol->getAsAnonMember()->getAnonContainer().getType().containsUnsizedArray()))
334                 makeEditable(symbol);
335         }
336     }
337 #endif
338 
339     const TVariable* variable;
340     const TAnonMember* anon = symbol ? symbol->getAsAnonMember() : nullptr;
341     if (anon) {
342         // It was a member of an anonymous container.
343 
344         // Create a subtree for its dereference.
345         variable = anon->getAnonContainer().getAsVariable();
346         TIntermTyped* container = intermediate.addSymbol(*variable, loc);
347         TIntermTyped* constNode = intermediate.addConstantUnion(anon->getMemberNumber(), loc);
348         node = intermediate.addIndex(EOpIndexDirectStruct, container, constNode, loc);
349 
350         node->setType(*(*variable->getType().getStruct())[anon->getMemberNumber()].type);
351         if (node->getType().hiddenMember())
352             error(loc, "member of nameless block was not redeclared", string->c_str(), "");
353     } else {
354         // Not a member of an anonymous container.
355 
356         // The symbol table search was done in the lexical phase.
357         // See if it was a variable.
358         variable = symbol ? symbol->getAsVariable() : nullptr;
359         if (variable) {
360             if (variable->getType().isUnusableName()) {
361                 error(loc, "cannot be used (maybe an instance name is needed)", string->c_str(), "");
362                 variable = nullptr;
363             }
364         } else {
365             if (symbol)
366                 error(loc, "variable name expected", string->c_str(), "");
367         }
368 
369         // Recovery, if it wasn't found or was not a variable.
370         if (! variable)
371             variable = new TVariable(string, TType(EbtVoid));
372 
373         if (variable->getType().getQualifier().isFrontEndConstant())
374             node = intermediate.addConstantUnion(variable->getConstArray(), variable->getType(), loc);
375         else
376             node = intermediate.addSymbol(*variable, loc);
377     }
378 
379     if (variable->getType().getQualifier().isIo())
380         intermediate.addIoAccessed(*string);
381 
382     if (variable->getType().isReference() &&
383         variable->getType().getQualifier().bufferReferenceNeedsVulkanMemoryModel()) {
384         intermediate.setUseVulkanMemoryModel();
385     }
386 
387     return node;
388 }
389 
390 //
391 // Handle seeing a base[index] dereference in the grammar.
392 //
handleBracketDereference(const TSourceLoc & loc,TIntermTyped * base,TIntermTyped * index)393 TIntermTyped* TParseContext::handleBracketDereference(const TSourceLoc& loc, TIntermTyped* base, TIntermTyped* index)
394 {
395     int indexValue = 0;
396     if (index->getQualifier().isFrontEndConstant())
397         indexValue = index->getAsConstantUnion()->getConstArray()[0].getIConst();
398 
399     // basic type checks...
400     variableCheck(base);
401 
402     if (! base->isArray() && ! base->isMatrix() && ! base->isVector() && ! base->getType().isCoopMat() &&
403         ! base->isReference()) {
404         if (base->getAsSymbolNode())
405             error(loc, " left of '[' is not of type array, matrix, or vector ", base->getAsSymbolNode()->getName().c_str(), "");
406         else
407             error(loc, " left of '[' is not of type array, matrix, or vector ", "expression", "");
408 
409         // Insert dummy error-recovery result
410         return intermediate.addConstantUnion(0.0, EbtFloat, loc);
411     }
412 
413     if (!base->isArray() && base->isVector()) {
414         if (base->getType().contains16BitFloat())
415             requireFloat16Arithmetic(loc, "[", "does not operate on types containing float16");
416         if (base->getType().contains16BitInt())
417             requireInt16Arithmetic(loc, "[", "does not operate on types containing (u)int16");
418         if (base->getType().contains8BitInt())
419             requireInt8Arithmetic(loc, "[", "does not operate on types containing (u)int8");
420     }
421 
422     // check for constant folding
423     if (base->getType().getQualifier().isFrontEndConstant() && index->getQualifier().isFrontEndConstant()) {
424         // both base and index are front-end constants
425         checkIndex(loc, base->getType(), indexValue);
426         return intermediate.foldDereference(base, indexValue, loc);
427     }
428 
429     // at least one of base and index is not a front-end constant variable...
430     TIntermTyped* result = nullptr;
431 
432 #ifndef GLSLANG_WEB
433     if (base->isReference() && ! base->isArray()) {
434         requireExtensions(loc, 1, &E_GL_EXT_buffer_reference2, "buffer reference indexing");
435         if (base->getType().getReferentType()->containsUnsizedArray()) {
436             error(loc, "cannot index reference to buffer containing an unsized array", "", "");
437             result = nullptr;
438         } else {
439             result = intermediate.addBinaryMath(EOpAdd, base, index, loc);
440             if (result != nullptr)
441                 result->setType(base->getType());
442         }
443         if (result == nullptr) {
444             error(loc, "cannot index buffer reference", "", "");
445             result = intermediate.addConstantUnion(0.0, EbtFloat, loc);
446         }
447         return result;
448     }
449     if (base->getAsSymbolNode() && isIoResizeArray(base->getType()))
450         handleIoResizeArrayAccess(loc, base);
451 #endif
452 
453     if (index->getQualifier().isFrontEndConstant())
454         checkIndex(loc, base->getType(), indexValue);
455 
456     if (index->getQualifier().isFrontEndConstant()) {
457 #ifndef GLSLANG_WEB
458         if (base->getType().isUnsizedArray()) {
459             base->getWritableType().updateImplicitArraySize(indexValue + 1);
460             // For 2D per-view builtin arrays, update the inner dimension size in parent type
461             if (base->getQualifier().isPerView() && base->getQualifier().builtIn != EbvNone) {
462                 TIntermBinary* binaryNode = base->getAsBinaryNode();
463                 if (binaryNode) {
464                     TType& leftType = binaryNode->getLeft()->getWritableType();
465                     TArraySizes& arraySizes = *leftType.getArraySizes();
466                     assert(arraySizes.getNumDims() == 2);
467                     arraySizes.setDimSize(1, std::max(arraySizes.getDimSize(1), indexValue + 1));
468                 }
469             }
470         } else
471 #endif
472             checkIndex(loc, base->getType(), indexValue);
473         result = intermediate.addIndex(EOpIndexDirect, base, index, loc);
474     } else {
475 #ifndef GLSLANG_WEB
476         if (base->getType().isUnsizedArray()) {
477             // we have a variable index into an unsized array, which is okay,
478             // depending on the situation
479             if (base->getAsSymbolNode() && isIoResizeArray(base->getType()))
480                 error(loc, "", "[", "array must be sized by a redeclaration or layout qualifier before being indexed with a variable");
481             else {
482                 // it is okay for a run-time sized array
483                 checkRuntimeSizable(loc, *base);
484             }
485             base->getWritableType().setArrayVariablyIndexed();
486         }
487 #endif
488         if (base->getBasicType() == EbtBlock) {
489             if (base->getQualifier().storage == EvqBuffer)
490                 requireProfile(base->getLoc(), ~EEsProfile, "variable indexing buffer block array");
491             else if (base->getQualifier().storage == EvqUniform)
492                 profileRequires(base->getLoc(), EEsProfile, 320, Num_AEP_gpu_shader5, AEP_gpu_shader5,
493                                 "variable indexing uniform block array");
494             else {
495                 // input/output blocks either don't exist or can't be variably indexed
496             }
497         } else if (language == EShLangFragment && base->getQualifier().isPipeOutput())
498             requireProfile(base->getLoc(), ~EEsProfile, "variable indexing fragment shader output array");
499         else if (base->getBasicType() == EbtSampler && version >= 130) {
500             const char* explanation = "variable indexing sampler array";
501             requireProfile(base->getLoc(), EEsProfile | ECoreProfile | ECompatibilityProfile, explanation);
502             profileRequires(base->getLoc(), EEsProfile, 320, Num_AEP_gpu_shader5, AEP_gpu_shader5, explanation);
503             profileRequires(base->getLoc(), ECoreProfile | ECompatibilityProfile, 400, nullptr, explanation);
504         }
505 
506         result = intermediate.addIndex(EOpIndexIndirect, base, index, loc);
507     }
508 
509     // Insert valid dereferenced result type
510     TType newType(base->getType(), 0);
511     if (base->getType().getQualifier().isConstant() && index->getQualifier().isConstant()) {
512         newType.getQualifier().storage = EvqConst;
513         // If base or index is a specialization constant, the result should also be a specialization constant.
514         if (base->getType().getQualifier().isSpecConstant() || index->getQualifier().isSpecConstant()) {
515             newType.getQualifier().makeSpecConstant();
516         }
517     } else {
518         newType.getQualifier().storage = EvqTemporary;
519         newType.getQualifier().specConstant = false;
520     }
521     result->setType(newType);
522 
523 #ifndef GLSLANG_WEB
524     inheritMemoryQualifiers(base->getQualifier(), result->getWritableType().getQualifier());
525 
526     // Propagate nonuniform
527     if (base->getQualifier().isNonUniform() || index->getQualifier().isNonUniform())
528         result->getWritableType().getQualifier().nonUniform = true;
529 
530     if (anyIndexLimits)
531         handleIndexLimits(loc, base, index);
532 #endif
533 
534     return result;
535 }
536 
537 #ifndef GLSLANG_WEB
538 
539 // for ES 2.0 (version 100) limitations for almost all index operations except vertex-shader uniforms
handleIndexLimits(const TSourceLoc &,TIntermTyped * base,TIntermTyped * index)540 void TParseContext::handleIndexLimits(const TSourceLoc& /*loc*/, TIntermTyped* base, TIntermTyped* index)
541 {
542     if ((! limits.generalSamplerIndexing && base->getBasicType() == EbtSampler) ||
543         (! limits.generalUniformIndexing && base->getQualifier().isUniformOrBuffer() && language != EShLangVertex) ||
544         (! limits.generalAttributeMatrixVectorIndexing && base->getQualifier().isPipeInput() && language == EShLangVertex && (base->getType().isMatrix() || base->getType().isVector())) ||
545         (! limits.generalConstantMatrixVectorIndexing && base->getAsConstantUnion()) ||
546         (! limits.generalVariableIndexing && ! base->getType().getQualifier().isUniformOrBuffer() &&
547                                              ! base->getType().getQualifier().isPipeInput() &&
548                                              ! base->getType().getQualifier().isPipeOutput() &&
549                                              ! base->getType().getQualifier().isConstant()) ||
550         (! limits.generalVaryingIndexing && (base->getType().getQualifier().isPipeInput() ||
551                                                 base->getType().getQualifier().isPipeOutput()))) {
552         // it's too early to know what the inductive variables are, save it for post processing
553         needsIndexLimitationChecking.push_back(index);
554     }
555 }
556 
557 // Make a shared symbol have a non-shared version that can be edited by the current
558 // compile, such that editing its type will not change the shared version and will
559 // effect all nodes sharing it.
makeEditable(TSymbol * & symbol)560 void TParseContext::makeEditable(TSymbol*& symbol)
561 {
562     TParseContextBase::makeEditable(symbol);
563 
564     // See if it's tied to IO resizing
565     if (isIoResizeArray(symbol->getType()))
566         ioArraySymbolResizeList.push_back(symbol);
567 }
568 
569 // Return true if this is a geometry shader input array or tessellation control output array
570 // or mesh shader output array.
isIoResizeArray(const TType & type) const571 bool TParseContext::isIoResizeArray(const TType& type) const
572 {
573     return type.isArray() &&
574            ((language == EShLangGeometry    && type.getQualifier().storage == EvqVaryingIn) ||
575             (language == EShLangTessControl && type.getQualifier().storage == EvqVaryingOut &&
576                 ! type.getQualifier().patch) ||
577             (language == EShLangFragment && type.getQualifier().storage == EvqVaryingIn &&
578                 type.getQualifier().pervertexNV) ||
579             (language == EShLangMeshNV && type.getQualifier().storage == EvqVaryingOut &&
580                 !type.getQualifier().perTaskNV));
581 }
582 
583 // If an array is not isIoResizeArray() but is an io array, make sure it has the right size
fixIoArraySize(const TSourceLoc & loc,TType & type)584 void TParseContext::fixIoArraySize(const TSourceLoc& loc, TType& type)
585 {
586     if (! type.isArray() || type.getQualifier().patch || symbolTable.atBuiltInLevel())
587         return;
588 
589     assert(! isIoResizeArray(type));
590 
591     if (type.getQualifier().storage != EvqVaryingIn || type.getQualifier().patch)
592         return;
593 
594     if (language == EShLangTessControl || language == EShLangTessEvaluation) {
595         if (type.getOuterArraySize() != resources.maxPatchVertices) {
596             if (type.isSizedArray())
597                 error(loc, "tessellation input array size must be gl_MaxPatchVertices or implicitly sized", "[]", "");
598             type.changeOuterArraySize(resources.maxPatchVertices);
599         }
600     }
601 }
602 
603 // Issue any errors if the non-array object is missing arrayness WRT
604 // shader I/O that has array requirements.
605 // All arrayness checking is handled in array paths, this is for
ioArrayCheck(const TSourceLoc & loc,const TType & type,const TString & identifier)606 void TParseContext::ioArrayCheck(const TSourceLoc& loc, const TType& type, const TString& identifier)
607 {
608     if (! type.isArray() && ! symbolTable.atBuiltInLevel()) {
609         if (type.getQualifier().isArrayedIo(language) && !type.getQualifier().layoutPassthrough)
610             error(loc, "type must be an array:", type.getStorageQualifierString(), identifier.c_str());
611     }
612 }
613 
614 // Handle a dereference of a geometry shader input array or tessellation control output array.
615 // See ioArraySymbolResizeList comment in ParseHelper.h.
616 //
handleIoResizeArrayAccess(const TSourceLoc &,TIntermTyped * base)617 void TParseContext::handleIoResizeArrayAccess(const TSourceLoc& /*loc*/, TIntermTyped* base)
618 {
619     TIntermSymbol* symbolNode = base->getAsSymbolNode();
620     assert(symbolNode);
621     if (! symbolNode)
622         return;
623 
624     // fix array size, if it can be fixed and needs to be fixed (will allow variable indexing)
625     if (symbolNode->getType().isUnsizedArray()) {
626         int newSize = getIoArrayImplicitSize(symbolNode->getType().getQualifier());
627         if (newSize > 0)
628             symbolNode->getWritableType().changeOuterArraySize(newSize);
629     }
630 }
631 
632 // If there has been an input primitive declaration (geometry shader) or an output
633 // number of vertices declaration(tessellation shader), make sure all input array types
634 // match it in size.  Types come either from nodes in the AST or symbols in the
635 // symbol table.
636 //
637 // Types without an array size will be given one.
638 // Types already having a size that is wrong will get an error.
639 //
checkIoArraysConsistency(const TSourceLoc & loc,bool tailOnly)640 void TParseContext::checkIoArraysConsistency(const TSourceLoc &loc, bool tailOnly)
641 {
642     int requiredSize = 0;
643     TString featureString;
644     size_t listSize = ioArraySymbolResizeList.size();
645     size_t i = 0;
646 
647     // If tailOnly = true, only check the last array symbol in the list.
648     if (tailOnly) {
649         i = listSize - 1;
650     }
651     for (bool firstIteration = true; i < listSize; ++i) {
652         TType &type = ioArraySymbolResizeList[i]->getWritableType();
653 
654         // As I/O array sizes don't change, fetch requiredSize only once,
655         // except for mesh shaders which could have different I/O array sizes based on type qualifiers.
656         if (firstIteration || (language == EShLangMeshNV)) {
657             requiredSize = getIoArrayImplicitSize(type.getQualifier(), &featureString);
658             if (requiredSize == 0)
659                 break;
660             firstIteration = false;
661         }
662 
663         checkIoArrayConsistency(loc, requiredSize, featureString.c_str(), type,
664                                 ioArraySymbolResizeList[i]->getName());
665     }
666 }
667 
getIoArrayImplicitSize(const TQualifier & qualifier,TString * featureString) const668 int TParseContext::getIoArrayImplicitSize(const TQualifier &qualifier, TString *featureString) const
669 {
670     int expectedSize = 0;
671     TString str = "unknown";
672     unsigned int maxVertices = intermediate.getVertices() != TQualifier::layoutNotSet ? intermediate.getVertices() : 0;
673 
674     if (language == EShLangGeometry) {
675         expectedSize = TQualifier::mapGeometryToSize(intermediate.getInputPrimitive());
676         str = TQualifier::getGeometryString(intermediate.getInputPrimitive());
677     }
678     else if (language == EShLangTessControl) {
679         expectedSize = maxVertices;
680         str = "vertices";
681     } else if (language == EShLangFragment) {
682         // Number of vertices for Fragment shader is always three.
683         expectedSize = 3;
684         str = "vertices";
685     } else if (language == EShLangMeshNV) {
686         unsigned int maxPrimitives =
687             intermediate.getPrimitives() != TQualifier::layoutNotSet ? intermediate.getPrimitives() : 0;
688         if (qualifier.builtIn == EbvPrimitiveIndicesNV) {
689             expectedSize = maxPrimitives * TQualifier::mapGeometryToSize(intermediate.getOutputPrimitive());
690             str = "max_primitives*";
691             str += TQualifier::getGeometryString(intermediate.getOutputPrimitive());
692         }
693         else if (qualifier.isPerPrimitive()) {
694             expectedSize = maxPrimitives;
695             str = "max_primitives";
696         }
697         else {
698             expectedSize = maxVertices;
699             str = "max_vertices";
700         }
701     }
702     if (featureString)
703         *featureString = str;
704     return expectedSize;
705 }
706 
checkIoArrayConsistency(const TSourceLoc & loc,int requiredSize,const char * feature,TType & type,const TString & name)707 void TParseContext::checkIoArrayConsistency(const TSourceLoc& loc, int requiredSize, const char* feature, TType& type, const TString& name)
708 {
709     if (type.isUnsizedArray())
710         type.changeOuterArraySize(requiredSize);
711     else if (type.getOuterArraySize() != requiredSize) {
712         if (language == EShLangGeometry)
713             error(loc, "inconsistent input primitive for array size of", feature, name.c_str());
714         else if (language == EShLangTessControl)
715             error(loc, "inconsistent output number of vertices for array size of", feature, name.c_str());
716         else if (language == EShLangFragment) {
717             if (type.getOuterArraySize() > requiredSize)
718                 error(loc, " cannot be greater than 3 for pervertexNV", feature, name.c_str());
719         }
720         else if (language == EShLangMeshNV)
721             error(loc, "inconsistent output array size of", feature, name.c_str());
722         else
723             assert(0);
724     }
725 }
726 
727 #endif // GLSLANG_WEB
728 
729 // Handle seeing a binary node with a math operation.
730 // Returns nullptr if not semantically allowed.
handleBinaryMath(const TSourceLoc & loc,const char * str,TOperator op,TIntermTyped * left,TIntermTyped * right)731 TIntermTyped* TParseContext::handleBinaryMath(const TSourceLoc& loc, const char* str, TOperator op, TIntermTyped* left, TIntermTyped* right)
732 {
733     rValueErrorCheck(loc, str, left->getAsTyped());
734     rValueErrorCheck(loc, str, right->getAsTyped());
735 
736     bool allowed = true;
737     switch (op) {
738     // TODO: Bring more source language-specific checks up from intermediate.cpp
739     // to the specific parse helpers for that source language.
740     case EOpLessThan:
741     case EOpGreaterThan:
742     case EOpLessThanEqual:
743     case EOpGreaterThanEqual:
744         if (! left->isScalar() || ! right->isScalar())
745             allowed = false;
746         break;
747     default:
748         break;
749     }
750 
751     if (((left->getType().contains16BitFloat() || right->getType().contains16BitFloat()) && !float16Arithmetic()) ||
752         ((left->getType().contains16BitInt() || right->getType().contains16BitInt()) && !int16Arithmetic()) ||
753         ((left->getType().contains8BitInt() || right->getType().contains8BitInt()) && !int8Arithmetic())) {
754         allowed = false;
755     }
756 
757     TIntermTyped* result = nullptr;
758     if (allowed) {
759         if ((left->isReference() || right->isReference()))
760             requireExtensions(loc, 1, &E_GL_EXT_buffer_reference2, "buffer reference math");
761         result = intermediate.addBinaryMath(op, left, right, loc);
762     }
763 
764     if (result == nullptr)
765         binaryOpError(loc, str, left->getCompleteString(), right->getCompleteString());
766 
767     return result;
768 }
769 
770 // Handle seeing a unary node with a math operation.
handleUnaryMath(const TSourceLoc & loc,const char * str,TOperator op,TIntermTyped * childNode)771 TIntermTyped* TParseContext::handleUnaryMath(const TSourceLoc& loc, const char* str, TOperator op, TIntermTyped* childNode)
772 {
773     rValueErrorCheck(loc, str, childNode);
774 
775     bool allowed = true;
776     if ((childNode->getType().contains16BitFloat() && !float16Arithmetic()) ||
777         (childNode->getType().contains16BitInt() && !int16Arithmetic()) ||
778         (childNode->getType().contains8BitInt() && !int8Arithmetic())) {
779         allowed = false;
780     }
781 
782     TIntermTyped* result = nullptr;
783     if (allowed)
784         result = intermediate.addUnaryMath(op, childNode, loc);
785 
786     if (result)
787         return result;
788     else
789         unaryOpError(loc, str, childNode->getCompleteString());
790 
791     return childNode;
792 }
793 
794 //
795 // Handle seeing a base.field dereference in the grammar.
796 //
handleDotDereference(const TSourceLoc & loc,TIntermTyped * base,const TString & field)797 TIntermTyped* TParseContext::handleDotDereference(const TSourceLoc& loc, TIntermTyped* base, const TString& field)
798 {
799     variableCheck(base);
800 
801     //
802     // .length() can't be resolved until we later see the function-calling syntax.
803     // Save away the name in the AST for now.  Processing is completed in
804     // handleLengthMethod().
805     //
806     if (field == "length") {
807         if (base->isArray()) {
808             profileRequires(loc, ENoProfile, 120, E_GL_3DL_array_objects, ".length");
809             profileRequires(loc, EEsProfile, 300, nullptr, ".length");
810         } else if (base->isVector() || base->isMatrix()) {
811             const char* feature = ".length() on vectors and matrices";
812             requireProfile(loc, ~EEsProfile, feature);
813             profileRequires(loc, ~EEsProfile, 420, E_GL_ARB_shading_language_420pack, feature);
814         } else if (!base->getType().isCoopMat()) {
815             error(loc, "does not operate on this type:", field.c_str(), base->getType().getCompleteString().c_str());
816 
817             return base;
818         }
819 
820         return intermediate.addMethod(base, TType(EbtInt), &field, loc);
821     }
822 
823     // It's not .length() if we get to here.
824 
825     if (base->isArray()) {
826         error(loc, "cannot apply to an array:", ".", field.c_str());
827 
828         return base;
829     }
830 
831     if (base->getType().isCoopMat()) {
832         error(loc, "cannot apply to a cooperative matrix type:", ".", field.c_str());
833         return base;
834     }
835 
836     // It's neither an array nor .length() if we get here,
837     // leaving swizzles and struct/block dereferences.
838 
839     TIntermTyped* result = base;
840     if ((base->isVector() || base->isScalar()) &&
841         (base->isFloatingDomain() || base->isIntegerDomain() || base->getBasicType() == EbtBool)) {
842         result = handleDotSwizzle(loc, base, field);
843     } else if (base->isStruct() || base->isReference()) {
844         const TTypeList* fields = base->isReference() ?
845                                   base->getType().getReferentType()->getStruct() :
846                                   base->getType().getStruct();
847         bool fieldFound = false;
848         int member;
849         for (member = 0; member < (int)fields->size(); ++member) {
850             if ((*fields)[member].type->getFieldName() == field) {
851                 fieldFound = true;
852                 break;
853             }
854         }
855         if (fieldFound) {
856             if (base->getType().getQualifier().isFrontEndConstant())
857                 result = intermediate.foldDereference(base, member, loc);
858             else {
859                 blockMemberExtensionCheck(loc, base, member, field);
860                 TIntermTyped* index = intermediate.addConstantUnion(member, loc);
861                 result = intermediate.addIndex(EOpIndexDirectStruct, base, index, loc);
862                 result->setType(*(*fields)[member].type);
863                 if ((*fields)[member].type->getQualifier().isIo())
864                     intermediate.addIoAccessed(field);
865             }
866             inheritMemoryQualifiers(base->getQualifier(), result->getWritableType().getQualifier());
867         } else
868             error(loc, "no such field in structure", field.c_str(), "");
869     } else
870         error(loc, "does not apply to this type:", field.c_str(), base->getType().getCompleteString().c_str());
871 
872     // Propagate noContraction up the dereference chain
873     if (base->getQualifier().isNoContraction())
874         result->getWritableType().getQualifier().setNoContraction();
875 
876     // Propagate nonuniform
877     if (base->getQualifier().isNonUniform())
878         result->getWritableType().getQualifier().nonUniform = true;
879 
880     return result;
881 }
882 
883 //
884 // Handle seeing a base.swizzle, a subset of base.identifier in the grammar.
885 //
handleDotSwizzle(const TSourceLoc & loc,TIntermTyped * base,const TString & field)886 TIntermTyped* TParseContext::handleDotSwizzle(const TSourceLoc& loc, TIntermTyped* base, const TString& field)
887 {
888     TIntermTyped* result = base;
889     if (base->isScalar()) {
890         const char* dotFeature = "scalar swizzle";
891         requireProfile(loc, ~EEsProfile, dotFeature);
892         profileRequires(loc, ~EEsProfile, 420, E_GL_ARB_shading_language_420pack, dotFeature);
893     }
894 
895     TSwizzleSelectors<TVectorSelector> selectors;
896     parseSwizzleSelector(loc, field, base->getVectorSize(), selectors);
897 
898     if (base->isVector() && selectors.size() != 1 && base->getType().contains16BitFloat())
899         requireFloat16Arithmetic(loc, ".", "can't swizzle types containing float16");
900     if (base->isVector() && selectors.size() != 1 && base->getType().contains16BitInt())
901         requireInt16Arithmetic(loc, ".", "can't swizzle types containing (u)int16");
902     if (base->isVector() && selectors.size() != 1 && base->getType().contains8BitInt())
903         requireInt8Arithmetic(loc, ".", "can't swizzle types containing (u)int8");
904 
905     if (base->isScalar()) {
906         if (selectors.size() == 1)
907             return result;
908         else {
909             TType type(base->getBasicType(), EvqTemporary, selectors.size());
910             // Swizzle operations propagate specialization-constantness
911             if (base->getQualifier().isSpecConstant())
912                 type.getQualifier().makeSpecConstant();
913             return addConstructor(loc, base, type);
914         }
915     }
916 
917     if (base->getType().getQualifier().isFrontEndConstant())
918         result = intermediate.foldSwizzle(base, selectors, loc);
919     else {
920         if (selectors.size() == 1) {
921             TIntermTyped* index = intermediate.addConstantUnion(selectors[0], loc);
922             result = intermediate.addIndex(EOpIndexDirect, base, index, loc);
923             result->setType(TType(base->getBasicType(), EvqTemporary, base->getType().getQualifier().precision));
924         } else {
925             TIntermTyped* index = intermediate.addSwizzle(selectors, loc);
926             result = intermediate.addIndex(EOpVectorSwizzle, base, index, loc);
927             result->setType(TType(base->getBasicType(), EvqTemporary, base->getType().getQualifier().precision, selectors.size()));
928         }
929         // Swizzle operations propagate specialization-constantness
930         if (base->getType().getQualifier().isSpecConstant())
931             result->getWritableType().getQualifier().makeSpecConstant();
932     }
933 
934     return result;
935 }
936 
blockMemberExtensionCheck(const TSourceLoc & loc,const TIntermTyped * base,int member,const TString & memberName)937 void TParseContext::blockMemberExtensionCheck(const TSourceLoc& loc, const TIntermTyped* base, int member, const TString& memberName)
938 {
939     // a block that needs extension checking is either 'base', or if arrayed,
940     // one level removed to the left
941     const TIntermSymbol* baseSymbol = nullptr;
942     if (base->getAsBinaryNode() == nullptr)
943         baseSymbol = base->getAsSymbolNode();
944     else
945         baseSymbol = base->getAsBinaryNode()->getLeft()->getAsSymbolNode();
946     if (baseSymbol == nullptr)
947         return;
948     const TSymbol* symbol = symbolTable.find(baseSymbol->getName());
949     if (symbol == nullptr)
950         return;
951     const TVariable* variable = symbol->getAsVariable();
952     if (variable == nullptr)
953         return;
954     if (!variable->hasMemberExtensions())
955         return;
956 
957     // We now have a variable that is the base of a dot reference
958     // with members that need extension checking.
959     if (variable->getNumMemberExtensions(member) > 0)
960         requireExtensions(loc, variable->getNumMemberExtensions(member), variable->getMemberExtensions(member), memberName.c_str());
961 }
962 
963 //
964 // Handle seeing a function declarator in the grammar.  This is the precursor
965 // to recognizing a function prototype or function definition.
966 //
handleFunctionDeclarator(const TSourceLoc & loc,TFunction & function,bool prototype)967 TFunction* TParseContext::handleFunctionDeclarator(const TSourceLoc& loc, TFunction& function, bool prototype)
968 {
969     // ES can't declare prototypes inside functions
970     if (! symbolTable.atGlobalLevel())
971         requireProfile(loc, ~EEsProfile, "local function declaration");
972 
973     //
974     // Multiple declarations of the same function name are allowed.
975     //
976     // If this is a definition, the definition production code will check for redefinitions
977     // (we don't know at this point if it's a definition or not).
978     //
979     // Redeclarations (full signature match) are allowed.  But, return types and parameter qualifiers must also match.
980     //  - except ES 100, which only allows a single prototype
981     //
982     // ES 100 does not allow redefining, but does allow overloading of built-in functions.
983     // ES 300 does not allow redefining or overloading of built-in functions.
984     //
985     bool builtIn;
986     TSymbol* symbol = symbolTable.find(function.getMangledName(), &builtIn);
987     if (symbol && symbol->getAsFunction() && builtIn)
988         requireProfile(loc, ~EEsProfile, "redefinition of built-in function");
989     const TFunction* prevDec = symbol ? symbol->getAsFunction() : 0;
990     if (prevDec) {
991         if (prevDec->isPrototyped() && prototype)
992             profileRequires(loc, EEsProfile, 300, nullptr, "multiple prototypes for same function");
993         if (prevDec->getType() != function.getType())
994             error(loc, "overloaded functions must have the same return type", function.getName().c_str(), "");
995         for (int i = 0; i < prevDec->getParamCount(); ++i) {
996             if ((*prevDec)[i].type->getQualifier().storage != function[i].type->getQualifier().storage)
997                 error(loc, "overloaded functions must have the same parameter storage qualifiers for argument", function[i].type->getStorageQualifierString(), "%d", i+1);
998 
999             if ((*prevDec)[i].type->getQualifier().precision != function[i].type->getQualifier().precision)
1000                 error(loc, "overloaded functions must have the same parameter precision qualifiers for argument", function[i].type->getPrecisionQualifierString(), "%d", i+1);
1001         }
1002     }
1003 
1004     arrayObjectCheck(loc, function.getType(), "array in function return type");
1005 
1006     if (prototype) {
1007         // All built-in functions are defined, even though they don't have a body.
1008         // Count their prototype as a definition instead.
1009         if (symbolTable.atBuiltInLevel())
1010             function.setDefined();
1011         else {
1012             if (prevDec && ! builtIn)
1013                 symbol->getAsFunction()->setPrototyped();  // need a writable one, but like having prevDec as a const
1014             function.setPrototyped();
1015         }
1016     }
1017 
1018     // This insert won't actually insert it if it's a duplicate signature, but it will still check for
1019     // other forms of name collisions.
1020     if (! symbolTable.insert(function))
1021         error(loc, "function name is redeclaration of existing name", function.getName().c_str(), "");
1022 
1023     //
1024     // If this is a redeclaration, it could also be a definition,
1025     // in which case, we need to use the parameter names from this one, and not the one that's
1026     // being redeclared.  So, pass back this declaration, not the one in the symbol table.
1027     //
1028     return &function;
1029 }
1030 
1031 //
1032 // Handle seeing the function prototype in front of a function definition in the grammar.
1033 // The body is handled after this function returns.
1034 //
handleFunctionDefinition(const TSourceLoc & loc,TFunction & function)1035 TIntermAggregate* TParseContext::handleFunctionDefinition(const TSourceLoc& loc, TFunction& function)
1036 {
1037     currentCaller = function.getMangledName();
1038     TSymbol* symbol = symbolTable.find(function.getMangledName());
1039     TFunction* prevDec = symbol ? symbol->getAsFunction() : nullptr;
1040 
1041     if (! prevDec)
1042         error(loc, "can't find function", function.getName().c_str(), "");
1043     // Note:  'prevDec' could be 'function' if this is the first time we've seen function
1044     // as it would have just been put in the symbol table.  Otherwise, we're looking up
1045     // an earlier occurrence.
1046 
1047     if (prevDec && prevDec->isDefined()) {
1048         // Then this function already has a body.
1049         error(loc, "function already has a body", function.getName().c_str(), "");
1050     }
1051     if (prevDec && ! prevDec->isDefined()) {
1052         prevDec->setDefined();
1053 
1054         // Remember the return type for later checking for RETURN statements.
1055         currentFunctionType = &(prevDec->getType());
1056     } else
1057         currentFunctionType = new TType(EbtVoid);
1058     functionReturnsValue = false;
1059 
1060     // Check for entry point
1061     if (function.getName().compare(intermediate.getEntryPointName().c_str()) == 0) {
1062         intermediate.setEntryPointMangledName(function.getMangledName().c_str());
1063         intermediate.incrementEntryPointCount();
1064         inMain = true;
1065     } else
1066         inMain = false;
1067 
1068     //
1069     // Raise error message if main function takes any parameters or returns anything other than void
1070     //
1071     if (inMain) {
1072         if (function.getParamCount() > 0)
1073             error(loc, "function cannot take any parameter(s)", function.getName().c_str(), "");
1074         if (function.getType().getBasicType() != EbtVoid)
1075             error(loc, "", function.getType().getBasicTypeString().c_str(), "entry point cannot return a value");
1076     }
1077 
1078     //
1079     // New symbol table scope for body of function plus its arguments
1080     //
1081     symbolTable.push();
1082 
1083     //
1084     // Insert parameters into the symbol table.
1085     // If the parameter has no name, it's not an error, just don't insert it
1086     // (could be used for unused args).
1087     //
1088     // Also, accumulate the list of parameters into the HIL, so lower level code
1089     // knows where to find parameters.
1090     //
1091     TIntermAggregate* paramNodes = new TIntermAggregate;
1092     for (int i = 0; i < function.getParamCount(); i++) {
1093         TParameter& param = function[i];
1094         if (param.name != nullptr) {
1095             TVariable *variable = new TVariable(param.name, *param.type);
1096 
1097             // Insert the parameters with name in the symbol table.
1098             if (! symbolTable.insert(*variable))
1099                 error(loc, "redefinition", variable->getName().c_str(), "");
1100             else {
1101                 // Transfer ownership of name pointer to symbol table.
1102                 param.name = nullptr;
1103 
1104                 // Add the parameter to the HIL
1105                 paramNodes = intermediate.growAggregate(paramNodes,
1106                                                         intermediate.addSymbol(*variable, loc),
1107                                                         loc);
1108             }
1109         } else
1110             paramNodes = intermediate.growAggregate(paramNodes, intermediate.addSymbol(*param.type, loc), loc);
1111     }
1112     intermediate.setAggregateOperator(paramNodes, EOpParameters, TType(EbtVoid), loc);
1113     loopNestingLevel = 0;
1114     statementNestingLevel = 0;
1115     controlFlowNestingLevel = 0;
1116     postEntryPointReturn = false;
1117 
1118     return paramNodes;
1119 }
1120 
1121 //
1122 // Handle seeing function call syntax in the grammar, which could be any of
1123 //  - .length() method
1124 //  - constructor
1125 //  - a call to a built-in function mapped to an operator
1126 //  - a call to a built-in function that will remain a function call (e.g., texturing)
1127 //  - user function
1128 //  - subroutine call (not implemented yet)
1129 //
handleFunctionCall(const TSourceLoc & loc,TFunction * function,TIntermNode * arguments)1130 TIntermTyped* TParseContext::handleFunctionCall(const TSourceLoc& loc, TFunction* function, TIntermNode* arguments)
1131 {
1132     TIntermTyped* result = nullptr;
1133 
1134     if (function->getBuiltInOp() == EOpArrayLength)
1135         result = handleLengthMethod(loc, function, arguments);
1136     else if (function->getBuiltInOp() != EOpNull) {
1137         //
1138         // Then this should be a constructor.
1139         // Don't go through the symbol table for constructors.
1140         // Their parameters will be verified algorithmically.
1141         //
1142         TType type(EbtVoid);  // use this to get the type back
1143         if (! constructorError(loc, arguments, *function, function->getBuiltInOp(), type)) {
1144             //
1145             // It's a constructor, of type 'type'.
1146             //
1147             result = addConstructor(loc, arguments, type);
1148             if (result == nullptr)
1149                 error(loc, "cannot construct with these arguments", type.getCompleteString().c_str(), "");
1150         }
1151     } else {
1152         //
1153         // Find it in the symbol table.
1154         //
1155         const TFunction* fnCandidate;
1156         bool builtIn;
1157         fnCandidate = findFunction(loc, *function, builtIn);
1158         if (fnCandidate) {
1159             // This is a declared function that might map to
1160             //  - a built-in operator,
1161             //  - a built-in function not mapped to an operator, or
1162             //  - a user function.
1163 
1164             // Error check for a function requiring specific extensions present.
1165             if (builtIn && fnCandidate->getNumExtensions())
1166                 requireExtensions(loc, fnCandidate->getNumExtensions(), fnCandidate->getExtensions(), fnCandidate->getName().c_str());
1167 
1168             if (builtIn && fnCandidate->getType().contains16BitFloat())
1169                 requireFloat16Arithmetic(loc, "built-in function", "float16 types can only be in uniform block or buffer storage");
1170             if (builtIn && fnCandidate->getType().contains16BitInt())
1171                 requireInt16Arithmetic(loc, "built-in function", "(u)int16 types can only be in uniform block or buffer storage");
1172             if (builtIn && fnCandidate->getType().contains8BitInt())
1173                 requireInt8Arithmetic(loc, "built-in function", "(u)int8 types can only be in uniform block or buffer storage");
1174 
1175             if (arguments != nullptr) {
1176                 // Make sure qualifications work for these arguments.
1177                 TIntermAggregate* aggregate = arguments->getAsAggregate();
1178                 for (int i = 0; i < fnCandidate->getParamCount(); ++i) {
1179                     // At this early point there is a slight ambiguity between whether an aggregate 'arguments'
1180                     // is the single argument itself or its children are the arguments.  Only one argument
1181                     // means take 'arguments' itself as the one argument.
1182                     TIntermNode* arg = fnCandidate->getParamCount() == 1 ? arguments : (aggregate ? aggregate->getSequence()[i] : arguments);
1183                     TQualifier& formalQualifier = (*fnCandidate)[i].type->getQualifier();
1184                     if (formalQualifier.isParamOutput()) {
1185                         if (lValueErrorCheck(arguments->getLoc(), "assign", arg->getAsTyped()))
1186                             error(arguments->getLoc(), "Non-L-value cannot be passed for 'out' or 'inout' parameters.", "out", "");
1187                     }
1188                     const TType& argType = arg->getAsTyped()->getType();
1189                     const TQualifier& argQualifier = argType.getQualifier();
1190                     if (argQualifier.isMemory() && (argType.containsOpaque() || argType.isReference())) {
1191                         const char* message = "argument cannot drop memory qualifier when passed to formal parameter";
1192 #ifndef GLSLANG_WEB
1193                         if (argQualifier.volatil && ! formalQualifier.volatil)
1194                             error(arguments->getLoc(), message, "volatile", "");
1195                         if (argQualifier.coherent && ! (formalQualifier.devicecoherent || formalQualifier.coherent))
1196                             error(arguments->getLoc(), message, "coherent", "");
1197                         if (argQualifier.devicecoherent && ! (formalQualifier.devicecoherent || formalQualifier.coherent))
1198                             error(arguments->getLoc(), message, "devicecoherent", "");
1199                         if (argQualifier.queuefamilycoherent && ! (formalQualifier.queuefamilycoherent || formalQualifier.devicecoherent || formalQualifier.coherent))
1200                             error(arguments->getLoc(), message, "queuefamilycoherent", "");
1201                         if (argQualifier.workgroupcoherent && ! (formalQualifier.workgroupcoherent || formalQualifier.queuefamilycoherent || formalQualifier.devicecoherent || formalQualifier.coherent))
1202                             error(arguments->getLoc(), message, "workgroupcoherent", "");
1203                         if (argQualifier.subgroupcoherent && ! (formalQualifier.subgroupcoherent || formalQualifier.workgroupcoherent || formalQualifier.queuefamilycoherent || formalQualifier.devicecoherent || formalQualifier.coherent))
1204                             error(arguments->getLoc(), message, "subgroupcoherent", "");
1205                         if (argQualifier.readonly && ! formalQualifier.readonly)
1206                             error(arguments->getLoc(), message, "readonly", "");
1207                         if (argQualifier.writeonly && ! formalQualifier.writeonly)
1208                             error(arguments->getLoc(), message, "writeonly", "");
1209                         // Don't check 'restrict', it is different than the rest:
1210                         // "...but only restrict can be taken away from a calling argument, by a formal parameter that
1211                         // lacks the restrict qualifier..."
1212 #endif
1213                     }
1214                     if (!builtIn && argQualifier.getFormat() != formalQualifier.getFormat()) {
1215                         // we have mismatched formats, which should only be allowed if writeonly
1216                         // and at least one format is unknown
1217                         if (!formalQualifier.isWriteOnly() || (formalQualifier.getFormat() != ElfNone &&
1218                                                                   argQualifier.getFormat() != ElfNone))
1219                             error(arguments->getLoc(), "image formats must match", "format", "");
1220                     }
1221                     if (builtIn && arg->getAsTyped()->getType().contains16BitFloat())
1222                         requireFloat16Arithmetic(arguments->getLoc(), "built-in function", "float16 types can only be in uniform block or buffer storage");
1223                     if (builtIn && arg->getAsTyped()->getType().contains16BitInt())
1224                         requireInt16Arithmetic(arguments->getLoc(), "built-in function", "(u)int16 types can only be in uniform block or buffer storage");
1225                     if (builtIn && arg->getAsTyped()->getType().contains8BitInt())
1226                         requireInt8Arithmetic(arguments->getLoc(), "built-in function", "(u)int8 types can only be in uniform block or buffer storage");
1227 
1228                     // TODO 4.5 functionality:  A shader will fail to compile
1229                     // if the value passed to the memargument of an atomic memory function does not correspond to a buffer or
1230                     // shared variable. It is acceptable to pass an element of an array or a single component of a vector to the
1231                     // memargument of an atomic memory function, as long as the underlying array or vector is a buffer or
1232                     // shared variable.
1233                 }
1234 
1235                 // Convert 'in' arguments
1236                 addInputArgumentConversions(*fnCandidate, arguments);  // arguments may be modified if it's just a single argument node
1237             }
1238 
1239             if (builtIn && fnCandidate->getBuiltInOp() != EOpNull) {
1240                 // A function call mapped to a built-in operation.
1241                 result = handleBuiltInFunctionCall(loc, arguments, *fnCandidate);
1242             } else {
1243                 // This is a function call not mapped to built-in operator.
1244                 // It could still be a built-in function, but only if PureOperatorBuiltins == false.
1245                 result = intermediate.setAggregateOperator(arguments, EOpFunctionCall, fnCandidate->getType(), loc);
1246                 TIntermAggregate* call = result->getAsAggregate();
1247                 call->setName(fnCandidate->getMangledName());
1248 
1249                 // this is how we know whether the given function is a built-in function or a user-defined function
1250                 // if builtIn == false, it's a userDefined -> could be an overloaded built-in function also
1251                 // if builtIn == true, it's definitely a built-in function with EOpNull
1252                 if (! builtIn) {
1253                     call->setUserDefined();
1254                     if (symbolTable.atGlobalLevel()) {
1255                         requireProfile(loc, ~EEsProfile, "calling user function from global scope");
1256                         intermediate.addToCallGraph(infoSink, "main(", fnCandidate->getMangledName());
1257                     } else
1258                         intermediate.addToCallGraph(infoSink, currentCaller, fnCandidate->getMangledName());
1259                 }
1260 
1261 #ifndef GLSLANG_WEB
1262                 if (builtIn)
1263                     nonOpBuiltInCheck(loc, *fnCandidate, *call);
1264                 else
1265 #endif
1266                     userFunctionCallCheck(loc, *call);
1267             }
1268 
1269             // Convert 'out' arguments.  If it was a constant folded built-in, it won't be an aggregate anymore.
1270             // Built-ins with a single argument aren't called with an aggregate, but they also don't have an output.
1271             // Also, build the qualifier list for user function calls, which are always called with an aggregate.
1272             if (result->getAsAggregate()) {
1273                 TQualifierList& qualifierList = result->getAsAggregate()->getQualifierList();
1274                 for (int i = 0; i < fnCandidate->getParamCount(); ++i) {
1275                     TStorageQualifier qual = (*fnCandidate)[i].type->getQualifier().storage;
1276                     qualifierList.push_back(qual);
1277                 }
1278                 result = addOutputArgumentConversions(*fnCandidate, *result->getAsAggregate());
1279             }
1280 
1281             if (result->getAsTyped()->getType().isCoopMat() &&
1282                !result->getAsTyped()->getType().isParameterized()) {
1283                 assert(fnCandidate->getBuiltInOp() == EOpCooperativeMatrixMulAdd);
1284 
1285                 result->setType(result->getAsAggregate()->getSequence()[2]->getAsTyped()->getType());
1286             }
1287         }
1288     }
1289 
1290     // generic error recovery
1291     // TODO: simplification: localize all the error recoveries that look like this, and taking type into account to reduce cascades
1292     if (result == nullptr)
1293         result = intermediate.addConstantUnion(0.0, EbtFloat, loc);
1294 
1295     return result;
1296 }
1297 
handleBuiltInFunctionCall(TSourceLoc loc,TIntermNode * arguments,const TFunction & function)1298 TIntermTyped* TParseContext::handleBuiltInFunctionCall(TSourceLoc loc, TIntermNode* arguments,
1299                                                        const TFunction& function)
1300 {
1301     checkLocation(loc, function.getBuiltInOp());
1302     TIntermTyped *result = intermediate.addBuiltInFunctionCall(loc, function.getBuiltInOp(),
1303                                                                function.getParamCount() == 1,
1304                                                                arguments, function.getType());
1305     if (result != nullptr && obeyPrecisionQualifiers())
1306         computeBuiltinPrecisions(*result, function);
1307 
1308     if (result == nullptr) {
1309         if (arguments == nullptr)
1310             error(loc, " wrong operand type", "Internal Error",
1311                                       "built in unary operator function.  Type: %s", "");
1312         else
1313             error(arguments->getLoc(), " wrong operand type", "Internal Error",
1314                                       "built in unary operator function.  Type: %s",
1315                                       static_cast<TIntermTyped*>(arguments)->getCompleteString().c_str());
1316     } else if (result->getAsOperator())
1317         builtInOpCheck(loc, function, *result->getAsOperator());
1318 
1319     return result;
1320 }
1321 
1322 // "The operation of a built-in function can have a different precision
1323 // qualification than the precision qualification of the resulting value.
1324 // These two precision qualifications are established as follows.
1325 //
1326 // The precision qualification of the operation of a built-in function is
1327 // based on the precision qualification of its input arguments and formal
1328 // parameters:  When a formal parameter specifies a precision qualifier,
1329 // that is used, otherwise, the precision qualification of the calling
1330 // argument is used.  The highest precision of these will be the precision
1331 // qualification of the operation of the built-in function. Generally,
1332 // this is applied across all arguments to a built-in function, with the
1333 // exceptions being:
1334 //   - bitfieldExtract and bitfieldInsert ignore the 'offset' and 'bits'
1335 //     arguments.
1336 //   - interpolateAt* functions only look at the 'interpolant' argument.
1337 //
1338 // The precision qualification of the result of a built-in function is
1339 // determined in one of the following ways:
1340 //
1341 //   - For the texture sampling, image load, and image store functions,
1342 //     the precision of the return type matches the precision of the
1343 //     sampler type
1344 //
1345 //   Otherwise:
1346 //
1347 //   - For prototypes that do not specify a resulting precision qualifier,
1348 //     the precision will be the same as the precision of the operation.
1349 //
1350 //   - For prototypes that do specify a resulting precision qualifier,
1351 //     the specified precision qualifier is the precision qualification of
1352 //     the result."
1353 //
computeBuiltinPrecisions(TIntermTyped & node,const TFunction & function)1354 void TParseContext::computeBuiltinPrecisions(TIntermTyped& node, const TFunction& function)
1355 {
1356     TPrecisionQualifier operationPrecision = EpqNone;
1357     TPrecisionQualifier resultPrecision = EpqNone;
1358 
1359     TIntermOperator* opNode = node.getAsOperator();
1360     if (opNode == nullptr)
1361         return;
1362 
1363     if (TIntermUnary* unaryNode = node.getAsUnaryNode()) {
1364         operationPrecision = std::max(function[0].type->getQualifier().precision,
1365                                       unaryNode->getOperand()->getType().getQualifier().precision);
1366         if (function.getType().getBasicType() != EbtBool)
1367             resultPrecision = function.getType().getQualifier().precision == EpqNone ?
1368                                         operationPrecision :
1369                                         function.getType().getQualifier().precision;
1370     } else if (TIntermAggregate* agg = node.getAsAggregate()) {
1371         TIntermSequence& sequence = agg->getSequence();
1372         unsigned int numArgs = (unsigned int)sequence.size();
1373         switch (agg->getOp()) {
1374         case EOpBitfieldExtract:
1375             numArgs = 1;
1376             break;
1377         case EOpBitfieldInsert:
1378             numArgs = 2;
1379             break;
1380         case EOpInterpolateAtCentroid:
1381         case EOpInterpolateAtOffset:
1382         case EOpInterpolateAtSample:
1383             numArgs = 1;
1384             break;
1385         case EOpDebugPrintf:
1386             numArgs = 0;
1387             break;
1388         default:
1389             break;
1390         }
1391         // find the maximum precision from the arguments and parameters
1392         for (unsigned int arg = 0; arg < numArgs; ++arg) {
1393             operationPrecision = std::max(operationPrecision, sequence[arg]->getAsTyped()->getQualifier().precision);
1394             operationPrecision = std::max(operationPrecision, function[arg].type->getQualifier().precision);
1395         }
1396         // compute the result precision
1397         if (agg->isSampling() ||
1398             agg->getOp() == EOpImageLoad || agg->getOp() == EOpImageStore ||
1399             agg->getOp() == EOpImageLoadLod || agg->getOp() == EOpImageStoreLod)
1400             resultPrecision = sequence[0]->getAsTyped()->getQualifier().precision;
1401         else if (function.getType().getBasicType() != EbtBool)
1402             resultPrecision = function.getType().getQualifier().precision == EpqNone ?
1403                                         operationPrecision :
1404                                         function.getType().getQualifier().precision;
1405     }
1406 
1407     // Propagate precision through this node and its children. That algorithm stops
1408     // when a precision is found, so start by clearing this subroot precision
1409     opNode->getQualifier().precision = EpqNone;
1410     if (operationPrecision != EpqNone) {
1411         opNode->propagatePrecision(operationPrecision);
1412         opNode->setOperationPrecision(operationPrecision);
1413     }
1414     // Now, set the result precision, which might not match
1415     opNode->getQualifier().precision = resultPrecision;
1416 }
1417 
handleReturnValue(const TSourceLoc & loc,TIntermTyped * value)1418 TIntermNode* TParseContext::handleReturnValue(const TSourceLoc& loc, TIntermTyped* value)
1419 {
1420 #ifndef GLSLANG_WEB
1421     storage16BitAssignmentCheck(loc, value->getType(), "return");
1422 #endif
1423 
1424     functionReturnsValue = true;
1425     TIntermBranch* branch = nullptr;
1426     if (currentFunctionType->getBasicType() == EbtVoid) {
1427         error(loc, "void function cannot return a value", "return", "");
1428         branch = intermediate.addBranch(EOpReturn, loc);
1429     } else if (*currentFunctionType != value->getType()) {
1430         TIntermTyped* converted = intermediate.addConversion(EOpReturn, *currentFunctionType, value);
1431         if (converted) {
1432             if (*currentFunctionType != converted->getType())
1433                 error(loc, "cannot convert return value to function return type", "return", "");
1434             if (version < 420)
1435                 warn(loc, "type conversion on return values was not explicitly allowed until version 420",
1436                      "return", "");
1437             branch = intermediate.addBranch(EOpReturn, converted, loc);
1438         } else {
1439             error(loc, "type does not match, or is not convertible to, the function's return type", "return", "");
1440             branch = intermediate.addBranch(EOpReturn, value, loc);
1441         }
1442     } else
1443         branch = intermediate.addBranch(EOpReturn, value, loc);
1444 
1445     branch->updatePrecision(currentFunctionType->getQualifier().precision);
1446     return branch;
1447 }
1448 
1449 // See if the operation is being done in an illegal location.
checkLocation(const TSourceLoc & loc,TOperator op)1450 void TParseContext::checkLocation(const TSourceLoc& loc, TOperator op)
1451 {
1452 #ifndef GLSLANG_WEB
1453     switch (op) {
1454     case EOpBarrier:
1455         if (language == EShLangTessControl) {
1456             if (controlFlowNestingLevel > 0)
1457                 error(loc, "tessellation control barrier() cannot be placed within flow control", "", "");
1458             if (! inMain)
1459                 error(loc, "tessellation control barrier() must be in main()", "", "");
1460             else if (postEntryPointReturn)
1461                 error(loc, "tessellation control barrier() cannot be placed after a return from main()", "", "");
1462         }
1463         break;
1464     case EOpBeginInvocationInterlock:
1465         if (language != EShLangFragment)
1466             error(loc, "beginInvocationInterlockARB() must be in a fragment shader", "", "");
1467         if (! inMain)
1468             error(loc, "beginInvocationInterlockARB() must be in main()", "", "");
1469         else if (postEntryPointReturn)
1470             error(loc, "beginInvocationInterlockARB() cannot be placed after a return from main()", "", "");
1471         if (controlFlowNestingLevel > 0)
1472             error(loc, "beginInvocationInterlockARB() cannot be placed within flow control", "", "");
1473 
1474         if (beginInvocationInterlockCount > 0)
1475             error(loc, "beginInvocationInterlockARB() must only be called once", "", "");
1476         if (endInvocationInterlockCount > 0)
1477             error(loc, "beginInvocationInterlockARB() must be called before endInvocationInterlockARB()", "", "");
1478 
1479         beginInvocationInterlockCount++;
1480 
1481         // default to pixel_interlock_ordered
1482         if (intermediate.getInterlockOrdering() == EioNone)
1483             intermediate.setInterlockOrdering(EioPixelInterlockOrdered);
1484         break;
1485     case EOpEndInvocationInterlock:
1486         if (language != EShLangFragment)
1487             error(loc, "endInvocationInterlockARB() must be in a fragment shader", "", "");
1488         if (! inMain)
1489             error(loc, "endInvocationInterlockARB() must be in main()", "", "");
1490         else if (postEntryPointReturn)
1491             error(loc, "endInvocationInterlockARB() cannot be placed after a return from main()", "", "");
1492         if (controlFlowNestingLevel > 0)
1493             error(loc, "endInvocationInterlockARB() cannot be placed within flow control", "", "");
1494 
1495         if (endInvocationInterlockCount > 0)
1496             error(loc, "endInvocationInterlockARB() must only be called once", "", "");
1497         if (beginInvocationInterlockCount == 0)
1498             error(loc, "beginInvocationInterlockARB() must be called before endInvocationInterlockARB()", "", "");
1499 
1500         endInvocationInterlockCount++;
1501         break;
1502     default:
1503         break;
1504     }
1505 #endif
1506 }
1507 
1508 // Finish processing object.length(). This started earlier in handleDotDereference(), where
1509 // the ".length" part was recognized and semantically checked, and finished here where the
1510 // function syntax "()" is recognized.
1511 //
1512 // Return resulting tree node.
handleLengthMethod(const TSourceLoc & loc,TFunction * function,TIntermNode * intermNode)1513 TIntermTyped* TParseContext::handleLengthMethod(const TSourceLoc& loc, TFunction* function, TIntermNode* intermNode)
1514 {
1515     int length = 0;
1516 
1517     if (function->getParamCount() > 0)
1518         error(loc, "method does not accept any arguments", function->getName().c_str(), "");
1519     else {
1520         const TType& type = intermNode->getAsTyped()->getType();
1521         if (type.isArray()) {
1522             if (type.isUnsizedArray()) {
1523 #ifndef GLSLANG_WEB
1524                 if (intermNode->getAsSymbolNode() && isIoResizeArray(type)) {
1525                     // We could be between a layout declaration that gives a built-in io array implicit size and
1526                     // a user redeclaration of that array, meaning we have to substitute its implicit size here
1527                     // without actually redeclaring the array.  (It is an error to use a member before the
1528                     // redeclaration, but not an error to use the array name itself.)
1529                     const TString& name = intermNode->getAsSymbolNode()->getName();
1530                     if (name == "gl_in" || name == "gl_out" || name == "gl_MeshVerticesNV" ||
1531                         name == "gl_MeshPrimitivesNV") {
1532                         length = getIoArrayImplicitSize(type.getQualifier());
1533                     }
1534                 }
1535 #endif
1536                 if (length == 0) {
1537 #ifndef GLSLANG_WEB
1538                     if (intermNode->getAsSymbolNode() && isIoResizeArray(type))
1539                         error(loc, "", function->getName().c_str(), "array must first be sized by a redeclaration or layout qualifier");
1540                     else if (isRuntimeLength(*intermNode->getAsTyped())) {
1541                         // Create a unary op and let the back end handle it
1542                         return intermediate.addBuiltInFunctionCall(loc, EOpArrayLength, true, intermNode, TType(EbtInt));
1543                     } else
1544 #endif
1545                         error(loc, "", function->getName().c_str(), "array must be declared with a size before using this method");
1546                 }
1547             } else if (type.getOuterArrayNode()) {
1548                 // If the array's outer size is specified by an intermediate node, it means the array's length
1549                 // was specified by a specialization constant. In such a case, we should return the node of the
1550                 // specialization constants to represent the length.
1551                 return type.getOuterArrayNode();
1552             } else
1553                 length = type.getOuterArraySize();
1554         } else if (type.isMatrix())
1555             length = type.getMatrixCols();
1556         else if (type.isVector())
1557             length = type.getVectorSize();
1558         else if (type.isCoopMat())
1559             return intermediate.addBuiltInFunctionCall(loc, EOpArrayLength, true, intermNode, TType(EbtInt));
1560         else {
1561             // we should not get here, because earlier semantic checking should have prevented this path
1562             error(loc, ".length()", "unexpected use of .length()", "");
1563         }
1564     }
1565 
1566     if (length == 0)
1567         length = 1;
1568 
1569     return intermediate.addConstantUnion(length, loc);
1570 }
1571 
1572 //
1573 // Add any needed implicit conversions for function-call arguments to input parameters.
1574 //
addInputArgumentConversions(const TFunction & function,TIntermNode * & arguments) const1575 void TParseContext::addInputArgumentConversions(const TFunction& function, TIntermNode*& arguments) const
1576 {
1577 #ifndef GLSLANG_WEB
1578     TIntermAggregate* aggregate = arguments->getAsAggregate();
1579 
1580     // Process each argument's conversion
1581     for (int i = 0; i < function.getParamCount(); ++i) {
1582         // At this early point there is a slight ambiguity between whether an aggregate 'arguments'
1583         // is the single argument itself or its children are the arguments.  Only one argument
1584         // means take 'arguments' itself as the one argument.
1585         TIntermTyped* arg = function.getParamCount() == 1 ? arguments->getAsTyped() : (aggregate ? aggregate->getSequence()[i]->getAsTyped() : arguments->getAsTyped());
1586         if (*function[i].type != arg->getType()) {
1587             if (function[i].type->getQualifier().isParamInput() &&
1588                !function[i].type->isCoopMat()) {
1589                 // In-qualified arguments just need an extra node added above the argument to
1590                 // convert to the correct type.
1591                 arg = intermediate.addConversion(EOpFunctionCall, *function[i].type, arg);
1592                 if (arg) {
1593                     if (function.getParamCount() == 1)
1594                         arguments = arg;
1595                     else {
1596                         if (aggregate)
1597                             aggregate->getSequence()[i] = arg;
1598                         else
1599                             arguments = arg;
1600                     }
1601                 }
1602             }
1603         }
1604     }
1605 #endif
1606 }
1607 
1608 //
1609 // Add any needed implicit output conversions for function-call arguments.  This
1610 // can require a new tree topology, complicated further by whether the function
1611 // has a return value.
1612 //
1613 // Returns a node of a subtree that evaluates to the return value of the function.
1614 //
addOutputArgumentConversions(const TFunction & function,TIntermAggregate & intermNode) const1615 TIntermTyped* TParseContext::addOutputArgumentConversions(const TFunction& function, TIntermAggregate& intermNode) const
1616 {
1617 #ifdef GLSLANG_WEB
1618     return &intermNode;
1619 #else
1620     TIntermSequence& arguments = intermNode.getSequence();
1621 
1622     // Will there be any output conversions?
1623     bool outputConversions = false;
1624     for (int i = 0; i < function.getParamCount(); ++i) {
1625         if (*function[i].type != arguments[i]->getAsTyped()->getType() && function[i].type->getQualifier().isParamOutput()) {
1626             outputConversions = true;
1627             break;
1628         }
1629     }
1630 
1631     if (! outputConversions)
1632         return &intermNode;
1633 
1634     // Setup for the new tree, if needed:
1635     //
1636     // Output conversions need a different tree topology.
1637     // Out-qualified arguments need a temporary of the correct type, with the call
1638     // followed by an assignment of the temporary to the original argument:
1639     //     void: function(arg, ...)  ->        (          function(tempArg, ...), arg = tempArg, ...)
1640     //     ret = function(arg, ...)  ->  ret = (tempRet = function(tempArg, ...), arg = tempArg, ..., tempRet)
1641     // Where the "tempArg" type needs no conversion as an argument, but will convert on assignment.
1642     TIntermTyped* conversionTree = nullptr;
1643     TVariable* tempRet = nullptr;
1644     if (intermNode.getBasicType() != EbtVoid) {
1645         // do the "tempRet = function(...), " bit from above
1646         tempRet = makeInternalVariable("tempReturn", intermNode.getType());
1647         TIntermSymbol* tempRetNode = intermediate.addSymbol(*tempRet, intermNode.getLoc());
1648         conversionTree = intermediate.addAssign(EOpAssign, tempRetNode, &intermNode, intermNode.getLoc());
1649     } else
1650         conversionTree = &intermNode;
1651 
1652     conversionTree = intermediate.makeAggregate(conversionTree);
1653 
1654     // Process each argument's conversion
1655     for (int i = 0; i < function.getParamCount(); ++i) {
1656         if (*function[i].type != arguments[i]->getAsTyped()->getType()) {
1657             if (function[i].type->getQualifier().isParamOutput()) {
1658                 // Out-qualified arguments need to use the topology set up above.
1659                 // do the " ...(tempArg, ...), arg = tempArg" bit from above
1660                 TType paramType;
1661                 paramType.shallowCopy(*function[i].type);
1662                 if (arguments[i]->getAsTyped()->getType().isParameterized() &&
1663                     !paramType.isParameterized()) {
1664                     paramType.shallowCopy(arguments[i]->getAsTyped()->getType());
1665                     paramType.copyTypeParameters(*arguments[i]->getAsTyped()->getType().getTypeParameters());
1666                 }
1667                 TVariable* tempArg = makeInternalVariable("tempArg", paramType);
1668                 tempArg->getWritableType().getQualifier().makeTemporary();
1669                 TIntermSymbol* tempArgNode = intermediate.addSymbol(*tempArg, intermNode.getLoc());
1670                 TIntermTyped* tempAssign = intermediate.addAssign(EOpAssign, arguments[i]->getAsTyped(), tempArgNode, arguments[i]->getLoc());
1671                 conversionTree = intermediate.growAggregate(conversionTree, tempAssign, arguments[i]->getLoc());
1672                 // replace the argument with another node for the same tempArg variable
1673                 arguments[i] = intermediate.addSymbol(*tempArg, intermNode.getLoc());
1674             }
1675         }
1676     }
1677 
1678     // Finalize the tree topology (see bigger comment above).
1679     if (tempRet) {
1680         // do the "..., tempRet" bit from above
1681         TIntermSymbol* tempRetNode = intermediate.addSymbol(*tempRet, intermNode.getLoc());
1682         conversionTree = intermediate.growAggregate(conversionTree, tempRetNode, intermNode.getLoc());
1683     }
1684     conversionTree = intermediate.setAggregateOperator(conversionTree, EOpComma, intermNode.getType(), intermNode.getLoc());
1685 
1686     return conversionTree;
1687 #endif
1688 }
1689 
addAssign(const TSourceLoc & loc,TOperator op,TIntermTyped * left,TIntermTyped * right)1690 TIntermTyped* TParseContext::addAssign(const TSourceLoc& loc, TOperator op, TIntermTyped* left, TIntermTyped* right)
1691 {
1692     if ((op == EOpAddAssign || op == EOpSubAssign) && left->isReference())
1693         requireExtensions(loc, 1, &E_GL_EXT_buffer_reference2, "+= and -= on a buffer reference");
1694 
1695     return intermediate.addAssign(op, left, right, loc);
1696 }
1697 
memorySemanticsCheck(const TSourceLoc & loc,const TFunction & fnCandidate,const TIntermOperator & callNode)1698 void TParseContext::memorySemanticsCheck(const TSourceLoc& loc, const TFunction& fnCandidate, const TIntermOperator& callNode)
1699 {
1700     const TIntermSequence* argp = &callNode.getAsAggregate()->getSequence();
1701 
1702     //const int gl_SemanticsRelaxed         = 0x0;
1703     const int gl_SemanticsAcquire         = 0x2;
1704     const int gl_SemanticsRelease         = 0x4;
1705     const int gl_SemanticsAcquireRelease  = 0x8;
1706     const int gl_SemanticsMakeAvailable   = 0x2000;
1707     const int gl_SemanticsMakeVisible     = 0x4000;
1708     const int gl_SemanticsVolatile        = 0x8000;
1709 
1710     //const int gl_StorageSemanticsNone     = 0x0;
1711     const int gl_StorageSemanticsBuffer   = 0x40;
1712     const int gl_StorageSemanticsShared   = 0x100;
1713     const int gl_StorageSemanticsImage    = 0x800;
1714     const int gl_StorageSemanticsOutput   = 0x1000;
1715 
1716 
1717     unsigned int semantics = 0, storageClassSemantics = 0;
1718     unsigned int semantics2 = 0, storageClassSemantics2 = 0;
1719 
1720     const TIntermTyped* arg0 = (*argp)[0]->getAsTyped();
1721     const bool isMS = arg0->getBasicType() == EbtSampler && arg0->getType().getSampler().isMultiSample();
1722 
1723     // Grab the semantics and storage class semantics from the operands, based on opcode
1724     switch (callNode.getOp()) {
1725     case EOpAtomicAdd:
1726     case EOpAtomicMin:
1727     case EOpAtomicMax:
1728     case EOpAtomicAnd:
1729     case EOpAtomicOr:
1730     case EOpAtomicXor:
1731     case EOpAtomicExchange:
1732     case EOpAtomicStore:
1733         storageClassSemantics = (*argp)[3]->getAsConstantUnion()->getConstArray()[0].getIConst();
1734         semantics = (*argp)[4]->getAsConstantUnion()->getConstArray()[0].getIConst();
1735         break;
1736     case EOpAtomicLoad:
1737         storageClassSemantics = (*argp)[2]->getAsConstantUnion()->getConstArray()[0].getIConst();
1738         semantics = (*argp)[3]->getAsConstantUnion()->getConstArray()[0].getIConst();
1739         break;
1740     case EOpAtomicCompSwap:
1741         storageClassSemantics = (*argp)[4]->getAsConstantUnion()->getConstArray()[0].getIConst();
1742         semantics = (*argp)[5]->getAsConstantUnion()->getConstArray()[0].getIConst();
1743         storageClassSemantics2 = (*argp)[6]->getAsConstantUnion()->getConstArray()[0].getIConst();
1744         semantics2 = (*argp)[7]->getAsConstantUnion()->getConstArray()[0].getIConst();
1745         break;
1746 
1747     case EOpImageAtomicAdd:
1748     case EOpImageAtomicMin:
1749     case EOpImageAtomicMax:
1750     case EOpImageAtomicAnd:
1751     case EOpImageAtomicOr:
1752     case EOpImageAtomicXor:
1753     case EOpImageAtomicExchange:
1754     case EOpImageAtomicStore:
1755         storageClassSemantics = (*argp)[isMS ? 5 : 4]->getAsConstantUnion()->getConstArray()[0].getIConst();
1756         semantics = (*argp)[isMS ? 6 : 5]->getAsConstantUnion()->getConstArray()[0].getIConst();
1757         break;
1758     case EOpImageAtomicLoad:
1759         storageClassSemantics = (*argp)[isMS ? 4 : 3]->getAsConstantUnion()->getConstArray()[0].getIConst();
1760         semantics = (*argp)[isMS ? 5 : 4]->getAsConstantUnion()->getConstArray()[0].getIConst();
1761         break;
1762     case EOpImageAtomicCompSwap:
1763         storageClassSemantics = (*argp)[isMS ? 6 : 5]->getAsConstantUnion()->getConstArray()[0].getIConst();
1764         semantics = (*argp)[isMS ? 7 : 6]->getAsConstantUnion()->getConstArray()[0].getIConst();
1765         storageClassSemantics2 = (*argp)[isMS ? 8 : 7]->getAsConstantUnion()->getConstArray()[0].getIConst();
1766         semantics2 = (*argp)[isMS ? 9 : 8]->getAsConstantUnion()->getConstArray()[0].getIConst();
1767         break;
1768 
1769     case EOpBarrier:
1770         storageClassSemantics = (*argp)[2]->getAsConstantUnion()->getConstArray()[0].getIConst();
1771         semantics = (*argp)[3]->getAsConstantUnion()->getConstArray()[0].getIConst();
1772         break;
1773     case EOpMemoryBarrier:
1774         storageClassSemantics = (*argp)[1]->getAsConstantUnion()->getConstArray()[0].getIConst();
1775         semantics = (*argp)[2]->getAsConstantUnion()->getConstArray()[0].getIConst();
1776         break;
1777     default:
1778         break;
1779     }
1780 
1781     if ((semantics & gl_SemanticsAcquire) &&
1782         (callNode.getOp() == EOpAtomicStore || callNode.getOp() == EOpImageAtomicStore)) {
1783         error(loc, "gl_SemanticsAcquire must not be used with (image) atomic store",
1784               fnCandidate.getName().c_str(), "");
1785     }
1786     if ((semantics & gl_SemanticsRelease) &&
1787         (callNode.getOp() == EOpAtomicLoad || callNode.getOp() == EOpImageAtomicLoad)) {
1788         error(loc, "gl_SemanticsRelease must not be used with (image) atomic load",
1789               fnCandidate.getName().c_str(), "");
1790     }
1791     if ((semantics & gl_SemanticsAcquireRelease) &&
1792         (callNode.getOp() == EOpAtomicStore || callNode.getOp() == EOpImageAtomicStore ||
1793          callNode.getOp() == EOpAtomicLoad  || callNode.getOp() == EOpImageAtomicLoad)) {
1794         error(loc, "gl_SemanticsAcquireRelease must not be used with (image) atomic load/store",
1795               fnCandidate.getName().c_str(), "");
1796     }
1797     if (((semantics | semantics2) & ~(gl_SemanticsAcquire |
1798                                       gl_SemanticsRelease |
1799                                       gl_SemanticsAcquireRelease |
1800                                       gl_SemanticsMakeAvailable |
1801                                       gl_SemanticsMakeVisible |
1802                                       gl_SemanticsVolatile))) {
1803         error(loc, "Invalid semantics value", fnCandidate.getName().c_str(), "");
1804     }
1805     if (((storageClassSemantics | storageClassSemantics2) & ~(gl_StorageSemanticsBuffer |
1806                                                               gl_StorageSemanticsShared |
1807                                                               gl_StorageSemanticsImage |
1808                                                               gl_StorageSemanticsOutput))) {
1809         error(loc, "Invalid storage class semantics value", fnCandidate.getName().c_str(), "");
1810     }
1811 
1812     if (callNode.getOp() == EOpMemoryBarrier) {
1813         if (!IsPow2(semantics & (gl_SemanticsAcquire | gl_SemanticsRelease | gl_SemanticsAcquireRelease))) {
1814             error(loc, "Semantics must include exactly one of gl_SemanticsRelease, gl_SemanticsAcquire, or "
1815                        "gl_SemanticsAcquireRelease", fnCandidate.getName().c_str(), "");
1816         }
1817     } else {
1818         if (semantics & (gl_SemanticsAcquire | gl_SemanticsRelease | gl_SemanticsAcquireRelease)) {
1819             if (!IsPow2(semantics & (gl_SemanticsAcquire | gl_SemanticsRelease | gl_SemanticsAcquireRelease))) {
1820                 error(loc, "Semantics must not include multiple of gl_SemanticsRelease, gl_SemanticsAcquire, or "
1821                            "gl_SemanticsAcquireRelease", fnCandidate.getName().c_str(), "");
1822             }
1823         }
1824         if (semantics2 & (gl_SemanticsAcquire | gl_SemanticsRelease | gl_SemanticsAcquireRelease)) {
1825             if (!IsPow2(semantics2 & (gl_SemanticsAcquire | gl_SemanticsRelease | gl_SemanticsAcquireRelease))) {
1826                 error(loc, "semUnequal must not include multiple of gl_SemanticsRelease, gl_SemanticsAcquire, or "
1827                            "gl_SemanticsAcquireRelease", fnCandidate.getName().c_str(), "");
1828             }
1829         }
1830     }
1831     if (callNode.getOp() == EOpMemoryBarrier) {
1832         if (storageClassSemantics == 0) {
1833             error(loc, "Storage class semantics must not be zero", fnCandidate.getName().c_str(), "");
1834         }
1835     }
1836     if (callNode.getOp() == EOpBarrier && semantics != 0 && storageClassSemantics == 0) {
1837         error(loc, "Storage class semantics must not be zero", fnCandidate.getName().c_str(), "");
1838     }
1839     if ((callNode.getOp() == EOpAtomicCompSwap || callNode.getOp() == EOpImageAtomicCompSwap) &&
1840         (semantics2 & (gl_SemanticsRelease | gl_SemanticsAcquireRelease))) {
1841         error(loc, "semUnequal must not be gl_SemanticsRelease or gl_SemanticsAcquireRelease",
1842               fnCandidate.getName().c_str(), "");
1843     }
1844     if ((semantics & gl_SemanticsMakeAvailable) &&
1845         !(semantics & (gl_SemanticsRelease | gl_SemanticsAcquireRelease))) {
1846         error(loc, "gl_SemanticsMakeAvailable requires gl_SemanticsRelease or gl_SemanticsAcquireRelease",
1847               fnCandidate.getName().c_str(), "");
1848     }
1849     if ((semantics & gl_SemanticsMakeVisible) &&
1850         !(semantics & (gl_SemanticsAcquire | gl_SemanticsAcquireRelease))) {
1851         error(loc, "gl_SemanticsMakeVisible requires gl_SemanticsAcquire or gl_SemanticsAcquireRelease",
1852               fnCandidate.getName().c_str(), "");
1853     }
1854     if ((semantics & gl_SemanticsVolatile) &&
1855         (callNode.getOp() == EOpMemoryBarrier || callNode.getOp() == EOpBarrier)) {
1856         error(loc, "gl_SemanticsVolatile must not be used with memoryBarrier or controlBarrier",
1857               fnCandidate.getName().c_str(), "");
1858     }
1859     if ((callNode.getOp() == EOpAtomicCompSwap || callNode.getOp() == EOpImageAtomicCompSwap) &&
1860         ((semantics ^ semantics2) & gl_SemanticsVolatile)) {
1861         error(loc, "semEqual and semUnequal must either both include gl_SemanticsVolatile or neither",
1862               fnCandidate.getName().c_str(), "");
1863     }
1864 }
1865 
1866 //
1867 // Do additional checking of built-in function calls that is not caught
1868 // by normal semantic checks on argument type, extension tagging, etc.
1869 //
1870 // Assumes there has been a semantically correct match to a built-in function prototype.
1871 //
builtInOpCheck(const TSourceLoc & loc,const TFunction & fnCandidate,TIntermOperator & callNode)1872 void TParseContext::builtInOpCheck(const TSourceLoc& loc, const TFunction& fnCandidate, TIntermOperator& callNode)
1873 {
1874     // Set up convenience accessors to the argument(s).  There is almost always
1875     // multiple arguments for the cases below, but when there might be one,
1876     // check the unaryArg first.
1877     const TIntermSequence* argp = nullptr;   // confusing to use [] syntax on a pointer, so this is to help get a reference
1878     const TIntermTyped* unaryArg = nullptr;
1879     const TIntermTyped* arg0 = nullptr;
1880     if (callNode.getAsAggregate()) {
1881         argp = &callNode.getAsAggregate()->getSequence();
1882         if (argp->size() > 0)
1883             arg0 = (*argp)[0]->getAsTyped();
1884     } else {
1885         assert(callNode.getAsUnaryNode());
1886         unaryArg = callNode.getAsUnaryNode()->getOperand();
1887         arg0 = unaryArg;
1888     }
1889 
1890     TString featureString;
1891     const char* feature = nullptr;
1892     switch (callNode.getOp()) {
1893 #ifndef GLSLANG_WEB
1894     case EOpTextureGather:
1895     case EOpTextureGatherOffset:
1896     case EOpTextureGatherOffsets:
1897     {
1898         // Figure out which variants are allowed by what extensions,
1899         // and what arguments must be constant for which situations.
1900 
1901         featureString = fnCandidate.getName();
1902         featureString += "(...)";
1903         feature = featureString.c_str();
1904         profileRequires(loc, EEsProfile, 310, nullptr, feature);
1905         int compArg = -1;  // track which argument, if any, is the constant component argument
1906         switch (callNode.getOp()) {
1907         case EOpTextureGather:
1908             // More than two arguments needs gpu_shader5, and rectangular or shadow needs gpu_shader5,
1909             // otherwise, need GL_ARB_texture_gather.
1910             if (fnCandidate.getParamCount() > 2 || fnCandidate[0].type->getSampler().dim == EsdRect || fnCandidate[0].type->getSampler().shadow) {
1911                 profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_gpu_shader5, feature);
1912                 if (! fnCandidate[0].type->getSampler().shadow)
1913                     compArg = 2;
1914             } else
1915                 profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_texture_gather, feature);
1916             break;
1917         case EOpTextureGatherOffset:
1918             // GL_ARB_texture_gather is good enough for 2D non-shadow textures with no component argument
1919             if (fnCandidate[0].type->getSampler().dim == Esd2D && ! fnCandidate[0].type->getSampler().shadow && fnCandidate.getParamCount() == 3)
1920                 profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_texture_gather, feature);
1921             else
1922                 profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_gpu_shader5, feature);
1923             if (! (*argp)[fnCandidate[0].type->getSampler().shadow ? 3 : 2]->getAsConstantUnion())
1924                 profileRequires(loc, EEsProfile, 320, Num_AEP_gpu_shader5, AEP_gpu_shader5,
1925                                 "non-constant offset argument");
1926             if (! fnCandidate[0].type->getSampler().shadow)
1927                 compArg = 3;
1928             break;
1929         case EOpTextureGatherOffsets:
1930             profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_gpu_shader5, feature);
1931             if (! fnCandidate[0].type->getSampler().shadow)
1932                 compArg = 3;
1933             // check for constant offsets
1934             if (! (*argp)[fnCandidate[0].type->getSampler().shadow ? 3 : 2]->getAsConstantUnion())
1935                 error(loc, "must be a compile-time constant:", feature, "offsets argument");
1936             break;
1937         default:
1938             break;
1939         }
1940 
1941         if (compArg > 0 && compArg < fnCandidate.getParamCount()) {
1942             if ((*argp)[compArg]->getAsConstantUnion()) {
1943                 int value = (*argp)[compArg]->getAsConstantUnion()->getConstArray()[0].getIConst();
1944                 if (value < 0 || value > 3)
1945                     error(loc, "must be 0, 1, 2, or 3:", feature, "component argument");
1946             } else
1947                 error(loc, "must be a compile-time constant:", feature, "component argument");
1948         }
1949 
1950         bool bias = false;
1951         if (callNode.getOp() == EOpTextureGather)
1952             bias = fnCandidate.getParamCount() > 3;
1953         else if (callNode.getOp() == EOpTextureGatherOffset ||
1954                  callNode.getOp() == EOpTextureGatherOffsets)
1955             bias = fnCandidate.getParamCount() > 4;
1956 
1957         if (bias) {
1958             featureString = fnCandidate.getName();
1959             featureString += "with bias argument";
1960             feature = featureString.c_str();
1961             profileRequires(loc, ~EEsProfile, 450, nullptr, feature);
1962             requireExtensions(loc, 1, &E_GL_AMD_texture_gather_bias_lod, feature);
1963         }
1964         break;
1965     }
1966     case EOpSparseTextureGather:
1967     case EOpSparseTextureGatherOffset:
1968     case EOpSparseTextureGatherOffsets:
1969     {
1970         bool bias = false;
1971         if (callNode.getOp() == EOpSparseTextureGather)
1972             bias = fnCandidate.getParamCount() > 4;
1973         else if (callNode.getOp() == EOpSparseTextureGatherOffset ||
1974                  callNode.getOp() == EOpSparseTextureGatherOffsets)
1975             bias = fnCandidate.getParamCount() > 5;
1976 
1977         if (bias) {
1978             featureString = fnCandidate.getName();
1979             featureString += "with bias argument";
1980             feature = featureString.c_str();
1981             profileRequires(loc, ~EEsProfile, 450, nullptr, feature);
1982             requireExtensions(loc, 1, &E_GL_AMD_texture_gather_bias_lod, feature);
1983         }
1984 
1985         break;
1986     }
1987 
1988     case EOpSparseTextureGatherLod:
1989     case EOpSparseTextureGatherLodOffset:
1990     case EOpSparseTextureGatherLodOffsets:
1991     {
1992         requireExtensions(loc, 1, &E_GL_ARB_sparse_texture2, fnCandidate.getName().c_str());
1993         break;
1994     }
1995 
1996     case EOpSwizzleInvocations:
1997     {
1998         if (! (*argp)[1]->getAsConstantUnion())
1999             error(loc, "argument must be compile-time constant", "offset", "");
2000         else {
2001             unsigned offset[4] = {};
2002             offset[0] = (*argp)[1]->getAsConstantUnion()->getConstArray()[0].getUConst();
2003             offset[1] = (*argp)[1]->getAsConstantUnion()->getConstArray()[1].getUConst();
2004             offset[2] = (*argp)[1]->getAsConstantUnion()->getConstArray()[2].getUConst();
2005             offset[3] = (*argp)[1]->getAsConstantUnion()->getConstArray()[3].getUConst();
2006             if (offset[0] > 3 || offset[1] > 3 || offset[2] > 3 || offset[3] > 3)
2007                 error(loc, "components must be in the range [0, 3]", "offset", "");
2008         }
2009 
2010         break;
2011     }
2012 
2013     case EOpSwizzleInvocationsMasked:
2014     {
2015         if (! (*argp)[1]->getAsConstantUnion())
2016             error(loc, "argument must be compile-time constant", "mask", "");
2017         else {
2018             unsigned mask[3] = {};
2019             mask[0] = (*argp)[1]->getAsConstantUnion()->getConstArray()[0].getUConst();
2020             mask[1] = (*argp)[1]->getAsConstantUnion()->getConstArray()[1].getUConst();
2021             mask[2] = (*argp)[1]->getAsConstantUnion()->getConstArray()[2].getUConst();
2022             if (mask[0] > 31 || mask[1] > 31 || mask[2] > 31)
2023                 error(loc, "components must be in the range [0, 31]", "mask", "");
2024         }
2025 
2026         break;
2027     }
2028 #endif
2029 
2030     case EOpTextureOffset:
2031     case EOpTextureFetchOffset:
2032     case EOpTextureProjOffset:
2033     case EOpTextureLodOffset:
2034     case EOpTextureProjLodOffset:
2035     case EOpTextureGradOffset:
2036     case EOpTextureProjGradOffset:
2037     {
2038         // Handle texture-offset limits checking
2039         // Pick which argument has to hold constant offsets
2040         int arg = -1;
2041         switch (callNode.getOp()) {
2042         case EOpTextureOffset:          arg = 2;  break;
2043         case EOpTextureFetchOffset:     arg = (arg0->getType().getSampler().isRect()) ? 2 : 3; break;
2044         case EOpTextureProjOffset:      arg = 2;  break;
2045         case EOpTextureLodOffset:       arg = 3;  break;
2046         case EOpTextureProjLodOffset:   arg = 3;  break;
2047         case EOpTextureGradOffset:      arg = 4;  break;
2048         case EOpTextureProjGradOffset:  arg = 4;  break;
2049         default:
2050             assert(0);
2051             break;
2052         }
2053 
2054         if (arg > 0) {
2055 
2056 #ifndef GLSLANG_WEB
2057             bool f16ShadowCompare = (*argp)[1]->getAsTyped()->getBasicType() == EbtFloat16 &&
2058                                     arg0->getType().getSampler().shadow;
2059             if (f16ShadowCompare)
2060                 ++arg;
2061 #endif
2062             if (! (*argp)[arg]->getAsTyped()->getQualifier().isConstant())
2063                 error(loc, "argument must be compile-time constant", "texel offset", "");
2064             else if ((*argp)[arg]->getAsConstantUnion()) {
2065                 const TType& type = (*argp)[arg]->getAsTyped()->getType();
2066                 for (int c = 0; c < type.getVectorSize(); ++c) {
2067                     int offset = (*argp)[arg]->getAsConstantUnion()->getConstArray()[c].getIConst();
2068                     if (offset > resources.maxProgramTexelOffset || offset < resources.minProgramTexelOffset)
2069                         error(loc, "value is out of range:", "texel offset",
2070                               "[gl_MinProgramTexelOffset, gl_MaxProgramTexelOffset]");
2071                 }
2072             }
2073         }
2074 
2075         break;
2076     }
2077 
2078 #ifndef GLSLANG_WEB
2079     case EOpTrace:
2080         if (!(*argp)[10]->getAsConstantUnion())
2081             error(loc, "argument must be compile-time constant", "payload number", "");
2082         break;
2083     case EOpExecuteCallable:
2084         if (!(*argp)[1]->getAsConstantUnion())
2085             error(loc, "argument must be compile-time constant", "callable data number", "");
2086         break;
2087 
2088     case EOpRayQueryGetIntersectionType:
2089     case EOpRayQueryGetIntersectionT:
2090     case EOpRayQueryGetIntersectionInstanceCustomIndex:
2091     case EOpRayQueryGetIntersectionInstanceId:
2092     case EOpRayQueryGetIntersectionInstanceShaderBindingTableRecordOffset:
2093     case EOpRayQueryGetIntersectionGeometryIndex:
2094     case EOpRayQueryGetIntersectionPrimitiveIndex:
2095     case EOpRayQueryGetIntersectionBarycentrics:
2096     case EOpRayQueryGetIntersectionFrontFace:
2097     case EOpRayQueryGetIntersectionObjectRayDirection:
2098     case EOpRayQueryGetIntersectionObjectRayOrigin:
2099     case EOpRayQueryGetIntersectionObjectToWorld:
2100     case EOpRayQueryGetIntersectionWorldToObject:
2101         if (!(*argp)[1]->getAsConstantUnion())
2102             error(loc, "argument must be compile-time constant", "committed", "");
2103         break;
2104 
2105     case EOpTextureQuerySamples:
2106     case EOpImageQuerySamples:
2107         // GL_ARB_shader_texture_image_samples
2108         profileRequires(loc, ~EEsProfile, 450, E_GL_ARB_shader_texture_image_samples, "textureSamples and imageSamples");
2109         break;
2110 
2111     case EOpImageAtomicAdd:
2112     case EOpImageAtomicMin:
2113     case EOpImageAtomicMax:
2114     case EOpImageAtomicAnd:
2115     case EOpImageAtomicOr:
2116     case EOpImageAtomicXor:
2117     case EOpImageAtomicExchange:
2118     case EOpImageAtomicCompSwap:
2119     case EOpImageAtomicLoad:
2120     case EOpImageAtomicStore:
2121     {
2122         // Make sure the image types have the correct layout() format and correct argument types
2123         const TType& imageType = arg0->getType();
2124         if (imageType.getSampler().type == EbtInt || imageType.getSampler().type == EbtUint) {
2125             if (imageType.getQualifier().getFormat() != ElfR32i && imageType.getQualifier().getFormat() != ElfR32ui)
2126                 error(loc, "only supported on image with format r32i or r32ui", fnCandidate.getName().c_str(), "");
2127         } else {
2128             bool isImageAtomicOnFloatAllowed = ((fnCandidate.getName().compare(0, 14, "imageAtomicAdd") == 0) ||
2129                 (fnCandidate.getName().compare(0, 15, "imageAtomicLoad") == 0) ||
2130                 (fnCandidate.getName().compare(0, 16, "imageAtomicStore") == 0) ||
2131                 (fnCandidate.getName().compare(0, 19, "imageAtomicExchange") == 0));
2132             if (imageType.getSampler().type == EbtFloat && isImageAtomicOnFloatAllowed &&
2133                 (fnCandidate.getName().compare(0, 19, "imageAtomicExchange") != 0)) // imageAtomicExchange doesn't require GL_EXT_shader_atomic_float
2134                 requireExtensions(loc, 1, &E_GL_EXT_shader_atomic_float, fnCandidate.getName().c_str());
2135             if (!isImageAtomicOnFloatAllowed)
2136                 error(loc, "only supported on integer images", fnCandidate.getName().c_str(), "");
2137             else if (imageType.getQualifier().getFormat() != ElfR32f && isEsProfile())
2138                 error(loc, "only supported on image with format r32f", fnCandidate.getName().c_str(), "");
2139         }
2140 
2141         const size_t maxArgs = imageType.getSampler().isMultiSample() ? 5 : 4;
2142         if (argp->size() > maxArgs) {
2143             requireExtensions(loc, 1, &E_GL_KHR_memory_scope_semantics, fnCandidate.getName().c_str());
2144             memorySemanticsCheck(loc, fnCandidate, callNode);
2145         }
2146 
2147         break;
2148     }
2149 
2150     case EOpAtomicAdd:
2151     case EOpAtomicMin:
2152     case EOpAtomicMax:
2153     case EOpAtomicAnd:
2154     case EOpAtomicOr:
2155     case EOpAtomicXor:
2156     case EOpAtomicExchange:
2157     case EOpAtomicCompSwap:
2158     case EOpAtomicLoad:
2159     case EOpAtomicStore:
2160     {
2161         if (argp->size() > 3) {
2162             requireExtensions(loc, 1, &E_GL_KHR_memory_scope_semantics, fnCandidate.getName().c_str());
2163             memorySemanticsCheck(loc, fnCandidate, callNode);
2164             if ((callNode.getOp() == EOpAtomicAdd || callNode.getOp() == EOpAtomicExchange ||
2165                 callNode.getOp() == EOpAtomicLoad || callNode.getOp() == EOpAtomicStore) &&
2166                 (arg0->getType().isFloatingDomain())) {
2167                 requireExtensions(loc, 1, &E_GL_EXT_shader_atomic_float, fnCandidate.getName().c_str());
2168             }
2169         } else if (arg0->getType().getBasicType() == EbtInt64 || arg0->getType().getBasicType() == EbtUint64) {
2170             const char* const extensions[2] = { E_GL_NV_shader_atomic_int64,
2171                                                 E_GL_EXT_shader_atomic_int64 };
2172             requireExtensions(loc, 2, extensions, fnCandidate.getName().c_str());
2173         } else if ((callNode.getOp() == EOpAtomicAdd || callNode.getOp() == EOpAtomicExchange) &&
2174                    (arg0->getType().isFloatingDomain())) {
2175             requireExtensions(loc, 1, &E_GL_EXT_shader_atomic_float, fnCandidate.getName().c_str());
2176         }
2177         break;
2178     }
2179 
2180     case EOpInterpolateAtCentroid:
2181     case EOpInterpolateAtSample:
2182     case EOpInterpolateAtOffset:
2183     case EOpInterpolateAtVertex:
2184         // Make sure the first argument is an interpolant, or an array element of an interpolant
2185         if (arg0->getType().getQualifier().storage != EvqVaryingIn) {
2186             // It might still be an array element.
2187             //
2188             // We could check more, but the semantics of the first argument are already met; the
2189             // only way to turn an array into a float/vec* is array dereference and swizzle.
2190             //
2191             // ES and desktop 4.3 and earlier:  swizzles may not be used
2192             // desktop 4.4 and later: swizzles may be used
2193             bool swizzleOkay = (!isEsProfile()) && (version >= 440);
2194             const TIntermTyped* base = TIntermediate::findLValueBase(arg0, swizzleOkay);
2195             if (base == nullptr || base->getType().getQualifier().storage != EvqVaryingIn)
2196                 error(loc, "first argument must be an interpolant, or interpolant-array element", fnCandidate.getName().c_str(), "");
2197         }
2198 
2199         if (callNode.getOp() == EOpInterpolateAtVertex) {
2200             if (!arg0->getType().getQualifier().isExplicitInterpolation())
2201                 error(loc, "argument must be qualified as __explicitInterpAMD in", "interpolant", "");
2202             else {
2203                 if (! (*argp)[1]->getAsConstantUnion())
2204                     error(loc, "argument must be compile-time constant", "vertex index", "");
2205                 else {
2206                     unsigned vertexIdx = (*argp)[1]->getAsConstantUnion()->getConstArray()[0].getUConst();
2207                     if (vertexIdx > 2)
2208                         error(loc, "must be in the range [0, 2]", "vertex index", "");
2209                 }
2210             }
2211         }
2212         break;
2213 
2214     case EOpEmitStreamVertex:
2215     case EOpEndStreamPrimitive:
2216         intermediate.setMultiStream();
2217         break;
2218 
2219     case EOpSubgroupClusteredAdd:
2220     case EOpSubgroupClusteredMul:
2221     case EOpSubgroupClusteredMin:
2222     case EOpSubgroupClusteredMax:
2223     case EOpSubgroupClusteredAnd:
2224     case EOpSubgroupClusteredOr:
2225     case EOpSubgroupClusteredXor:
2226         // The <clusterSize> as used in the subgroupClustered<op>() operations must be:
2227         // - An integral constant expression.
2228         // - At least 1.
2229         // - A power of 2.
2230         if ((*argp)[1]->getAsConstantUnion() == nullptr)
2231             error(loc, "argument must be compile-time constant", "cluster size", "");
2232         else {
2233             int size = (*argp)[1]->getAsConstantUnion()->getConstArray()[0].getIConst();
2234             if (size < 1)
2235                 error(loc, "argument must be at least 1", "cluster size", "");
2236             else if (!IsPow2(size))
2237                 error(loc, "argument must be a power of 2", "cluster size", "");
2238         }
2239         break;
2240 
2241     case EOpSubgroupBroadcast:
2242     case EOpSubgroupQuadBroadcast:
2243         if (spvVersion.spv < EShTargetSpv_1_5) {
2244             // <id> must be an integral constant expression.
2245             if ((*argp)[1]->getAsConstantUnion() == nullptr)
2246                 error(loc, "argument must be compile-time constant", "id", "");
2247         }
2248         break;
2249 
2250     case EOpBarrier:
2251     case EOpMemoryBarrier:
2252         if (argp->size() > 0) {
2253             requireExtensions(loc, 1, &E_GL_KHR_memory_scope_semantics, fnCandidate.getName().c_str());
2254             memorySemanticsCheck(loc, fnCandidate, callNode);
2255         }
2256         break;
2257 
2258     case EOpMix:
2259         if (profile == EEsProfile && version < 310) {
2260             // Look for specific signatures
2261             if ((*argp)[0]->getAsTyped()->getBasicType() != EbtFloat &&
2262                 (*argp)[1]->getAsTyped()->getBasicType() != EbtFloat &&
2263                 (*argp)[2]->getAsTyped()->getBasicType() == EbtBool) {
2264                 requireExtensions(loc, 1, &E_GL_EXT_shader_integer_mix, "specific signature of builtin mix");
2265             }
2266         }
2267 
2268         if (profile != EEsProfile && version < 450) {
2269             if ((*argp)[0]->getAsTyped()->getBasicType() != EbtFloat &&
2270                 (*argp)[0]->getAsTyped()->getBasicType() != EbtDouble &&
2271                 (*argp)[1]->getAsTyped()->getBasicType() != EbtFloat &&
2272                 (*argp)[1]->getAsTyped()->getBasicType() != EbtDouble &&
2273                 (*argp)[2]->getAsTyped()->getBasicType() == EbtBool) {
2274                 requireExtensions(loc, 1, &E_GL_EXT_shader_integer_mix, fnCandidate.getName().c_str());
2275             }
2276         }
2277 
2278         break;
2279 #endif
2280 
2281     default:
2282         break;
2283     }
2284 
2285     // Texture operations on texture objects (aside from texelFetch on a
2286     // textureBuffer) require EXT_samplerless_texture_functions.
2287     switch (callNode.getOp()) {
2288     case EOpTextureQuerySize:
2289     case EOpTextureQueryLevels:
2290     case EOpTextureQuerySamples:
2291     case EOpTextureFetch:
2292     case EOpTextureFetchOffset:
2293     {
2294         const TSampler& sampler = fnCandidate[0].type->getSampler();
2295 
2296         const bool isTexture = sampler.isTexture() && !sampler.isCombined();
2297         const bool isBuffer = sampler.isBuffer();
2298         const bool isFetch = callNode.getOp() == EOpTextureFetch || callNode.getOp() == EOpTextureFetchOffset;
2299 
2300         if (isTexture && (!isBuffer || !isFetch))
2301             requireExtensions(loc, 1, &E_GL_EXT_samplerless_texture_functions, fnCandidate.getName().c_str());
2302 
2303         break;
2304     }
2305 
2306     default:
2307         break;
2308     }
2309 
2310     if (callNode.isSubgroup()) {
2311         // these require SPIR-V 1.3
2312         if (spvVersion.spv > 0 && spvVersion.spv < EShTargetSpv_1_3)
2313             error(loc, "requires SPIR-V 1.3", "subgroup op", "");
2314 
2315         // Check that if extended types are being used that the correct extensions are enabled.
2316         if (arg0 != nullptr) {
2317             const TType& type = arg0->getType();
2318             switch (type.getBasicType()) {
2319             default:
2320                 break;
2321             case EbtInt8:
2322             case EbtUint8:
2323                 requireExtensions(loc, 1, &E_GL_EXT_shader_subgroup_extended_types_int8, type.getCompleteString().c_str());
2324                 break;
2325             case EbtInt16:
2326             case EbtUint16:
2327                 requireExtensions(loc, 1, &E_GL_EXT_shader_subgroup_extended_types_int16, type.getCompleteString().c_str());
2328                 break;
2329             case EbtInt64:
2330             case EbtUint64:
2331                 requireExtensions(loc, 1, &E_GL_EXT_shader_subgroup_extended_types_int64, type.getCompleteString().c_str());
2332                 break;
2333             case EbtFloat16:
2334                 requireExtensions(loc, 1, &E_GL_EXT_shader_subgroup_extended_types_float16, type.getCompleteString().c_str());
2335                 break;
2336             }
2337         }
2338     }
2339 }
2340 
2341 #ifndef GLSLANG_WEB
2342 
2343 extern bool PureOperatorBuiltins;
2344 
2345 // Deprecated!  Use PureOperatorBuiltins == true instead, in which case this
2346 // functionality is handled in builtInOpCheck() instead of here.
2347 //
2348 // Do additional checking of built-in function calls that were not mapped
2349 // to built-in operations (e.g., texturing functions).
2350 //
2351 // Assumes there has been a semantically correct match to a built-in function.
2352 //
nonOpBuiltInCheck(const TSourceLoc & loc,const TFunction & fnCandidate,TIntermAggregate & callNode)2353 void TParseContext::nonOpBuiltInCheck(const TSourceLoc& loc, const TFunction& fnCandidate, TIntermAggregate& callNode)
2354 {
2355     // Further maintenance of this function is deprecated, because the "correct"
2356     // future-oriented design is to not have to do string compares on function names.
2357 
2358     // If PureOperatorBuiltins == true, then all built-ins should be mapped
2359     // to a TOperator, and this function would then never get called.
2360 
2361     assert(PureOperatorBuiltins == false);
2362 
2363     // built-in texturing functions get their return value precision from the precision of the sampler
2364     if (fnCandidate.getType().getQualifier().precision == EpqNone &&
2365         fnCandidate.getParamCount() > 0 && fnCandidate[0].type->getBasicType() == EbtSampler)
2366         callNode.getQualifier().precision = callNode.getSequence()[0]->getAsTyped()->getQualifier().precision;
2367 
2368     if (fnCandidate.getName().compare(0, 7, "texture") == 0) {
2369         if (fnCandidate.getName().compare(0, 13, "textureGather") == 0) {
2370             TString featureString = fnCandidate.getName() + "(...)";
2371             const char* feature = featureString.c_str();
2372             profileRequires(loc, EEsProfile, 310, nullptr, feature);
2373 
2374             int compArg = -1;  // track which argument, if any, is the constant component argument
2375             if (fnCandidate.getName().compare("textureGatherOffset") == 0) {
2376                 // GL_ARB_texture_gather is good enough for 2D non-shadow textures with no component argument
2377                 if (fnCandidate[0].type->getSampler().dim == Esd2D && ! fnCandidate[0].type->getSampler().shadow && fnCandidate.getParamCount() == 3)
2378                     profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_texture_gather, feature);
2379                 else
2380                     profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_gpu_shader5, feature);
2381                 int offsetArg = fnCandidate[0].type->getSampler().shadow ? 3 : 2;
2382                 if (! callNode.getSequence()[offsetArg]->getAsConstantUnion())
2383                     profileRequires(loc, EEsProfile, 320, Num_AEP_gpu_shader5, AEP_gpu_shader5,
2384                                     "non-constant offset argument");
2385                 if (! fnCandidate[0].type->getSampler().shadow)
2386                     compArg = 3;
2387             } else if (fnCandidate.getName().compare("textureGatherOffsets") == 0) {
2388                 profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_gpu_shader5, feature);
2389                 if (! fnCandidate[0].type->getSampler().shadow)
2390                     compArg = 3;
2391                 // check for constant offsets
2392                 int offsetArg = fnCandidate[0].type->getSampler().shadow ? 3 : 2;
2393                 if (! callNode.getSequence()[offsetArg]->getAsConstantUnion())
2394                     error(loc, "must be a compile-time constant:", feature, "offsets argument");
2395             } else if (fnCandidate.getName().compare("textureGather") == 0) {
2396                 // More than two arguments needs gpu_shader5, and rectangular or shadow needs gpu_shader5,
2397                 // otherwise, need GL_ARB_texture_gather.
2398                 if (fnCandidate.getParamCount() > 2 || fnCandidate[0].type->getSampler().dim == EsdRect || fnCandidate[0].type->getSampler().shadow) {
2399                     profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_gpu_shader5, feature);
2400                     if (! fnCandidate[0].type->getSampler().shadow)
2401                         compArg = 2;
2402                 } else
2403                     profileRequires(loc, ~EEsProfile, 400, E_GL_ARB_texture_gather, feature);
2404             }
2405 
2406             if (compArg > 0 && compArg < fnCandidate.getParamCount()) {
2407                 if (callNode.getSequence()[compArg]->getAsConstantUnion()) {
2408                     int value = callNode.getSequence()[compArg]->getAsConstantUnion()->getConstArray()[0].getIConst();
2409                     if (value < 0 || value > 3)
2410                         error(loc, "must be 0, 1, 2, or 3:", feature, "component argument");
2411                 } else
2412                     error(loc, "must be a compile-time constant:", feature, "component argument");
2413             }
2414         } else {
2415             // this is only for functions not starting "textureGather"...
2416             if (fnCandidate.getName().find("Offset") != TString::npos) {
2417 
2418                 // Handle texture-offset limits checking
2419                 int arg = -1;
2420                 if (fnCandidate.getName().compare("textureOffset") == 0)
2421                     arg = 2;
2422                 else if (fnCandidate.getName().compare("texelFetchOffset") == 0)
2423                     arg = 3;
2424                 else if (fnCandidate.getName().compare("textureProjOffset") == 0)
2425                     arg = 2;
2426                 else if (fnCandidate.getName().compare("textureLodOffset") == 0)
2427                     arg = 3;
2428                 else if (fnCandidate.getName().compare("textureProjLodOffset") == 0)
2429                     arg = 3;
2430                 else if (fnCandidate.getName().compare("textureGradOffset") == 0)
2431                     arg = 4;
2432                 else if (fnCandidate.getName().compare("textureProjGradOffset") == 0)
2433                     arg = 4;
2434 
2435                 if (arg > 0) {
2436                     if (! callNode.getSequence()[arg]->getAsConstantUnion())
2437                         error(loc, "argument must be compile-time constant", "texel offset", "");
2438                     else {
2439                         const TType& type = callNode.getSequence()[arg]->getAsTyped()->getType();
2440                         for (int c = 0; c < type.getVectorSize(); ++c) {
2441                             int offset = callNode.getSequence()[arg]->getAsConstantUnion()->getConstArray()[c].getIConst();
2442                             if (offset > resources.maxProgramTexelOffset || offset < resources.minProgramTexelOffset)
2443                                 error(loc, "value is out of range:", "texel offset", "[gl_MinProgramTexelOffset, gl_MaxProgramTexelOffset]");
2444                         }
2445                     }
2446                 }
2447             }
2448         }
2449     }
2450 
2451     // GL_ARB_shader_texture_image_samples
2452     if (fnCandidate.getName().compare(0, 14, "textureSamples") == 0 || fnCandidate.getName().compare(0, 12, "imageSamples") == 0)
2453         profileRequires(loc, ~EEsProfile, 450, E_GL_ARB_shader_texture_image_samples, "textureSamples and imageSamples");
2454 
2455     if (fnCandidate.getName().compare(0, 11, "imageAtomic") == 0) {
2456         const TType& imageType = callNode.getSequence()[0]->getAsTyped()->getType();
2457         if (imageType.getSampler().type == EbtInt || imageType.getSampler().type == EbtUint) {
2458             if (imageType.getQualifier().getFormat() != ElfR32i && imageType.getQualifier().getFormat() != ElfR32ui)
2459                 error(loc, "only supported on image with format r32i or r32ui", fnCandidate.getName().c_str(), "");
2460         } else {
2461             if (fnCandidate.getName().compare(0, 19, "imageAtomicExchange") != 0)
2462                 error(loc, "only supported on integer images", fnCandidate.getName().c_str(), "");
2463             else if (imageType.getQualifier().getFormat() != ElfR32f && isEsProfile())
2464                 error(loc, "only supported on image with format r32f", fnCandidate.getName().c_str(), "");
2465         }
2466     }
2467 }
2468 
2469 #endif
2470 
2471 //
2472 // Do any extra checking for a user function call.
2473 //
userFunctionCallCheck(const TSourceLoc & loc,TIntermAggregate & callNode)2474 void TParseContext::userFunctionCallCheck(const TSourceLoc& loc, TIntermAggregate& callNode)
2475 {
2476     TIntermSequence& arguments = callNode.getSequence();
2477 
2478     for (int i = 0; i < (int)arguments.size(); ++i)
2479         samplerConstructorLocationCheck(loc, "call argument", arguments[i]);
2480 }
2481 
2482 //
2483 // Emit an error if this is a sampler constructor
2484 //
samplerConstructorLocationCheck(const TSourceLoc & loc,const char * token,TIntermNode * node)2485 void TParseContext::samplerConstructorLocationCheck(const TSourceLoc& loc, const char* token, TIntermNode* node)
2486 {
2487     if (node->getAsOperator() && node->getAsOperator()->getOp() == EOpConstructTextureSampler)
2488         error(loc, "sampler constructor must appear at point of use", token, "");
2489 }
2490 
2491 //
2492 // Handle seeing a built-in constructor in a grammar production.
2493 //
handleConstructorCall(const TSourceLoc & loc,const TPublicType & publicType)2494 TFunction* TParseContext::handleConstructorCall(const TSourceLoc& loc, const TPublicType& publicType)
2495 {
2496     TType type(publicType);
2497     type.getQualifier().precision = EpqNone;
2498 
2499     if (type.isArray()) {
2500         profileRequires(loc, ENoProfile, 120, E_GL_3DL_array_objects, "arrayed constructor");
2501         profileRequires(loc, EEsProfile, 300, nullptr, "arrayed constructor");
2502     }
2503 
2504     TOperator op = intermediate.mapTypeToConstructorOp(type);
2505 
2506     if (op == EOpNull) {
2507         error(loc, "cannot construct this type", type.getBasicString(), "");
2508         op = EOpConstructFloat;
2509         TType errorType(EbtFloat);
2510         type.shallowCopy(errorType);
2511     }
2512 
2513     TString empty("");
2514 
2515     return new TFunction(&empty, type, op);
2516 }
2517 
2518 // Handle seeing a precision qualifier in the grammar.
handlePrecisionQualifier(const TSourceLoc &,TQualifier & qualifier,TPrecisionQualifier precision)2519 void TParseContext::handlePrecisionQualifier(const TSourceLoc& /*loc*/, TQualifier& qualifier, TPrecisionQualifier precision)
2520 {
2521     if (obeyPrecisionQualifiers())
2522         qualifier.precision = precision;
2523 }
2524 
2525 // Check for messages to give on seeing a precision qualifier used in a
2526 // declaration in the grammar.
checkPrecisionQualifier(const TSourceLoc & loc,TPrecisionQualifier)2527 void TParseContext::checkPrecisionQualifier(const TSourceLoc& loc, TPrecisionQualifier)
2528 {
2529     if (precisionManager.shouldWarnAboutDefaults()) {
2530         warn(loc, "all default precisions are highp; use precision statements to quiet warning, e.g.:\n"
2531                   "         \"precision mediump int; precision highp float;\"", "", "");
2532         precisionManager.defaultWarningGiven();
2533     }
2534 }
2535 
2536 //
2537 // Same error message for all places assignments don't work.
2538 //
assignError(const TSourceLoc & loc,const char * op,TString left,TString right)2539 void TParseContext::assignError(const TSourceLoc& loc, const char* op, TString left, TString right)
2540 {
2541     error(loc, "", op, "cannot convert from '%s' to '%s'",
2542           right.c_str(), left.c_str());
2543 }
2544 
2545 //
2546 // Same error message for all places unary operations don't work.
2547 //
unaryOpError(const TSourceLoc & loc,const char * op,TString operand)2548 void TParseContext::unaryOpError(const TSourceLoc& loc, const char* op, TString operand)
2549 {
2550    error(loc, " wrong operand type", op,
2551           "no operation '%s' exists that takes an operand of type %s (or there is no acceptable conversion)",
2552           op, operand.c_str());
2553 }
2554 
2555 //
2556 // Same error message for all binary operations don't work.
2557 //
binaryOpError(const TSourceLoc & loc,const char * op,TString left,TString right)2558 void TParseContext::binaryOpError(const TSourceLoc& loc, const char* op, TString left, TString right)
2559 {
2560     error(loc, " wrong operand types:", op,
2561             "no operation '%s' exists that takes a left-hand operand of type '%s' and "
2562             "a right operand of type '%s' (or there is no acceptable conversion)",
2563             op, left.c_str(), right.c_str());
2564 }
2565 
2566 //
2567 // A basic type of EbtVoid is a key that the name string was seen in the source, but
2568 // it was not found as a variable in the symbol table.  If so, give the error
2569 // message and insert a dummy variable in the symbol table to prevent future errors.
2570 //
variableCheck(TIntermTyped * & nodePtr)2571 void TParseContext::variableCheck(TIntermTyped*& nodePtr)
2572 {
2573     TIntermSymbol* symbol = nodePtr->getAsSymbolNode();
2574     if (! symbol)
2575         return;
2576 
2577     if (symbol->getType().getBasicType() == EbtVoid) {
2578         const char *extraInfoFormat = "";
2579         if (spvVersion.vulkan != 0 && symbol->getName() == "gl_VertexID") {
2580           extraInfoFormat = "(Did you mean gl_VertexIndex?)";
2581         } else if (spvVersion.vulkan != 0 && symbol->getName() == "gl_InstanceID") {
2582           extraInfoFormat = "(Did you mean gl_InstanceIndex?)";
2583         }
2584         error(symbol->getLoc(), "undeclared identifier", symbol->getName().c_str(), extraInfoFormat);
2585 
2586         // Add to symbol table to prevent future error messages on the same name
2587         if (symbol->getName().size() > 0) {
2588             TVariable* fakeVariable = new TVariable(&symbol->getName(), TType(EbtFloat));
2589             symbolTable.insert(*fakeVariable);
2590 
2591             // substitute a symbol node for this new variable
2592             nodePtr = intermediate.addSymbol(*fakeVariable, symbol->getLoc());
2593         }
2594     } else {
2595         switch (symbol->getQualifier().storage) {
2596         case EvqPointCoord:
2597             profileRequires(symbol->getLoc(), ENoProfile, 120, nullptr, "gl_PointCoord");
2598             break;
2599         default: break; // some compilers want this
2600         }
2601     }
2602 }
2603 
2604 //
2605 // Both test and if necessary, spit out an error, to see if the node is really
2606 // an l-value that can be operated on this way.
2607 //
2608 // Returns true if there was an error.
2609 //
lValueErrorCheck(const TSourceLoc & loc,const char * op,TIntermTyped * node)2610 bool TParseContext::lValueErrorCheck(const TSourceLoc& loc, const char* op, TIntermTyped* node)
2611 {
2612     TIntermBinary* binaryNode = node->getAsBinaryNode();
2613 
2614     if (binaryNode) {
2615         bool errorReturn = false;
2616 
2617         switch(binaryNode->getOp()) {
2618 #ifndef GLSLANG_WEB
2619         case EOpIndexDirect:
2620         case EOpIndexIndirect:
2621             // ...  tessellation control shader ...
2622             // If a per-vertex output variable is used as an l-value, it is a
2623             // compile-time or link-time error if the expression indicating the
2624             // vertex index is not the identifier gl_InvocationID.
2625             if (language == EShLangTessControl) {
2626                 const TType& leftType = binaryNode->getLeft()->getType();
2627                 if (leftType.getQualifier().storage == EvqVaryingOut && ! leftType.getQualifier().patch && binaryNode->getLeft()->getAsSymbolNode()) {
2628                     // we have a per-vertex output
2629                     const TIntermSymbol* rightSymbol = binaryNode->getRight()->getAsSymbolNode();
2630                     if (! rightSymbol || rightSymbol->getQualifier().builtIn != EbvInvocationId)
2631                         error(loc, "tessellation-control per-vertex output l-value must be indexed with gl_InvocationID", "[]", "");
2632                 }
2633             }
2634             break; // left node is checked by base class
2635 #endif
2636         case EOpVectorSwizzle:
2637             errorReturn = lValueErrorCheck(loc, op, binaryNode->getLeft());
2638             if (!errorReturn) {
2639                 int offset[4] = {0,0,0,0};
2640 
2641                 TIntermTyped* rightNode = binaryNode->getRight();
2642                 TIntermAggregate *aggrNode = rightNode->getAsAggregate();
2643 
2644                 for (TIntermSequence::iterator p = aggrNode->getSequence().begin();
2645                                                p != aggrNode->getSequence().end(); p++) {
2646                     int value = (*p)->getAsTyped()->getAsConstantUnion()->getConstArray()[0].getIConst();
2647                     offset[value]++;
2648                     if (offset[value] > 1) {
2649                         error(loc, " l-value of swizzle cannot have duplicate components", op, "", "");
2650 
2651                         return true;
2652                     }
2653                 }
2654             }
2655 
2656             return errorReturn;
2657         default:
2658             break;
2659         }
2660 
2661         if (errorReturn) {
2662             error(loc, " l-value required", op, "", "");
2663             return true;
2664         }
2665     }
2666 
2667     if (binaryNode && binaryNode->getOp() == EOpIndexDirectStruct && binaryNode->getLeft()->isReference())
2668         return false;
2669 
2670     // Let the base class check errors
2671     if (TParseContextBase::lValueErrorCheck(loc, op, node))
2672         return true;
2673 
2674     const char* symbol = nullptr;
2675     TIntermSymbol* symNode = node->getAsSymbolNode();
2676     if (symNode != nullptr)
2677         symbol = symNode->getName().c_str();
2678 
2679     const char* message = nullptr;
2680     switch (node->getQualifier().storage) {
2681     case EvqVaryingIn:      message = "can't modify shader input";   break;
2682     case EvqInstanceId:     message = "can't modify gl_InstanceID";  break;
2683     case EvqVertexId:       message = "can't modify gl_VertexID";    break;
2684     case EvqFace:           message = "can't modify gl_FrontFace";   break;
2685     case EvqFragCoord:      message = "can't modify gl_FragCoord";   break;
2686     case EvqPointCoord:     message = "can't modify gl_PointCoord";  break;
2687     case EvqFragDepth:
2688         intermediate.setDepthReplacing();
2689         // "In addition, it is an error to statically write to gl_FragDepth in the fragment shader."
2690         if (isEsProfile() && intermediate.getEarlyFragmentTests())
2691             message = "can't modify gl_FragDepth if using early_fragment_tests";
2692         break;
2693 
2694     default:
2695         break;
2696     }
2697 
2698     if (message == nullptr && binaryNode == nullptr && symNode == nullptr) {
2699         error(loc, " l-value required", op, "", "");
2700 
2701         return true;
2702     }
2703 
2704     //
2705     // Everything else is okay, no error.
2706     //
2707     if (message == nullptr)
2708         return false;
2709 
2710     //
2711     // If we get here, we have an error and a message.
2712     //
2713     if (symNode)
2714         error(loc, " l-value required", op, "\"%s\" (%s)", symbol, message);
2715     else
2716         error(loc, " l-value required", op, "(%s)", message);
2717 
2718     return true;
2719 }
2720 
2721 // Test for and give an error if the node can't be read from.
rValueErrorCheck(const TSourceLoc & loc,const char * op,TIntermTyped * node)2722 void TParseContext::rValueErrorCheck(const TSourceLoc& loc, const char* op, TIntermTyped* node)
2723 {
2724     // Let the base class check errors
2725     TParseContextBase::rValueErrorCheck(loc, op, node);
2726 
2727     TIntermSymbol* symNode = node->getAsSymbolNode();
2728     if (!(symNode && symNode->getQualifier().isWriteOnly())) // base class checks
2729         if (symNode && symNode->getQualifier().isExplicitInterpolation())
2730             error(loc, "can't read from explicitly-interpolated object: ", op, symNode->getName().c_str());
2731 }
2732 
2733 //
2734 // Both test, and if necessary spit out an error, to see if the node is really
2735 // a constant.
2736 //
constantValueCheck(TIntermTyped * node,const char * token)2737 void TParseContext::constantValueCheck(TIntermTyped* node, const char* token)
2738 {
2739     if (! node->getQualifier().isConstant())
2740         error(node->getLoc(), "constant expression required", token, "");
2741 }
2742 
2743 //
2744 // Both test, and if necessary spit out an error, to see if the node is really
2745 // an integer.
2746 //
integerCheck(const TIntermTyped * node,const char * token)2747 void TParseContext::integerCheck(const TIntermTyped* node, const char* token)
2748 {
2749     if ((node->getBasicType() == EbtInt || node->getBasicType() == EbtUint) && node->isScalar())
2750         return;
2751 
2752     error(node->getLoc(), "scalar integer expression required", token, "");
2753 }
2754 
2755 //
2756 // Both test, and if necessary spit out an error, to see if we are currently
2757 // globally scoped.
2758 //
globalCheck(const TSourceLoc & loc,const char * token)2759 void TParseContext::globalCheck(const TSourceLoc& loc, const char* token)
2760 {
2761     if (! symbolTable.atGlobalLevel())
2762         error(loc, "not allowed in nested scope", token, "");
2763 }
2764 
2765 //
2766 // Reserved errors for GLSL.
2767 //
reservedErrorCheck(const TSourceLoc & loc,const TString & identifier)2768 void TParseContext::reservedErrorCheck(const TSourceLoc& loc, const TString& identifier)
2769 {
2770     // "Identifiers starting with "gl_" are reserved for use by OpenGL, and may not be
2771     // declared in a shader; this results in a compile-time error."
2772     if (! symbolTable.atBuiltInLevel()) {
2773         if (builtInName(identifier))
2774             error(loc, "identifiers starting with \"gl_\" are reserved", identifier.c_str(), "");
2775 
2776         // "__" are not supposed to be an error.  ES 300 (and desktop) added the clarification:
2777         // "In addition, all identifiers containing two consecutive underscores (__) are
2778         // reserved; using such a name does not itself result in an error, but may result
2779         // in undefined behavior."
2780         // however, before that, ES tests required an error.
2781         if (identifier.find("__") != TString::npos) {
2782             if (isEsProfile() && version < 300)
2783                 error(loc, "identifiers containing consecutive underscores (\"__\") are reserved, and an error if version < 300", identifier.c_str(), "");
2784             else
2785                 warn(loc, "identifiers containing consecutive underscores (\"__\") are reserved", identifier.c_str(), "");
2786         }
2787     }
2788 }
2789 
2790 //
2791 // Reserved errors for the preprocessor.
2792 //
reservedPpErrorCheck(const TSourceLoc & loc,const char * identifier,const char * op)2793 void TParseContext::reservedPpErrorCheck(const TSourceLoc& loc, const char* identifier, const char* op)
2794 {
2795     // "__" are not supposed to be an error.  ES 300 (and desktop) added the clarification:
2796     // "All macro names containing two consecutive underscores ( __ ) are reserved;
2797     // defining such a name does not itself result in an error, but may result in
2798     // undefined behavior.  All macro names prefixed with "GL_" ("GL" followed by a
2799     // single underscore) are also reserved, and defining such a name results in a
2800     // compile-time error."
2801     // however, before that, ES tests required an error.
2802     if (strncmp(identifier, "GL_", 3) == 0)
2803         ppError(loc, "names beginning with \"GL_\" can't be (un)defined:", op,  identifier);
2804     else if (strncmp(identifier, "defined", 8) == 0)
2805         if (relaxedErrors())
2806             ppWarn(loc, "\"defined\" is (un)defined:", op,  identifier);
2807         else
2808             ppError(loc, "\"defined\" can't be (un)defined:", op,  identifier);
2809     else if (strstr(identifier, "__") != 0) {
2810         if (isEsProfile() && version >= 300 &&
2811             (strcmp(identifier, "__LINE__") == 0 ||
2812              strcmp(identifier, "__FILE__") == 0 ||
2813              strcmp(identifier, "__VERSION__") == 0))
2814             ppError(loc, "predefined names can't be (un)defined:", op,  identifier);
2815         else {
2816             if (isEsProfile() && version < 300 && !relaxedErrors())
2817                 ppError(loc, "names containing consecutive underscores are reserved, and an error if version < 300:", op, identifier);
2818             else
2819                 ppWarn(loc, "names containing consecutive underscores are reserved:", op, identifier);
2820         }
2821     }
2822 }
2823 
2824 //
2825 // See if this version/profile allows use of the line-continuation character '\'.
2826 //
2827 // Returns true if a line continuation should be done.
2828 //
lineContinuationCheck(const TSourceLoc & loc,bool endOfComment)2829 bool TParseContext::lineContinuationCheck(const TSourceLoc& loc, bool endOfComment)
2830 {
2831 #ifdef GLSLANG_WEB
2832     return true;
2833 #endif
2834 
2835     const char* message = "line continuation";
2836 
2837     bool lineContinuationAllowed = (isEsProfile() && version >= 300) ||
2838                                    (!isEsProfile() && (version >= 420 || extensionTurnedOn(E_GL_ARB_shading_language_420pack)));
2839 
2840     if (endOfComment) {
2841         if (lineContinuationAllowed)
2842             warn(loc, "used at end of comment; the following line is still part of the comment", message, "");
2843         else
2844             warn(loc, "used at end of comment, but this version does not provide line continuation", message, "");
2845 
2846         return lineContinuationAllowed;
2847     }
2848 
2849     if (relaxedErrors()) {
2850         if (! lineContinuationAllowed)
2851             warn(loc, "not allowed in this version", message, "");
2852         return true;
2853     } else {
2854         profileRequires(loc, EEsProfile, 300, nullptr, message);
2855         profileRequires(loc, ~EEsProfile, 420, E_GL_ARB_shading_language_420pack, message);
2856     }
2857 
2858     return lineContinuationAllowed;
2859 }
2860 
builtInName(const TString & identifier)2861 bool TParseContext::builtInName(const TString& identifier)
2862 {
2863     return identifier.compare(0, 3, "gl_") == 0;
2864 }
2865 
2866 //
2867 // Make sure there is enough data and not too many arguments provided to the
2868 // constructor to build something of the type of the constructor.  Also returns
2869 // the type of the constructor.
2870 //
2871 // Part of establishing type is establishing specialization-constness.
2872 // We don't yet know "top down" whether type is a specialization constant,
2873 // but a const constructor can becomes a specialization constant if any of
2874 // its children are, subject to KHR_vulkan_glsl rules:
2875 //
2876 //     - int(), uint(), and bool() constructors for type conversions
2877 //       from any of the following types to any of the following types:
2878 //         * int
2879 //         * uint
2880 //         * bool
2881 //     - vector versions of the above conversion constructors
2882 //
2883 // Returns true if there was an error in construction.
2884 //
constructorError(const TSourceLoc & loc,TIntermNode * node,TFunction & function,TOperator op,TType & type)2885 bool TParseContext::constructorError(const TSourceLoc& loc, TIntermNode* node, TFunction& function, TOperator op, TType& type)
2886 {
2887     // See if the constructor does not establish the main type, only requalifies
2888     // it, in which case the type comes from the argument instead of from the
2889     // constructor function.
2890     switch (op) {
2891 #ifndef GLSLANG_WEB
2892     case EOpConstructNonuniform:
2893         if (node != nullptr && node->getAsTyped() != nullptr) {
2894             type.shallowCopy(node->getAsTyped()->getType());
2895             type.getQualifier().makeTemporary();
2896             type.getQualifier().nonUniform = true;
2897         }
2898         break;
2899 #endif
2900     default:
2901         type.shallowCopy(function.getType());
2902         break;
2903     }
2904 
2905     // See if it's a matrix
2906     bool constructingMatrix = false;
2907     switch (op) {
2908     case EOpConstructTextureSampler:
2909         return constructorTextureSamplerError(loc, function);
2910     case EOpConstructMat2x2:
2911     case EOpConstructMat2x3:
2912     case EOpConstructMat2x4:
2913     case EOpConstructMat3x2:
2914     case EOpConstructMat3x3:
2915     case EOpConstructMat3x4:
2916     case EOpConstructMat4x2:
2917     case EOpConstructMat4x3:
2918     case EOpConstructMat4x4:
2919 #ifndef GLSLANG_WEB
2920     case EOpConstructDMat2x2:
2921     case EOpConstructDMat2x3:
2922     case EOpConstructDMat2x4:
2923     case EOpConstructDMat3x2:
2924     case EOpConstructDMat3x3:
2925     case EOpConstructDMat3x4:
2926     case EOpConstructDMat4x2:
2927     case EOpConstructDMat4x3:
2928     case EOpConstructDMat4x4:
2929     case EOpConstructF16Mat2x2:
2930     case EOpConstructF16Mat2x3:
2931     case EOpConstructF16Mat2x4:
2932     case EOpConstructF16Mat3x2:
2933     case EOpConstructF16Mat3x3:
2934     case EOpConstructF16Mat3x4:
2935     case EOpConstructF16Mat4x2:
2936     case EOpConstructF16Mat4x3:
2937     case EOpConstructF16Mat4x4:
2938 #endif
2939         constructingMatrix = true;
2940         break;
2941     default:
2942         break;
2943     }
2944 
2945     //
2946     // Walk the arguments for first-pass checks and collection of information.
2947     //
2948 
2949     int size = 0;
2950     bool constType = true;
2951     bool specConstType = false;   // value is only valid if constType is true
2952     bool full = false;
2953     bool overFull = false;
2954     bool matrixInMatrix = false;
2955     bool arrayArg = false;
2956     bool floatArgument = false;
2957     for (int arg = 0; arg < function.getParamCount(); ++arg) {
2958         if (function[arg].type->isArray()) {
2959             if (function[arg].type->isUnsizedArray()) {
2960                 // Can't construct from an unsized array.
2961                 error(loc, "array argument must be sized", "constructor", "");
2962                 return true;
2963             }
2964             arrayArg = true;
2965         }
2966         if (constructingMatrix && function[arg].type->isMatrix())
2967             matrixInMatrix = true;
2968 
2969         // 'full' will go to true when enough args have been seen.  If we loop
2970         // again, there is an extra argument.
2971         if (full) {
2972             // For vectors and matrices, it's okay to have too many components
2973             // available, but not okay to have unused arguments.
2974             overFull = true;
2975         }
2976 
2977         size += function[arg].type->computeNumComponents();
2978         if (op != EOpConstructStruct && ! type.isArray() && size >= type.computeNumComponents())
2979             full = true;
2980 
2981         if (! function[arg].type->getQualifier().isConstant())
2982             constType = false;
2983         if (function[arg].type->getQualifier().isSpecConstant())
2984             specConstType = true;
2985         if (function[arg].type->isFloatingDomain())
2986             floatArgument = true;
2987         if (type.isStruct()) {
2988             if (function[arg].type->contains16BitFloat()) {
2989                 requireFloat16Arithmetic(loc, "constructor", "can't construct structure containing 16-bit type");
2990             }
2991             if (function[arg].type->contains16BitInt()) {
2992                 requireInt16Arithmetic(loc, "constructor", "can't construct structure containing 16-bit type");
2993             }
2994             if (function[arg].type->contains8BitInt()) {
2995                 requireInt8Arithmetic(loc, "constructor", "can't construct structure containing 8-bit type");
2996             }
2997         }
2998     }
2999     if (op == EOpConstructNonuniform)
3000         constType = false;
3001 
3002 #ifndef GLSLANG_WEB
3003     switch (op) {
3004     case EOpConstructFloat16:
3005     case EOpConstructF16Vec2:
3006     case EOpConstructF16Vec3:
3007     case EOpConstructF16Vec4:
3008         if (type.isArray())
3009             requireFloat16Arithmetic(loc, "constructor", "16-bit arrays not supported");
3010         if (type.isVector() && function.getParamCount() != 1)
3011             requireFloat16Arithmetic(loc, "constructor", "16-bit vectors only take vector types");
3012         break;
3013     case EOpConstructUint16:
3014     case EOpConstructU16Vec2:
3015     case EOpConstructU16Vec3:
3016     case EOpConstructU16Vec4:
3017     case EOpConstructInt16:
3018     case EOpConstructI16Vec2:
3019     case EOpConstructI16Vec3:
3020     case EOpConstructI16Vec4:
3021         if (type.isArray())
3022             requireInt16Arithmetic(loc, "constructor", "16-bit arrays not supported");
3023         if (type.isVector() && function.getParamCount() != 1)
3024             requireInt16Arithmetic(loc, "constructor", "16-bit vectors only take vector types");
3025         break;
3026     case EOpConstructUint8:
3027     case EOpConstructU8Vec2:
3028     case EOpConstructU8Vec3:
3029     case EOpConstructU8Vec4:
3030     case EOpConstructInt8:
3031     case EOpConstructI8Vec2:
3032     case EOpConstructI8Vec3:
3033     case EOpConstructI8Vec4:
3034         if (type.isArray())
3035             requireInt8Arithmetic(loc, "constructor", "8-bit arrays not supported");
3036         if (type.isVector() && function.getParamCount() != 1)
3037             requireInt8Arithmetic(loc, "constructor", "8-bit vectors only take vector types");
3038         break;
3039     default:
3040         break;
3041     }
3042 #endif
3043 
3044     // inherit constness from children
3045     if (constType) {
3046         bool makeSpecConst;
3047         // Finish pinning down spec-const semantics
3048         if (specConstType) {
3049             switch (op) {
3050             case EOpConstructInt8:
3051             case EOpConstructInt:
3052             case EOpConstructUint:
3053             case EOpConstructBool:
3054             case EOpConstructBVec2:
3055             case EOpConstructBVec3:
3056             case EOpConstructBVec4:
3057             case EOpConstructIVec2:
3058             case EOpConstructIVec3:
3059             case EOpConstructIVec4:
3060             case EOpConstructUVec2:
3061             case EOpConstructUVec3:
3062             case EOpConstructUVec4:
3063 #ifndef GLSLANG_WEB
3064             case EOpConstructUint8:
3065             case EOpConstructInt16:
3066             case EOpConstructUint16:
3067             case EOpConstructInt64:
3068             case EOpConstructUint64:
3069             case EOpConstructI8Vec2:
3070             case EOpConstructI8Vec3:
3071             case EOpConstructI8Vec4:
3072             case EOpConstructU8Vec2:
3073             case EOpConstructU8Vec3:
3074             case EOpConstructU8Vec4:
3075             case EOpConstructI16Vec2:
3076             case EOpConstructI16Vec3:
3077             case EOpConstructI16Vec4:
3078             case EOpConstructU16Vec2:
3079             case EOpConstructU16Vec3:
3080             case EOpConstructU16Vec4:
3081             case EOpConstructI64Vec2:
3082             case EOpConstructI64Vec3:
3083             case EOpConstructI64Vec4:
3084             case EOpConstructU64Vec2:
3085             case EOpConstructU64Vec3:
3086             case EOpConstructU64Vec4:
3087 #endif
3088                 // This was the list of valid ones, if they aren't converting from float
3089                 // and aren't making an array.
3090                 makeSpecConst = ! floatArgument && ! type.isArray();
3091                 break;
3092             default:
3093                 // anything else wasn't white-listed in the spec as a conversion
3094                 makeSpecConst = false;
3095                 break;
3096             }
3097         } else
3098             makeSpecConst = false;
3099 
3100         if (makeSpecConst)
3101             type.getQualifier().makeSpecConstant();
3102         else if (specConstType)
3103             type.getQualifier().makeTemporary();
3104         else
3105             type.getQualifier().storage = EvqConst;
3106     }
3107 
3108     if (type.isArray()) {
3109         if (function.getParamCount() == 0) {
3110             error(loc, "array constructor must have at least one argument", "constructor", "");
3111             return true;
3112         }
3113 
3114         if (type.isUnsizedArray()) {
3115             // auto adapt the constructor type to the number of arguments
3116             type.changeOuterArraySize(function.getParamCount());
3117         } else if (type.getOuterArraySize() != function.getParamCount()) {
3118             error(loc, "array constructor needs one argument per array element", "constructor", "");
3119             return true;
3120         }
3121 
3122         if (type.isArrayOfArrays()) {
3123             // Types have to match, but we're still making the type.
3124             // Finish making the type, and the comparison is done later
3125             // when checking for conversion.
3126             TArraySizes& arraySizes = *type.getArraySizes();
3127 
3128             // At least the dimensionalities have to match.
3129             if (! function[0].type->isArray() ||
3130                     arraySizes.getNumDims() != function[0].type->getArraySizes()->getNumDims() + 1) {
3131                 error(loc, "array constructor argument not correct type to construct array element", "constructor", "");
3132                 return true;
3133             }
3134 
3135             if (arraySizes.isInnerUnsized()) {
3136                 // "Arrays of arrays ..., and the size for any dimension is optional"
3137                 // That means we need to adopt (from the first argument) the other array sizes into the type.
3138                 for (int d = 1; d < arraySizes.getNumDims(); ++d) {
3139                     if (arraySizes.getDimSize(d) == UnsizedArraySize) {
3140                         arraySizes.setDimSize(d, function[0].type->getArraySizes()->getDimSize(d - 1));
3141                     }
3142                 }
3143             }
3144         }
3145     }
3146 
3147     if (arrayArg && op != EOpConstructStruct && ! type.isArrayOfArrays()) {
3148         error(loc, "constructing non-array constituent from array argument", "constructor", "");
3149         return true;
3150     }
3151 
3152     if (matrixInMatrix && ! type.isArray()) {
3153         profileRequires(loc, ENoProfile, 120, nullptr, "constructing matrix from matrix");
3154 
3155         // "If a matrix argument is given to a matrix constructor,
3156         // it is a compile-time error to have any other arguments."
3157         if (function.getParamCount() != 1)
3158             error(loc, "matrix constructed from matrix can only have one argument", "constructor", "");
3159         return false;
3160     }
3161 
3162     if (overFull) {
3163         error(loc, "too many arguments", "constructor", "");
3164         return true;
3165     }
3166 
3167     if (op == EOpConstructStruct && ! type.isArray() && (int)type.getStruct()->size() != function.getParamCount()) {
3168         error(loc, "Number of constructor parameters does not match the number of structure fields", "constructor", "");
3169         return true;
3170     }
3171 
3172     if ((op != EOpConstructStruct && size != 1 && size < type.computeNumComponents()) ||
3173         (op == EOpConstructStruct && size < type.computeNumComponents())) {
3174         error(loc, "not enough data provided for construction", "constructor", "");
3175         return true;
3176     }
3177 
3178     if (type.isCoopMat() && function.getParamCount() != 1) {
3179         error(loc, "wrong number of arguments", "constructor", "");
3180         return true;
3181     }
3182     if (type.isCoopMat() &&
3183         !(function[0].type->isScalar() || function[0].type->isCoopMat())) {
3184         error(loc, "Cooperative matrix constructor argument must be scalar or cooperative matrix", "constructor", "");
3185         return true;
3186     }
3187 
3188     TIntermTyped* typed = node->getAsTyped();
3189     if (typed == nullptr) {
3190         error(loc, "constructor argument does not have a type", "constructor", "");
3191         return true;
3192     }
3193     if (op != EOpConstructStruct && op != EOpConstructNonuniform && typed->getBasicType() == EbtSampler) {
3194         error(loc, "cannot convert a sampler", "constructor", "");
3195         return true;
3196     }
3197     if (op != EOpConstructStruct && typed->isAtomic()) {
3198         error(loc, "cannot convert an atomic_uint", "constructor", "");
3199         return true;
3200     }
3201     if (typed->getBasicType() == EbtVoid) {
3202         error(loc, "cannot convert a void", "constructor", "");
3203         return true;
3204     }
3205 
3206     return false;
3207 }
3208 
3209 // Verify all the correct semantics for constructing a combined texture/sampler.
3210 // Return true if the semantics are incorrect.
constructorTextureSamplerError(const TSourceLoc & loc,const TFunction & function)3211 bool TParseContext::constructorTextureSamplerError(const TSourceLoc& loc, const TFunction& function)
3212 {
3213     TString constructorName = function.getType().getBasicTypeString();  // TODO: performance: should not be making copy; interface needs to change
3214     const char* token = constructorName.c_str();
3215 
3216     // exactly two arguments needed
3217     if (function.getParamCount() != 2) {
3218         error(loc, "sampler-constructor requires two arguments", token, "");
3219         return true;
3220     }
3221 
3222     // For now, not allowing arrayed constructors, the rest of this function
3223     // is set up to allow them, if this test is removed:
3224     if (function.getType().isArray()) {
3225         error(loc, "sampler-constructor cannot make an array of samplers", token, "");
3226         return true;
3227     }
3228 
3229     // first argument
3230     //  * the constructor's first argument must be a texture type
3231     //  * the dimensionality (1D, 2D, 3D, Cube, Rect, Buffer, MS, and Array)
3232     //    of the texture type must match that of the constructed sampler type
3233     //    (that is, the suffixes of the type of the first argument and the
3234     //    type of the constructor will be spelled the same way)
3235     if (function[0].type->getBasicType() != EbtSampler ||
3236         ! function[0].type->getSampler().isTexture() ||
3237         function[0].type->isArray()) {
3238         error(loc, "sampler-constructor first argument must be a scalar *texture* type", token, "");
3239         return true;
3240     }
3241     // simulate the first argument's impact on the result type, so it can be compared with the encapsulated operator!=()
3242     TSampler texture = function.getType().getSampler();
3243     texture.setCombined(false);
3244     texture.shadow = false;
3245     if (texture != function[0].type->getSampler()) {
3246         error(loc, "sampler-constructor first argument must be a *texture* type"
3247                    " matching the dimensionality and sampled type of the constructor", token, "");
3248         return true;
3249     }
3250 
3251     // second argument
3252     //   * the constructor's second argument must be a scalar of type
3253     //     *sampler* or *samplerShadow*
3254     if (  function[1].type->getBasicType() != EbtSampler ||
3255         ! function[1].type->getSampler().isPureSampler() ||
3256           function[1].type->isArray()) {
3257         error(loc, "sampler-constructor second argument must be a scalar sampler or samplerShadow", token, "");
3258         return true;
3259     }
3260 
3261     return false;
3262 }
3263 
3264 // Checks to see if a void variable has been declared and raise an error message for such a case
3265 //
3266 // returns true in case of an error
3267 //
voidErrorCheck(const TSourceLoc & loc,const TString & identifier,const TBasicType basicType)3268 bool TParseContext::voidErrorCheck(const TSourceLoc& loc, const TString& identifier, const TBasicType basicType)
3269 {
3270     if (basicType == EbtVoid) {
3271         error(loc, "illegal use of type 'void'", identifier.c_str(), "");
3272         return true;
3273     }
3274 
3275     return false;
3276 }
3277 
3278 // Checks to see if the node (for the expression) contains a scalar boolean expression or not
boolCheck(const TSourceLoc & loc,const TIntermTyped * type)3279 void TParseContext::boolCheck(const TSourceLoc& loc, const TIntermTyped* type)
3280 {
3281     if (type->getBasicType() != EbtBool || type->isArray() || type->isMatrix() || type->isVector())
3282         error(loc, "boolean expression expected", "", "");
3283 }
3284 
3285 // This function checks to see if the node (for the expression) contains a scalar boolean expression or not
boolCheck(const TSourceLoc & loc,const TPublicType & pType)3286 void TParseContext::boolCheck(const TSourceLoc& loc, const TPublicType& pType)
3287 {
3288     if (pType.basicType != EbtBool || pType.arraySizes || pType.matrixCols > 1 || (pType.vectorSize > 1))
3289         error(loc, "boolean expression expected", "", "");
3290 }
3291 
samplerCheck(const TSourceLoc & loc,const TType & type,const TString & identifier,TIntermTyped *)3292 void TParseContext::samplerCheck(const TSourceLoc& loc, const TType& type, const TString& identifier, TIntermTyped* /*initializer*/)
3293 {
3294     // Check that the appropriate extension is enabled if external sampler is used.
3295     // There are two extensions. The correct one must be used based on GLSL version.
3296     if (type.getBasicType() == EbtSampler && type.getSampler().isExternal()) {
3297         if (version < 300) {
3298             requireExtensions(loc, 1, &E_GL_OES_EGL_image_external, "samplerExternalOES");
3299         } else {
3300             requireExtensions(loc, 1, &E_GL_OES_EGL_image_external_essl3, "samplerExternalOES");
3301         }
3302     }
3303     if (type.getSampler().isYuv()) {
3304         requireExtensions(loc, 1, &E_GL_EXT_YUV_target, "__samplerExternal2DY2YEXT");
3305     }
3306 
3307     if (type.getQualifier().storage == EvqUniform)
3308         return;
3309 
3310     if (type.getBasicType() == EbtStruct && containsFieldWithBasicType(type, EbtSampler))
3311         error(loc, "non-uniform struct contains a sampler or image:", type.getBasicTypeString().c_str(), identifier.c_str());
3312     else if (type.getBasicType() == EbtSampler && type.getQualifier().storage != EvqUniform) {
3313         // non-uniform sampler
3314         // not yet:  okay if it has an initializer
3315         // if (! initializer)
3316         error(loc, "sampler/image types can only be used in uniform variables or function parameters:", type.getBasicTypeString().c_str(), identifier.c_str());
3317     }
3318 }
3319 
3320 #ifndef GLSLANG_WEB
3321 
atomicUintCheck(const TSourceLoc & loc,const TType & type,const TString & identifier)3322 void TParseContext::atomicUintCheck(const TSourceLoc& loc, const TType& type, const TString& identifier)
3323 {
3324     if (type.getQualifier().storage == EvqUniform)
3325         return;
3326 
3327     if (type.getBasicType() == EbtStruct && containsFieldWithBasicType(type, EbtAtomicUint))
3328         error(loc, "non-uniform struct contains an atomic_uint:", type.getBasicTypeString().c_str(), identifier.c_str());
3329     else if (type.getBasicType() == EbtAtomicUint && type.getQualifier().storage != EvqUniform)
3330         error(loc, "atomic_uints can only be used in uniform variables or function parameters:", type.getBasicTypeString().c_str(), identifier.c_str());
3331 }
3332 
accStructCheck(const TSourceLoc & loc,const TType & type,const TString & identifier)3333 void TParseContext::accStructCheck(const TSourceLoc& loc, const TType& type, const TString& identifier)
3334 {
3335     if (type.getQualifier().storage == EvqUniform)
3336         return;
3337 
3338     if (type.getBasicType() == EbtStruct && containsFieldWithBasicType(type, EbtAccStruct))
3339         error(loc, "non-uniform struct contains an accelerationStructureNV:", type.getBasicTypeString().c_str(), identifier.c_str());
3340     else if (type.getBasicType() == EbtAccStruct && type.getQualifier().storage != EvqUniform)
3341         error(loc, "accelerationStructureNV can only be used in uniform variables or function parameters:",
3342             type.getBasicTypeString().c_str(), identifier.c_str());
3343 
3344 }
3345 
3346 #endif // GLSLANG_WEB
3347 
transparentOpaqueCheck(const TSourceLoc & loc,const TType & type,const TString & identifier)3348 void TParseContext::transparentOpaqueCheck(const TSourceLoc& loc, const TType& type, const TString& identifier)
3349 {
3350     if (parsingBuiltins)
3351         return;
3352 
3353     if (type.getQualifier().storage != EvqUniform)
3354         return;
3355 
3356     if (type.containsNonOpaque()) {
3357         // Vulkan doesn't allow transparent uniforms outside of blocks
3358         if (spvVersion.vulkan > 0)
3359             vulkanRemoved(loc, "non-opaque uniforms outside a block");
3360         // OpenGL wants locations on these (unless they are getting automapped)
3361         if (spvVersion.openGl > 0 && !type.getQualifier().hasLocation() && !intermediate.getAutoMapLocations())
3362             error(loc, "non-opaque uniform variables need a layout(location=L)", identifier.c_str(), "");
3363     }
3364 }
3365 
3366 //
3367 // Qualifier checks knowing the qualifier and that it is a member of a struct/block.
3368 //
memberQualifierCheck(glslang::TPublicType & publicType)3369 void TParseContext::memberQualifierCheck(glslang::TPublicType& publicType)
3370 {
3371     globalQualifierFixCheck(publicType.loc, publicType.qualifier);
3372     checkNoShaderLayouts(publicType.loc, publicType.shaderQualifiers);
3373     if (publicType.qualifier.isNonUniform()) {
3374         error(publicType.loc, "not allowed on block or structure members", "nonuniformEXT", "");
3375         publicType.qualifier.nonUniform = false;
3376     }
3377 }
3378 
3379 //
3380 // Check/fix just a full qualifier (no variables or types yet, but qualifier is complete) at global level.
3381 //
globalQualifierFixCheck(const TSourceLoc & loc,TQualifier & qualifier)3382 void TParseContext::globalQualifierFixCheck(const TSourceLoc& loc, TQualifier& qualifier)
3383 {
3384     bool nonuniformOkay = false;
3385 
3386     // move from parameter/unknown qualifiers to pipeline in/out qualifiers
3387     switch (qualifier.storage) {
3388     case EvqIn:
3389         profileRequires(loc, ENoProfile, 130, nullptr, "in for stage inputs");
3390         profileRequires(loc, EEsProfile, 300, nullptr, "in for stage inputs");
3391         qualifier.storage = EvqVaryingIn;
3392         nonuniformOkay = true;
3393         break;
3394     case EvqOut:
3395         profileRequires(loc, ENoProfile, 130, nullptr, "out for stage outputs");
3396         profileRequires(loc, EEsProfile, 300, nullptr, "out for stage outputs");
3397         qualifier.storage = EvqVaryingOut;
3398         break;
3399     case EvqInOut:
3400         qualifier.storage = EvqVaryingIn;
3401         error(loc, "cannot use 'inout' at global scope", "", "");
3402         break;
3403     case EvqGlobal:
3404     case EvqTemporary:
3405         nonuniformOkay = true;
3406         break;
3407     default:
3408         break;
3409     }
3410 
3411     if (!nonuniformOkay && qualifier.isNonUniform())
3412         error(loc, "for non-parameter, can only apply to 'in' or no storage qualifier", "nonuniformEXT", "");
3413 
3414     invariantCheck(loc, qualifier);
3415 }
3416 
3417 //
3418 // Check a full qualifier and type (no variable yet) at global level.
3419 //
globalQualifierTypeCheck(const TSourceLoc & loc,const TQualifier & qualifier,const TPublicType & publicType)3420 void TParseContext::globalQualifierTypeCheck(const TSourceLoc& loc, const TQualifier& qualifier, const TPublicType& publicType)
3421 {
3422     if (! symbolTable.atGlobalLevel())
3423         return;
3424 
3425     if (!(publicType.userDef && publicType.userDef->isReference())) {
3426         if (qualifier.isMemoryQualifierImageAndSSBOOnly() && ! publicType.isImage() && publicType.qualifier.storage != EvqBuffer) {
3427             error(loc, "memory qualifiers cannot be used on this type", "", "");
3428         } else if (qualifier.isMemory() && (publicType.basicType != EbtSampler) && !publicType.qualifier.isUniformOrBuffer()) {
3429             error(loc, "memory qualifiers cannot be used on this type", "", "");
3430         }
3431     }
3432 
3433     if (qualifier.storage == EvqBuffer &&
3434         publicType.basicType != EbtBlock &&
3435         !qualifier.hasBufferReference())
3436         error(loc, "buffers can be declared only as blocks", "buffer", "");
3437 
3438     if (qualifier.storage != EvqVaryingIn && publicType.basicType == EbtDouble &&
3439         extensionTurnedOn(E_GL_ARB_vertex_attrib_64bit) && language == EShLangVertex &&
3440         version < 400) {
3441         profileRequires(loc, ECoreProfile | ECompatibilityProfile, 410, E_GL_ARB_gpu_shader_fp64, "vertex-shader `double` type");
3442     }
3443     if (qualifier.storage != EvqVaryingIn && qualifier.storage != EvqVaryingOut)
3444         return;
3445 
3446     if (publicType.shaderQualifiers.hasBlendEquation())
3447         error(loc, "can only be applied to a standalone 'out'", "blend equation", "");
3448 
3449     // now, knowing it is a shader in/out, do all the in/out semantic checks
3450 
3451     if (publicType.basicType == EbtBool && !parsingBuiltins) {
3452         error(loc, "cannot be bool", GetStorageQualifierString(qualifier.storage), "");
3453         return;
3454     }
3455 
3456     if (isTypeInt(publicType.basicType) || publicType.basicType == EbtDouble)
3457         profileRequires(loc, EEsProfile, 300, nullptr, "shader input/output");
3458 
3459     if (!qualifier.flat && !qualifier.isExplicitInterpolation() && !qualifier.isPervertexNV()) {
3460         if (isTypeInt(publicType.basicType) ||
3461             publicType.basicType == EbtDouble ||
3462             (publicType.userDef && (   publicType.userDef->containsBasicType(EbtInt)
3463                                     || publicType.userDef->containsBasicType(EbtUint)
3464                                     || publicType.userDef->contains16BitInt()
3465                                     || publicType.userDef->contains8BitInt()
3466                                     || publicType.userDef->contains64BitInt()
3467                                     || publicType.userDef->containsDouble()))) {
3468             if (qualifier.storage == EvqVaryingIn && language == EShLangFragment)
3469                 error(loc, "must be qualified as flat", TType::getBasicString(publicType.basicType), GetStorageQualifierString(qualifier.storage));
3470             else if (qualifier.storage == EvqVaryingOut && language == EShLangVertex && version == 300)
3471                 error(loc, "must be qualified as flat", TType::getBasicString(publicType.basicType), GetStorageQualifierString(qualifier.storage));
3472         }
3473     }
3474 
3475     if (qualifier.isPatch() && qualifier.isInterpolation())
3476         error(loc, "cannot use interpolation qualifiers with patch", "patch", "");
3477 
3478     if (qualifier.isTaskMemory() && publicType.basicType != EbtBlock)
3479         error(loc, "taskNV variables can be declared only as blocks", "taskNV", "");
3480 
3481     if (qualifier.storage == EvqVaryingIn) {
3482         switch (language) {
3483         case EShLangVertex:
3484             if (publicType.basicType == EbtStruct) {
3485                 error(loc, "cannot be a structure or array", GetStorageQualifierString(qualifier.storage), "");
3486                 return;
3487             }
3488             if (publicType.arraySizes) {
3489                 requireProfile(loc, ~EEsProfile, "vertex input arrays");
3490                 profileRequires(loc, ENoProfile, 150, nullptr, "vertex input arrays");
3491             }
3492             if (publicType.basicType == EbtDouble)
3493                 profileRequires(loc, ~EEsProfile, 410, E_GL_ARB_vertex_attrib_64bit, "vertex-shader `double` type input");
3494             if (qualifier.isAuxiliary() || qualifier.isInterpolation() || qualifier.isMemory() || qualifier.invariant)
3495                 error(loc, "vertex input cannot be further qualified", "", "");
3496             break;
3497         case EShLangFragment:
3498             if (publicType.userDef) {
3499                 profileRequires(loc, EEsProfile, 300, nullptr, "fragment-shader struct input");
3500                 profileRequires(loc, ~EEsProfile, 150, nullptr, "fragment-shader struct input");
3501                 if (publicType.userDef->containsStructure())
3502                     requireProfile(loc, ~EEsProfile, "fragment-shader struct input containing structure");
3503                 if (publicType.userDef->containsArray())
3504                     requireProfile(loc, ~EEsProfile, "fragment-shader struct input containing an array");
3505             }
3506             break;
3507        case EShLangCompute:
3508             if (! symbolTable.atBuiltInLevel())
3509                 error(loc, "global storage input qualifier cannot be used in a compute shader", "in", "");
3510             break;
3511 #ifndef GLSLANG_WEB
3512        case EShLangTessControl:
3513             if (qualifier.patch)
3514                 error(loc, "can only use on output in tessellation-control shader", "patch", "");
3515             break;
3516 #endif
3517         default:
3518             break;
3519         }
3520     } else {
3521         // qualifier.storage == EvqVaryingOut
3522         switch (language) {
3523         case EShLangVertex:
3524             if (publicType.userDef) {
3525                 profileRequires(loc, EEsProfile, 300, nullptr, "vertex-shader struct output");
3526                 profileRequires(loc, ~EEsProfile, 150, nullptr, "vertex-shader struct output");
3527                 if (publicType.userDef->containsStructure())
3528                     requireProfile(loc, ~EEsProfile, "vertex-shader struct output containing structure");
3529                 if (publicType.userDef->containsArray())
3530                     requireProfile(loc, ~EEsProfile, "vertex-shader struct output containing an array");
3531             }
3532 
3533             break;
3534         case EShLangFragment:
3535             profileRequires(loc, EEsProfile, 300, nullptr, "fragment shader output");
3536             if (publicType.basicType == EbtStruct) {
3537                 error(loc, "cannot be a structure", GetStorageQualifierString(qualifier.storage), "");
3538                 return;
3539             }
3540             if (publicType.matrixRows > 0) {
3541                 error(loc, "cannot be a matrix", GetStorageQualifierString(qualifier.storage), "");
3542                 return;
3543             }
3544             if (qualifier.isAuxiliary())
3545                 error(loc, "can't use auxiliary qualifier on a fragment output", "centroid/sample/patch", "");
3546             if (qualifier.isInterpolation())
3547                 error(loc, "can't use interpolation qualifier on a fragment output", "flat/smooth/noperspective", "");
3548             if (publicType.basicType == EbtDouble || publicType.basicType == EbtInt64 || publicType.basicType == EbtUint64)
3549                 error(loc, "cannot contain a double, int64, or uint64", GetStorageQualifierString(qualifier.storage), "");
3550         break;
3551 
3552         case EShLangCompute:
3553             error(loc, "global storage output qualifier cannot be used in a compute shader", "out", "");
3554             break;
3555 #ifndef GLSLANG_WEB
3556         case EShLangTessEvaluation:
3557             if (qualifier.patch)
3558                 error(loc, "can only use on input in tessellation-evaluation shader", "patch", "");
3559             break;
3560 #endif
3561         default:
3562             break;
3563         }
3564     }
3565 }
3566 
3567 //
3568 // Merge characteristics of the 'src' qualifier into the 'dst'.
3569 // If there is duplication, issue error messages, unless 'force'
3570 // is specified, which means to just override default settings.
3571 //
3572 // Also, when force is false, it will be assumed that 'src' follows
3573 // 'dst', for the purpose of error checking order for versions
3574 // that require specific orderings of qualifiers.
3575 //
mergeQualifiers(const TSourceLoc & loc,TQualifier & dst,const TQualifier & src,bool force)3576 void TParseContext::mergeQualifiers(const TSourceLoc& loc, TQualifier& dst, const TQualifier& src, bool force)
3577 {
3578     // Multiple auxiliary qualifiers (mostly done later by 'individual qualifiers')
3579     if (src.isAuxiliary() && dst.isAuxiliary())
3580         error(loc, "can only have one auxiliary qualifier (centroid, patch, and sample)", "", "");
3581 
3582     // Multiple interpolation qualifiers (mostly done later by 'individual qualifiers')
3583     if (src.isInterpolation() && dst.isInterpolation())
3584         error(loc, "can only have one interpolation qualifier (flat, smooth, noperspective, __explicitInterpAMD)", "", "");
3585 
3586     // Ordering
3587     if (! force && ((!isEsProfile() && version < 420) ||
3588                     (isEsProfile() && version < 310))
3589                 && ! extensionTurnedOn(E_GL_ARB_shading_language_420pack)) {
3590         // non-function parameters
3591         if (src.isNoContraction() && (dst.invariant || dst.isInterpolation() || dst.isAuxiliary() || dst.storage != EvqTemporary || dst.precision != EpqNone))
3592             error(loc, "precise qualifier must appear first", "", "");
3593         if (src.invariant && (dst.isInterpolation() || dst.isAuxiliary() || dst.storage != EvqTemporary || dst.precision != EpqNone))
3594             error(loc, "invariant qualifier must appear before interpolation, storage, and precision qualifiers ", "", "");
3595         else if (src.isInterpolation() && (dst.isAuxiliary() || dst.storage != EvqTemporary || dst.precision != EpqNone))
3596             error(loc, "interpolation qualifiers must appear before storage and precision qualifiers", "", "");
3597         else if (src.isAuxiliary() && (dst.storage != EvqTemporary || dst.precision != EpqNone))
3598             error(loc, "Auxiliary qualifiers (centroid, patch, and sample) must appear before storage and precision qualifiers", "", "");
3599         else if (src.storage != EvqTemporary && (dst.precision != EpqNone))
3600             error(loc, "precision qualifier must appear as last qualifier", "", "");
3601 
3602         // function parameters
3603         if (src.isNoContraction() && (dst.storage == EvqConst || dst.storage == EvqIn || dst.storage == EvqOut))
3604             error(loc, "precise qualifier must appear first", "", "");
3605         if (src.storage == EvqConst && (dst.storage == EvqIn || dst.storage == EvqOut))
3606             error(loc, "in/out must appear before const", "", "");
3607     }
3608 
3609     // Storage qualification
3610     if (dst.storage == EvqTemporary || dst.storage == EvqGlobal)
3611         dst.storage = src.storage;
3612     else if ((dst.storage == EvqIn  && src.storage == EvqOut) ||
3613              (dst.storage == EvqOut && src.storage == EvqIn))
3614         dst.storage = EvqInOut;
3615     else if ((dst.storage == EvqIn    && src.storage == EvqConst) ||
3616              (dst.storage == EvqConst && src.storage == EvqIn))
3617         dst.storage = EvqConstReadOnly;
3618     else if (src.storage != EvqTemporary &&
3619              src.storage != EvqGlobal)
3620         error(loc, "too many storage qualifiers", GetStorageQualifierString(src.storage), "");
3621 
3622     // Precision qualifiers
3623     if (! force && src.precision != EpqNone && dst.precision != EpqNone)
3624         error(loc, "only one precision qualifier allowed", GetPrecisionQualifierString(src.precision), "");
3625     if (dst.precision == EpqNone || (force && src.precision != EpqNone))
3626         dst.precision = src.precision;
3627 
3628 #ifndef GLSLANG_WEB
3629     if (!force && ((src.coherent && (dst.devicecoherent || dst.queuefamilycoherent || dst.workgroupcoherent || dst.subgroupcoherent || dst.shadercallcoherent)) ||
3630                    (src.devicecoherent && (dst.coherent || dst.queuefamilycoherent || dst.workgroupcoherent || dst.subgroupcoherent || dst.shadercallcoherent)) ||
3631                    (src.queuefamilycoherent && (dst.coherent || dst.devicecoherent || dst.workgroupcoherent || dst.subgroupcoherent || dst.shadercallcoherent)) ||
3632                    (src.workgroupcoherent && (dst.coherent || dst.devicecoherent || dst.queuefamilycoherent || dst.subgroupcoherent || dst.shadercallcoherent)) ||
3633                    (src.subgroupcoherent  && (dst.coherent || dst.devicecoherent || dst.queuefamilycoherent || dst.workgroupcoherent || dst.shadercallcoherent)) ||
3634                    (src.shadercallcoherent && (dst.coherent || dst.devicecoherent || dst.queuefamilycoherent || dst.workgroupcoherent || dst.subgroupcoherent)))) {
3635         error(loc, "only one coherent/devicecoherent/queuefamilycoherent/workgroupcoherent/subgroupcoherent/shadercallcoherent qualifier allowed",
3636             GetPrecisionQualifierString(src.precision), "");
3637     }
3638 #endif
3639     // Layout qualifiers
3640     mergeObjectLayoutQualifiers(dst, src, false);
3641 
3642     // individual qualifiers
3643     bool repeated = false;
3644     #define MERGE_SINGLETON(field) repeated |= dst.field && src.field; dst.field |= src.field;
3645     MERGE_SINGLETON(invariant);
3646     MERGE_SINGLETON(centroid);
3647     MERGE_SINGLETON(smooth);
3648     MERGE_SINGLETON(flat);
3649     MERGE_SINGLETON(specConstant);
3650 #ifndef GLSLANG_WEB
3651     MERGE_SINGLETON(noContraction);
3652     MERGE_SINGLETON(nopersp);
3653     MERGE_SINGLETON(explicitInterp);
3654     MERGE_SINGLETON(perPrimitiveNV);
3655     MERGE_SINGLETON(perViewNV);
3656     MERGE_SINGLETON(perTaskNV);
3657     MERGE_SINGLETON(patch);
3658     MERGE_SINGLETON(sample);
3659     MERGE_SINGLETON(coherent);
3660     MERGE_SINGLETON(devicecoherent);
3661     MERGE_SINGLETON(queuefamilycoherent);
3662     MERGE_SINGLETON(workgroupcoherent);
3663     MERGE_SINGLETON(subgroupcoherent);
3664     MERGE_SINGLETON(shadercallcoherent);
3665     MERGE_SINGLETON(nonprivate);
3666     MERGE_SINGLETON(volatil);
3667     MERGE_SINGLETON(restrict);
3668     MERGE_SINGLETON(readonly);
3669     MERGE_SINGLETON(writeonly);
3670     MERGE_SINGLETON(nonUniform);
3671 #endif
3672 
3673     if (repeated)
3674         error(loc, "replicated qualifiers", "", "");
3675 }
3676 
setDefaultPrecision(const TSourceLoc & loc,TPublicType & publicType,TPrecisionQualifier qualifier)3677 void TParseContext::setDefaultPrecision(const TSourceLoc& loc, TPublicType& publicType, TPrecisionQualifier qualifier)
3678 {
3679     TBasicType basicType = publicType.basicType;
3680 
3681     if (basicType == EbtSampler) {
3682         defaultSamplerPrecision[computeSamplerTypeIndex(publicType.sampler)] = qualifier;
3683 
3684         return;  // all is well
3685     }
3686 
3687     if (basicType == EbtInt || basicType == EbtFloat) {
3688         if (publicType.isScalar()) {
3689             defaultPrecision[basicType] = qualifier;
3690             if (basicType == EbtInt) {
3691                 defaultPrecision[EbtUint] = qualifier;
3692                 precisionManager.explicitIntDefaultSeen();
3693             } else
3694                 precisionManager.explicitFloatDefaultSeen();
3695 
3696             return;  // all is well
3697         }
3698     }
3699 
3700     if (basicType == EbtAtomicUint) {
3701         if (qualifier != EpqHigh)
3702             error(loc, "can only apply highp to atomic_uint", "precision", "");
3703 
3704         return;
3705     }
3706 
3707     error(loc, "cannot apply precision statement to this type; use 'float', 'int' or a sampler type", TType::getBasicString(basicType), "");
3708 }
3709 
3710 // used to flatten the sampler type space into a single dimension
3711 // correlates with the declaration of defaultSamplerPrecision[]
computeSamplerTypeIndex(TSampler & sampler)3712 int TParseContext::computeSamplerTypeIndex(TSampler& sampler)
3713 {
3714     int arrayIndex    = sampler.arrayed         ? 1 : 0;
3715     int shadowIndex   = sampler.shadow          ? 1 : 0;
3716     int externalIndex = sampler.isExternal()    ? 1 : 0;
3717     int imageIndex    = sampler.isImageClass()  ? 1 : 0;
3718     int msIndex       = sampler.isMultiSample() ? 1 : 0;
3719 
3720     int flattened = EsdNumDims * (EbtNumTypes * (2 * (2 * (2 * (2 * arrayIndex + msIndex) + imageIndex) + shadowIndex) +
3721                                                  externalIndex) + sampler.type) + sampler.dim;
3722     assert(flattened < maxSamplerIndex);
3723 
3724     return flattened;
3725 }
3726 
getDefaultPrecision(TPublicType & publicType)3727 TPrecisionQualifier TParseContext::getDefaultPrecision(TPublicType& publicType)
3728 {
3729     if (publicType.basicType == EbtSampler)
3730         return defaultSamplerPrecision[computeSamplerTypeIndex(publicType.sampler)];
3731     else
3732         return defaultPrecision[publicType.basicType];
3733 }
3734 
precisionQualifierCheck(const TSourceLoc & loc,TBasicType baseType,TQualifier & qualifier)3735 void TParseContext::precisionQualifierCheck(const TSourceLoc& loc, TBasicType baseType, TQualifier& qualifier)
3736 {
3737     // Built-in symbols are allowed some ambiguous precisions, to be pinned down
3738     // later by context.
3739     if (! obeyPrecisionQualifiers() || parsingBuiltins)
3740         return;
3741 
3742 #ifndef GLSLANG_WEB
3743     if (baseType == EbtAtomicUint && qualifier.precision != EpqNone && qualifier.precision != EpqHigh)
3744         error(loc, "atomic counters can only be highp", "atomic_uint", "");
3745 #endif
3746 
3747     if (baseType == EbtFloat || baseType == EbtUint || baseType == EbtInt || baseType == EbtSampler || baseType == EbtAtomicUint) {
3748         if (qualifier.precision == EpqNone) {
3749             if (relaxedErrors())
3750                 warn(loc, "type requires declaration of default precision qualifier", TType::getBasicString(baseType), "substituting 'mediump'");
3751             else
3752                 error(loc, "type requires declaration of default precision qualifier", TType::getBasicString(baseType), "");
3753             qualifier.precision = EpqMedium;
3754             defaultPrecision[baseType] = EpqMedium;
3755         }
3756     } else if (qualifier.precision != EpqNone)
3757         error(loc, "type cannot have precision qualifier", TType::getBasicString(baseType), "");
3758 }
3759 
parameterTypeCheck(const TSourceLoc & loc,TStorageQualifier qualifier,const TType & type)3760 void TParseContext::parameterTypeCheck(const TSourceLoc& loc, TStorageQualifier qualifier, const TType& type)
3761 {
3762     if ((qualifier == EvqOut || qualifier == EvqInOut) && type.isOpaque())
3763         error(loc, "samplers and atomic_uints cannot be output parameters", type.getBasicTypeString().c_str(), "");
3764     if (!parsingBuiltins && type.contains16BitFloat())
3765         requireFloat16Arithmetic(loc, type.getBasicTypeString().c_str(), "float16 types can only be in uniform block or buffer storage");
3766     if (!parsingBuiltins && type.contains16BitInt())
3767         requireInt16Arithmetic(loc, type.getBasicTypeString().c_str(), "(u)int16 types can only be in uniform block or buffer storage");
3768     if (!parsingBuiltins && type.contains8BitInt())
3769         requireInt8Arithmetic(loc, type.getBasicTypeString().c_str(), "(u)int8 types can only be in uniform block or buffer storage");
3770 }
3771 
containsFieldWithBasicType(const TType & type,TBasicType basicType)3772 bool TParseContext::containsFieldWithBasicType(const TType& type, TBasicType basicType)
3773 {
3774     if (type.getBasicType() == basicType)
3775         return true;
3776 
3777     if (type.getBasicType() == EbtStruct) {
3778         const TTypeList& structure = *type.getStruct();
3779         for (unsigned int i = 0; i < structure.size(); ++i) {
3780             if (containsFieldWithBasicType(*structure[i].type, basicType))
3781                 return true;
3782         }
3783     }
3784 
3785     return false;
3786 }
3787 
3788 //
3789 // Do size checking for an array type's size.
3790 //
arraySizeCheck(const TSourceLoc & loc,TIntermTyped * expr,TArraySize & sizePair,const char * sizeType)3791 void TParseContext::arraySizeCheck(const TSourceLoc& loc, TIntermTyped* expr, TArraySize& sizePair, const char *sizeType)
3792 {
3793     bool isConst = false;
3794     sizePair.node = nullptr;
3795 
3796     int size = 1;
3797 
3798     TIntermConstantUnion* constant = expr->getAsConstantUnion();
3799     if (constant) {
3800         // handle true (non-specialization) constant
3801         size = constant->getConstArray()[0].getIConst();
3802         isConst = true;
3803     } else {
3804         // see if it's a specialization constant instead
3805         if (expr->getQualifier().isSpecConstant()) {
3806             isConst = true;
3807             sizePair.node = expr;
3808             TIntermSymbol* symbol = expr->getAsSymbolNode();
3809             if (symbol && symbol->getConstArray().size() > 0)
3810                 size = symbol->getConstArray()[0].getIConst();
3811         } else if (expr->getAsUnaryNode() &&
3812                    expr->getAsUnaryNode()->getOp() == glslang::EOpArrayLength &&
3813                    expr->getAsUnaryNode()->getOperand()->getType().isCoopMat()) {
3814             isConst = true;
3815             size = 1;
3816             sizePair.node = expr->getAsUnaryNode();
3817         }
3818     }
3819 
3820     sizePair.size = size;
3821 
3822     if (! isConst || (expr->getBasicType() != EbtInt && expr->getBasicType() != EbtUint)) {
3823         error(loc, sizeType, "", "must be a constant integer expression");
3824         return;
3825     }
3826 
3827     if (size <= 0) {
3828         error(loc, sizeType, "", "must be a positive integer");
3829         return;
3830     }
3831 }
3832 
3833 //
3834 // See if this qualifier can be an array.
3835 //
3836 // Returns true if there is an error.
3837 //
arrayQualifierError(const TSourceLoc & loc,const TQualifier & qualifier)3838 bool TParseContext::arrayQualifierError(const TSourceLoc& loc, const TQualifier& qualifier)
3839 {
3840     if (qualifier.storage == EvqConst) {
3841         profileRequires(loc, ENoProfile, 120, E_GL_3DL_array_objects, "const array");
3842         profileRequires(loc, EEsProfile, 300, nullptr, "const array");
3843     }
3844 
3845     if (qualifier.storage == EvqVaryingIn && language == EShLangVertex) {
3846         requireProfile(loc, ~EEsProfile, "vertex input arrays");
3847         profileRequires(loc, ENoProfile, 150, nullptr, "vertex input arrays");
3848     }
3849 
3850     return false;
3851 }
3852 
3853 //
3854 // See if this qualifier and type combination can be an array.
3855 // Assumes arrayQualifierError() was also called to catch the type-invariant tests.
3856 //
3857 // Returns true if there is an error.
3858 //
arrayError(const TSourceLoc & loc,const TType & type)3859 bool TParseContext::arrayError(const TSourceLoc& loc, const TType& type)
3860 {
3861     if (type.getQualifier().storage == EvqVaryingOut && language == EShLangVertex) {
3862         if (type.isArrayOfArrays())
3863             requireProfile(loc, ~EEsProfile, "vertex-shader array-of-array output");
3864         else if (type.isStruct())
3865             requireProfile(loc, ~EEsProfile, "vertex-shader array-of-struct output");
3866     }
3867     if (type.getQualifier().storage == EvqVaryingIn && language == EShLangFragment) {
3868         if (type.isArrayOfArrays())
3869             requireProfile(loc, ~EEsProfile, "fragment-shader array-of-array input");
3870         else if (type.isStruct())
3871             requireProfile(loc, ~EEsProfile, "fragment-shader array-of-struct input");
3872     }
3873     if (type.getQualifier().storage == EvqVaryingOut && language == EShLangFragment) {
3874         if (type.isArrayOfArrays())
3875             requireProfile(loc, ~EEsProfile, "fragment-shader array-of-array output");
3876     }
3877 
3878     return false;
3879 }
3880 
3881 //
3882 // Require array to be completely sized
3883 //
arraySizeRequiredCheck(const TSourceLoc & loc,const TArraySizes & arraySizes)3884 void TParseContext::arraySizeRequiredCheck(const TSourceLoc& loc, const TArraySizes& arraySizes)
3885 {
3886     if (!parsingBuiltins && arraySizes.hasUnsized())
3887         error(loc, "array size required", "", "");
3888 }
3889 
structArrayCheck(const TSourceLoc &,const TType & type)3890 void TParseContext::structArrayCheck(const TSourceLoc& /*loc*/, const TType& type)
3891 {
3892     const TTypeList& structure = *type.getStruct();
3893     for (int m = 0; m < (int)structure.size(); ++m) {
3894         const TType& member = *structure[m].type;
3895         if (member.isArray())
3896             arraySizeRequiredCheck(structure[m].loc, *member.getArraySizes());
3897     }
3898 }
3899 
arraySizesCheck(const TSourceLoc & loc,const TQualifier & qualifier,TArraySizes * arraySizes,const TIntermTyped * initializer,bool lastMember)3900 void TParseContext::arraySizesCheck(const TSourceLoc& loc, const TQualifier& qualifier, TArraySizes* arraySizes,
3901     const TIntermTyped* initializer, bool lastMember)
3902 {
3903     assert(arraySizes);
3904 
3905     // always allow special built-in ins/outs sized to topologies
3906     if (parsingBuiltins)
3907         return;
3908 
3909     // initializer must be a sized array, in which case
3910     // allow the initializer to set any unknown array sizes
3911     if (initializer != nullptr) {
3912         if (initializer->getType().isUnsizedArray())
3913             error(loc, "array initializer must be sized", "[]", "");
3914         return;
3915     }
3916 
3917     // No environment allows any non-outer-dimension to be implicitly sized
3918     if (arraySizes->isInnerUnsized()) {
3919         error(loc, "only outermost dimension of an array of arrays can be implicitly sized", "[]", "");
3920         arraySizes->clearInnerUnsized();
3921     }
3922 
3923     if (arraySizes->isInnerSpecialization() &&
3924         (qualifier.storage != EvqTemporary && qualifier.storage != EvqGlobal && qualifier.storage != EvqShared && qualifier.storage != EvqConst))
3925         error(loc, "only outermost dimension of an array of arrays can be a specialization constant", "[]", "");
3926 
3927 #ifndef GLSLANG_WEB
3928 
3929     // desktop always allows outer-dimension-unsized variable arrays,
3930     if (!isEsProfile())
3931         return;
3932 
3933     // for ES, if size isn't coming from an initializer, it has to be explicitly declared now,
3934     // with very few exceptions
3935 
3936     // implicitly-sized io exceptions:
3937     switch (language) {
3938     case EShLangGeometry:
3939         if (qualifier.storage == EvqVaryingIn)
3940             if ((isEsProfile() && version >= 320) ||
3941                 extensionsTurnedOn(Num_AEP_geometry_shader, AEP_geometry_shader))
3942                 return;
3943         break;
3944     case EShLangTessControl:
3945         if ( qualifier.storage == EvqVaryingIn ||
3946             (qualifier.storage == EvqVaryingOut && ! qualifier.isPatch()))
3947             if ((isEsProfile() && version >= 320) ||
3948                 extensionsTurnedOn(Num_AEP_tessellation_shader, AEP_tessellation_shader))
3949                 return;
3950         break;
3951     case EShLangTessEvaluation:
3952         if ((qualifier.storage == EvqVaryingIn && ! qualifier.isPatch()) ||
3953              qualifier.storage == EvqVaryingOut)
3954             if ((isEsProfile() && version >= 320) ||
3955                 extensionsTurnedOn(Num_AEP_tessellation_shader, AEP_tessellation_shader))
3956                 return;
3957         break;
3958     case EShLangMeshNV:
3959         if (qualifier.storage == EvqVaryingOut)
3960             if ((isEsProfile() && version >= 320) ||
3961                 extensionTurnedOn(E_GL_NV_mesh_shader))
3962                 return;
3963         break;
3964     default:
3965         break;
3966     }
3967 
3968 #endif
3969 
3970     // last member of ssbo block exception:
3971     if (qualifier.storage == EvqBuffer && lastMember)
3972         return;
3973 
3974     arraySizeRequiredCheck(loc, *arraySizes);
3975 }
3976 
arrayOfArrayVersionCheck(const TSourceLoc & loc,const TArraySizes * sizes)3977 void TParseContext::arrayOfArrayVersionCheck(const TSourceLoc& loc, const TArraySizes* sizes)
3978 {
3979     if (sizes == nullptr || sizes->getNumDims() == 1)
3980         return;
3981 
3982     const char* feature = "arrays of arrays";
3983 
3984     requireProfile(loc, EEsProfile | ECoreProfile | ECompatibilityProfile, feature);
3985     profileRequires(loc, EEsProfile, 310, nullptr, feature);
3986     profileRequires(loc, ECoreProfile | ECompatibilityProfile, 430, nullptr, feature);
3987 }
3988 
3989 //
3990 // Do all the semantic checking for declaring or redeclaring an array, with and
3991 // without a size, and make the right changes to the symbol table.
3992 //
declareArray(const TSourceLoc & loc,const TString & identifier,const TType & type,TSymbol * & symbol)3993 void TParseContext::declareArray(const TSourceLoc& loc, const TString& identifier, const TType& type, TSymbol*& symbol)
3994 {
3995     if (symbol == nullptr) {
3996         bool currentScope;
3997         symbol = symbolTable.find(identifier, nullptr, &currentScope);
3998 
3999         if (symbol && builtInName(identifier) && ! symbolTable.atBuiltInLevel()) {
4000             // bad shader (errors already reported) trying to redeclare a built-in name as an array
4001             symbol = nullptr;
4002             return;
4003         }
4004         if (symbol == nullptr || ! currentScope) {
4005             //
4006             // Successfully process a new definition.
4007             // (Redeclarations have to take place at the same scope; otherwise they are hiding declarations)
4008             //
4009             symbol = new TVariable(&identifier, type);
4010             symbolTable.insert(*symbol);
4011             if (symbolTable.atGlobalLevel())
4012                 trackLinkage(*symbol);
4013 
4014 #ifndef GLSLANG_WEB
4015             if (! symbolTable.atBuiltInLevel()) {
4016                 if (isIoResizeArray(type)) {
4017                     ioArraySymbolResizeList.push_back(symbol);
4018                     checkIoArraysConsistency(loc, true);
4019                 } else
4020                     fixIoArraySize(loc, symbol->getWritableType());
4021             }
4022 #endif
4023 
4024             return;
4025         }
4026         if (symbol->getAsAnonMember()) {
4027             error(loc, "cannot redeclare a user-block member array", identifier.c_str(), "");
4028             symbol = nullptr;
4029             return;
4030         }
4031     }
4032 
4033     //
4034     // Process a redeclaration.
4035     //
4036 
4037     if (symbol == nullptr) {
4038         error(loc, "array variable name expected", identifier.c_str(), "");
4039         return;
4040     }
4041 
4042     // redeclareBuiltinVariable() should have already done the copyUp()
4043     TType& existingType = symbol->getWritableType();
4044 
4045     if (! existingType.isArray()) {
4046         error(loc, "redeclaring non-array as array", identifier.c_str(), "");
4047         return;
4048     }
4049 
4050     if (! existingType.sameElementType(type)) {
4051         error(loc, "redeclaration of array with a different element type", identifier.c_str(), "");
4052         return;
4053     }
4054 
4055     if (! existingType.sameInnerArrayness(type)) {
4056         error(loc, "redeclaration of array with a different array dimensions or sizes", identifier.c_str(), "");
4057         return;
4058     }
4059 
4060 #ifndef GLSLANG_WEB
4061     if (existingType.isSizedArray()) {
4062         // be more leniant for input arrays to geometry shaders and tessellation control outputs, where the redeclaration is the same size
4063         if (! (isIoResizeArray(type) && existingType.getOuterArraySize() == type.getOuterArraySize()))
4064             error(loc, "redeclaration of array with size", identifier.c_str(), "");
4065         return;
4066     }
4067 
4068     arrayLimitCheck(loc, identifier, type.getOuterArraySize());
4069 
4070     existingType.updateArraySizes(type);
4071 
4072     if (isIoResizeArray(type))
4073         checkIoArraysConsistency(loc);
4074 #endif
4075 }
4076 
4077 #ifndef GLSLANG_WEB
4078 
4079 // Policy and error check for needing a runtime sized array.
checkRuntimeSizable(const TSourceLoc & loc,const TIntermTyped & base)4080 void TParseContext::checkRuntimeSizable(const TSourceLoc& loc, const TIntermTyped& base)
4081 {
4082     // runtime length implies runtime sizeable, so no problem
4083     if (isRuntimeLength(base))
4084         return;
4085 
4086     // Check for last member of a bufferreference type, which is runtime sizeable
4087     // but doesn't support runtime length
4088     if (base.getType().getQualifier().storage == EvqBuffer) {
4089         const TIntermBinary* binary = base.getAsBinaryNode();
4090         if (binary != nullptr &&
4091             binary->getOp() == EOpIndexDirectStruct &&
4092             binary->getLeft()->isReference()) {
4093 
4094             const int index = binary->getRight()->getAsConstantUnion()->getConstArray()[0].getIConst();
4095             const int memberCount = (int)binary->getLeft()->getType().getReferentType()->getStruct()->size();
4096             if (index == memberCount - 1)
4097                 return;
4098         }
4099     }
4100 
4101     // check for additional things allowed by GL_EXT_nonuniform_qualifier
4102     if (base.getBasicType() == EbtSampler || base.getBasicType() == EbtAccStruct || base.getBasicType() == EbtRayQuery ||
4103         (base.getBasicType() == EbtBlock && base.getType().getQualifier().isUniformOrBuffer()))
4104         requireExtensions(loc, 1, &E_GL_EXT_nonuniform_qualifier, "variable index");
4105     else
4106         error(loc, "", "[", "array must be redeclared with a size before being indexed with a variable");
4107 }
4108 
4109 // Policy decision for whether a run-time .length() is allowed.
isRuntimeLength(const TIntermTyped & base) const4110 bool TParseContext::isRuntimeLength(const TIntermTyped& base) const
4111 {
4112     if (base.getType().getQualifier().storage == EvqBuffer) {
4113         // in a buffer block
4114         const TIntermBinary* binary = base.getAsBinaryNode();
4115         if (binary != nullptr && binary->getOp() == EOpIndexDirectStruct) {
4116             // is it the last member?
4117             const int index = binary->getRight()->getAsConstantUnion()->getConstArray()[0].getIConst();
4118 
4119             if (binary->getLeft()->isReference())
4120                 return false;
4121 
4122             const int memberCount = (int)binary->getLeft()->getType().getStruct()->size();
4123             if (index == memberCount - 1)
4124                 return true;
4125         }
4126     }
4127 
4128     return false;
4129 }
4130 
4131 // Check if mesh perviewNV attributes have a view dimension
4132 // and resize it to gl_MaxMeshViewCountNV when implicitly sized.
checkAndResizeMeshViewDim(const TSourceLoc & loc,TType & type,bool isBlockMember)4133 void TParseContext::checkAndResizeMeshViewDim(const TSourceLoc& loc, TType& type, bool isBlockMember)
4134 {
4135     // see if member is a per-view attribute
4136     if (!type.getQualifier().isPerView())
4137         return;
4138 
4139     if ((isBlockMember && type.isArray()) || (!isBlockMember && type.isArrayOfArrays())) {
4140         // since we don't have the maxMeshViewCountNV set during parsing builtins, we hardcode the value.
4141         int maxViewCount = parsingBuiltins ? 4 : resources.maxMeshViewCountNV;
4142         // For block members, outermost array dimension is the view dimension.
4143         // For non-block members, outermost array dimension is the vertex/primitive dimension
4144         // and 2nd outermost is the view dimension.
4145         int viewDim = isBlockMember ? 0 : 1;
4146         int viewDimSize = type.getArraySizes()->getDimSize(viewDim);
4147 
4148         if (viewDimSize != UnsizedArraySize && viewDimSize != maxViewCount)
4149             error(loc, "mesh view output array size must be gl_MaxMeshViewCountNV or implicitly sized", "[]", "");
4150         else if (viewDimSize == UnsizedArraySize)
4151             type.getArraySizes()->setDimSize(viewDim, maxViewCount);
4152     }
4153     else {
4154         error(loc, "requires a view array dimension", "perviewNV", "");
4155     }
4156 }
4157 
4158 #endif // GLSLANG_WEB
4159 
4160 // Returns true if the first argument to the #line directive is the line number for the next line.
4161 //
4162 // Desktop, pre-version 3.30:  "After processing this directive
4163 // (including its new-line), the implementation will behave as if it is compiling at line number line+1 and
4164 // source string number source-string-number."
4165 //
4166 // Desktop, version 3.30 and later, and ES:  "After processing this directive
4167 // (including its new-line), the implementation will behave as if it is compiling at line number line and
4168 // source string number source-string-number.
lineDirectiveShouldSetNextLine() const4169 bool TParseContext::lineDirectiveShouldSetNextLine() const
4170 {
4171     return isEsProfile() || version >= 330;
4172 }
4173 
4174 //
4175 // Enforce non-initializer type/qualifier rules.
4176 //
nonInitConstCheck(const TSourceLoc & loc,TString & identifier,TType & type)4177 void TParseContext::nonInitConstCheck(const TSourceLoc& loc, TString& identifier, TType& type)
4178 {
4179     //
4180     // Make the qualifier make sense, given that there is not an initializer.
4181     //
4182     if (type.getQualifier().storage == EvqConst ||
4183         type.getQualifier().storage == EvqConstReadOnly) {
4184         type.getQualifier().makeTemporary();
4185         error(loc, "variables with qualifier 'const' must be initialized", identifier.c_str(), "");
4186     }
4187 }
4188 
4189 //
4190 // See if the identifier is a built-in symbol that can be redeclared, and if so,
4191 // copy the symbol table's read-only built-in variable to the current
4192 // global level, where it can be modified based on the passed in type.
4193 //
4194 // Returns nullptr if no redeclaration took place; meaning a normal declaration still
4195 // needs to occur for it, not necessarily an error.
4196 //
4197 // Returns a redeclared and type-modified variable if a redeclarated occurred.
4198 //
redeclareBuiltinVariable(const TSourceLoc & loc,const TString & identifier,const TQualifier & qualifier,const TShaderQualifiers & publicType)4199 TSymbol* TParseContext::redeclareBuiltinVariable(const TSourceLoc& loc, const TString& identifier,
4200                                                  const TQualifier& qualifier, const TShaderQualifiers& publicType)
4201 {
4202 #ifndef GLSLANG_WEB
4203     if (! builtInName(identifier) || symbolTable.atBuiltInLevel() || ! symbolTable.atGlobalLevel())
4204         return nullptr;
4205 
4206     bool nonEsRedecls = (!isEsProfile() && (version >= 130 || identifier == "gl_TexCoord"));
4207     bool    esRedecls = (isEsProfile() &&
4208                          (version >= 320 || extensionsTurnedOn(Num_AEP_shader_io_blocks, AEP_shader_io_blocks)));
4209     if (! esRedecls && ! nonEsRedecls)
4210         return nullptr;
4211 
4212     // Special case when using GL_ARB_separate_shader_objects
4213     bool ssoPre150 = false;  // means the only reason this variable is redeclared is due to this combination
4214     if (!isEsProfile() && version <= 140 && extensionTurnedOn(E_GL_ARB_separate_shader_objects)) {
4215         if (identifier == "gl_Position"     ||
4216             identifier == "gl_PointSize"    ||
4217             identifier == "gl_ClipVertex"   ||
4218             identifier == "gl_FogFragCoord")
4219             ssoPre150 = true;
4220     }
4221 
4222     // Potentially redeclaring a built-in variable...
4223 
4224     if (ssoPre150 ||
4225         (identifier == "gl_FragDepth"           && ((nonEsRedecls && version >= 420) || esRedecls)) ||
4226         (identifier == "gl_FragCoord"           && ((nonEsRedecls && version >= 150) || esRedecls)) ||
4227          identifier == "gl_ClipDistance"                                                            ||
4228          identifier == "gl_CullDistance"                                                            ||
4229          identifier == "gl_ShadingRateEXT"                                                          ||
4230          identifier == "gl_PrimitiveShadingRateEXT"                                                 ||
4231          identifier == "gl_FrontColor"                                                              ||
4232          identifier == "gl_BackColor"                                                               ||
4233          identifier == "gl_FrontSecondaryColor"                                                     ||
4234          identifier == "gl_BackSecondaryColor"                                                      ||
4235          identifier == "gl_SecondaryColor"                                                          ||
4236         (identifier == "gl_Color"               && language == EShLangFragment)                     ||
4237         (identifier == "gl_FragStencilRefARB"   && (nonEsRedecls && version >= 140)
4238                                                 && language == EShLangFragment)                     ||
4239          identifier == "gl_SampleMask"                                                              ||
4240          identifier == "gl_Layer"                                                                   ||
4241          identifier == "gl_PrimitiveIndicesNV"                                                      ||
4242          identifier == "gl_TexCoord") {
4243 
4244         // Find the existing symbol, if any.
4245         bool builtIn;
4246         TSymbol* symbol = symbolTable.find(identifier, &builtIn);
4247 
4248         // If the symbol was not found, this must be a version/profile/stage
4249         // that doesn't have it.
4250         if (! symbol)
4251             return nullptr;
4252 
4253         // If it wasn't at a built-in level, then it's already been redeclared;
4254         // that is, this is a redeclaration of a redeclaration; reuse that initial
4255         // redeclaration.  Otherwise, make the new one.
4256         if (builtIn)
4257             makeEditable(symbol);
4258 
4259         // Now, modify the type of the copy, as per the type of the current redeclaration.
4260 
4261         TQualifier& symbolQualifier = symbol->getWritableType().getQualifier();
4262         if (ssoPre150) {
4263             if (intermediate.inIoAccessed(identifier))
4264                 error(loc, "cannot redeclare after use", identifier.c_str(), "");
4265             if (qualifier.hasLayout())
4266                 error(loc, "cannot apply layout qualifier to", "redeclaration", symbol->getName().c_str());
4267             if (qualifier.isMemory() || qualifier.isAuxiliary() || (language == EShLangVertex   && qualifier.storage != EvqVaryingOut) ||
4268                                                                    (language == EShLangFragment && qualifier.storage != EvqVaryingIn))
4269                 error(loc, "cannot change storage, memory, or auxiliary qualification of", "redeclaration", symbol->getName().c_str());
4270             if (! qualifier.smooth)
4271                 error(loc, "cannot change interpolation qualification of", "redeclaration", symbol->getName().c_str());
4272         } else if (identifier == "gl_FrontColor"          ||
4273                    identifier == "gl_BackColor"           ||
4274                    identifier == "gl_FrontSecondaryColor" ||
4275                    identifier == "gl_BackSecondaryColor"  ||
4276                    identifier == "gl_SecondaryColor"      ||
4277                    identifier == "gl_Color") {
4278             symbolQualifier.flat = qualifier.flat;
4279             symbolQualifier.smooth = qualifier.smooth;
4280             symbolQualifier.nopersp = qualifier.nopersp;
4281             if (qualifier.hasLayout())
4282                 error(loc, "cannot apply layout qualifier to", "redeclaration", symbol->getName().c_str());
4283             if (qualifier.isMemory() || qualifier.isAuxiliary() || symbol->getType().getQualifier().storage != qualifier.storage)
4284                 error(loc, "cannot change storage, memory, or auxiliary qualification of", "redeclaration", symbol->getName().c_str());
4285         } else if (identifier == "gl_TexCoord"     ||
4286                    identifier == "gl_ClipDistance" ||
4287                    identifier == "gl_CullDistance") {
4288             if (qualifier.hasLayout() || qualifier.isMemory() || qualifier.isAuxiliary() ||
4289                 qualifier.nopersp != symbolQualifier.nopersp || qualifier.flat != symbolQualifier.flat ||
4290                 symbolQualifier.storage != qualifier.storage)
4291                 error(loc, "cannot change qualification of", "redeclaration", symbol->getName().c_str());
4292         } else if (identifier == "gl_FragCoord") {
4293             if (intermediate.inIoAccessed("gl_FragCoord"))
4294                 error(loc, "cannot redeclare after use", "gl_FragCoord", "");
4295             if (qualifier.nopersp != symbolQualifier.nopersp || qualifier.flat != symbolQualifier.flat ||
4296                 qualifier.isMemory() || qualifier.isAuxiliary())
4297                 error(loc, "can only change layout qualification of", "redeclaration", symbol->getName().c_str());
4298             if (qualifier.storage != EvqVaryingIn)
4299                 error(loc, "cannot change input storage qualification of", "redeclaration", symbol->getName().c_str());
4300             if (! builtIn && (publicType.pixelCenterInteger != intermediate.getPixelCenterInteger() ||
4301                               publicType.originUpperLeft != intermediate.getOriginUpperLeft()))
4302                 error(loc, "cannot redeclare with different qualification:", "redeclaration", symbol->getName().c_str());
4303             if (publicType.pixelCenterInteger)
4304                 intermediate.setPixelCenterInteger();
4305             if (publicType.originUpperLeft)
4306                 intermediate.setOriginUpperLeft();
4307         } else if (identifier == "gl_FragDepth") {
4308             if (qualifier.nopersp != symbolQualifier.nopersp || qualifier.flat != symbolQualifier.flat ||
4309                 qualifier.isMemory() || qualifier.isAuxiliary())
4310                 error(loc, "can only change layout qualification of", "redeclaration", symbol->getName().c_str());
4311             if (qualifier.storage != EvqVaryingOut)
4312                 error(loc, "cannot change output storage qualification of", "redeclaration", symbol->getName().c_str());
4313             if (publicType.layoutDepth != EldNone) {
4314                 if (intermediate.inIoAccessed("gl_FragDepth"))
4315                     error(loc, "cannot redeclare after use", "gl_FragDepth", "");
4316                 if (! intermediate.setDepth(publicType.layoutDepth))
4317                     error(loc, "all redeclarations must use the same depth layout on", "redeclaration", symbol->getName().c_str());
4318             }
4319         }
4320         else if (
4321             identifier == "gl_PrimitiveIndicesNV" ||
4322             identifier == "gl_FragStencilRefARB") {
4323             if (qualifier.hasLayout())
4324                 error(loc, "cannot apply layout qualifier to", "redeclaration", symbol->getName().c_str());
4325             if (qualifier.storage != EvqVaryingOut)
4326                 error(loc, "cannot change output storage qualification of", "redeclaration", symbol->getName().c_str());
4327         }
4328         else if (identifier == "gl_SampleMask") {
4329             if (!publicType.layoutOverrideCoverage) {
4330                 error(loc, "redeclaration only allowed for override_coverage layout", "redeclaration", symbol->getName().c_str());
4331             }
4332             intermediate.setLayoutOverrideCoverage();
4333         }
4334         else if (identifier == "gl_Layer") {
4335             if (!qualifier.layoutViewportRelative && qualifier.layoutSecondaryViewportRelativeOffset == -2048)
4336                 error(loc, "redeclaration only allowed for viewport_relative or secondary_view_offset layout", "redeclaration", symbol->getName().c_str());
4337             symbolQualifier.layoutViewportRelative = qualifier.layoutViewportRelative;
4338             symbolQualifier.layoutSecondaryViewportRelativeOffset = qualifier.layoutSecondaryViewportRelativeOffset;
4339         }
4340 
4341         // TODO: semantics quality: separate smooth from nothing declared, then use IsInterpolation for several tests above
4342 
4343         return symbol;
4344     }
4345 #endif
4346 
4347     return nullptr;
4348 }
4349 
4350 //
4351 // Either redeclare the requested block, or give an error message why it can't be done.
4352 //
4353 // TODO: functionality: explicitly sizing members of redeclared blocks is not giving them an explicit size
redeclareBuiltinBlock(const TSourceLoc & loc,TTypeList & newTypeList,const TString & blockName,const TString * instanceName,TArraySizes * arraySizes)4354 void TParseContext::redeclareBuiltinBlock(const TSourceLoc& loc, TTypeList& newTypeList, const TString& blockName,
4355     const TString* instanceName, TArraySizes* arraySizes)
4356 {
4357 #ifndef GLSLANG_WEB
4358     const char* feature = "built-in block redeclaration";
4359     profileRequires(loc, EEsProfile, 320, Num_AEP_shader_io_blocks, AEP_shader_io_blocks, feature);
4360     profileRequires(loc, ~EEsProfile, 410, E_GL_ARB_separate_shader_objects, feature);
4361 
4362     if (blockName != "gl_PerVertex" && blockName != "gl_PerFragment" &&
4363         blockName != "gl_MeshPerVertexNV" && blockName != "gl_MeshPerPrimitiveNV") {
4364         error(loc, "cannot redeclare block: ", "block declaration", blockName.c_str());
4365         return;
4366     }
4367 
4368     // Redeclaring a built-in block...
4369 
4370     if (instanceName && ! builtInName(*instanceName)) {
4371         error(loc, "cannot redeclare a built-in block with a user name", instanceName->c_str(), "");
4372         return;
4373     }
4374 
4375     // Blocks with instance names are easy to find, lookup the instance name,
4376     // Anonymous blocks need to be found via a member.
4377     bool builtIn;
4378     TSymbol* block;
4379     if (instanceName)
4380         block = symbolTable.find(*instanceName, &builtIn);
4381     else
4382         block = symbolTable.find(newTypeList.front().type->getFieldName(), &builtIn);
4383 
4384     // If the block was not found, this must be a version/profile/stage
4385     // that doesn't have it, or the instance name is wrong.
4386     const char* errorName = instanceName ? instanceName->c_str() : newTypeList.front().type->getFieldName().c_str();
4387     if (! block) {
4388         error(loc, "no declaration found for redeclaration", errorName, "");
4389         return;
4390     }
4391     // Built-in blocks cannot be redeclared more than once, which if happened,
4392     // we'd be finding the already redeclared one here, rather than the built in.
4393     if (! builtIn) {
4394         error(loc, "can only redeclare a built-in block once, and before any use", blockName.c_str(), "");
4395         return;
4396     }
4397 
4398     // Copy the block to make a writable version, to insert into the block table after editing.
4399     block = symbolTable.copyUpDeferredInsert(block);
4400 
4401     if (block->getType().getBasicType() != EbtBlock) {
4402         error(loc, "cannot redeclare a non block as a block", errorName, "");
4403         return;
4404     }
4405 
4406     // Fix XFB stuff up, it applies to the order of the redeclaration, not
4407     // the order of the original members.
4408     if (currentBlockQualifier.storage == EvqVaryingOut && globalOutputDefaults.hasXfbBuffer()) {
4409         if (!currentBlockQualifier.hasXfbBuffer())
4410             currentBlockQualifier.layoutXfbBuffer = globalOutputDefaults.layoutXfbBuffer;
4411         if (!currentBlockQualifier.hasStream())
4412             currentBlockQualifier.layoutStream = globalOutputDefaults.layoutStream;
4413         fixXfbOffsets(currentBlockQualifier, newTypeList);
4414     }
4415 
4416     // Edit and error check the container against the redeclaration
4417     //  - remove unused members
4418     //  - ensure remaining qualifiers/types match
4419 
4420     TType& type = block->getWritableType();
4421 
4422     // if gl_PerVertex is redeclared for the purpose of passing through "gl_Position"
4423     // for passthrough purpose, the redeclared block should have the same qualifers as
4424     // the current one
4425     if (currentBlockQualifier.layoutPassthrough) {
4426         type.getQualifier().layoutPassthrough = currentBlockQualifier.layoutPassthrough;
4427         type.getQualifier().storage = currentBlockQualifier.storage;
4428         type.getQualifier().layoutStream = currentBlockQualifier.layoutStream;
4429         type.getQualifier().layoutXfbBuffer = currentBlockQualifier.layoutXfbBuffer;
4430     }
4431 
4432     TTypeList::iterator member = type.getWritableStruct()->begin();
4433     size_t numOriginalMembersFound = 0;
4434     while (member != type.getStruct()->end()) {
4435         // look for match
4436         bool found = false;
4437         TTypeList::const_iterator newMember;
4438         TSourceLoc memberLoc;
4439         memberLoc.init();
4440         for (newMember = newTypeList.begin(); newMember != newTypeList.end(); ++newMember) {
4441             if (member->type->getFieldName() == newMember->type->getFieldName()) {
4442                 found = true;
4443                 memberLoc = newMember->loc;
4444                 break;
4445             }
4446         }
4447 
4448         if (found) {
4449             ++numOriginalMembersFound;
4450             // - ensure match between redeclared members' types
4451             // - check for things that can't be changed
4452             // - update things that can be changed
4453             TType& oldType = *member->type;
4454             const TType& newType = *newMember->type;
4455             if (! newType.sameElementType(oldType))
4456                 error(memberLoc, "cannot redeclare block member with a different type", member->type->getFieldName().c_str(), "");
4457             if (oldType.isArray() != newType.isArray())
4458                 error(memberLoc, "cannot change arrayness of redeclared block member", member->type->getFieldName().c_str(), "");
4459             else if (! oldType.getQualifier().isPerView() && ! oldType.sameArrayness(newType) && oldType.isSizedArray())
4460                 error(memberLoc, "cannot change array size of redeclared block member", member->type->getFieldName().c_str(), "");
4461             else if (! oldType.getQualifier().isPerView() && newType.isArray())
4462                 arrayLimitCheck(loc, member->type->getFieldName(), newType.getOuterArraySize());
4463             if (oldType.getQualifier().isPerView() && ! newType.getQualifier().isPerView())
4464                 error(memberLoc, "missing perviewNV qualifier to redeclared block member", member->type->getFieldName().c_str(), "");
4465             else if (! oldType.getQualifier().isPerView() && newType.getQualifier().isPerView())
4466                 error(memberLoc, "cannot add perviewNV qualifier to redeclared block member", member->type->getFieldName().c_str(), "");
4467             else if (newType.getQualifier().isPerView()) {
4468                 if (oldType.getArraySizes()->getNumDims() != newType.getArraySizes()->getNumDims())
4469                     error(memberLoc, "cannot change arrayness of redeclared block member", member->type->getFieldName().c_str(), "");
4470                 else if (! newType.isUnsizedArray() && newType.getOuterArraySize() != resources.maxMeshViewCountNV)
4471                     error(loc, "mesh view output array size must be gl_MaxMeshViewCountNV or implicitly sized", "[]", "");
4472                 else if (newType.getArraySizes()->getNumDims() == 2) {
4473                     int innerDimSize = newType.getArraySizes()->getDimSize(1);
4474                     arrayLimitCheck(memberLoc, member->type->getFieldName(), innerDimSize);
4475                     oldType.getArraySizes()->setDimSize(1, innerDimSize);
4476                 }
4477             }
4478             if (oldType.getQualifier().isPerPrimitive() && ! newType.getQualifier().isPerPrimitive())
4479                 error(memberLoc, "missing perprimitiveNV qualifier to redeclared block member", member->type->getFieldName().c_str(), "");
4480             else if (! oldType.getQualifier().isPerPrimitive() && newType.getQualifier().isPerPrimitive())
4481                 error(memberLoc, "cannot add perprimitiveNV qualifier to redeclared block member", member->type->getFieldName().c_str(), "");
4482             if (newType.getQualifier().isMemory())
4483                 error(memberLoc, "cannot add memory qualifier to redeclared block member", member->type->getFieldName().c_str(), "");
4484             if (newType.getQualifier().hasNonXfbLayout())
4485                 error(memberLoc, "cannot add non-XFB layout to redeclared block member", member->type->getFieldName().c_str(), "");
4486             if (newType.getQualifier().patch)
4487                 error(memberLoc, "cannot add patch to redeclared block member", member->type->getFieldName().c_str(), "");
4488             if (newType.getQualifier().hasXfbBuffer() &&
4489                 newType.getQualifier().layoutXfbBuffer != currentBlockQualifier.layoutXfbBuffer)
4490                 error(memberLoc, "member cannot contradict block (or what block inherited from global)", "xfb_buffer", "");
4491             if (newType.getQualifier().hasStream() &&
4492                 newType.getQualifier().layoutStream != currentBlockQualifier.layoutStream)
4493                 error(memberLoc, "member cannot contradict block (or what block inherited from global)", "xfb_stream", "");
4494             oldType.getQualifier().centroid = newType.getQualifier().centroid;
4495             oldType.getQualifier().sample = newType.getQualifier().sample;
4496             oldType.getQualifier().invariant = newType.getQualifier().invariant;
4497             oldType.getQualifier().noContraction = newType.getQualifier().noContraction;
4498             oldType.getQualifier().smooth = newType.getQualifier().smooth;
4499             oldType.getQualifier().flat = newType.getQualifier().flat;
4500             oldType.getQualifier().nopersp = newType.getQualifier().nopersp;
4501             oldType.getQualifier().layoutXfbOffset = newType.getQualifier().layoutXfbOffset;
4502             oldType.getQualifier().layoutXfbBuffer = newType.getQualifier().layoutXfbBuffer;
4503             oldType.getQualifier().layoutXfbStride = newType.getQualifier().layoutXfbStride;
4504             if (oldType.getQualifier().layoutXfbOffset != TQualifier::layoutXfbBufferEnd) {
4505                 // If any member has an xfb_offset, then the block's xfb_buffer inherents current xfb_buffer,
4506                 // and for xfb processing, the member needs it as well, along with xfb_stride.
4507                 type.getQualifier().layoutXfbBuffer = currentBlockQualifier.layoutXfbBuffer;
4508                 oldType.getQualifier().layoutXfbBuffer = currentBlockQualifier.layoutXfbBuffer;
4509             }
4510             if (oldType.isUnsizedArray() && newType.isSizedArray())
4511                 oldType.changeOuterArraySize(newType.getOuterArraySize());
4512 
4513             //  check and process the member's type, which will include managing xfb information
4514             layoutTypeCheck(loc, oldType);
4515 
4516             // go to next member
4517             ++member;
4518         } else {
4519             // For missing members of anonymous blocks that have been redeclared,
4520             // hide the original (shared) declaration.
4521             // Instance-named blocks can just have the member removed.
4522             if (instanceName)
4523                 member = type.getWritableStruct()->erase(member);
4524             else {
4525                 member->type->hideMember();
4526                 ++member;
4527             }
4528         }
4529     }
4530 
4531     if (spvVersion.vulkan > 0) {
4532         // ...then streams apply to built-in blocks, instead of them being only on stream 0
4533         type.getQualifier().layoutStream = currentBlockQualifier.layoutStream;
4534     }
4535 
4536     if (numOriginalMembersFound < newTypeList.size())
4537         error(loc, "block redeclaration has extra members", blockName.c_str(), "");
4538     if (type.isArray() != (arraySizes != nullptr) ||
4539         (type.isArray() && arraySizes != nullptr && type.getArraySizes()->getNumDims() != arraySizes->getNumDims()))
4540         error(loc, "cannot change arrayness of redeclared block", blockName.c_str(), "");
4541     else if (type.isArray()) {
4542         // At this point, we know both are arrays and both have the same number of dimensions.
4543 
4544         // It is okay for a built-in block redeclaration to be unsized, and keep the size of the
4545         // original block declaration.
4546         if (!arraySizes->isSized() && type.isSizedArray())
4547             arraySizes->changeOuterSize(type.getOuterArraySize());
4548 
4549         // And, okay to be giving a size to the array, by the redeclaration
4550         if (!type.isSizedArray() && arraySizes->isSized())
4551             type.changeOuterArraySize(arraySizes->getOuterSize());
4552 
4553         // Now, they must match in all dimensions.
4554         if (type.isSizedArray() && *type.getArraySizes() != *arraySizes)
4555             error(loc, "cannot change array size of redeclared block", blockName.c_str(), "");
4556     }
4557 
4558     symbolTable.insert(*block);
4559 
4560     // Check for general layout qualifier errors
4561     layoutObjectCheck(loc, *block);
4562 
4563     // Tracking for implicit sizing of array
4564     if (isIoResizeArray(block->getType())) {
4565         ioArraySymbolResizeList.push_back(block);
4566         checkIoArraysConsistency(loc, true);
4567     } else if (block->getType().isArray())
4568         fixIoArraySize(loc, block->getWritableType());
4569 
4570     // Save it in the AST for linker use.
4571     trackLinkage(*block);
4572 #endif // GLSLANG_WEB
4573 }
4574 
paramCheckFixStorage(const TSourceLoc & loc,const TStorageQualifier & qualifier,TType & type)4575 void TParseContext::paramCheckFixStorage(const TSourceLoc& loc, const TStorageQualifier& qualifier, TType& type)
4576 {
4577     switch (qualifier) {
4578     case EvqConst:
4579     case EvqConstReadOnly:
4580         type.getQualifier().storage = EvqConstReadOnly;
4581         break;
4582     case EvqIn:
4583     case EvqOut:
4584     case EvqInOut:
4585         type.getQualifier().storage = qualifier;
4586         break;
4587     case EvqGlobal:
4588     case EvqTemporary:
4589         type.getQualifier().storage = EvqIn;
4590         break;
4591     default:
4592         type.getQualifier().storage = EvqIn;
4593         error(loc, "storage qualifier not allowed on function parameter", GetStorageQualifierString(qualifier), "");
4594         break;
4595     }
4596 }
4597 
paramCheckFix(const TSourceLoc & loc,const TQualifier & qualifier,TType & type)4598 void TParseContext::paramCheckFix(const TSourceLoc& loc, const TQualifier& qualifier, TType& type)
4599 {
4600 #ifndef GLSLANG_WEB
4601     if (qualifier.isMemory()) {
4602         type.getQualifier().volatil   = qualifier.volatil;
4603         type.getQualifier().coherent  = qualifier.coherent;
4604         type.getQualifier().devicecoherent  = qualifier.devicecoherent ;
4605         type.getQualifier().queuefamilycoherent  = qualifier.queuefamilycoherent;
4606         type.getQualifier().workgroupcoherent  = qualifier.workgroupcoherent;
4607         type.getQualifier().subgroupcoherent  = qualifier.subgroupcoherent;
4608         type.getQualifier().shadercallcoherent = qualifier.shadercallcoherent;
4609         type.getQualifier().nonprivate = qualifier.nonprivate;
4610         type.getQualifier().readonly  = qualifier.readonly;
4611         type.getQualifier().writeonly = qualifier.writeonly;
4612         type.getQualifier().restrict  = qualifier.restrict;
4613     }
4614 #endif
4615 
4616     if (qualifier.isAuxiliary() ||
4617         qualifier.isInterpolation())
4618         error(loc, "cannot use auxiliary or interpolation qualifiers on a function parameter", "", "");
4619     if (qualifier.hasLayout())
4620         error(loc, "cannot use layout qualifiers on a function parameter", "", "");
4621     if (qualifier.invariant)
4622         error(loc, "cannot use invariant qualifier on a function parameter", "", "");
4623     if (qualifier.isNoContraction()) {
4624         if (qualifier.isParamOutput())
4625             type.getQualifier().setNoContraction();
4626         else
4627             warn(loc, "qualifier has no effect on non-output parameters", "precise", "");
4628     }
4629     if (qualifier.isNonUniform())
4630         type.getQualifier().nonUniform = qualifier.nonUniform;
4631 
4632     paramCheckFixStorage(loc, qualifier.storage, type);
4633 }
4634 
nestedBlockCheck(const TSourceLoc & loc)4635 void TParseContext::nestedBlockCheck(const TSourceLoc& loc)
4636 {
4637     if (structNestingLevel > 0)
4638         error(loc, "cannot nest a block definition inside a structure or block", "", "");
4639     ++structNestingLevel;
4640 }
4641 
nestedStructCheck(const TSourceLoc & loc)4642 void TParseContext::nestedStructCheck(const TSourceLoc& loc)
4643 {
4644     if (structNestingLevel > 0)
4645         error(loc, "cannot nest a structure definition inside a structure or block", "", "");
4646     ++structNestingLevel;
4647 }
4648 
arrayObjectCheck(const TSourceLoc & loc,const TType & type,const char * op)4649 void TParseContext::arrayObjectCheck(const TSourceLoc& loc, const TType& type, const char* op)
4650 {
4651     // Some versions don't allow comparing arrays or structures containing arrays
4652     if (type.containsArray()) {
4653         profileRequires(loc, ENoProfile, 120, E_GL_3DL_array_objects, op);
4654         profileRequires(loc, EEsProfile, 300, nullptr, op);
4655     }
4656 }
4657 
opaqueCheck(const TSourceLoc & loc,const TType & type,const char * op)4658 void TParseContext::opaqueCheck(const TSourceLoc& loc, const TType& type, const char* op)
4659 {
4660     if (containsFieldWithBasicType(type, EbtSampler))
4661         error(loc, "can't use with samplers or structs containing samplers", op, "");
4662 }
4663 
referenceCheck(const TSourceLoc & loc,const TType & type,const char * op)4664 void TParseContext::referenceCheck(const TSourceLoc& loc, const TType& type, const char* op)
4665 {
4666 #ifndef GLSLANG_WEB
4667     if (containsFieldWithBasicType(type, EbtReference))
4668         error(loc, "can't use with reference types", op, "");
4669 #endif
4670 }
4671 
storage16BitAssignmentCheck(const TSourceLoc & loc,const TType & type,const char * op)4672 void TParseContext::storage16BitAssignmentCheck(const TSourceLoc& loc, const TType& type, const char* op)
4673 {
4674 #ifndef GLSLANG_WEB
4675     if (type.getBasicType() == EbtStruct && containsFieldWithBasicType(type, EbtFloat16))
4676         requireFloat16Arithmetic(loc, op, "can't use with structs containing float16");
4677 
4678     if (type.isArray() && type.getBasicType() == EbtFloat16)
4679         requireFloat16Arithmetic(loc, op, "can't use with arrays containing float16");
4680 
4681     if (type.getBasicType() == EbtStruct && containsFieldWithBasicType(type, EbtInt16))
4682         requireInt16Arithmetic(loc, op, "can't use with structs containing int16");
4683 
4684     if (type.isArray() && type.getBasicType() == EbtInt16)
4685         requireInt16Arithmetic(loc, op, "can't use with arrays containing int16");
4686 
4687     if (type.getBasicType() == EbtStruct && containsFieldWithBasicType(type, EbtUint16))
4688         requireInt16Arithmetic(loc, op, "can't use with structs containing uint16");
4689 
4690     if (type.isArray() && type.getBasicType() == EbtUint16)
4691         requireInt16Arithmetic(loc, op, "can't use with arrays containing uint16");
4692 
4693     if (type.getBasicType() == EbtStruct && containsFieldWithBasicType(type, EbtInt8))
4694         requireInt8Arithmetic(loc, op, "can't use with structs containing int8");
4695 
4696     if (type.isArray() && type.getBasicType() == EbtInt8)
4697         requireInt8Arithmetic(loc, op, "can't use with arrays containing int8");
4698 
4699     if (type.getBasicType() == EbtStruct && containsFieldWithBasicType(type, EbtUint8))
4700         requireInt8Arithmetic(loc, op, "can't use with structs containing uint8");
4701 
4702     if (type.isArray() && type.getBasicType() == EbtUint8)
4703         requireInt8Arithmetic(loc, op, "can't use with arrays containing uint8");
4704 #endif
4705 }
4706 
specializationCheck(const TSourceLoc & loc,const TType & type,const char * op)4707 void TParseContext::specializationCheck(const TSourceLoc& loc, const TType& type, const char* op)
4708 {
4709     if (type.containsSpecializationSize())
4710         error(loc, "can't use with types containing arrays sized with a specialization constant", op, "");
4711 }
4712 
structTypeCheck(const TSourceLoc &,TPublicType & publicType)4713 void TParseContext::structTypeCheck(const TSourceLoc& /*loc*/, TPublicType& publicType)
4714 {
4715     const TTypeList& typeList = *publicType.userDef->getStruct();
4716 
4717     // fix and check for member storage qualifiers and types that don't belong within a structure
4718     for (unsigned int member = 0; member < typeList.size(); ++member) {
4719         TQualifier& memberQualifier = typeList[member].type->getQualifier();
4720         const TSourceLoc& memberLoc = typeList[member].loc;
4721         if (memberQualifier.isAuxiliary() ||
4722             memberQualifier.isInterpolation() ||
4723             (memberQualifier.storage != EvqTemporary && memberQualifier.storage != EvqGlobal))
4724             error(memberLoc, "cannot use storage or interpolation qualifiers on structure members", typeList[member].type->getFieldName().c_str(), "");
4725         if (memberQualifier.isMemory())
4726             error(memberLoc, "cannot use memory qualifiers on structure members", typeList[member].type->getFieldName().c_str(), "");
4727         if (memberQualifier.hasLayout()) {
4728             error(memberLoc, "cannot use layout qualifiers on structure members", typeList[member].type->getFieldName().c_str(), "");
4729             memberQualifier.clearLayout();
4730         }
4731         if (memberQualifier.invariant)
4732             error(memberLoc, "cannot use invariant qualifier on structure members", typeList[member].type->getFieldName().c_str(), "");
4733     }
4734 }
4735 
4736 //
4737 // See if this loop satisfies the limitations for ES 2.0 (version 100) for loops in Appendex A:
4738 //
4739 // "The loop index has type int or float.
4740 //
4741 // "The for statement has the form:
4742 //     for ( init-declaration ; condition ; expression )
4743 //     init-declaration has the form: type-specifier identifier = constant-expression
4744 //     condition has the form:  loop-index relational_operator constant-expression
4745 //         where relational_operator is one of: > >= < <= == or !=
4746 //     expression [sic] has one of the following forms:
4747 //         loop-index++
4748 //         loop-index--
4749 //         loop-index += constant-expression
4750 //         loop-index -= constant-expression
4751 //
4752 // The body is handled in an AST traversal.
4753 //
inductiveLoopCheck(const TSourceLoc & loc,TIntermNode * init,TIntermLoop * loop)4754 void TParseContext::inductiveLoopCheck(const TSourceLoc& loc, TIntermNode* init, TIntermLoop* loop)
4755 {
4756 #ifndef GLSLANG_WEB
4757     // loop index init must exist and be a declaration, which shows up in the AST as an aggregate of size 1 of the declaration
4758     bool badInit = false;
4759     if (! init || ! init->getAsAggregate() || init->getAsAggregate()->getSequence().size() != 1)
4760         badInit = true;
4761     TIntermBinary* binaryInit = 0;
4762     if (! badInit) {
4763         // get the declaration assignment
4764         binaryInit = init->getAsAggregate()->getSequence()[0]->getAsBinaryNode();
4765         if (! binaryInit)
4766             badInit = true;
4767     }
4768     if (badInit) {
4769         error(loc, "inductive-loop init-declaration requires the form \"type-specifier loop-index = constant-expression\"", "limitations", "");
4770         return;
4771     }
4772 
4773     // loop index must be type int or float
4774     if (! binaryInit->getType().isScalar() || (binaryInit->getBasicType() != EbtInt && binaryInit->getBasicType() != EbtFloat)) {
4775         error(loc, "inductive loop requires a scalar 'int' or 'float' loop index", "limitations", "");
4776         return;
4777     }
4778 
4779     // init is the form "loop-index = constant"
4780     if (binaryInit->getOp() != EOpAssign || ! binaryInit->getLeft()->getAsSymbolNode() || ! binaryInit->getRight()->getAsConstantUnion()) {
4781         error(loc, "inductive-loop init-declaration requires the form \"type-specifier loop-index = constant-expression\"", "limitations", "");
4782         return;
4783     }
4784 
4785     // get the unique id of the loop index
4786     int loopIndex = binaryInit->getLeft()->getAsSymbolNode()->getId();
4787     inductiveLoopIds.insert(loopIndex);
4788 
4789     // condition's form must be "loop-index relational-operator constant-expression"
4790     bool badCond = ! loop->getTest();
4791     if (! badCond) {
4792         TIntermBinary* binaryCond = loop->getTest()->getAsBinaryNode();
4793         badCond = ! binaryCond;
4794         if (! badCond) {
4795             switch (binaryCond->getOp()) {
4796             case EOpGreaterThan:
4797             case EOpGreaterThanEqual:
4798             case EOpLessThan:
4799             case EOpLessThanEqual:
4800             case EOpEqual:
4801             case EOpNotEqual:
4802                 break;
4803             default:
4804                 badCond = true;
4805             }
4806         }
4807         if (binaryCond && (! binaryCond->getLeft()->getAsSymbolNode() ||
4808                            binaryCond->getLeft()->getAsSymbolNode()->getId() != loopIndex ||
4809                            ! binaryCond->getRight()->getAsConstantUnion()))
4810             badCond = true;
4811     }
4812     if (badCond) {
4813         error(loc, "inductive-loop condition requires the form \"loop-index <comparison-op> constant-expression\"", "limitations", "");
4814         return;
4815     }
4816 
4817     // loop-index++
4818     // loop-index--
4819     // loop-index += constant-expression
4820     // loop-index -= constant-expression
4821     bool badTerminal = ! loop->getTerminal();
4822     if (! badTerminal) {
4823         TIntermUnary* unaryTerminal = loop->getTerminal()->getAsUnaryNode();
4824         TIntermBinary* binaryTerminal = loop->getTerminal()->getAsBinaryNode();
4825         if (unaryTerminal || binaryTerminal) {
4826             switch(loop->getTerminal()->getAsOperator()->getOp()) {
4827             case EOpPostDecrement:
4828             case EOpPostIncrement:
4829             case EOpAddAssign:
4830             case EOpSubAssign:
4831                 break;
4832             default:
4833                 badTerminal = true;
4834             }
4835         } else
4836             badTerminal = true;
4837         if (binaryTerminal && (! binaryTerminal->getLeft()->getAsSymbolNode() ||
4838                                binaryTerminal->getLeft()->getAsSymbolNode()->getId() != loopIndex ||
4839                                ! binaryTerminal->getRight()->getAsConstantUnion()))
4840             badTerminal = true;
4841         if (unaryTerminal && (! unaryTerminal->getOperand()->getAsSymbolNode() ||
4842                               unaryTerminal->getOperand()->getAsSymbolNode()->getId() != loopIndex))
4843             badTerminal = true;
4844     }
4845     if (badTerminal) {
4846         error(loc, "inductive-loop termination requires the form \"loop-index++, loop-index--, loop-index += constant-expression, or loop-index -= constant-expression\"", "limitations", "");
4847         return;
4848     }
4849 
4850     // the body
4851     inductiveLoopBodyCheck(loop->getBody(), loopIndex, symbolTable);
4852 #endif
4853 }
4854 
4855 #ifndef GLSLANG_WEB
4856 // Do limit checks for built-in arrays.
arrayLimitCheck(const TSourceLoc & loc,const TString & identifier,int size)4857 void TParseContext::arrayLimitCheck(const TSourceLoc& loc, const TString& identifier, int size)
4858 {
4859     if (identifier.compare("gl_TexCoord") == 0)
4860         limitCheck(loc, size, "gl_MaxTextureCoords", "gl_TexCoord array size");
4861     else if (identifier.compare("gl_ClipDistance") == 0)
4862         limitCheck(loc, size, "gl_MaxClipDistances", "gl_ClipDistance array size");
4863     else if (identifier.compare("gl_CullDistance") == 0)
4864         limitCheck(loc, size, "gl_MaxCullDistances", "gl_CullDistance array size");
4865     else if (identifier.compare("gl_ClipDistancePerViewNV") == 0)
4866         limitCheck(loc, size, "gl_MaxClipDistances", "gl_ClipDistancePerViewNV array size");
4867     else if (identifier.compare("gl_CullDistancePerViewNV") == 0)
4868         limitCheck(loc, size, "gl_MaxCullDistances", "gl_CullDistancePerViewNV array size");
4869 }
4870 #endif // GLSLANG_WEB
4871 
4872 // See if the provided value is less than or equal to the symbol indicated by limit,
4873 // which should be a constant in the symbol table.
limitCheck(const TSourceLoc & loc,int value,const char * limit,const char * feature)4874 void TParseContext::limitCheck(const TSourceLoc& loc, int value, const char* limit, const char* feature)
4875 {
4876     TSymbol* symbol = symbolTable.find(limit);
4877     assert(symbol->getAsVariable());
4878     const TConstUnionArray& constArray = symbol->getAsVariable()->getConstArray();
4879     assert(! constArray.empty());
4880     if (value > constArray[0].getIConst())
4881         error(loc, "must be less than or equal to", feature, "%s (%d)", limit, constArray[0].getIConst());
4882 }
4883 
4884 #ifndef GLSLANG_WEB
4885 
4886 //
4887 // Do any additional error checking, etc., once we know the parsing is done.
4888 //
finish()4889 void TParseContext::finish()
4890 {
4891     TParseContextBase::finish();
4892 
4893     if (parsingBuiltins)
4894         return;
4895 
4896     // Check on array indexes for ES 2.0 (version 100) limitations.
4897     for (size_t i = 0; i < needsIndexLimitationChecking.size(); ++i)
4898         constantIndexExpressionCheck(needsIndexLimitationChecking[i]);
4899 
4900     // Check for stages that are enabled by extension.
4901     // Can't do this at the beginning, it is chicken and egg to add a stage by
4902     // extension.
4903     // Stage-specific features were correctly tested for already, this is just
4904     // about the stage itself.
4905     switch (language) {
4906     case EShLangGeometry:
4907         if (isEsProfile() && version == 310)
4908             requireExtensions(getCurrentLoc(), Num_AEP_geometry_shader, AEP_geometry_shader, "geometry shaders");
4909         break;
4910     case EShLangTessControl:
4911     case EShLangTessEvaluation:
4912         if (isEsProfile() && version == 310)
4913             requireExtensions(getCurrentLoc(), Num_AEP_tessellation_shader, AEP_tessellation_shader, "tessellation shaders");
4914         else if (!isEsProfile() && version < 400)
4915             requireExtensions(getCurrentLoc(), 1, &E_GL_ARB_tessellation_shader, "tessellation shaders");
4916         break;
4917     case EShLangCompute:
4918         if (!isEsProfile() && version < 430)
4919             requireExtensions(getCurrentLoc(), 1, &E_GL_ARB_compute_shader, "compute shaders");
4920         break;
4921     case EShLangTaskNV:
4922         requireExtensions(getCurrentLoc(), 1, &E_GL_NV_mesh_shader, "task shaders");
4923         break;
4924     case EShLangMeshNV:
4925         requireExtensions(getCurrentLoc(), 1, &E_GL_NV_mesh_shader, "mesh shaders");
4926         break;
4927     default:
4928         break;
4929     }
4930 
4931     // Set default outputs for GL_NV_geometry_shader_passthrough
4932     if (language == EShLangGeometry && extensionTurnedOn(E_SPV_NV_geometry_shader_passthrough)) {
4933         if (intermediate.getOutputPrimitive() == ElgNone) {
4934             switch (intermediate.getInputPrimitive()) {
4935             case ElgPoints:      intermediate.setOutputPrimitive(ElgPoints);    break;
4936             case ElgLines:       intermediate.setOutputPrimitive(ElgLineStrip); break;
4937             case ElgTriangles:   intermediate.setOutputPrimitive(ElgTriangleStrip); break;
4938             default: break;
4939             }
4940         }
4941         if (intermediate.getVertices() == TQualifier::layoutNotSet) {
4942             switch (intermediate.getInputPrimitive()) {
4943             case ElgPoints:      intermediate.setVertices(1); break;
4944             case ElgLines:       intermediate.setVertices(2); break;
4945             case ElgTriangles:   intermediate.setVertices(3); break;
4946             default: break;
4947             }
4948         }
4949     }
4950 }
4951 #endif // GLSLANG_WEB
4952 
4953 //
4954 // Layout qualifier stuff.
4955 //
4956 
4957 // Put the id's layout qualification into the public type, for qualifiers not having a number set.
4958 // This is before we know any type information for error checking.
setLayoutQualifier(const TSourceLoc & loc,TPublicType & publicType,TString & id)4959 void TParseContext::setLayoutQualifier(const TSourceLoc& loc, TPublicType& publicType, TString& id)
4960 {
4961     std::transform(id.begin(), id.end(), id.begin(), ::tolower);
4962 
4963     if (id == TQualifier::getLayoutMatrixString(ElmColumnMajor)) {
4964         publicType.qualifier.layoutMatrix = ElmColumnMajor;
4965         return;
4966     }
4967     if (id == TQualifier::getLayoutMatrixString(ElmRowMajor)) {
4968         publicType.qualifier.layoutMatrix = ElmRowMajor;
4969         return;
4970     }
4971     if (id == TQualifier::getLayoutPackingString(ElpPacked)) {
4972         if (spvVersion.spv != 0)
4973             spvRemoved(loc, "packed");
4974         publicType.qualifier.layoutPacking = ElpPacked;
4975         return;
4976     }
4977     if (id == TQualifier::getLayoutPackingString(ElpShared)) {
4978         if (spvVersion.spv != 0)
4979             spvRemoved(loc, "shared");
4980         publicType.qualifier.layoutPacking = ElpShared;
4981         return;
4982     }
4983     if (id == TQualifier::getLayoutPackingString(ElpStd140)) {
4984         publicType.qualifier.layoutPacking = ElpStd140;
4985         return;
4986     }
4987 #ifndef GLSLANG_WEB
4988     if (id == TQualifier::getLayoutPackingString(ElpStd430)) {
4989         requireProfile(loc, EEsProfile | ECoreProfile | ECompatibilityProfile, "std430");
4990         profileRequires(loc, ECoreProfile | ECompatibilityProfile, 430, E_GL_ARB_shader_storage_buffer_object, "std430");
4991         profileRequires(loc, EEsProfile, 310, nullptr, "std430");
4992         publicType.qualifier.layoutPacking = ElpStd430;
4993         return;
4994     }
4995     if (id == TQualifier::getLayoutPackingString(ElpScalar)) {
4996         requireVulkan(loc, "scalar");
4997         requireExtensions(loc, 1, &E_GL_EXT_scalar_block_layout, "scalar block layout");
4998         publicType.qualifier.layoutPacking = ElpScalar;
4999         return;
5000     }
5001     // TODO: compile-time performance: may need to stop doing linear searches
5002     for (TLayoutFormat format = (TLayoutFormat)(ElfNone + 1); format < ElfCount; format = (TLayoutFormat)(format + 1)) {
5003         if (id == TQualifier::getLayoutFormatString(format)) {
5004             if ((format > ElfEsFloatGuard && format < ElfFloatGuard) ||
5005                 (format > ElfEsIntGuard && format < ElfIntGuard) ||
5006                 (format > ElfEsUintGuard && format < ElfCount))
5007                 requireProfile(loc, ENoProfile | ECoreProfile | ECompatibilityProfile, "image load-store format");
5008             profileRequires(loc, ENoProfile | ECoreProfile | ECompatibilityProfile, 420, E_GL_ARB_shader_image_load_store, "image load store");
5009             profileRequires(loc, EEsProfile, 310, E_GL_ARB_shader_image_load_store, "image load store");
5010             publicType.qualifier.layoutFormat = format;
5011             return;
5012         }
5013     }
5014     if (id == "push_constant") {
5015         requireVulkan(loc, "push_constant");
5016         publicType.qualifier.layoutPushConstant = true;
5017         return;
5018     }
5019     if (id == "buffer_reference") {
5020         requireVulkan(loc, "buffer_reference");
5021         requireExtensions(loc, 1, &E_GL_EXT_buffer_reference, "buffer_reference");
5022         publicType.qualifier.layoutBufferReference = true;
5023         intermediate.setUseStorageBuffer();
5024         intermediate.setUsePhysicalStorageBuffer();
5025         return;
5026     }
5027     if (language == EShLangGeometry || language == EShLangTessEvaluation || language == EShLangMeshNV) {
5028         if (id == TQualifier::getGeometryString(ElgTriangles)) {
5029             publicType.shaderQualifiers.geometry = ElgTriangles;
5030             return;
5031         }
5032         if (language == EShLangGeometry || language == EShLangMeshNV) {
5033             if (id == TQualifier::getGeometryString(ElgPoints)) {
5034                 publicType.shaderQualifiers.geometry = ElgPoints;
5035                 return;
5036             }
5037             if (id == TQualifier::getGeometryString(ElgLines)) {
5038                 publicType.shaderQualifiers.geometry = ElgLines;
5039                 return;
5040             }
5041             if (language == EShLangGeometry) {
5042                 if (id == TQualifier::getGeometryString(ElgLineStrip)) {
5043                     publicType.shaderQualifiers.geometry = ElgLineStrip;
5044                     return;
5045                 }
5046                 if (id == TQualifier::getGeometryString(ElgLinesAdjacency)) {
5047                     publicType.shaderQualifiers.geometry = ElgLinesAdjacency;
5048                     return;
5049                 }
5050                 if (id == TQualifier::getGeometryString(ElgTrianglesAdjacency)) {
5051                     publicType.shaderQualifiers.geometry = ElgTrianglesAdjacency;
5052                     return;
5053                 }
5054                 if (id == TQualifier::getGeometryString(ElgTriangleStrip)) {
5055                     publicType.shaderQualifiers.geometry = ElgTriangleStrip;
5056                     return;
5057                 }
5058                 if (id == "passthrough") {
5059                     requireExtensions(loc, 1, &E_SPV_NV_geometry_shader_passthrough, "geometry shader passthrough");
5060                     publicType.qualifier.layoutPassthrough = true;
5061                     intermediate.setGeoPassthroughEXT();
5062                     return;
5063                 }
5064             }
5065         } else {
5066             assert(language == EShLangTessEvaluation);
5067 
5068             // input primitive
5069             if (id == TQualifier::getGeometryString(ElgTriangles)) {
5070                 publicType.shaderQualifiers.geometry = ElgTriangles;
5071                 return;
5072             }
5073             if (id == TQualifier::getGeometryString(ElgQuads)) {
5074                 publicType.shaderQualifiers.geometry = ElgQuads;
5075                 return;
5076             }
5077             if (id == TQualifier::getGeometryString(ElgIsolines)) {
5078                 publicType.shaderQualifiers.geometry = ElgIsolines;
5079                 return;
5080             }
5081 
5082             // vertex spacing
5083             if (id == TQualifier::getVertexSpacingString(EvsEqual)) {
5084                 publicType.shaderQualifiers.spacing = EvsEqual;
5085                 return;
5086             }
5087             if (id == TQualifier::getVertexSpacingString(EvsFractionalEven)) {
5088                 publicType.shaderQualifiers.spacing = EvsFractionalEven;
5089                 return;
5090             }
5091             if (id == TQualifier::getVertexSpacingString(EvsFractionalOdd)) {
5092                 publicType.shaderQualifiers.spacing = EvsFractionalOdd;
5093                 return;
5094             }
5095 
5096             // triangle order
5097             if (id == TQualifier::getVertexOrderString(EvoCw)) {
5098                 publicType.shaderQualifiers.order = EvoCw;
5099                 return;
5100             }
5101             if (id == TQualifier::getVertexOrderString(EvoCcw)) {
5102                 publicType.shaderQualifiers.order = EvoCcw;
5103                 return;
5104             }
5105 
5106             // point mode
5107             if (id == "point_mode") {
5108                 publicType.shaderQualifiers.pointMode = true;
5109                 return;
5110             }
5111         }
5112     }
5113     if (language == EShLangFragment) {
5114         if (id == "origin_upper_left") {
5115             requireProfile(loc, ECoreProfile | ECompatibilityProfile, "origin_upper_left");
5116             publicType.shaderQualifiers.originUpperLeft = true;
5117             return;
5118         }
5119         if (id == "pixel_center_integer") {
5120             requireProfile(loc, ECoreProfile | ECompatibilityProfile, "pixel_center_integer");
5121             publicType.shaderQualifiers.pixelCenterInteger = true;
5122             return;
5123         }
5124         if (id == "early_fragment_tests") {
5125             profileRequires(loc, ENoProfile | ECoreProfile | ECompatibilityProfile, 420, E_GL_ARB_shader_image_load_store, "early_fragment_tests");
5126             profileRequires(loc, EEsProfile, 310, nullptr, "early_fragment_tests");
5127             publicType.shaderQualifiers.earlyFragmentTests = true;
5128             return;
5129         }
5130         if (id == "post_depth_coverage") {
5131             requireExtensions(loc, Num_post_depth_coverageEXTs, post_depth_coverageEXTs, "post depth coverage");
5132             if (extensionTurnedOn(E_GL_ARB_post_depth_coverage)) {
5133                 publicType.shaderQualifiers.earlyFragmentTests = true;
5134             }
5135             publicType.shaderQualifiers.postDepthCoverage = true;
5136             return;
5137         }
5138         for (TLayoutDepth depth = (TLayoutDepth)(EldNone + 1); depth < EldCount; depth = (TLayoutDepth)(depth+1)) {
5139             if (id == TQualifier::getLayoutDepthString(depth)) {
5140                 requireProfile(loc, ECoreProfile | ECompatibilityProfile, "depth layout qualifier");
5141                 profileRequires(loc, ECoreProfile | ECompatibilityProfile, 420, nullptr, "depth layout qualifier");
5142                 publicType.shaderQualifiers.layoutDepth = depth;
5143                 return;
5144             }
5145         }
5146         for (TInterlockOrdering order = (TInterlockOrdering)(EioNone + 1); order < EioCount; order = (TInterlockOrdering)(order+1)) {
5147             if (id == TQualifier::getInterlockOrderingString(order)) {
5148                 requireProfile(loc, ECoreProfile | ECompatibilityProfile, "fragment shader interlock layout qualifier");
5149                 profileRequires(loc, ECoreProfile | ECompatibilityProfile, 450, nullptr, "fragment shader interlock layout qualifier");
5150                 requireExtensions(loc, 1, &E_GL_ARB_fragment_shader_interlock, TQualifier::getInterlockOrderingString(order));
5151                 if (order == EioShadingRateInterlockOrdered || order == EioShadingRateInterlockUnordered)
5152                     requireExtensions(loc, 1, &E_GL_NV_shading_rate_image, TQualifier::getInterlockOrderingString(order));
5153                 publicType.shaderQualifiers.interlockOrdering = order;
5154                 return;
5155             }
5156         }
5157         if (id.compare(0, 13, "blend_support") == 0) {
5158             bool found = false;
5159             for (TBlendEquationShift be = (TBlendEquationShift)0; be < EBlendCount; be = (TBlendEquationShift)(be + 1)) {
5160                 if (id == TQualifier::getBlendEquationString(be)) {
5161                     profileRequires(loc, EEsProfile, 320, E_GL_KHR_blend_equation_advanced, "blend equation");
5162                     profileRequires(loc, ~EEsProfile, 0, E_GL_KHR_blend_equation_advanced, "blend equation");
5163                     intermediate.addBlendEquation(be);
5164                     publicType.shaderQualifiers.blendEquation = true;
5165                     found = true;
5166                     break;
5167                 }
5168             }
5169             if (! found)
5170                 error(loc, "unknown blend equation", "blend_support", "");
5171             return;
5172         }
5173         if (id == "override_coverage") {
5174             requireExtensions(loc, 1, &E_GL_NV_sample_mask_override_coverage, "sample mask override coverage");
5175             publicType.shaderQualifiers.layoutOverrideCoverage = true;
5176             return;
5177         }
5178     }
5179     if (language == EShLangVertex ||
5180         language == EShLangTessControl ||
5181         language == EShLangTessEvaluation ||
5182         language == EShLangGeometry ) {
5183         if (id == "viewport_relative") {
5184             requireExtensions(loc, 1, &E_GL_NV_viewport_array2, "view port array2");
5185             publicType.qualifier.layoutViewportRelative = true;
5186             return;
5187         }
5188     } else {
5189         if (language == EShLangRayGen || language == EShLangIntersect ||
5190         language == EShLangAnyHit || language == EShLangClosestHit ||
5191         language == EShLangMiss || language == EShLangCallable) {
5192             if (id == "shaderrecordnv" || id == "shaderrecordext") {
5193                 if (id == "shaderrecordnv") {
5194                     requireExtensions(loc, 1, &E_GL_NV_ray_tracing, "shader record NV");
5195                 } else {
5196                     requireExtensions(loc, 1, &E_GL_EXT_ray_tracing, "shader record EXT");
5197                 }
5198                 publicType.qualifier.layoutShaderRecord = true;
5199                 return;
5200             }
5201 
5202         }
5203     }
5204     if (language == EShLangCompute) {
5205         if (id.compare(0, 17, "derivative_group_") == 0) {
5206             requireExtensions(loc, 1, &E_GL_NV_compute_shader_derivatives, "compute shader derivatives");
5207             if (id == "derivative_group_quadsnv") {
5208                 publicType.shaderQualifiers.layoutDerivativeGroupQuads = true;
5209                 return;
5210             } else if (id == "derivative_group_linearnv") {
5211                 publicType.shaderQualifiers.layoutDerivativeGroupLinear = true;
5212                 return;
5213             }
5214         }
5215     }
5216 
5217     if (id == "primitive_culling") {
5218         requireExtensions(loc, 1, &E_GL_EXT_ray_flags_primitive_culling, "primitive culling");
5219         publicType.shaderQualifiers.layoutPrimitiveCulling = true;
5220         return;
5221     }
5222 #endif
5223 
5224     error(loc, "unrecognized layout identifier, or qualifier requires assignment (e.g., binding = 4)", id.c_str(), "");
5225 }
5226 
5227 // Put the id's layout qualifier value into the public type, for qualifiers having a number set.
5228 // This is before we know any type information for error checking.
setLayoutQualifier(const TSourceLoc & loc,TPublicType & publicType,TString & id,const TIntermTyped * node)5229 void TParseContext::setLayoutQualifier(const TSourceLoc& loc, TPublicType& publicType, TString& id, const TIntermTyped* node)
5230 {
5231     const char* feature = "layout-id value";
5232     const char* nonLiteralFeature = "non-literal layout-id value";
5233 
5234     integerCheck(node, feature);
5235     const TIntermConstantUnion* constUnion = node->getAsConstantUnion();
5236     int value;
5237     bool nonLiteral = false;
5238     if (constUnion) {
5239         value = constUnion->getConstArray()[0].getIConst();
5240         if (! constUnion->isLiteral()) {
5241             requireProfile(loc, ECoreProfile | ECompatibilityProfile, nonLiteralFeature);
5242             profileRequires(loc, ECoreProfile | ECompatibilityProfile, 440, E_GL_ARB_enhanced_layouts, nonLiteralFeature);
5243         }
5244     } else {
5245         // grammar should have give out the error message
5246         value = 0;
5247         nonLiteral = true;
5248     }
5249 
5250     if (value < 0) {
5251         error(loc, "cannot be negative", feature, "");
5252         return;
5253     }
5254 
5255     std::transform(id.begin(), id.end(), id.begin(), ::tolower);
5256 
5257     if (id == "offset") {
5258         // "offset" can be for either
5259         //  - uniform offsets
5260         //  - atomic_uint offsets
5261         const char* feature = "offset";
5262         if (spvVersion.spv == 0) {
5263             requireProfile(loc, EEsProfile | ECoreProfile | ECompatibilityProfile, feature);
5264             const char* exts[2] = { E_GL_ARB_enhanced_layouts, E_GL_ARB_shader_atomic_counters };
5265             profileRequires(loc, ECoreProfile | ECompatibilityProfile, 420, 2, exts, feature);
5266             profileRequires(loc, EEsProfile, 310, nullptr, feature);
5267         }
5268         publicType.qualifier.layoutOffset = value;
5269         publicType.qualifier.explicitOffset = true;
5270         if (nonLiteral)
5271             error(loc, "needs a literal integer", "offset", "");
5272         return;
5273     } else if (id == "align") {
5274         const char* feature = "uniform buffer-member align";
5275         if (spvVersion.spv == 0) {
5276             requireProfile(loc, ECoreProfile | ECompatibilityProfile, feature);
5277             profileRequires(loc, ECoreProfile | ECompatibilityProfile, 440, E_GL_ARB_enhanced_layouts, feature);
5278         }
5279         // "The specified alignment must be a power of 2, or a compile-time error results."
5280         if (! IsPow2(value))
5281             error(loc, "must be a power of 2", "align", "");
5282         else
5283             publicType.qualifier.layoutAlign = value;
5284         if (nonLiteral)
5285             error(loc, "needs a literal integer", "align", "");
5286         return;
5287     } else if (id == "location") {
5288         profileRequires(loc, EEsProfile, 300, nullptr, "location");
5289         const char* exts[2] = { E_GL_ARB_separate_shader_objects, E_GL_ARB_explicit_attrib_location };
5290         // GL_ARB_explicit_uniform_location requires 330 or GL_ARB_explicit_attrib_location we do not need to add it here
5291         profileRequires(loc, ~EEsProfile, 330, 2, exts, "location");
5292         if ((unsigned int)value >= TQualifier::layoutLocationEnd)
5293             error(loc, "location is too large", id.c_str(), "");
5294         else
5295             publicType.qualifier.layoutLocation = value;
5296         if (nonLiteral)
5297             error(loc, "needs a literal integer", "location", "");
5298         return;
5299     } else if (id == "set") {
5300         if ((unsigned int)value >= TQualifier::layoutSetEnd)
5301             error(loc, "set is too large", id.c_str(), "");
5302         else
5303             publicType.qualifier.layoutSet = value;
5304         if (value != 0)
5305             requireVulkan(loc, "descriptor set");
5306         if (nonLiteral)
5307             error(loc, "needs a literal integer", "set", "");
5308         return;
5309     } else if (id == "binding") {
5310 #ifndef GLSLANG_WEB
5311         profileRequires(loc, ~EEsProfile, 420, E_GL_ARB_shading_language_420pack, "binding");
5312         profileRequires(loc, EEsProfile, 310, nullptr, "binding");
5313 #endif
5314         if ((unsigned int)value >= TQualifier::layoutBindingEnd)
5315             error(loc, "binding is too large", id.c_str(), "");
5316         else
5317             publicType.qualifier.layoutBinding = value;
5318         if (nonLiteral)
5319             error(loc, "needs a literal integer", "binding", "");
5320         return;
5321     }
5322     if (id == "constant_id") {
5323         requireSpv(loc, "constant_id");
5324         if (value >= (int)TQualifier::layoutSpecConstantIdEnd) {
5325             error(loc, "specialization-constant id is too large", id.c_str(), "");
5326         } else {
5327             publicType.qualifier.layoutSpecConstantId = value;
5328             publicType.qualifier.specConstant = true;
5329             if (! intermediate.addUsedConstantId(value))
5330                 error(loc, "specialization-constant id already used", id.c_str(), "");
5331         }
5332         if (nonLiteral)
5333             error(loc, "needs a literal integer", "constant_id", "");
5334         return;
5335     }
5336 #ifndef GLSLANG_WEB
5337     if (id == "component") {
5338         requireProfile(loc, ECoreProfile | ECompatibilityProfile, "component");
5339         profileRequires(loc, ECoreProfile | ECompatibilityProfile, 440, E_GL_ARB_enhanced_layouts, "component");
5340         if ((unsigned)value >= TQualifier::layoutComponentEnd)
5341             error(loc, "component is too large", id.c_str(), "");
5342         else
5343             publicType.qualifier.layoutComponent = value;
5344         if (nonLiteral)
5345             error(loc, "needs a literal integer", "component", "");
5346         return;
5347     }
5348     if (id.compare(0, 4, "xfb_") == 0) {
5349         // "Any shader making any static use (after preprocessing) of any of these
5350         // *xfb_* qualifiers will cause the shader to be in a transform feedback
5351         // capturing mode and hence responsible for describing the transform feedback
5352         // setup."
5353         intermediate.setXfbMode();
5354         const char* feature = "transform feedback qualifier";
5355         requireStage(loc, (EShLanguageMask)(EShLangVertexMask | EShLangGeometryMask | EShLangTessControlMask | EShLangTessEvaluationMask), feature);
5356         requireProfile(loc, ECoreProfile | ECompatibilityProfile, feature);
5357         profileRequires(loc, ECoreProfile | ECompatibilityProfile, 440, E_GL_ARB_enhanced_layouts, feature);
5358         if (id == "xfb_buffer") {
5359             // "It is a compile-time error to specify an *xfb_buffer* that is greater than
5360             // the implementation-dependent constant gl_MaxTransformFeedbackBuffers."
5361             if (value >= resources.maxTransformFeedbackBuffers)
5362                 error(loc, "buffer is too large:", id.c_str(), "gl_MaxTransformFeedbackBuffers is %d", resources.maxTransformFeedbackBuffers);
5363             if (value >= (int)TQualifier::layoutXfbBufferEnd)
5364                 error(loc, "buffer is too large:", id.c_str(), "internal max is %d", TQualifier::layoutXfbBufferEnd-1);
5365             else
5366                 publicType.qualifier.layoutXfbBuffer = value;
5367             if (nonLiteral)
5368                 error(loc, "needs a literal integer", "xfb_buffer", "");
5369             return;
5370         } else if (id == "xfb_offset") {
5371             if (value >= (int)TQualifier::layoutXfbOffsetEnd)
5372                 error(loc, "offset is too large:", id.c_str(), "internal max is %d", TQualifier::layoutXfbOffsetEnd-1);
5373             else
5374                 publicType.qualifier.layoutXfbOffset = value;
5375             if (nonLiteral)
5376                 error(loc, "needs a literal integer", "xfb_offset", "");
5377             return;
5378         } else if (id == "xfb_stride") {
5379             // "The resulting stride (implicit or explicit), when divided by 4, must be less than or equal to the
5380             // implementation-dependent constant gl_MaxTransformFeedbackInterleavedComponents."
5381             if (value > 4 * resources.maxTransformFeedbackInterleavedComponents) {
5382                 error(loc, "1/4 stride is too large:", id.c_str(), "gl_MaxTransformFeedbackInterleavedComponents is %d",
5383                     resources.maxTransformFeedbackInterleavedComponents);
5384             }
5385             if (value >= (int)TQualifier::layoutXfbStrideEnd)
5386                 error(loc, "stride is too large:", id.c_str(), "internal max is %d", TQualifier::layoutXfbStrideEnd-1);
5387             else
5388                 publicType.qualifier.layoutXfbStride = value;
5389             if (nonLiteral)
5390                 error(loc, "needs a literal integer", "xfb_stride", "");
5391             return;
5392         }
5393     }
5394     if (id == "input_attachment_index") {
5395         requireVulkan(loc, "input_attachment_index");
5396         if (value >= (int)TQualifier::layoutAttachmentEnd)
5397             error(loc, "attachment index is too large", id.c_str(), "");
5398         else
5399             publicType.qualifier.layoutAttachment = value;
5400         if (nonLiteral)
5401             error(loc, "needs a literal integer", "input_attachment_index", "");
5402         return;
5403     }
5404     if (id == "num_views") {
5405         requireExtensions(loc, Num_OVR_multiview_EXTs, OVR_multiview_EXTs, "num_views");
5406         publicType.shaderQualifiers.numViews = value;
5407         if (nonLiteral)
5408             error(loc, "needs a literal integer", "num_views", "");
5409         return;
5410     }
5411     if (language == EShLangVertex ||
5412         language == EShLangTessControl ||
5413         language == EShLangTessEvaluation ||
5414         language == EShLangGeometry) {
5415         if (id == "secondary_view_offset") {
5416             requireExtensions(loc, 1, &E_GL_NV_stereo_view_rendering, "stereo view rendering");
5417             publicType.qualifier.layoutSecondaryViewportRelativeOffset = value;
5418             if (nonLiteral)
5419                 error(loc, "needs a literal integer", "secondary_view_offset", "");
5420             return;
5421         }
5422     }
5423 
5424     if (id == "buffer_reference_align") {
5425         requireExtensions(loc, 1, &E_GL_EXT_buffer_reference, "buffer_reference_align");
5426         if (! IsPow2(value))
5427             error(loc, "must be a power of 2", "buffer_reference_align", "");
5428         else
5429             publicType.qualifier.layoutBufferReferenceAlign = (unsigned int)std::log2(value);
5430         if (nonLiteral)
5431             error(loc, "needs a literal integer", "buffer_reference_align", "");
5432         return;
5433     }
5434 #endif
5435 
5436     switch (language) {
5437 #ifndef GLSLANG_WEB
5438     case EShLangTessControl:
5439         if (id == "vertices") {
5440             if (value == 0)
5441                 error(loc, "must be greater than 0", "vertices", "");
5442             else
5443                 publicType.shaderQualifiers.vertices = value;
5444             if (nonLiteral)
5445                 error(loc, "needs a literal integer", "vertices", "");
5446             return;
5447         }
5448         break;
5449 
5450     case EShLangGeometry:
5451         if (id == "invocations") {
5452             profileRequires(loc, ECompatibilityProfile | ECoreProfile, 400, nullptr, "invocations");
5453             if (value == 0)
5454                 error(loc, "must be at least 1", "invocations", "");
5455             else
5456                 publicType.shaderQualifiers.invocations = value;
5457             if (nonLiteral)
5458                 error(loc, "needs a literal integer", "invocations", "");
5459             return;
5460         }
5461         if (id == "max_vertices") {
5462             publicType.shaderQualifiers.vertices = value;
5463             if (value > resources.maxGeometryOutputVertices)
5464                 error(loc, "too large, must be less than gl_MaxGeometryOutputVertices", "max_vertices", "");
5465             if (nonLiteral)
5466                 error(loc, "needs a literal integer", "max_vertices", "");
5467             return;
5468         }
5469         if (id == "stream") {
5470             requireProfile(loc, ~EEsProfile, "selecting output stream");
5471             publicType.qualifier.layoutStream = value;
5472             if (value > 0)
5473                 intermediate.setMultiStream();
5474             if (nonLiteral)
5475                 error(loc, "needs a literal integer", "stream", "");
5476             return;
5477         }
5478         break;
5479 
5480     case EShLangFragment:
5481         if (id == "index") {
5482             requireProfile(loc, ECompatibilityProfile | ECoreProfile | EEsProfile, "index layout qualifier on fragment output");
5483             const char* exts[2] = { E_GL_ARB_separate_shader_objects, E_GL_ARB_explicit_attrib_location };
5484             profileRequires(loc, ECompatibilityProfile | ECoreProfile, 330, 2, exts, "index layout qualifier on fragment output");
5485             profileRequires(loc, EEsProfile ,310, E_GL_EXT_blend_func_extended, "index layout qualifier on fragment output");
5486             // "It is also a compile-time error if a fragment shader sets a layout index to less than 0 or greater than 1."
5487             if (value < 0 || value > 1) {
5488                 value = 0;
5489                 error(loc, "value must be 0 or 1", "index", "");
5490             }
5491 
5492             publicType.qualifier.layoutIndex = value;
5493             if (nonLiteral)
5494                 error(loc, "needs a literal integer", "index", "");
5495             return;
5496         }
5497         break;
5498 
5499     case EShLangMeshNV:
5500         if (id == "max_vertices") {
5501             requireExtensions(loc, 1, &E_GL_NV_mesh_shader, "max_vertices");
5502             publicType.shaderQualifiers.vertices = value;
5503             if (value > resources.maxMeshOutputVerticesNV)
5504                 error(loc, "too large, must be less than gl_MaxMeshOutputVerticesNV", "max_vertices", "");
5505             if (nonLiteral)
5506                 error(loc, "needs a literal integer", "max_vertices", "");
5507             return;
5508         }
5509         if (id == "max_primitives") {
5510             requireExtensions(loc, 1, &E_GL_NV_mesh_shader, "max_primitives");
5511             publicType.shaderQualifiers.primitives = value;
5512             if (value > resources.maxMeshOutputPrimitivesNV)
5513                 error(loc, "too large, must be less than gl_MaxMeshOutputPrimitivesNV", "max_primitives", "");
5514             if (nonLiteral)
5515                 error(loc, "needs a literal integer", "max_primitives", "");
5516             return;
5517         }
5518         // Fall through
5519 
5520     case EShLangTaskNV:
5521         // Fall through
5522 #endif
5523     case EShLangCompute:
5524         if (id.compare(0, 11, "local_size_") == 0) {
5525 #ifndef GLSLANG_WEB
5526             if (language == EShLangMeshNV || language == EShLangTaskNV) {
5527                 requireExtensions(loc, 1, &E_GL_NV_mesh_shader, "gl_WorkGroupSize");
5528             } else {
5529                 profileRequires(loc, EEsProfile, 310, 0, "gl_WorkGroupSize");
5530                 profileRequires(loc, ~EEsProfile, 430, E_GL_ARB_compute_shader, "gl_WorkGroupSize");
5531             }
5532 #endif
5533             if (nonLiteral)
5534                 error(loc, "needs a literal integer", "local_size", "");
5535             if (id.size() == 12 && value == 0) {
5536                 error(loc, "must be at least 1", id.c_str(), "");
5537                 return;
5538             }
5539             if (id == "local_size_x") {
5540                 publicType.shaderQualifiers.localSize[0] = value;
5541                 publicType.shaderQualifiers.localSizeNotDefault[0] = true;
5542                 return;
5543             }
5544             if (id == "local_size_y") {
5545                 publicType.shaderQualifiers.localSize[1] = value;
5546                 publicType.shaderQualifiers.localSizeNotDefault[1] = true;
5547                 return;
5548             }
5549             if (id == "local_size_z") {
5550                 publicType.shaderQualifiers.localSize[2] = value;
5551                 publicType.shaderQualifiers.localSizeNotDefault[2] = true;
5552                 return;
5553             }
5554             if (spvVersion.spv != 0) {
5555                 if (id == "local_size_x_id") {
5556                     publicType.shaderQualifiers.localSizeSpecId[0] = value;
5557                     return;
5558                 }
5559                 if (id == "local_size_y_id") {
5560                     publicType.shaderQualifiers.localSizeSpecId[1] = value;
5561                     return;
5562                 }
5563                 if (id == "local_size_z_id") {
5564                     publicType.shaderQualifiers.localSizeSpecId[2] = value;
5565                     return;
5566                 }
5567             }
5568         }
5569         break;
5570 
5571     default:
5572         break;
5573     }
5574 
5575     error(loc, "there is no such layout identifier for this stage taking an assigned value", id.c_str(), "");
5576 }
5577 
5578 // Merge any layout qualifier information from src into dst, leaving everything else in dst alone
5579 //
5580 // "More than one layout qualifier may appear in a single declaration.
5581 // Additionally, the same layout-qualifier-name can occur multiple times
5582 // within a layout qualifier or across multiple layout qualifiers in the
5583 // same declaration. When the same layout-qualifier-name occurs
5584 // multiple times, in a single declaration, the last occurrence overrides
5585 // the former occurrence(s).  Further, if such a layout-qualifier-name
5586 // will effect subsequent declarations or other observable behavior, it
5587 // is only the last occurrence that will have any effect, behaving as if
5588 // the earlier occurrence(s) within the declaration are not present.
5589 // This is also true for overriding layout-qualifier-names, where one
5590 // overrides the other (e.g., row_major vs. column_major); only the last
5591 // occurrence has any effect."
mergeObjectLayoutQualifiers(TQualifier & dst,const TQualifier & src,bool inheritOnly)5592 void TParseContext::mergeObjectLayoutQualifiers(TQualifier& dst, const TQualifier& src, bool inheritOnly)
5593 {
5594     if (src.hasMatrix())
5595         dst.layoutMatrix = src.layoutMatrix;
5596     if (src.hasPacking())
5597         dst.layoutPacking = src.layoutPacking;
5598 
5599 #ifndef GLSLANG_WEB
5600     if (src.hasStream())
5601         dst.layoutStream = src.layoutStream;
5602     if (src.hasFormat())
5603         dst.layoutFormat = src.layoutFormat;
5604     if (src.hasXfbBuffer())
5605         dst.layoutXfbBuffer = src.layoutXfbBuffer;
5606     if (src.hasBufferReferenceAlign())
5607         dst.layoutBufferReferenceAlign = src.layoutBufferReferenceAlign;
5608 #endif
5609 
5610     if (src.hasAlign())
5611         dst.layoutAlign = src.layoutAlign;
5612 
5613     if (! inheritOnly) {
5614         if (src.hasLocation())
5615             dst.layoutLocation = src.layoutLocation;
5616         if (src.hasOffset())
5617             dst.layoutOffset = src.layoutOffset;
5618         if (src.hasSet())
5619             dst.layoutSet = src.layoutSet;
5620         if (src.layoutBinding != TQualifier::layoutBindingEnd)
5621             dst.layoutBinding = src.layoutBinding;
5622 
5623         if (src.hasSpecConstantId())
5624             dst.layoutSpecConstantId = src.layoutSpecConstantId;
5625 
5626 #ifndef GLSLANG_WEB
5627         if (src.hasComponent())
5628             dst.layoutComponent = src.layoutComponent;
5629         if (src.hasIndex())
5630             dst.layoutIndex = src.layoutIndex;
5631         if (src.hasXfbStride())
5632             dst.layoutXfbStride = src.layoutXfbStride;
5633         if (src.hasXfbOffset())
5634             dst.layoutXfbOffset = src.layoutXfbOffset;
5635         if (src.hasAttachment())
5636             dst.layoutAttachment = src.layoutAttachment;
5637         if (src.layoutPushConstant)
5638             dst.layoutPushConstant = true;
5639 
5640         if (src.layoutBufferReference)
5641             dst.layoutBufferReference = true;
5642 
5643         if (src.layoutPassthrough)
5644             dst.layoutPassthrough = true;
5645         if (src.layoutViewportRelative)
5646             dst.layoutViewportRelative = true;
5647         if (src.layoutSecondaryViewportRelativeOffset != -2048)
5648             dst.layoutSecondaryViewportRelativeOffset = src.layoutSecondaryViewportRelativeOffset;
5649         if (src.layoutShaderRecord)
5650             dst.layoutShaderRecord = true;
5651         if (src.pervertexNV)
5652             dst.pervertexNV = true;
5653 #endif
5654     }
5655 }
5656 
5657 // Do error layout error checking given a full variable/block declaration.
layoutObjectCheck(const TSourceLoc & loc,const TSymbol & symbol)5658 void TParseContext::layoutObjectCheck(const TSourceLoc& loc, const TSymbol& symbol)
5659 {
5660     const TType& type = symbol.getType();
5661     const TQualifier& qualifier = type.getQualifier();
5662 
5663     // first, cross check WRT to just the type
5664     layoutTypeCheck(loc, type);
5665 
5666     // now, any remaining error checking based on the object itself
5667 
5668     if (qualifier.hasAnyLocation()) {
5669         switch (qualifier.storage) {
5670         case EvqUniform:
5671         case EvqBuffer:
5672             if (symbol.getAsVariable() == nullptr)
5673                 error(loc, "can only be used on variable declaration", "location", "");
5674             break;
5675         default:
5676             break;
5677         }
5678     }
5679 
5680     // user-variable location check, which are required for SPIR-V in/out:
5681     //  - variables have it directly,
5682     //  - blocks have it on each member (already enforced), so check first one
5683     if (spvVersion.spv > 0 && !parsingBuiltins && qualifier.builtIn == EbvNone &&
5684         !qualifier.hasLocation() && !intermediate.getAutoMapLocations()) {
5685 
5686         switch (qualifier.storage) {
5687         case EvqVaryingIn:
5688         case EvqVaryingOut:
5689             if (!type.getQualifier().isTaskMemory() &&
5690                 (type.getBasicType() != EbtBlock ||
5691                  (!(*type.getStruct())[0].type->getQualifier().hasLocation() &&
5692                    (*type.getStruct())[0].type->getQualifier().builtIn == EbvNone)))
5693                 error(loc, "SPIR-V requires location for user input/output", "location", "");
5694             break;
5695         default:
5696             break;
5697         }
5698     }
5699 
5700     // Check packing and matrix
5701     if (qualifier.hasUniformLayout()) {
5702         switch (qualifier.storage) {
5703         case EvqUniform:
5704         case EvqBuffer:
5705             if (type.getBasicType() != EbtBlock) {
5706                 if (qualifier.hasMatrix())
5707                     error(loc, "cannot specify matrix layout on a variable declaration", "layout", "");
5708                 if (qualifier.hasPacking())
5709                     error(loc, "cannot specify packing on a variable declaration", "layout", "");
5710                 // "The offset qualifier can only be used on block members of blocks..."
5711                 if (qualifier.hasOffset() && !type.isAtomic())
5712                     error(loc, "cannot specify on a variable declaration", "offset", "");
5713                 // "The align qualifier can only be used on blocks or block members..."
5714                 if (qualifier.hasAlign())
5715                     error(loc, "cannot specify on a variable declaration", "align", "");
5716                 if (qualifier.isPushConstant())
5717                     error(loc, "can only specify on a uniform block", "push_constant", "");
5718                 if (qualifier.isShaderRecord())
5719                     error(loc, "can only specify on a buffer block", "shaderRecordNV", "");
5720             }
5721             break;
5722         default:
5723             // these were already filtered by layoutTypeCheck() (or its callees)
5724             break;
5725         }
5726     }
5727 }
5728 
5729 // "For some blocks declared as arrays, the location can only be applied at the block level:
5730 // When a block is declared as an array where additional locations are needed for each member
5731 // for each block array element, it is a compile-time error to specify locations on the block
5732 // members.  That is, when locations would be under specified by applying them on block members,
5733 // they are not allowed on block members.  For arrayed interfaces (those generally having an
5734 // extra level of arrayness due to interface expansion), the outer array is stripped before
5735 // applying this rule."
layoutMemberLocationArrayCheck(const TSourceLoc & loc,bool memberWithLocation,TArraySizes * arraySizes)5736 void TParseContext::layoutMemberLocationArrayCheck(const TSourceLoc& loc, bool memberWithLocation,
5737     TArraySizes* arraySizes)
5738 {
5739     if (memberWithLocation && arraySizes != nullptr) {
5740         if (arraySizes->getNumDims() > (currentBlockQualifier.isArrayedIo(language) ? 1 : 0))
5741             error(loc, "cannot use in a block array where new locations are needed for each block element",
5742                        "location", "");
5743     }
5744 }
5745 
5746 // Do layout error checking with respect to a type.
layoutTypeCheck(const TSourceLoc & loc,const TType & type)5747 void TParseContext::layoutTypeCheck(const TSourceLoc& loc, const TType& type)
5748 {
5749     const TQualifier& qualifier = type.getQualifier();
5750 
5751     // first, intra-layout qualifier-only error checking
5752     layoutQualifierCheck(loc, qualifier);
5753 
5754     // now, error checking combining type and qualifier
5755 
5756     if (qualifier.hasAnyLocation()) {
5757         if (qualifier.hasLocation()) {
5758             if (qualifier.storage == EvqVaryingOut && language == EShLangFragment) {
5759                 if (qualifier.layoutLocation >= (unsigned int)resources.maxDrawBuffers)
5760                     error(loc, "too large for fragment output", "location", "");
5761             }
5762         }
5763         if (qualifier.hasComponent()) {
5764             // "It is a compile-time error if this sequence of components gets larger than 3."
5765             if (qualifier.layoutComponent + type.getVectorSize() * (type.getBasicType() == EbtDouble ? 2 : 1) > 4)
5766                 error(loc, "type overflows the available 4 components", "component", "");
5767 
5768             // "It is a compile-time error to apply the component qualifier to a matrix, a structure, a block, or an array containing any of these."
5769             if (type.isMatrix() || type.getBasicType() == EbtBlock || type.getBasicType() == EbtStruct)
5770                 error(loc, "cannot apply to a matrix, structure, or block", "component", "");
5771 
5772             // " It is a compile-time error to use component 1 or 3 as the beginning of a double or dvec2."
5773             if (type.getBasicType() == EbtDouble)
5774                 if (qualifier.layoutComponent & 1)
5775                     error(loc, "doubles cannot start on an odd-numbered component", "component", "");
5776         }
5777 
5778         switch (qualifier.storage) {
5779         case EvqVaryingIn:
5780         case EvqVaryingOut:
5781             if (type.getBasicType() == EbtBlock)
5782                 profileRequires(loc, ECoreProfile | ECompatibilityProfile, 440, E_GL_ARB_enhanced_layouts, "location qualifier on in/out block");
5783             if (type.getQualifier().isTaskMemory())
5784                 error(loc, "cannot apply to taskNV in/out blocks", "location", "");
5785             break;
5786         case EvqUniform:
5787         case EvqBuffer:
5788             if (type.getBasicType() == EbtBlock)
5789                 error(loc, "cannot apply to uniform or buffer block", "location", "");
5790             break;
5791 #ifndef GLSLANG_WEB
5792         case EvqPayload:
5793         case EvqPayloadIn:
5794         case EvqHitAttr:
5795         case EvqCallableData:
5796         case EvqCallableDataIn:
5797             break;
5798 #endif
5799         default:
5800             error(loc, "can only apply to uniform, buffer, in, or out storage qualifiers", "location", "");
5801             break;
5802         }
5803 
5804         bool typeCollision;
5805         int repeated = intermediate.addUsedLocation(qualifier, type, typeCollision);
5806         if (repeated >= 0 && ! typeCollision)
5807             error(loc, "overlapping use of location", "location", "%d", repeated);
5808         // "fragment-shader outputs ... if two variables are placed within the same
5809         // location, they must have the same underlying type (floating-point or integer)"
5810         if (typeCollision && language == EShLangFragment && qualifier.isPipeOutput())
5811             error(loc, "fragment outputs sharing the same location must be the same basic type", "location", "%d", repeated);
5812     }
5813 
5814 #ifndef GLSLANG_WEB
5815     if (qualifier.hasXfbOffset() && qualifier.hasXfbBuffer()) {
5816         int repeated = intermediate.addXfbBufferOffset(type);
5817         if (repeated >= 0)
5818             error(loc, "overlapping offsets at", "xfb_offset", "offset %d in buffer %d", repeated, qualifier.layoutXfbBuffer);
5819         if (type.isUnsizedArray())
5820             error(loc, "unsized array", "xfb_offset", "in buffer %d", qualifier.layoutXfbBuffer);
5821 
5822         // "The offset must be a multiple of the size of the first component of the first
5823         // qualified variable or block member, or a compile-time error results. Further, if applied to an aggregate
5824         // containing a double or 64-bit integer, the offset must also be a multiple of 8..."
5825         if ((type.containsBasicType(EbtDouble) || type.containsBasicType(EbtInt64) || type.containsBasicType(EbtUint64)) &&
5826             ! IsMultipleOfPow2(qualifier.layoutXfbOffset, 8))
5827             error(loc, "type contains double or 64-bit integer; xfb_offset must be a multiple of 8", "xfb_offset", "");
5828         else if ((type.containsBasicType(EbtBool) || type.containsBasicType(EbtFloat) ||
5829                   type.containsBasicType(EbtInt) || type.containsBasicType(EbtUint)) &&
5830                  ! IsMultipleOfPow2(qualifier.layoutXfbOffset, 4))
5831             error(loc, "must be a multiple of size of first component", "xfb_offset", "");
5832         // ..., if applied to an aggregate containing a half float or 16-bit integer, the offset must also be a multiple of 2..."
5833         else if ((type.contains16BitFloat() || type.containsBasicType(EbtInt16) || type.containsBasicType(EbtUint16)) &&
5834                  !IsMultipleOfPow2(qualifier.layoutXfbOffset, 2))
5835             error(loc, "type contains half float or 16-bit integer; xfb_offset must be a multiple of 2", "xfb_offset", "");
5836     }
5837     if (qualifier.hasXfbStride() && qualifier.hasXfbBuffer()) {
5838         if (! intermediate.setXfbBufferStride(qualifier.layoutXfbBuffer, qualifier.layoutXfbStride))
5839             error(loc, "all stride settings must match for xfb buffer", "xfb_stride", "%d", qualifier.layoutXfbBuffer);
5840     }
5841 #endif
5842 
5843     if (qualifier.hasBinding()) {
5844         // Binding checking, from the spec:
5845         //
5846         // "If the binding point for any uniform or shader storage block instance is less than zero, or greater than or
5847         // equal to the implementation-dependent maximum number of uniform buffer bindings, a compile-time
5848         // error will occur. When the binding identifier is used with a uniform or shader storage block instanced as
5849         // an array of size N, all elements of the array from binding through binding + N - 1 must be within this
5850         // range."
5851         //
5852         if (! type.isOpaque() && type.getBasicType() != EbtBlock)
5853             error(loc, "requires block, or sampler/image, or atomic-counter type", "binding", "");
5854         if (type.getBasicType() == EbtSampler) {
5855             int lastBinding = qualifier.layoutBinding;
5856             if (type.isArray()) {
5857                 if (spvVersion.vulkan > 0)
5858                     lastBinding += 1;
5859                 else {
5860                     if (type.isSizedArray())
5861                         lastBinding += type.getCumulativeArraySize();
5862                     else {
5863                         lastBinding += 1;
5864 #ifndef GLSLANG_WEB
5865                         if (spvVersion.vulkan == 0)
5866                             warn(loc, "assuming binding count of one for compile-time checking of binding numbers for unsized array", "[]", "");
5867 #endif
5868                     }
5869                 }
5870             }
5871 #ifndef GLSLANG_WEB
5872             if (spvVersion.vulkan == 0 && lastBinding >= resources.maxCombinedTextureImageUnits)
5873                 error(loc, "sampler binding not less than gl_MaxCombinedTextureImageUnits", "binding", type.isArray() ? "(using array)" : "");
5874 #endif
5875         }
5876         if (type.isAtomic()) {
5877             if (qualifier.layoutBinding >= (unsigned int)resources.maxAtomicCounterBindings) {
5878                 error(loc, "atomic_uint binding is too large; see gl_MaxAtomicCounterBindings", "binding", "");
5879                 return;
5880             }
5881         }
5882     } else if (!intermediate.getAutoMapBindings()) {
5883         // some types require bindings
5884 
5885         // atomic_uint
5886         if (type.isAtomic())
5887             error(loc, "layout(binding=X) is required", "atomic_uint", "");
5888 
5889         // SPIR-V
5890         if (spvVersion.spv > 0) {
5891             if (qualifier.isUniformOrBuffer()) {
5892                 if (type.getBasicType() == EbtBlock && !qualifier.isPushConstant() &&
5893                        !qualifier.isShaderRecord() &&
5894                        !qualifier.hasAttachment() &&
5895                        !qualifier.hasBufferReference())
5896                     error(loc, "uniform/buffer blocks require layout(binding=X)", "binding", "");
5897                 else if (spvVersion.vulkan > 0 && type.getBasicType() == EbtSampler)
5898                     error(loc, "sampler/texture/image requires layout(binding=X)", "binding", "");
5899             }
5900         }
5901     }
5902 
5903     // some things can't have arrays of arrays
5904     if (type.isArrayOfArrays()) {
5905         if (spvVersion.vulkan > 0) {
5906             if (type.isOpaque() || (type.getQualifier().isUniformOrBuffer() && type.getBasicType() == EbtBlock))
5907                 warn(loc, "Generating SPIR-V array-of-arrays, but Vulkan only supports single array level for this resource", "[][]", "");
5908         }
5909     }
5910 
5911     // "The offset qualifier can only be used on block members of blocks..."
5912     if (qualifier.hasOffset()) {
5913         if (type.getBasicType() == EbtBlock)
5914             error(loc, "only applies to block members, not blocks", "offset", "");
5915     }
5916 
5917     // Image format
5918     if (qualifier.hasFormat()) {
5919         if (! type.isImage())
5920             error(loc, "only apply to images", TQualifier::getLayoutFormatString(qualifier.getFormat()), "");
5921         else {
5922             if (type.getSampler().type == EbtFloat && qualifier.getFormat() > ElfFloatGuard)
5923                 error(loc, "does not apply to floating point images", TQualifier::getLayoutFormatString(qualifier.getFormat()), "");
5924             if (type.getSampler().type == EbtInt && (qualifier.getFormat() < ElfFloatGuard || qualifier.getFormat() > ElfIntGuard))
5925                 error(loc, "does not apply to signed integer images", TQualifier::getLayoutFormatString(qualifier.getFormat()), "");
5926             if (type.getSampler().type == EbtUint && qualifier.getFormat() < ElfIntGuard)
5927                 error(loc, "does not apply to unsigned integer images", TQualifier::getLayoutFormatString(qualifier.getFormat()), "");
5928 
5929             if (isEsProfile()) {
5930                 // "Except for image variables qualified with the format qualifiers r32f, r32i, and r32ui, image variables must
5931                 // specify either memory qualifier readonly or the memory qualifier writeonly."
5932                 if (! (qualifier.getFormat() == ElfR32f || qualifier.getFormat() == ElfR32i || qualifier.getFormat() == ElfR32ui)) {
5933                     if (! qualifier.isReadOnly() && ! qualifier.isWriteOnly())
5934                         error(loc, "format requires readonly or writeonly memory qualifier", TQualifier::getLayoutFormatString(qualifier.getFormat()), "");
5935                 }
5936             }
5937         }
5938     } else if (type.isImage() && ! qualifier.isWriteOnly()) {
5939         const char *explanation = "image variables not declared 'writeonly' and without a format layout qualifier";
5940         requireProfile(loc, ECoreProfile | ECompatibilityProfile, explanation);
5941         profileRequires(loc, ECoreProfile | ECompatibilityProfile, 0, E_GL_EXT_shader_image_load_formatted, explanation);
5942     }
5943 
5944     if (qualifier.isPushConstant() && type.getBasicType() != EbtBlock)
5945         error(loc, "can only be used with a block", "push_constant", "");
5946 
5947     if (qualifier.hasBufferReference() && type.getBasicType() != EbtBlock)
5948         error(loc, "can only be used with a block", "buffer_reference", "");
5949 
5950     if (qualifier.isShaderRecord() && type.getBasicType() != EbtBlock)
5951         error(loc, "can only be used with a block", "shaderRecordNV", "");
5952 
5953     // input attachment
5954     if (type.isSubpass()) {
5955         if (! qualifier.hasAttachment())
5956             error(loc, "requires an input_attachment_index layout qualifier", "subpass", "");
5957     } else {
5958         if (qualifier.hasAttachment())
5959             error(loc, "can only be used with a subpass", "input_attachment_index", "");
5960     }
5961 
5962     // specialization-constant id
5963     if (qualifier.hasSpecConstantId()) {
5964         if (type.getQualifier().storage != EvqConst)
5965             error(loc, "can only be applied to 'const'-qualified scalar", "constant_id", "");
5966         if (! type.isScalar())
5967             error(loc, "can only be applied to a scalar", "constant_id", "");
5968         switch (type.getBasicType())
5969         {
5970         case EbtInt8:
5971         case EbtUint8:
5972         case EbtInt16:
5973         case EbtUint16:
5974         case EbtInt:
5975         case EbtUint:
5976         case EbtInt64:
5977         case EbtUint64:
5978         case EbtBool:
5979         case EbtFloat:
5980         case EbtDouble:
5981         case EbtFloat16:
5982             break;
5983         default:
5984             error(loc, "cannot be applied to this type", "constant_id", "");
5985             break;
5986         }
5987     }
5988 }
5989 
5990 // Do layout error checking that can be done within a layout qualifier proper, not needing to know
5991 // if there are blocks, atomic counters, variables, etc.
layoutQualifierCheck(const TSourceLoc & loc,const TQualifier & qualifier)5992 void TParseContext::layoutQualifierCheck(const TSourceLoc& loc, const TQualifier& qualifier)
5993 {
5994     if (qualifier.storage == EvqShared && qualifier.hasLayout())
5995         error(loc, "cannot apply layout qualifiers to a shared variable", "shared", "");
5996 
5997     // "It is a compile-time error to use *component* without also specifying the location qualifier (order does not matter)."
5998     if (qualifier.hasComponent() && ! qualifier.hasLocation())
5999         error(loc, "must specify 'location' to use 'component'", "component", "");
6000 
6001     if (qualifier.hasAnyLocation()) {
6002 
6003         // "As with input layout qualifiers, all shaders except compute shaders
6004         // allow *location* layout qualifiers on output variable declarations,
6005         // output block declarations, and output block member declarations."
6006 
6007         switch (qualifier.storage) {
6008 #ifndef GLSLANG_WEB
6009         case EvqVaryingIn:
6010         {
6011             const char* feature = "location qualifier on input";
6012             if (isEsProfile() && version < 310)
6013                 requireStage(loc, EShLangVertex, feature);
6014             else
6015                 requireStage(loc, (EShLanguageMask)~EShLangComputeMask, feature);
6016             if (language == EShLangVertex) {
6017                 const char* exts[2] = { E_GL_ARB_separate_shader_objects, E_GL_ARB_explicit_attrib_location };
6018                 profileRequires(loc, ~EEsProfile, 330, 2, exts, feature);
6019                 profileRequires(loc, EEsProfile, 300, nullptr, feature);
6020             } else {
6021                 profileRequires(loc, ~EEsProfile, 410, E_GL_ARB_separate_shader_objects, feature);
6022                 profileRequires(loc, EEsProfile, 310, nullptr, feature);
6023             }
6024             break;
6025         }
6026         case EvqVaryingOut:
6027         {
6028             const char* feature = "location qualifier on output";
6029             if (isEsProfile() && version < 310)
6030                 requireStage(loc, EShLangFragment, feature);
6031             else
6032                 requireStage(loc, (EShLanguageMask)~EShLangComputeMask, feature);
6033             if (language == EShLangFragment) {
6034                 const char* exts[2] = { E_GL_ARB_separate_shader_objects, E_GL_ARB_explicit_attrib_location };
6035                 profileRequires(loc, ~EEsProfile, 330, 2, exts, feature);
6036                 profileRequires(loc, EEsProfile, 300, nullptr, feature);
6037             } else {
6038                 profileRequires(loc, ~EEsProfile, 410, E_GL_ARB_separate_shader_objects, feature);
6039                 profileRequires(loc, EEsProfile, 310, nullptr, feature);
6040             }
6041             break;
6042         }
6043 #endif
6044         case EvqUniform:
6045         case EvqBuffer:
6046         {
6047             const char* feature = "location qualifier on uniform or buffer";
6048             requireProfile(loc, EEsProfile | ECoreProfile | ECompatibilityProfile | ENoProfile, feature);
6049             profileRequires(loc, ~EEsProfile, 330, E_GL_ARB_explicit_attrib_location, feature);
6050             profileRequires(loc, ~EEsProfile, 430, E_GL_ARB_explicit_uniform_location, feature);
6051             profileRequires(loc, EEsProfile, 310, nullptr, feature);
6052             break;
6053         }
6054         default:
6055             break;
6056         }
6057         if (qualifier.hasIndex()) {
6058             if (qualifier.storage != EvqVaryingOut)
6059                 error(loc, "can only be used on an output", "index", "");
6060             if (! qualifier.hasLocation())
6061                 error(loc, "can only be used with an explicit location", "index", "");
6062         }
6063     }
6064 
6065     if (qualifier.hasBinding()) {
6066         if (! qualifier.isUniformOrBuffer() && !qualifier.isTaskMemory())
6067             error(loc, "requires uniform or buffer storage qualifier", "binding", "");
6068     }
6069     if (qualifier.hasStream()) {
6070         if (!qualifier.isPipeOutput())
6071             error(loc, "can only be used on an output", "stream", "");
6072     }
6073     if (qualifier.hasXfb()) {
6074         if (!qualifier.isPipeOutput())
6075             error(loc, "can only be used on an output", "xfb layout qualifier", "");
6076     }
6077     if (qualifier.hasUniformLayout()) {
6078         if (! qualifier.isUniformOrBuffer() && !qualifier.isTaskMemory()) {
6079             if (qualifier.hasMatrix() || qualifier.hasPacking())
6080                 error(loc, "matrix or packing qualifiers can only be used on a uniform or buffer", "layout", "");
6081             if (qualifier.hasOffset() || qualifier.hasAlign())
6082                 error(loc, "offset/align can only be used on a uniform or buffer", "layout", "");
6083         }
6084     }
6085     if (qualifier.isPushConstant()) {
6086         if (qualifier.storage != EvqUniform)
6087             error(loc, "can only be used with a uniform", "push_constant", "");
6088         if (qualifier.hasSet())
6089             error(loc, "cannot be used with push_constant", "set", "");
6090     }
6091     if (qualifier.hasBufferReference()) {
6092         if (qualifier.storage != EvqBuffer)
6093             error(loc, "can only be used with buffer", "buffer_reference", "");
6094     }
6095     if (qualifier.isShaderRecord()) {
6096         if (qualifier.storage != EvqBuffer)
6097             error(loc, "can only be used with a buffer", "shaderRecordNV", "");
6098         if (qualifier.hasBinding())
6099             error(loc, "cannot be used with shaderRecordNV", "binding", "");
6100         if (qualifier.hasSet())
6101             error(loc, "cannot be used with shaderRecordNV", "set", "");
6102 
6103     }
6104     if (qualifier.storage == EvqHitAttr && qualifier.hasLayout()) {
6105         error(loc, "cannot apply layout qualifiers to hitAttributeNV variable", "hitAttributeNV", "");
6106     }
6107 }
6108 
6109 // For places that can't have shader-level layout qualifiers
checkNoShaderLayouts(const TSourceLoc & loc,const TShaderQualifiers & shaderQualifiers)6110 void TParseContext::checkNoShaderLayouts(const TSourceLoc& loc, const TShaderQualifiers& shaderQualifiers)
6111 {
6112 #ifndef GLSLANG_WEB
6113     const char* message = "can only apply to a standalone qualifier";
6114 
6115     if (shaderQualifiers.geometry != ElgNone)
6116         error(loc, message, TQualifier::getGeometryString(shaderQualifiers.geometry), "");
6117     if (shaderQualifiers.spacing != EvsNone)
6118         error(loc, message, TQualifier::getVertexSpacingString(shaderQualifiers.spacing), "");
6119     if (shaderQualifiers.order != EvoNone)
6120         error(loc, message, TQualifier::getVertexOrderString(shaderQualifiers.order), "");
6121     if (shaderQualifiers.pointMode)
6122         error(loc, message, "point_mode", "");
6123     if (shaderQualifiers.invocations != TQualifier::layoutNotSet)
6124         error(loc, message, "invocations", "");
6125     for (int i = 0; i < 3; ++i) {
6126         if (shaderQualifiers.localSize[i] > 1)
6127             error(loc, message, "local_size", "");
6128         if (shaderQualifiers.localSizeSpecId[i] != TQualifier::layoutNotSet)
6129             error(loc, message, "local_size id", "");
6130     }
6131     if (shaderQualifiers.vertices != TQualifier::layoutNotSet) {
6132         if (language == EShLangGeometry || language == EShLangMeshNV)
6133             error(loc, message, "max_vertices", "");
6134         else if (language == EShLangTessControl)
6135             error(loc, message, "vertices", "");
6136         else
6137             assert(0);
6138     }
6139     if (shaderQualifiers.earlyFragmentTests)
6140         error(loc, message, "early_fragment_tests", "");
6141     if (shaderQualifiers.postDepthCoverage)
6142         error(loc, message, "post_depth_coverage", "");
6143     if (shaderQualifiers.primitives != TQualifier::layoutNotSet) {
6144         if (language == EShLangMeshNV)
6145             error(loc, message, "max_primitives", "");
6146         else
6147             assert(0);
6148     }
6149     if (shaderQualifiers.hasBlendEquation())
6150         error(loc, message, "blend equation", "");
6151     if (shaderQualifiers.numViews != TQualifier::layoutNotSet)
6152         error(loc, message, "num_views", "");
6153     if (shaderQualifiers.interlockOrdering != EioNone)
6154         error(loc, message, TQualifier::getInterlockOrderingString(shaderQualifiers.interlockOrdering), "");
6155     if (shaderQualifiers.layoutPrimitiveCulling)
6156         error(loc, "can only be applied as standalone", "primitive_culling", "");
6157 #endif
6158 }
6159 
6160 // Correct and/or advance an object's offset layout qualifier.
fixOffset(const TSourceLoc & loc,TSymbol & symbol)6161 void TParseContext::fixOffset(const TSourceLoc& loc, TSymbol& symbol)
6162 {
6163     const TQualifier& qualifier = symbol.getType().getQualifier();
6164 #ifndef GLSLANG_WEB
6165     if (symbol.getType().isAtomic()) {
6166         if (qualifier.hasBinding() && (int)qualifier.layoutBinding < resources.maxAtomicCounterBindings) {
6167 
6168             // Set the offset
6169             int offset;
6170             if (qualifier.hasOffset())
6171                 offset = qualifier.layoutOffset;
6172             else
6173                 offset = atomicUintOffsets[qualifier.layoutBinding];
6174 
6175             if (offset % 4 != 0)
6176                 error(loc, "atomic counters offset should align based on 4:", "offset", "%d", offset);
6177 
6178             symbol.getWritableType().getQualifier().layoutOffset = offset;
6179 
6180             // Check for overlap
6181             int numOffsets = 4;
6182             if (symbol.getType().isArray()) {
6183                 if (symbol.getType().isSizedArray() && !symbol.getType().getArraySizes()->isInnerUnsized())
6184                     numOffsets *= symbol.getType().getCumulativeArraySize();
6185                 else {
6186                     // "It is a compile-time error to declare an unsized array of atomic_uint."
6187                     error(loc, "array must be explicitly sized", "atomic_uint", "");
6188                 }
6189             }
6190             int repeated = intermediate.addUsedOffsets(qualifier.layoutBinding, offset, numOffsets);
6191             if (repeated >= 0)
6192                 error(loc, "atomic counters sharing the same offset:", "offset", "%d", repeated);
6193 
6194             // Bump the default offset
6195             atomicUintOffsets[qualifier.layoutBinding] = offset + numOffsets;
6196         }
6197     }
6198 #endif
6199 }
6200 
6201 //
6202 // Look up a function name in the symbol table, and make sure it is a function.
6203 //
6204 // Return the function symbol if found, otherwise nullptr.
6205 //
findFunction(const TSourceLoc & loc,const TFunction & call,bool & builtIn)6206 const TFunction* TParseContext::findFunction(const TSourceLoc& loc, const TFunction& call, bool& builtIn)
6207 {
6208     if (symbolTable.isFunctionNameVariable(call.getName())) {
6209         error(loc, "can't use function syntax on variable", call.getName().c_str(), "");
6210         return nullptr;
6211     }
6212 
6213 #ifdef GLSLANG_WEB
6214     return findFunctionExact(loc, call, builtIn);
6215 #endif
6216 
6217     const TFunction* function = nullptr;
6218 
6219     // debugPrintfEXT has var args and is in the symbol table as "debugPrintfEXT()",
6220     // mangled to "debugPrintfEXT("
6221     if (call.getName() == "debugPrintfEXT") {
6222         TSymbol* symbol = symbolTable.find("debugPrintfEXT(", &builtIn);
6223         if (symbol)
6224             return symbol->getAsFunction();
6225     }
6226 
6227     bool explicitTypesEnabled = extensionTurnedOn(E_GL_EXT_shader_explicit_arithmetic_types) ||
6228                                 extensionTurnedOn(E_GL_EXT_shader_explicit_arithmetic_types_int8) ||
6229                                 extensionTurnedOn(E_GL_EXT_shader_explicit_arithmetic_types_int16) ||
6230                                 extensionTurnedOn(E_GL_EXT_shader_explicit_arithmetic_types_int32) ||
6231                                 extensionTurnedOn(E_GL_EXT_shader_explicit_arithmetic_types_int64) ||
6232                                 extensionTurnedOn(E_GL_EXT_shader_explicit_arithmetic_types_float16) ||
6233                                 extensionTurnedOn(E_GL_EXT_shader_explicit_arithmetic_types_float32) ||
6234                                 extensionTurnedOn(E_GL_EXT_shader_explicit_arithmetic_types_float64);
6235 
6236     if (isEsProfile())
6237         function = (extensionTurnedOn(E_GL_EXT_shader_implicit_conversions) && version >= 310) ?
6238                     findFunction120(loc, call, builtIn) : findFunctionExact(loc, call, builtIn);
6239     else if (version < 120)
6240         function = findFunctionExact(loc, call, builtIn);
6241     else if (version < 400)
6242         function = extensionTurnedOn(E_GL_ARB_gpu_shader_fp64) ? findFunction400(loc, call, builtIn) : findFunction120(loc, call, builtIn);
6243     else if (explicitTypesEnabled)
6244         function = findFunctionExplicitTypes(loc, call, builtIn);
6245     else
6246         function = findFunction400(loc, call, builtIn);
6247 
6248     return function;
6249 }
6250 
6251 // Function finding algorithm for ES and desktop 110.
findFunctionExact(const TSourceLoc & loc,const TFunction & call,bool & builtIn)6252 const TFunction* TParseContext::findFunctionExact(const TSourceLoc& loc, const TFunction& call, bool& builtIn)
6253 {
6254     TSymbol* symbol = symbolTable.find(call.getMangledName(), &builtIn);
6255     if (symbol == nullptr) {
6256         error(loc, "no matching overloaded function found", call.getName().c_str(), "");
6257 
6258         return nullptr;
6259     }
6260 
6261     return symbol->getAsFunction();
6262 }
6263 
6264 // Function finding algorithm for desktop versions 120 through 330.
findFunction120(const TSourceLoc & loc,const TFunction & call,bool & builtIn)6265 const TFunction* TParseContext::findFunction120(const TSourceLoc& loc, const TFunction& call, bool& builtIn)
6266 {
6267     // first, look for an exact match
6268     TSymbol* symbol = symbolTable.find(call.getMangledName(), &builtIn);
6269     if (symbol)
6270         return symbol->getAsFunction();
6271 
6272     // exact match not found, look through a list of overloaded functions of the same name
6273 
6274     // "If no exact match is found, then [implicit conversions] will be applied to find a match. Mismatched types
6275     // on input parameters (in or inout or default) must have a conversion from the calling argument type to the
6276     // formal parameter type. Mismatched types on output parameters (out or inout) must have a conversion
6277     // from the formal parameter type to the calling argument type.  When argument conversions are used to find
6278     // a match, it is a semantic error if there are multiple ways to apply these conversions to make the call match
6279     // more than one function."
6280 
6281     const TFunction* candidate = nullptr;
6282     TVector<const TFunction*> candidateList;
6283     symbolTable.findFunctionNameList(call.getMangledName(), candidateList, builtIn);
6284 
6285     for (auto it = candidateList.begin(); it != candidateList.end(); ++it) {
6286         const TFunction& function = *(*it);
6287 
6288         // to even be a potential match, number of arguments has to match
6289         if (call.getParamCount() != function.getParamCount())
6290             continue;
6291 
6292         bool possibleMatch = true;
6293         for (int i = 0; i < function.getParamCount(); ++i) {
6294             // same types is easy
6295             if (*function[i].type == *call[i].type)
6296                 continue;
6297 
6298             // We have a mismatch in type, see if it is implicitly convertible
6299 
6300             if (function[i].type->isArray() || call[i].type->isArray() ||
6301                 ! function[i].type->sameElementShape(*call[i].type))
6302                 possibleMatch = false;
6303             else {
6304                 // do direction-specific checks for conversion of basic type
6305                 if (function[i].type->getQualifier().isParamInput()) {
6306                     if (! intermediate.canImplicitlyPromote(call[i].type->getBasicType(), function[i].type->getBasicType()))
6307                         possibleMatch = false;
6308                 }
6309                 if (function[i].type->getQualifier().isParamOutput()) {
6310                     if (! intermediate.canImplicitlyPromote(function[i].type->getBasicType(), call[i].type->getBasicType()))
6311                         possibleMatch = false;
6312                 }
6313             }
6314             if (! possibleMatch)
6315                 break;
6316         }
6317         if (possibleMatch) {
6318             if (candidate) {
6319                 // our second match, meaning ambiguity
6320                 error(loc, "ambiguous function signature match: multiple signatures match under implicit type conversion", call.getName().c_str(), "");
6321             } else
6322                 candidate = &function;
6323         }
6324     }
6325 
6326     if (candidate == nullptr)
6327         error(loc, "no matching overloaded function found", call.getName().c_str(), "");
6328 
6329     return candidate;
6330 }
6331 
6332 // Function finding algorithm for desktop version 400 and above.
6333 //
6334 // "When function calls are resolved, an exact type match for all the arguments
6335 // is sought. If an exact match is found, all other functions are ignored, and
6336 // the exact match is used. If no exact match is found, then the implicit
6337 // conversions in section 4.1.10 Implicit Conversions will be applied to find
6338 // a match. Mismatched types on input parameters (in or inout or default) must
6339 // have a conversion from the calling argument type to the formal parameter type.
6340 // Mismatched types on output parameters (out or inout) must have a conversion
6341 // from the formal parameter type to the calling argument type.
6342 //
6343 // "If implicit conversions can be used to find more than one matching function,
6344 // a single best-matching function is sought. To determine a best match, the
6345 // conversions between calling argument and formal parameter types are compared
6346 // for each function argument and pair of matching functions. After these
6347 // comparisons are performed, each pair of matching functions are compared.
6348 // A function declaration A is considered a better match than function
6349 // declaration B if
6350 //
6351 //  * for at least one function argument, the conversion for that argument in A
6352 //    is better than the corresponding conversion in B; and
6353 //  * there is no function argument for which the conversion in B is better than
6354 //    the corresponding conversion in A.
6355 //
6356 // "If a single function declaration is considered a better match than every
6357 // other matching function declaration, it will be used. Otherwise, a
6358 // compile-time semantic error for an ambiguous overloaded function call occurs.
6359 //
6360 // "To determine whether the conversion for a single argument in one match is
6361 // better than that for another match, the following rules are applied, in order:
6362 //
6363 //  1. An exact match is better than a match involving any implicit conversion.
6364 //  2. A match involving an implicit conversion from float to double is better
6365 //     than a match involving any other implicit conversion.
6366 //  3. A match involving an implicit conversion from either int or uint to float
6367 //     is better than a match involving an implicit conversion from either int
6368 //     or uint to double.
6369 //
6370 // "If none of the rules above apply to a particular pair of conversions, neither
6371 // conversion is considered better than the other."
6372 //
findFunction400(const TSourceLoc & loc,const TFunction & call,bool & builtIn)6373 const TFunction* TParseContext::findFunction400(const TSourceLoc& loc, const TFunction& call, bool& builtIn)
6374 {
6375     // first, look for an exact match
6376     TSymbol* symbol = symbolTable.find(call.getMangledName(), &builtIn);
6377     if (symbol)
6378         return symbol->getAsFunction();
6379 
6380     // no exact match, use the generic selector, parameterized by the GLSL rules
6381 
6382     // create list of candidates to send
6383     TVector<const TFunction*> candidateList;
6384     symbolTable.findFunctionNameList(call.getMangledName(), candidateList, builtIn);
6385 
6386     // can 'from' convert to 'to'?
6387     const auto convertible = [this,builtIn](const TType& from, const TType& to, TOperator, int) -> bool {
6388         if (from == to)
6389             return true;
6390         if (from.coopMatParameterOK(to))
6391             return true;
6392         // Allow a sized array to be passed through an unsized array parameter, for coopMatLoad/Store functions
6393         if (builtIn && from.isArray() && to.isUnsizedArray()) {
6394             TType fromElementType(from, 0);
6395             TType toElementType(to, 0);
6396             if (fromElementType == toElementType)
6397                 return true;
6398         }
6399         if (from.isArray() || to.isArray() || ! from.sameElementShape(to))
6400             return false;
6401         if (from.isCoopMat() && to.isCoopMat())
6402             return from.sameCoopMatBaseType(to);
6403         return intermediate.canImplicitlyPromote(from.getBasicType(), to.getBasicType());
6404     };
6405 
6406     // Is 'to2' a better conversion than 'to1'?
6407     // Ties should not be considered as better.
6408     // Assumes 'convertible' already said true.
6409     const auto better = [](const TType& from, const TType& to1, const TType& to2) -> bool {
6410         // 1. exact match
6411         if (from == to2)
6412             return from != to1;
6413         if (from == to1)
6414             return false;
6415 
6416         // 2. float -> double is better
6417         if (from.getBasicType() == EbtFloat) {
6418             if (to2.getBasicType() == EbtDouble && to1.getBasicType() != EbtDouble)
6419                 return true;
6420         }
6421 
6422         // 3. -> float is better than -> double
6423         return to2.getBasicType() == EbtFloat && to1.getBasicType() == EbtDouble;
6424     };
6425 
6426     // for ambiguity reporting
6427     bool tie = false;
6428 
6429     // send to the generic selector
6430     const TFunction* bestMatch = selectFunction(candidateList, call, convertible, better, tie);
6431 
6432     if (bestMatch == nullptr)
6433         error(loc, "no matching overloaded function found", call.getName().c_str(), "");
6434     else if (tie)
6435         error(loc, "ambiguous best function under implicit type conversion", call.getName().c_str(), "");
6436 
6437     return bestMatch;
6438 }
6439 
6440 // "To determine whether the conversion for a single argument in one match
6441 //  is better than that for another match, the conversion is assigned of the
6442 //  three ranks ordered from best to worst:
6443 //   1. Exact match: no conversion.
6444 //    2. Promotion: integral or floating-point promotion.
6445 //    3. Conversion: integral conversion, floating-point conversion,
6446 //       floating-integral conversion.
6447 //  A conversion C1 is better than a conversion C2 if the rank of C1 is
6448 //  better than the rank of C2."
findFunctionExplicitTypes(const TSourceLoc & loc,const TFunction & call,bool & builtIn)6449 const TFunction* TParseContext::findFunctionExplicitTypes(const TSourceLoc& loc, const TFunction& call, bool& builtIn)
6450 {
6451     // first, look for an exact match
6452     TSymbol* symbol = symbolTable.find(call.getMangledName(), &builtIn);
6453     if (symbol)
6454         return symbol->getAsFunction();
6455 
6456     // no exact match, use the generic selector, parameterized by the GLSL rules
6457 
6458     // create list of candidates to send
6459     TVector<const TFunction*> candidateList;
6460     symbolTable.findFunctionNameList(call.getMangledName(), candidateList, builtIn);
6461 
6462     // can 'from' convert to 'to'?
6463     const auto convertible = [this,builtIn](const TType& from, const TType& to, TOperator, int) -> bool {
6464         if (from == to)
6465             return true;
6466         if (from.coopMatParameterOK(to))
6467             return true;
6468         // Allow a sized array to be passed through an unsized array parameter, for coopMatLoad/Store functions
6469         if (builtIn && from.isArray() && to.isUnsizedArray()) {
6470             TType fromElementType(from, 0);
6471             TType toElementType(to, 0);
6472             if (fromElementType == toElementType)
6473                 return true;
6474         }
6475         if (from.isArray() || to.isArray() || ! from.sameElementShape(to))
6476             return false;
6477         if (from.isCoopMat() && to.isCoopMat())
6478             return from.sameCoopMatBaseType(to);
6479         return intermediate.canImplicitlyPromote(from.getBasicType(), to.getBasicType());
6480     };
6481 
6482     // Is 'to2' a better conversion than 'to1'?
6483     // Ties should not be considered as better.
6484     // Assumes 'convertible' already said true.
6485     const auto better = [this](const TType& from, const TType& to1, const TType& to2) -> bool {
6486         // 1. exact match
6487         if (from == to2)
6488             return from != to1;
6489         if (from == to1)
6490             return false;
6491 
6492         // 2. Promotion (integral, floating-point) is better
6493         TBasicType from_type = from.getBasicType();
6494         TBasicType to1_type = to1.getBasicType();
6495         TBasicType to2_type = to2.getBasicType();
6496         bool isPromotion1 = (intermediate.isIntegralPromotion(from_type, to1_type) ||
6497                              intermediate.isFPPromotion(from_type, to1_type));
6498         bool isPromotion2 = (intermediate.isIntegralPromotion(from_type, to2_type) ||
6499                              intermediate.isFPPromotion(from_type, to2_type));
6500         if (isPromotion2)
6501             return !isPromotion1;
6502         if(isPromotion1)
6503             return false;
6504 
6505         // 3. Conversion (integral, floating-point , floating-integral)
6506         bool isConversion1 = (intermediate.isIntegralConversion(from_type, to1_type) ||
6507                               intermediate.isFPConversion(from_type, to1_type) ||
6508                               intermediate.isFPIntegralConversion(from_type, to1_type));
6509         bool isConversion2 = (intermediate.isIntegralConversion(from_type, to2_type) ||
6510                               intermediate.isFPConversion(from_type, to2_type) ||
6511                               intermediate.isFPIntegralConversion(from_type, to2_type));
6512 
6513         return isConversion2 && !isConversion1;
6514     };
6515 
6516     // for ambiguity reporting
6517     bool tie = false;
6518 
6519     // send to the generic selector
6520     const TFunction* bestMatch = selectFunction(candidateList, call, convertible, better, tie);
6521 
6522     if (bestMatch == nullptr)
6523         error(loc, "no matching overloaded function found", call.getName().c_str(), "");
6524     else if (tie)
6525         error(loc, "ambiguous best function under implicit type conversion", call.getName().c_str(), "");
6526 
6527     return bestMatch;
6528 }
6529 
6530 // When a declaration includes a type, but not a variable name, it can be used
6531 // to establish defaults.
declareTypeDefaults(const TSourceLoc & loc,const TPublicType & publicType)6532 void TParseContext::declareTypeDefaults(const TSourceLoc& loc, const TPublicType& publicType)
6533 {
6534 #ifndef GLSLANG_WEB
6535     if (publicType.basicType == EbtAtomicUint && publicType.qualifier.hasBinding()) {
6536         if (publicType.qualifier.layoutBinding >= (unsigned int)resources.maxAtomicCounterBindings) {
6537             error(loc, "atomic_uint binding is too large", "binding", "");
6538             return;
6539         }
6540 
6541         if(publicType.qualifier.hasOffset()) {
6542             atomicUintOffsets[publicType.qualifier.layoutBinding] = publicType.qualifier.layoutOffset;
6543         }
6544         return;
6545     }
6546 
6547     if (publicType.qualifier.hasLayout() && !publicType.qualifier.hasBufferReference())
6548         warn(loc, "useless application of layout qualifier", "layout", "");
6549 #endif
6550 }
6551 
6552 //
6553 // Do everything necessary to handle a variable (non-block) declaration.
6554 // Either redeclaring a variable, or making a new one, updating the symbol
6555 // table, and all error checking.
6556 //
6557 // Returns a subtree node that computes an initializer, if needed.
6558 // Returns nullptr if there is no code to execute for initialization.
6559 //
6560 // 'publicType' is the type part of the declaration (to the left)
6561 // 'arraySizes' is the arrayness tagged on the identifier (to the right)
6562 //
declareVariable(const TSourceLoc & loc,TString & identifier,const TPublicType & publicType,TArraySizes * arraySizes,TIntermTyped * initializer)6563 TIntermNode* TParseContext::declareVariable(const TSourceLoc& loc, TString& identifier, const TPublicType& publicType,
6564     TArraySizes* arraySizes, TIntermTyped* initializer)
6565 {
6566     // Make a fresh type that combines the characteristics from the individual
6567     // identifier syntax and the declaration-type syntax.
6568     TType type(publicType);
6569     type.transferArraySizes(arraySizes);
6570     type.copyArrayInnerSizes(publicType.arraySizes);
6571     arrayOfArrayVersionCheck(loc, type.getArraySizes());
6572 
6573     if (initializer) {
6574         if (type.getBasicType() == EbtRayQuery) {
6575             error(loc, "ray queries can only be initialized by using the rayQueryInitializeEXT intrinsic:", "=", identifier.c_str());
6576         }
6577     }
6578 
6579     if (type.isCoopMat()) {
6580         intermediate.setUseVulkanMemoryModel();
6581         intermediate.setUseStorageBuffer();
6582 
6583         if (!publicType.typeParameters || publicType.typeParameters->getNumDims() != 4) {
6584             error(loc, "expected four type parameters", identifier.c_str(), "");
6585         }
6586         if (publicType.typeParameters) {
6587             if (isTypeFloat(publicType.basicType) &&
6588                 publicType.typeParameters->getDimSize(0) != 16 &&
6589                 publicType.typeParameters->getDimSize(0) != 32 &&
6590                 publicType.typeParameters->getDimSize(0) != 64) {
6591                 error(loc, "expected 16, 32, or 64 bits for first type parameter", identifier.c_str(), "");
6592             }
6593             if (isTypeInt(publicType.basicType) &&
6594                 publicType.typeParameters->getDimSize(0) != 8 &&
6595                 publicType.typeParameters->getDimSize(0) != 32) {
6596                 error(loc, "expected 8 or 32 bits for first type parameter", identifier.c_str(), "");
6597             }
6598         }
6599 
6600     } else {
6601         if (publicType.typeParameters && publicType.typeParameters->getNumDims() != 0) {
6602             error(loc, "unexpected type parameters", identifier.c_str(), "");
6603         }
6604     }
6605 
6606     if (voidErrorCheck(loc, identifier, type.getBasicType()))
6607         return nullptr;
6608 
6609     if (initializer)
6610         rValueErrorCheck(loc, "initializer", initializer);
6611     else
6612         nonInitConstCheck(loc, identifier, type);
6613 
6614     samplerCheck(loc, type, identifier, initializer);
6615     transparentOpaqueCheck(loc, type, identifier);
6616 #ifndef GLSLANG_WEB
6617     atomicUintCheck(loc, type, identifier);
6618     accStructCheck(loc, type, identifier);
6619     checkAndResizeMeshViewDim(loc, type, /*isBlockMember*/ false);
6620 #endif
6621     if (type.getQualifier().storage == EvqConst && type.containsReference()) {
6622         error(loc, "variables with reference type can't have qualifier 'const'", "qualifier", "");
6623     }
6624 
6625     if (type.getQualifier().storage != EvqUniform && type.getQualifier().storage != EvqBuffer) {
6626         if (type.contains16BitFloat())
6627             requireFloat16Arithmetic(loc, "qualifier", "float16 types can only be in uniform block or buffer storage");
6628         if (type.contains16BitInt())
6629             requireInt16Arithmetic(loc, "qualifier", "(u)int16 types can only be in uniform block or buffer storage");
6630         if (type.contains8BitInt())
6631             requireInt8Arithmetic(loc, "qualifier", "(u)int8 types can only be in uniform block or buffer storage");
6632     }
6633 
6634     if (type.getQualifier().storage == EvqShared && type.containsCoopMat())
6635         error(loc, "qualifier", "Cooperative matrix types must not be used in shared memory", "");
6636 
6637     if (identifier != "gl_FragCoord" && (publicType.shaderQualifiers.originUpperLeft || publicType.shaderQualifiers.pixelCenterInteger))
6638         error(loc, "can only apply origin_upper_left and pixel_center_origin to gl_FragCoord", "layout qualifier", "");
6639     if (identifier != "gl_FragDepth" && publicType.shaderQualifiers.getDepth() != EldNone)
6640         error(loc, "can only apply depth layout to gl_FragDepth", "layout qualifier", "");
6641 
6642     // Check for redeclaration of built-ins and/or attempting to declare a reserved name
6643     TSymbol* symbol = redeclareBuiltinVariable(loc, identifier, type.getQualifier(), publicType.shaderQualifiers);
6644     if (symbol == nullptr)
6645         reservedErrorCheck(loc, identifier);
6646 
6647     inheritGlobalDefaults(type.getQualifier());
6648 
6649     // Declare the variable
6650     if (type.isArray()) {
6651         // Check that implicit sizing is only where allowed.
6652         arraySizesCheck(loc, type.getQualifier(), type.getArraySizes(), initializer, false);
6653 
6654         if (! arrayQualifierError(loc, type.getQualifier()) && ! arrayError(loc, type))
6655             declareArray(loc, identifier, type, symbol);
6656 
6657         if (initializer) {
6658             profileRequires(loc, ENoProfile, 120, E_GL_3DL_array_objects, "initializer");
6659             profileRequires(loc, EEsProfile, 300, nullptr, "initializer");
6660         }
6661     } else {
6662         // non-array case
6663         if (symbol == nullptr)
6664             symbol = declareNonArray(loc, identifier, type);
6665         else if (type != symbol->getType())
6666             error(loc, "cannot change the type of", "redeclaration", symbol->getName().c_str());
6667     }
6668 
6669     if (symbol == nullptr)
6670         return nullptr;
6671 
6672     // Deal with initializer
6673     TIntermNode* initNode = nullptr;
6674     if (symbol != nullptr && initializer) {
6675         TVariable* variable = symbol->getAsVariable();
6676         if (! variable) {
6677             error(loc, "initializer requires a variable, not a member", identifier.c_str(), "");
6678             return nullptr;
6679         }
6680         initNode = executeInitializer(loc, initializer, variable);
6681     }
6682 
6683     // look for errors in layout qualifier use
6684     layoutObjectCheck(loc, *symbol);
6685 
6686     // fix up
6687     fixOffset(loc, *symbol);
6688 
6689     return initNode;
6690 }
6691 
6692 // Pick up global defaults from the provide global defaults into dst.
inheritGlobalDefaults(TQualifier & dst) const6693 void TParseContext::inheritGlobalDefaults(TQualifier& dst) const
6694 {
6695 #ifndef GLSLANG_WEB
6696     if (dst.storage == EvqVaryingOut) {
6697         if (! dst.hasStream() && language == EShLangGeometry)
6698             dst.layoutStream = globalOutputDefaults.layoutStream;
6699         if (! dst.hasXfbBuffer())
6700             dst.layoutXfbBuffer = globalOutputDefaults.layoutXfbBuffer;
6701     }
6702 #endif
6703 }
6704 
6705 //
6706 // Make an internal-only variable whose name is for debug purposes only
6707 // and won't be searched for.  Callers will only use the return value to use
6708 // the variable, not the name to look it up.  It is okay if the name
6709 // is the same as other names; there won't be any conflict.
6710 //
makeInternalVariable(const char * name,const TType & type) const6711 TVariable* TParseContext::makeInternalVariable(const char* name, const TType& type) const
6712 {
6713     TString* nameString = NewPoolTString(name);
6714     TVariable* variable = new TVariable(nameString, type);
6715     symbolTable.makeInternalVariable(*variable);
6716 
6717     return variable;
6718 }
6719 
6720 //
6721 // Declare a non-array variable, the main point being there is no redeclaration
6722 // for resizing allowed.
6723 //
6724 // Return the successfully declared variable.
6725 //
declareNonArray(const TSourceLoc & loc,const TString & identifier,const TType & type)6726 TVariable* TParseContext::declareNonArray(const TSourceLoc& loc, const TString& identifier, const TType& type)
6727 {
6728     // make a new variable
6729     TVariable* variable = new TVariable(&identifier, type);
6730 
6731 #ifndef GLSLANG_WEB
6732     ioArrayCheck(loc, type, identifier);
6733 #endif
6734 
6735     // add variable to symbol table
6736     if (symbolTable.insert(*variable)) {
6737         if (symbolTable.atGlobalLevel())
6738             trackLinkage(*variable);
6739         return variable;
6740     }
6741 
6742     error(loc, "redefinition", variable->getName().c_str(), "");
6743     return nullptr;
6744 }
6745 
6746 //
6747 // Handle all types of initializers from the grammar.
6748 //
6749 // Returning nullptr just means there is no code to execute to handle the
6750 // initializer, which will, for example, be the case for constant initializers.
6751 //
executeInitializer(const TSourceLoc & loc,TIntermTyped * initializer,TVariable * variable)6752 TIntermNode* TParseContext::executeInitializer(const TSourceLoc& loc, TIntermTyped* initializer, TVariable* variable)
6753 {
6754     //
6755     // Identifier must be of type constant, a global, or a temporary, and
6756     // starting at version 120, desktop allows uniforms to have initializers.
6757     //
6758     TStorageQualifier qualifier = variable->getType().getQualifier().storage;
6759     if (! (qualifier == EvqTemporary || qualifier == EvqGlobal || qualifier == EvqConst ||
6760            (qualifier == EvqUniform && !isEsProfile() && version >= 120))) {
6761         error(loc, " cannot initialize this type of qualifier ", variable->getType().getStorageQualifierString(), "");
6762         return nullptr;
6763     }
6764     arrayObjectCheck(loc, variable->getType(), "array initializer");
6765 
6766     //
6767     // If the initializer was from braces { ... }, we convert the whole subtree to a
6768     // constructor-style subtree, allowing the rest of the code to operate
6769     // identically for both kinds of initializers.
6770     //
6771     // Type can't be deduced from the initializer list, so a skeletal type to
6772     // follow has to be passed in.  Constness and specialization-constness
6773     // should be deduced bottom up, not dictated by the skeletal type.
6774     //
6775     TType skeletalType;
6776     skeletalType.shallowCopy(variable->getType());
6777     skeletalType.getQualifier().makeTemporary();
6778 #ifndef GLSLANG_WEB
6779     initializer = convertInitializerList(loc, skeletalType, initializer);
6780 #endif
6781     if (! initializer) {
6782         // error recovery; don't leave const without constant values
6783         if (qualifier == EvqConst)
6784             variable->getWritableType().getQualifier().makeTemporary();
6785         return nullptr;
6786     }
6787 
6788     // Fix outer arrayness if variable is unsized, getting size from the initializer
6789     if (initializer->getType().isSizedArray() && variable->getType().isUnsizedArray())
6790         variable->getWritableType().changeOuterArraySize(initializer->getType().getOuterArraySize());
6791 
6792     // Inner arrayness can also get set by an initializer
6793     if (initializer->getType().isArrayOfArrays() && variable->getType().isArrayOfArrays() &&
6794         initializer->getType().getArraySizes()->getNumDims() ==
6795            variable->getType().getArraySizes()->getNumDims()) {
6796         // adopt unsized sizes from the initializer's sizes
6797         for (int d = 1; d < variable->getType().getArraySizes()->getNumDims(); ++d) {
6798             if (variable->getType().getArraySizes()->getDimSize(d) == UnsizedArraySize) {
6799                 variable->getWritableType().getArraySizes()->setDimSize(d,
6800                     initializer->getType().getArraySizes()->getDimSize(d));
6801             }
6802         }
6803     }
6804 
6805     // Uniforms require a compile-time constant initializer
6806     if (qualifier == EvqUniform && ! initializer->getType().getQualifier().isFrontEndConstant()) {
6807         error(loc, "uniform initializers must be constant", "=", "'%s'", variable->getType().getCompleteString().c_str());
6808         variable->getWritableType().getQualifier().makeTemporary();
6809         return nullptr;
6810     }
6811     // Global consts require a constant initializer (specialization constant is okay)
6812     if (qualifier == EvqConst && symbolTable.atGlobalLevel() && ! initializer->getType().getQualifier().isConstant()) {
6813         error(loc, "global const initializers must be constant", "=", "'%s'", variable->getType().getCompleteString().c_str());
6814         variable->getWritableType().getQualifier().makeTemporary();
6815         return nullptr;
6816     }
6817 
6818     // Const variables require a constant initializer, depending on version
6819     if (qualifier == EvqConst) {
6820         if (! initializer->getType().getQualifier().isConstant()) {
6821             const char* initFeature = "non-constant initializer";
6822             requireProfile(loc, ~EEsProfile, initFeature);
6823             profileRequires(loc, ~EEsProfile, 420, E_GL_ARB_shading_language_420pack, initFeature);
6824             variable->getWritableType().getQualifier().storage = EvqConstReadOnly;
6825             qualifier = EvqConstReadOnly;
6826         }
6827     } else {
6828         // Non-const global variables in ES need a const initializer.
6829         //
6830         // "In declarations of global variables with no storage qualifier or with a const
6831         // qualifier any initializer must be a constant expression."
6832         if (symbolTable.atGlobalLevel() && ! initializer->getType().getQualifier().isConstant()) {
6833             const char* initFeature = "non-constant global initializer (needs GL_EXT_shader_non_constant_global_initializers)";
6834             if (isEsProfile()) {
6835                 if (relaxedErrors() && ! extensionTurnedOn(E_GL_EXT_shader_non_constant_global_initializers))
6836                     warn(loc, "not allowed in this version", initFeature, "");
6837                 else
6838                     profileRequires(loc, EEsProfile, 0, E_GL_EXT_shader_non_constant_global_initializers, initFeature);
6839             }
6840         }
6841     }
6842 
6843     if (qualifier == EvqConst || qualifier == EvqUniform) {
6844         // Compile-time tagging of the variable with its constant value...
6845 
6846         initializer = intermediate.addConversion(EOpAssign, variable->getType(), initializer);
6847         if (! initializer || ! initializer->getType().getQualifier().isConstant() || variable->getType() != initializer->getType()) {
6848             error(loc, "non-matching or non-convertible constant type for const initializer",
6849                   variable->getType().getStorageQualifierString(), "");
6850             variable->getWritableType().getQualifier().makeTemporary();
6851             return nullptr;
6852         }
6853 
6854         // We either have a folded constant in getAsConstantUnion, or we have to use
6855         // the initializer's subtree in the AST to represent the computation of a
6856         // specialization constant.
6857         assert(initializer->getAsConstantUnion() || initializer->getType().getQualifier().isSpecConstant());
6858         if (initializer->getAsConstantUnion())
6859             variable->setConstArray(initializer->getAsConstantUnion()->getConstArray());
6860         else {
6861             // It's a specialization constant.
6862             variable->getWritableType().getQualifier().makeSpecConstant();
6863 
6864             // Keep the subtree that computes the specialization constant with the variable.
6865             // Later, a symbol node will adopt the subtree from the variable.
6866             variable->setConstSubtree(initializer);
6867         }
6868     } else {
6869         // normal assigning of a value to a variable...
6870         specializationCheck(loc, initializer->getType(), "initializer");
6871         TIntermSymbol* intermSymbol = intermediate.addSymbol(*variable, loc);
6872         TIntermTyped* initNode = intermediate.addAssign(EOpAssign, intermSymbol, initializer, loc);
6873         if (! initNode)
6874             assignError(loc, "=", intermSymbol->getCompleteString(), initializer->getCompleteString());
6875 
6876         return initNode;
6877     }
6878 
6879     return nullptr;
6880 }
6881 
6882 //
6883 // Reprocess any initializer-list (the  "{ ... }" syntax) parts of the
6884 // initializer.
6885 //
6886 // Need to hierarchically assign correct types and implicit
6887 // conversions. Will do this mimicking the same process used for
6888 // creating a constructor-style initializer, ensuring we get the
6889 // same form.  However, it has to in parallel walk the 'type'
6890 // passed in, as type cannot be deduced from an initializer list.
6891 //
convertInitializerList(const TSourceLoc & loc,const TType & type,TIntermTyped * initializer)6892 TIntermTyped* TParseContext::convertInitializerList(const TSourceLoc& loc, const TType& type, TIntermTyped* initializer)
6893 {
6894     // Will operate recursively.  Once a subtree is found that is constructor style,
6895     // everything below it is already good: Only the "top part" of the initializer
6896     // can be an initializer list, where "top part" can extend for several (or all) levels.
6897 
6898     // see if we have bottomed out in the tree within the initializer-list part
6899     TIntermAggregate* initList = initializer->getAsAggregate();
6900     if (! initList || initList->getOp() != EOpNull)
6901         return initializer;
6902 
6903     // Of the initializer-list set of nodes, need to process bottom up,
6904     // so recurse deep, then process on the way up.
6905 
6906     // Go down the tree here...
6907     if (type.isArray()) {
6908         // The type's array might be unsized, which could be okay, so base sizes on the size of the aggregate.
6909         // Later on, initializer execution code will deal with array size logic.
6910         TType arrayType;
6911         arrayType.shallowCopy(type);                     // sharing struct stuff is fine
6912         arrayType.copyArraySizes(*type.getArraySizes());  // but get a fresh copy of the array information, to edit below
6913 
6914         // edit array sizes to fill in unsized dimensions
6915         arrayType.changeOuterArraySize((int)initList->getSequence().size());
6916         TIntermTyped* firstInit = initList->getSequence()[0]->getAsTyped();
6917         if (arrayType.isArrayOfArrays() && firstInit->getType().isArray() &&
6918             arrayType.getArraySizes()->getNumDims() == firstInit->getType().getArraySizes()->getNumDims() + 1) {
6919             for (int d = 1; d < arrayType.getArraySizes()->getNumDims(); ++d) {
6920                 if (arrayType.getArraySizes()->getDimSize(d) == UnsizedArraySize)
6921                     arrayType.getArraySizes()->setDimSize(d, firstInit->getType().getArraySizes()->getDimSize(d - 1));
6922             }
6923         }
6924 
6925         TType elementType(arrayType, 0); // dereferenced type
6926         for (size_t i = 0; i < initList->getSequence().size(); ++i) {
6927             initList->getSequence()[i] = convertInitializerList(loc, elementType, initList->getSequence()[i]->getAsTyped());
6928             if (initList->getSequence()[i] == nullptr)
6929                 return nullptr;
6930         }
6931 
6932         return addConstructor(loc, initList, arrayType);
6933     } else if (type.isStruct()) {
6934         if (type.getStruct()->size() != initList->getSequence().size()) {
6935             error(loc, "wrong number of structure members", "initializer list", "");
6936             return nullptr;
6937         }
6938         for (size_t i = 0; i < type.getStruct()->size(); ++i) {
6939             initList->getSequence()[i] = convertInitializerList(loc, *(*type.getStruct())[i].type, initList->getSequence()[i]->getAsTyped());
6940             if (initList->getSequence()[i] == nullptr)
6941                 return nullptr;
6942         }
6943     } else if (type.isMatrix()) {
6944         if (type.getMatrixCols() != (int)initList->getSequence().size()) {
6945             error(loc, "wrong number of matrix columns:", "initializer list", type.getCompleteString().c_str());
6946             return nullptr;
6947         }
6948         TType vectorType(type, 0); // dereferenced type
6949         for (int i = 0; i < type.getMatrixCols(); ++i) {
6950             initList->getSequence()[i] = convertInitializerList(loc, vectorType, initList->getSequence()[i]->getAsTyped());
6951             if (initList->getSequence()[i] == nullptr)
6952                 return nullptr;
6953         }
6954     } else if (type.isVector()) {
6955         if (type.getVectorSize() != (int)initList->getSequence().size()) {
6956             error(loc, "wrong vector size (or rows in a matrix column):", "initializer list", type.getCompleteString().c_str());
6957             return nullptr;
6958         }
6959     } else {
6960         error(loc, "unexpected initializer-list type:", "initializer list", type.getCompleteString().c_str());
6961         return nullptr;
6962     }
6963 
6964     // Now that the subtree is processed, process this node as if the
6965     // initializer list is a set of arguments to a constructor.
6966     TIntermNode* emulatedConstructorArguments;
6967     if (initList->getSequence().size() == 1)
6968         emulatedConstructorArguments = initList->getSequence()[0];
6969     else
6970         emulatedConstructorArguments = initList;
6971     return addConstructor(loc, emulatedConstructorArguments, type);
6972 }
6973 
6974 //
6975 // Test for the correctness of the parameters passed to various constructor functions
6976 // and also convert them to the right data type, if allowed and required.
6977 //
6978 // 'node' is what to construct from.
6979 // 'type' is what type to construct.
6980 //
6981 // Returns nullptr for an error or the constructed node (aggregate or typed) for no error.
6982 //
addConstructor(const TSourceLoc & loc,TIntermNode * node,const TType & type)6983 TIntermTyped* TParseContext::addConstructor(const TSourceLoc& loc, TIntermNode* node, const TType& type)
6984 {
6985     if (node == nullptr || node->getAsTyped() == nullptr)
6986         return nullptr;
6987     rValueErrorCheck(loc, "constructor", node->getAsTyped());
6988 
6989     TIntermAggregate* aggrNode = node->getAsAggregate();
6990     TOperator op = intermediate.mapTypeToConstructorOp(type);
6991 
6992     // Combined texture-sampler constructors are completely semantic checked
6993     // in constructorTextureSamplerError()
6994     if (op == EOpConstructTextureSampler) {
6995         if (aggrNode->getSequence()[1]->getAsTyped()->getType().getSampler().shadow) {
6996             // Transfer depth into the texture (SPIR-V image) type, as a hint
6997             // for tools to know this texture/image is a depth image.
6998             aggrNode->getSequence()[0]->getAsTyped()->getWritableType().getSampler().shadow = true;
6999         }
7000         return intermediate.setAggregateOperator(aggrNode, op, type, loc);
7001     }
7002 
7003     TTypeList::const_iterator memberTypes;
7004     if (op == EOpConstructStruct)
7005         memberTypes = type.getStruct()->begin();
7006 
7007     TType elementType;
7008     if (type.isArray()) {
7009         TType dereferenced(type, 0);
7010         elementType.shallowCopy(dereferenced);
7011     } else
7012         elementType.shallowCopy(type);
7013 
7014     bool singleArg;
7015     if (aggrNode) {
7016         if (aggrNode->getOp() != EOpNull)
7017             singleArg = true;
7018         else
7019             singleArg = false;
7020     } else
7021         singleArg = true;
7022 
7023     TIntermTyped *newNode;
7024     if (singleArg) {
7025         // If structure constructor or array constructor is being called
7026         // for only one parameter inside the structure, we need to call constructAggregate function once.
7027         if (type.isArray())
7028             newNode = constructAggregate(node, elementType, 1, node->getLoc());
7029         else if (op == EOpConstructStruct)
7030             newNode = constructAggregate(node, *(*memberTypes).type, 1, node->getLoc());
7031         else
7032             newNode = constructBuiltIn(type, op, node->getAsTyped(), node->getLoc(), false);
7033 
7034         if (newNode && (type.isArray() || op == EOpConstructStruct))
7035             newNode = intermediate.setAggregateOperator(newNode, EOpConstructStruct, type, loc);
7036 
7037         return newNode;
7038     }
7039 
7040     //
7041     // Handle list of arguments.
7042     //
7043     TIntermSequence &sequenceVector = aggrNode->getSequence();    // Stores the information about the parameter to the constructor
7044     // if the structure constructor contains more than one parameter, then construct
7045     // each parameter
7046 
7047     int paramCount = 0;  // keeps track of the constructor parameter number being checked
7048 
7049     // for each parameter to the constructor call, check to see if the right type is passed or convert them
7050     // to the right type if possible (and allowed).
7051     // for structure constructors, just check if the right type is passed, no conversion is allowed.
7052     for (TIntermSequence::iterator p = sequenceVector.begin();
7053                                    p != sequenceVector.end(); p++, paramCount++) {
7054         if (type.isArray())
7055             newNode = constructAggregate(*p, elementType, paramCount+1, node->getLoc());
7056         else if (op == EOpConstructStruct)
7057             newNode = constructAggregate(*p, *(memberTypes[paramCount]).type, paramCount+1, node->getLoc());
7058         else
7059             newNode = constructBuiltIn(type, op, (*p)->getAsTyped(), node->getLoc(), true);
7060 
7061         if (newNode)
7062             *p = newNode;
7063         else
7064             return nullptr;
7065     }
7066 
7067     return intermediate.setAggregateOperator(aggrNode, op, type, loc);
7068 }
7069 
7070 // Function for constructor implementation. Calls addUnaryMath with appropriate EOp value
7071 // for the parameter to the constructor (passed to this function). Essentially, it converts
7072 // the parameter types correctly. If a constructor expects an int (like ivec2) and is passed a
7073 // float, then float is converted to int.
7074 //
7075 // Returns nullptr for an error or the constructed node.
7076 //
constructBuiltIn(const TType & type,TOperator op,TIntermTyped * node,const TSourceLoc & loc,bool subset)7077 TIntermTyped* TParseContext::constructBuiltIn(const TType& type, TOperator op, TIntermTyped* node, const TSourceLoc& loc,
7078     bool subset)
7079 {
7080     // If we are changing a matrix in both domain of basic type and to a non matrix,
7081     // do the shape change first (by default, below, basic type is changed before shape).
7082     // This avoids requesting a matrix of a new type that is going to be discarded anyway.
7083     // TODO: This could be generalized to more type combinations, but that would require
7084     // more extensive testing and full algorithm rework. For now, the need to do two changes makes
7085     // the recursive call work, and avoids the most egregious case of creating integer matrices.
7086     if (node->getType().isMatrix() && (type.isScalar() || type.isVector()) &&
7087             type.isFloatingDomain() != node->getType().isFloatingDomain()) {
7088         TType transitionType(node->getBasicType(), glslang::EvqTemporary, type.getVectorSize(), 0, 0, node->isVector());
7089         TOperator transitionOp = intermediate.mapTypeToConstructorOp(transitionType);
7090         node = constructBuiltIn(transitionType, transitionOp, node, loc, false);
7091     }
7092 
7093     TIntermTyped* newNode;
7094     TOperator basicOp;
7095 
7096     //
7097     // First, convert types as needed.
7098     //
7099     switch (op) {
7100     case EOpConstructVec2:
7101     case EOpConstructVec3:
7102     case EOpConstructVec4:
7103     case EOpConstructMat2x2:
7104     case EOpConstructMat2x3:
7105     case EOpConstructMat2x4:
7106     case EOpConstructMat3x2:
7107     case EOpConstructMat3x3:
7108     case EOpConstructMat3x4:
7109     case EOpConstructMat4x2:
7110     case EOpConstructMat4x3:
7111     case EOpConstructMat4x4:
7112     case EOpConstructFloat:
7113         basicOp = EOpConstructFloat;
7114         break;
7115 
7116     case EOpConstructIVec2:
7117     case EOpConstructIVec3:
7118     case EOpConstructIVec4:
7119     case EOpConstructInt:
7120         basicOp = EOpConstructInt;
7121         break;
7122 
7123     case EOpConstructUVec2:
7124         if (node->getType().getBasicType() == EbtReference) {
7125             requireExtensions(loc, 1, &E_GL_EXT_buffer_reference_uvec2, "reference conversion to uvec2");
7126             TIntermTyped* newNode = intermediate.addBuiltInFunctionCall(node->getLoc(), EOpConvPtrToUvec2, true, node,
7127                 type);
7128             return newNode;
7129         }
7130     case EOpConstructUVec3:
7131     case EOpConstructUVec4:
7132     case EOpConstructUint:
7133         basicOp = EOpConstructUint;
7134         break;
7135 
7136     case EOpConstructBVec2:
7137     case EOpConstructBVec3:
7138     case EOpConstructBVec4:
7139     case EOpConstructBool:
7140         basicOp = EOpConstructBool;
7141         break;
7142 
7143 #ifndef GLSLANG_WEB
7144 
7145     case EOpConstructDVec2:
7146     case EOpConstructDVec3:
7147     case EOpConstructDVec4:
7148     case EOpConstructDMat2x2:
7149     case EOpConstructDMat2x3:
7150     case EOpConstructDMat2x4:
7151     case EOpConstructDMat3x2:
7152     case EOpConstructDMat3x3:
7153     case EOpConstructDMat3x4:
7154     case EOpConstructDMat4x2:
7155     case EOpConstructDMat4x3:
7156     case EOpConstructDMat4x4:
7157     case EOpConstructDouble:
7158         basicOp = EOpConstructDouble;
7159         break;
7160 
7161     case EOpConstructF16Vec2:
7162     case EOpConstructF16Vec3:
7163     case EOpConstructF16Vec4:
7164     case EOpConstructF16Mat2x2:
7165     case EOpConstructF16Mat2x3:
7166     case EOpConstructF16Mat2x4:
7167     case EOpConstructF16Mat3x2:
7168     case EOpConstructF16Mat3x3:
7169     case EOpConstructF16Mat3x4:
7170     case EOpConstructF16Mat4x2:
7171     case EOpConstructF16Mat4x3:
7172     case EOpConstructF16Mat4x4:
7173     case EOpConstructFloat16:
7174         basicOp = EOpConstructFloat16;
7175         // 8/16-bit storage extensions don't support constructing composites of 8/16-bit types,
7176         // so construct a 32-bit type and convert
7177         if (!intermediate.getArithemeticFloat16Enabled()) {
7178             TType tempType(EbtFloat, EvqTemporary, type.getVectorSize());
7179             newNode = node;
7180             if (tempType != newNode->getType()) {
7181                 TOperator aggregateOp;
7182                 if (op == EOpConstructFloat16)
7183                     aggregateOp = EOpConstructFloat;
7184                 else
7185                     aggregateOp = (TOperator)(EOpConstructVec2 + op - EOpConstructF16Vec2);
7186                 newNode = intermediate.setAggregateOperator(newNode, aggregateOp, tempType, node->getLoc());
7187             }
7188             newNode = intermediate.addConversion(EbtFloat16, newNode);
7189             return newNode;
7190         }
7191         break;
7192 
7193     case EOpConstructI8Vec2:
7194     case EOpConstructI8Vec3:
7195     case EOpConstructI8Vec4:
7196     case EOpConstructInt8:
7197         basicOp = EOpConstructInt8;
7198         // 8/16-bit storage extensions don't support constructing composites of 8/16-bit types,
7199         // so construct a 32-bit type and convert
7200         if (!intermediate.getArithemeticInt8Enabled()) {
7201             TType tempType(EbtInt, EvqTemporary, type.getVectorSize());
7202             newNode = node;
7203             if (tempType != newNode->getType()) {
7204                 TOperator aggregateOp;
7205                 if (op == EOpConstructInt8)
7206                     aggregateOp = EOpConstructInt;
7207                 else
7208                     aggregateOp = (TOperator)(EOpConstructIVec2 + op - EOpConstructI8Vec2);
7209                 newNode = intermediate.setAggregateOperator(newNode, aggregateOp, tempType, node->getLoc());
7210             }
7211             newNode = intermediate.addConversion(EbtInt8, newNode);
7212             return newNode;
7213         }
7214         break;
7215 
7216     case EOpConstructU8Vec2:
7217     case EOpConstructU8Vec3:
7218     case EOpConstructU8Vec4:
7219     case EOpConstructUint8:
7220         basicOp = EOpConstructUint8;
7221         // 8/16-bit storage extensions don't support constructing composites of 8/16-bit types,
7222         // so construct a 32-bit type and convert
7223         if (!intermediate.getArithemeticInt8Enabled()) {
7224             TType tempType(EbtUint, EvqTemporary, type.getVectorSize());
7225             newNode = node;
7226             if (tempType != newNode->getType()) {
7227                 TOperator aggregateOp;
7228                 if (op == EOpConstructUint8)
7229                     aggregateOp = EOpConstructUint;
7230                 else
7231                     aggregateOp = (TOperator)(EOpConstructUVec2 + op - EOpConstructU8Vec2);
7232                 newNode = intermediate.setAggregateOperator(newNode, aggregateOp, tempType, node->getLoc());
7233             }
7234             newNode = intermediate.addConversion(EbtUint8, newNode);
7235             return newNode;
7236         }
7237         break;
7238 
7239     case EOpConstructI16Vec2:
7240     case EOpConstructI16Vec3:
7241     case EOpConstructI16Vec4:
7242     case EOpConstructInt16:
7243         basicOp = EOpConstructInt16;
7244         // 8/16-bit storage extensions don't support constructing composites of 8/16-bit types,
7245         // so construct a 32-bit type and convert
7246         if (!intermediate.getArithemeticInt16Enabled()) {
7247             TType tempType(EbtInt, EvqTemporary, type.getVectorSize());
7248             newNode = node;
7249             if (tempType != newNode->getType()) {
7250                 TOperator aggregateOp;
7251                 if (op == EOpConstructInt16)
7252                     aggregateOp = EOpConstructInt;
7253                 else
7254                     aggregateOp = (TOperator)(EOpConstructIVec2 + op - EOpConstructI16Vec2);
7255                 newNode = intermediate.setAggregateOperator(newNode, aggregateOp, tempType, node->getLoc());
7256             }
7257             newNode = intermediate.addConversion(EbtInt16, newNode);
7258             return newNode;
7259         }
7260         break;
7261 
7262     case EOpConstructU16Vec2:
7263     case EOpConstructU16Vec3:
7264     case EOpConstructU16Vec4:
7265     case EOpConstructUint16:
7266         basicOp = EOpConstructUint16;
7267         // 8/16-bit storage extensions don't support constructing composites of 8/16-bit types,
7268         // so construct a 32-bit type and convert
7269         if (!intermediate.getArithemeticInt16Enabled()) {
7270             TType tempType(EbtUint, EvqTemporary, type.getVectorSize());
7271             newNode = node;
7272             if (tempType != newNode->getType()) {
7273                 TOperator aggregateOp;
7274                 if (op == EOpConstructUint16)
7275                     aggregateOp = EOpConstructUint;
7276                 else
7277                     aggregateOp = (TOperator)(EOpConstructUVec2 + op - EOpConstructU16Vec2);
7278                 newNode = intermediate.setAggregateOperator(newNode, aggregateOp, tempType, node->getLoc());
7279             }
7280             newNode = intermediate.addConversion(EbtUint16, newNode);
7281             return newNode;
7282         }
7283         break;
7284 
7285     case EOpConstructI64Vec2:
7286     case EOpConstructI64Vec3:
7287     case EOpConstructI64Vec4:
7288     case EOpConstructInt64:
7289         basicOp = EOpConstructInt64;
7290         break;
7291 
7292     case EOpConstructUint64:
7293         if (type.isScalar() && node->getType().isReference()) {
7294             TIntermTyped* newNode = intermediate.addBuiltInFunctionCall(node->getLoc(), EOpConvPtrToUint64, true, node, type);
7295             return newNode;
7296         }
7297         // fall through
7298     case EOpConstructU64Vec2:
7299     case EOpConstructU64Vec3:
7300     case EOpConstructU64Vec4:
7301         basicOp = EOpConstructUint64;
7302         break;
7303 
7304     case EOpConstructNonuniform:
7305         // Make a nonuniform copy of node
7306         newNode = intermediate.addBuiltInFunctionCall(node->getLoc(), EOpCopyObject, true, node, type);
7307         return newNode;
7308 
7309     case EOpConstructReference:
7310         // construct reference from reference
7311         if (node->getType().isReference()) {
7312             newNode = intermediate.addBuiltInFunctionCall(node->getLoc(), EOpConstructReference, true, node, type);
7313             return newNode;
7314         // construct reference from uint64
7315         } else if (node->getType().isScalar() && node->getType().getBasicType() == EbtUint64) {
7316             TIntermTyped* newNode = intermediate.addBuiltInFunctionCall(node->getLoc(), EOpConvUint64ToPtr, true, node,
7317                 type);
7318             return newNode;
7319         // construct reference from uvec2
7320         } else if (node->getType().isVector() && node->getType().getBasicType() == EbtUint &&
7321                    node->getVectorSize() == 2) {
7322             requireExtensions(loc, 1, &E_GL_EXT_buffer_reference_uvec2, "uvec2 conversion to reference");
7323             TIntermTyped* newNode = intermediate.addBuiltInFunctionCall(node->getLoc(), EOpConvUvec2ToPtr, true, node,
7324                 type);
7325             return newNode;
7326         } else {
7327             return nullptr;
7328         }
7329 
7330     case EOpConstructCooperativeMatrix:
7331         if (!node->getType().isCoopMat()) {
7332             if (type.getBasicType() != node->getType().getBasicType()) {
7333                 node = intermediate.addConversion(type.getBasicType(), node);
7334                 if (node == nullptr)
7335                     return nullptr;
7336             }
7337             node = intermediate.setAggregateOperator(node, EOpConstructCooperativeMatrix, type, node->getLoc());
7338         } else {
7339             TOperator op = EOpNull;
7340             switch (type.getBasicType()) {
7341             default:
7342                 assert(0);
7343                 break;
7344             case EbtInt:
7345                 switch (node->getType().getBasicType()) {
7346                     case EbtFloat:   op = EOpConvFloatToInt;    break;
7347                     case EbtFloat16: op = EOpConvFloat16ToInt;  break;
7348                     case EbtUint8:   op = EOpConvUint8ToInt;    break;
7349                     case EbtInt8:    op = EOpConvInt8ToInt;     break;
7350                     case EbtUint:    op = EOpConvUintToInt;     break;
7351                     default: assert(0);
7352                 }
7353                 break;
7354             case EbtUint:
7355                 switch (node->getType().getBasicType()) {
7356                     case EbtFloat:   op = EOpConvFloatToUint;    break;
7357                     case EbtFloat16: op = EOpConvFloat16ToUint;  break;
7358                     case EbtUint8:   op = EOpConvUint8ToUint;    break;
7359                     case EbtInt8:    op = EOpConvInt8ToUint;     break;
7360                     case EbtInt:     op = EOpConvIntToUint;      break;
7361                     case EbtUint:    op = EOpConvUintToInt8;     break;
7362                     default: assert(0);
7363                 }
7364                 break;
7365             case EbtInt8:
7366                 switch (node->getType().getBasicType()) {
7367                     case EbtFloat:   op = EOpConvFloatToInt8;    break;
7368                     case EbtFloat16: op = EOpConvFloat16ToInt8;  break;
7369                     case EbtUint8:   op = EOpConvUint8ToInt8;    break;
7370                     case EbtInt:     op = EOpConvIntToInt8;      break;
7371                     case EbtUint:    op = EOpConvUintToInt8;     break;
7372                     default: assert(0);
7373                 }
7374                 break;
7375             case EbtUint8:
7376                 switch (node->getType().getBasicType()) {
7377                     case EbtFloat:   op = EOpConvFloatToUint8;   break;
7378                     case EbtFloat16: op = EOpConvFloat16ToUint8; break;
7379                     case EbtInt8:    op = EOpConvInt8ToUint8;    break;
7380                     case EbtInt:     op = EOpConvIntToUint8;     break;
7381                     case EbtUint:    op = EOpConvUintToUint8;    break;
7382                     default: assert(0);
7383                 }
7384                 break;
7385             case EbtFloat:
7386                 switch (node->getType().getBasicType()) {
7387                     case EbtFloat16: op = EOpConvFloat16ToFloat;  break;
7388                     case EbtInt8:    op = EOpConvInt8ToFloat;     break;
7389                     case EbtUint8:   op = EOpConvUint8ToFloat;    break;
7390                     case EbtInt:     op = EOpConvIntToFloat;      break;
7391                     case EbtUint:    op = EOpConvUintToFloat;     break;
7392                     default: assert(0);
7393                 }
7394                 break;
7395             case EbtFloat16:
7396                 switch (node->getType().getBasicType()) {
7397                     case EbtFloat:  op = EOpConvFloatToFloat16;  break;
7398                     case EbtInt8:   op = EOpConvInt8ToFloat16;   break;
7399                     case EbtUint8:  op = EOpConvUint8ToFloat16;  break;
7400                     case EbtInt:    op = EOpConvIntToFloat16;    break;
7401                     case EbtUint:   op = EOpConvUintToFloat16;   break;
7402                     default: assert(0);
7403                 }
7404                 break;
7405             }
7406 
7407             node = intermediate.addUnaryNode(op, node, node->getLoc(), type);
7408             // If it's a (non-specialization) constant, it must be folded.
7409             if (node->getAsUnaryNode()->getOperand()->getAsConstantUnion())
7410                 return node->getAsUnaryNode()->getOperand()->getAsConstantUnion()->fold(op, node->getType());
7411         }
7412 
7413         return node;
7414 
7415 #endif // GLSLANG_WEB
7416 
7417     default:
7418         error(loc, "unsupported construction", "", "");
7419 
7420         return nullptr;
7421     }
7422     newNode = intermediate.addUnaryMath(basicOp, node, node->getLoc());
7423     if (newNode == nullptr) {
7424         error(loc, "can't convert", "constructor", "");
7425         return nullptr;
7426     }
7427 
7428     //
7429     // Now, if there still isn't an operation to do the construction, and we need one, add one.
7430     //
7431 
7432     // Otherwise, skip out early.
7433     if (subset || (newNode != node && newNode->getType() == type))
7434         return newNode;
7435 
7436     // setAggregateOperator will insert a new node for the constructor, as needed.
7437     return intermediate.setAggregateOperator(newNode, op, type, loc);
7438 }
7439 
7440 // This function tests for the type of the parameters to the structure or array constructor. Raises
7441 // an error message if the expected type does not match the parameter passed to the constructor.
7442 //
7443 // Returns nullptr for an error or the input node itself if the expected and the given parameter types match.
7444 //
constructAggregate(TIntermNode * node,const TType & type,int paramCount,const TSourceLoc & loc)7445 TIntermTyped* TParseContext::constructAggregate(TIntermNode* node, const TType& type, int paramCount, const TSourceLoc& loc)
7446 {
7447     TIntermTyped* converted = intermediate.addConversion(EOpConstructStruct, type, node->getAsTyped());
7448     if (! converted || converted->getType() != type) {
7449         error(loc, "", "constructor", "cannot convert parameter %d from '%s' to '%s'", paramCount,
7450               node->getAsTyped()->getType().getCompleteString().c_str(), type.getCompleteString().c_str());
7451 
7452         return nullptr;
7453     }
7454 
7455     return converted;
7456 }
7457 
7458 // If a memory qualifier is present in 'to', also make it present in 'from'.
inheritMemoryQualifiers(const TQualifier & from,TQualifier & to)7459 void TParseContext::inheritMemoryQualifiers(const TQualifier& from, TQualifier& to)
7460 {
7461 #ifndef GLSLANG_WEB
7462     if (from.isReadOnly())
7463         to.readonly = from.readonly;
7464     if (from.isWriteOnly())
7465         to.writeonly = from.writeonly;
7466     if (from.coherent)
7467         to.coherent = from.coherent;
7468     if (from.volatil)
7469         to.volatil = from.volatil;
7470     if (from.restrict)
7471         to.restrict = from.restrict;
7472 #endif
7473 }
7474 
7475 //
7476 // Do everything needed to add an interface block.
7477 //
declareBlock(const TSourceLoc & loc,TTypeList & typeList,const TString * instanceName,TArraySizes * arraySizes)7478 void TParseContext::declareBlock(const TSourceLoc& loc, TTypeList& typeList, const TString* instanceName,
7479     TArraySizes* arraySizes)
7480 {
7481     blockStageIoCheck(loc, currentBlockQualifier);
7482     blockQualifierCheck(loc, currentBlockQualifier, instanceName != nullptr);
7483     if (arraySizes != nullptr) {
7484         arraySizesCheck(loc, currentBlockQualifier, arraySizes, nullptr, false);
7485         arrayOfArrayVersionCheck(loc, arraySizes);
7486         if (arraySizes->getNumDims() > 1)
7487             requireProfile(loc, ~EEsProfile, "array-of-array of block");
7488     }
7489 
7490     // Inherit and check member storage qualifiers WRT to the block-level qualifier.
7491     for (unsigned int member = 0; member < typeList.size(); ++member) {
7492         TType& memberType = *typeList[member].type;
7493         TQualifier& memberQualifier = memberType.getQualifier();
7494         const TSourceLoc& memberLoc = typeList[member].loc;
7495         globalQualifierFixCheck(memberLoc, memberQualifier);
7496         if (memberQualifier.storage != EvqTemporary && memberQualifier.storage != EvqGlobal && memberQualifier.storage != currentBlockQualifier.storage)
7497             error(memberLoc, "member storage qualifier cannot contradict block storage qualifier", memberType.getFieldName().c_str(), "");
7498         memberQualifier.storage = currentBlockQualifier.storage;
7499 #ifndef GLSLANG_WEB
7500         inheritMemoryQualifiers(currentBlockQualifier, memberQualifier);
7501         if (currentBlockQualifier.perPrimitiveNV)
7502             memberQualifier.perPrimitiveNV = currentBlockQualifier.perPrimitiveNV;
7503         if (currentBlockQualifier.perViewNV)
7504             memberQualifier.perViewNV = currentBlockQualifier.perViewNV;
7505         if (currentBlockQualifier.perTaskNV)
7506             memberQualifier.perTaskNV = currentBlockQualifier.perTaskNV;
7507 #endif
7508         if ((currentBlockQualifier.storage == EvqUniform || currentBlockQualifier.storage == EvqBuffer) && (memberQualifier.isInterpolation() || memberQualifier.isAuxiliary()))
7509             error(memberLoc, "member of uniform or buffer block cannot have an auxiliary or interpolation qualifier", memberType.getFieldName().c_str(), "");
7510         if (memberType.isArray())
7511             arraySizesCheck(memberLoc, currentBlockQualifier, memberType.getArraySizes(), nullptr, member == typeList.size() - 1);
7512         if (memberQualifier.hasOffset()) {
7513             if (spvVersion.spv == 0) {
7514                 profileRequires(memberLoc, ~EEsProfile, 440, E_GL_ARB_enhanced_layouts, "\"offset\" on block member");
7515                 profileRequires(memberLoc, EEsProfile, 300, E_GL_ARB_enhanced_layouts, "\"offset\" on block member");
7516             }
7517         }
7518 
7519         if (memberType.containsOpaque())
7520             error(memberLoc, "member of block cannot be or contain a sampler, image, or atomic_uint type", typeList[member].type->getFieldName().c_str(), "");
7521 
7522         if (memberType.containsCoopMat())
7523             error(memberLoc, "member of block cannot be or contain a cooperative matrix type", typeList[member].type->getFieldName().c_str(), "");
7524     }
7525 
7526     // This might be a redeclaration of a built-in block.  If so, redeclareBuiltinBlock() will
7527     // do all the rest.
7528     if (! symbolTable.atBuiltInLevel() && builtInName(*blockName)) {
7529         redeclareBuiltinBlock(loc, typeList, *blockName, instanceName, arraySizes);
7530         return;
7531     }
7532 
7533     // Not a redeclaration of a built-in; check that all names are user names.
7534     reservedErrorCheck(loc, *blockName);
7535     if (instanceName)
7536         reservedErrorCheck(loc, *instanceName);
7537     for (unsigned int member = 0; member < typeList.size(); ++member)
7538         reservedErrorCheck(typeList[member].loc, typeList[member].type->getFieldName());
7539 
7540     // Make default block qualification, and adjust the member qualifications
7541 
7542     TQualifier defaultQualification;
7543     switch (currentBlockQualifier.storage) {
7544     case EvqUniform:    defaultQualification = globalUniformDefaults;    break;
7545     case EvqBuffer:     defaultQualification = globalBufferDefaults;     break;
7546     case EvqVaryingIn:  defaultQualification = globalInputDefaults;      break;
7547     case EvqVaryingOut: defaultQualification = globalOutputDefaults;     break;
7548     default:            defaultQualification.clear();                    break;
7549     }
7550 
7551     // Special case for "push_constant uniform", which has a default of std430,
7552     // contrary to normal uniform defaults, and can't have a default tracked for it.
7553     if ((currentBlockQualifier.isPushConstant() && !currentBlockQualifier.hasPacking()) ||
7554         (currentBlockQualifier.isShaderRecord() && !currentBlockQualifier.hasPacking()))
7555         currentBlockQualifier.layoutPacking = ElpStd430;
7556 
7557     // Special case for "taskNV in/out", which has a default of std430,
7558     if (currentBlockQualifier.isTaskMemory() && !currentBlockQualifier.hasPacking())
7559         currentBlockQualifier.layoutPacking = ElpStd430;
7560 
7561     // fix and check for member layout qualifiers
7562 
7563     mergeObjectLayoutQualifiers(defaultQualification, currentBlockQualifier, true);
7564 
7565     // "The align qualifier can only be used on blocks or block members, and only for blocks declared with std140 or std430 layouts."
7566     if (currentBlockQualifier.hasAlign()) {
7567         if (defaultQualification.layoutPacking != ElpStd140 &&
7568             defaultQualification.layoutPacking != ElpStd430 &&
7569             defaultQualification.layoutPacking != ElpScalar) {
7570             error(loc, "can only be used with std140, std430, or scalar layout packing", "align", "");
7571             defaultQualification.layoutAlign = -1;
7572         }
7573     }
7574 
7575     bool memberWithLocation = false;
7576     bool memberWithoutLocation = false;
7577     bool memberWithPerViewQualifier = false;
7578     for (unsigned int member = 0; member < typeList.size(); ++member) {
7579         TQualifier& memberQualifier = typeList[member].type->getQualifier();
7580         const TSourceLoc& memberLoc = typeList[member].loc;
7581 #ifndef GLSLANG_WEB
7582         if (memberQualifier.hasStream()) {
7583             if (defaultQualification.layoutStream != memberQualifier.layoutStream)
7584                 error(memberLoc, "member cannot contradict block", "stream", "");
7585         }
7586 
7587         // "This includes a block's inheritance of the
7588         // current global default buffer, a block member's inheritance of the block's
7589         // buffer, and the requirement that any *xfb_buffer* declared on a block
7590         // member must match the buffer inherited from the block."
7591         if (memberQualifier.hasXfbBuffer()) {
7592             if (defaultQualification.layoutXfbBuffer != memberQualifier.layoutXfbBuffer)
7593                 error(memberLoc, "member cannot contradict block (or what block inherited from global)", "xfb_buffer", "");
7594         }
7595 #endif
7596 
7597         if (memberQualifier.hasPacking())
7598             error(memberLoc, "member of block cannot have a packing layout qualifier", typeList[member].type->getFieldName().c_str(), "");
7599         if (memberQualifier.hasLocation()) {
7600             const char* feature = "location on block member";
7601             switch (currentBlockQualifier.storage) {
7602 #ifndef GLSLANG_WEB
7603             case EvqVaryingIn:
7604             case EvqVaryingOut:
7605                 requireProfile(memberLoc, ECoreProfile | ECompatibilityProfile | EEsProfile, feature);
7606                 profileRequires(memberLoc, ECoreProfile | ECompatibilityProfile, 440, E_GL_ARB_enhanced_layouts, feature);
7607                 profileRequires(memberLoc, EEsProfile, 320, Num_AEP_shader_io_blocks, AEP_shader_io_blocks, feature);
7608                 memberWithLocation = true;
7609                 break;
7610 #endif
7611             default:
7612                 error(memberLoc, "can only use in an in/out block", feature, "");
7613                 break;
7614             }
7615         } else
7616             memberWithoutLocation = true;
7617 
7618         // "The offset qualifier can only be used on block members of blocks declared with std140 or std430 layouts."
7619         // "The align qualifier can only be used on blocks or block members, and only for blocks declared with std140 or std430 layouts."
7620         if (memberQualifier.hasAlign() || memberQualifier.hasOffset()) {
7621             if (defaultQualification.layoutPacking != ElpStd140 &&
7622                 defaultQualification.layoutPacking != ElpStd430 &&
7623                 defaultQualification.layoutPacking != ElpScalar)
7624                 error(memberLoc, "can only be used with std140, std430, or scalar layout packing", "offset/align", "");
7625         }
7626 
7627         if (memberQualifier.isPerView()) {
7628             memberWithPerViewQualifier = true;
7629         }
7630 
7631         TQualifier newMemberQualification = defaultQualification;
7632         mergeQualifiers(memberLoc, newMemberQualification, memberQualifier, false);
7633         memberQualifier = newMemberQualification;
7634     }
7635 
7636     layoutMemberLocationArrayCheck(loc, memberWithLocation, arraySizes);
7637 
7638 #ifndef GLSLANG_WEB
7639     // Ensure that the block has an XfbBuffer assigned. This is needed
7640     // because if the block has a XfbOffset assigned, then it is
7641     // assumed that it has implicitly assigned the current global
7642     // XfbBuffer, and because it's members need to be assigned a
7643     // XfbOffset if they lack it.
7644     if (currentBlockQualifier.storage == EvqVaryingOut && globalOutputDefaults.hasXfbBuffer()) {
7645        if (!currentBlockQualifier.hasXfbBuffer() && currentBlockQualifier.hasXfbOffset())
7646           currentBlockQualifier.layoutXfbBuffer = globalOutputDefaults.layoutXfbBuffer;
7647     }
7648 #endif
7649 
7650     // Process the members
7651     fixBlockLocations(loc, currentBlockQualifier, typeList, memberWithLocation, memberWithoutLocation);
7652     fixXfbOffsets(currentBlockQualifier, typeList);
7653     fixBlockUniformOffsets(currentBlockQualifier, typeList);
7654     fixBlockUniformLayoutMatrix(currentBlockQualifier, &typeList, nullptr);
7655     fixBlockUniformLayoutPacking(currentBlockQualifier, &typeList, nullptr);
7656     for (unsigned int member = 0; member < typeList.size(); ++member)
7657         layoutTypeCheck(typeList[member].loc, *typeList[member].type);
7658 
7659 #ifndef GLSLANG_WEB
7660     if (memberWithPerViewQualifier) {
7661         for (unsigned int member = 0; member < typeList.size(); ++member) {
7662             checkAndResizeMeshViewDim(typeList[member].loc, *typeList[member].type, /*isBlockMember*/ true);
7663         }
7664     }
7665 #endif
7666 
7667     // reverse merge, so that currentBlockQualifier now has all layout information
7668     // (can't use defaultQualification directly, it's missing other non-layout-default-class qualifiers)
7669     mergeObjectLayoutQualifiers(currentBlockQualifier, defaultQualification, true);
7670 
7671     //
7672     // Build and add the interface block as a new type named 'blockName'
7673     //
7674 
7675     TType blockType(&typeList, *blockName, currentBlockQualifier);
7676     if (arraySizes != nullptr)
7677         blockType.transferArraySizes(arraySizes);
7678 
7679 #ifndef GLSLANG_WEB
7680     if (arraySizes == nullptr)
7681         ioArrayCheck(loc, blockType, instanceName ? *instanceName : *blockName);
7682     if (currentBlockQualifier.hasBufferReference()) {
7683 
7684         if (currentBlockQualifier.storage != EvqBuffer)
7685             error(loc, "can only be used with buffer", "buffer_reference", "");
7686 
7687         // Create the block reference type. If it was forward-declared, detect that
7688         // as a referent struct type with no members. Replace the referent type with
7689         // blockType.
7690         TType blockNameType(EbtReference, blockType, *blockName);
7691         TVariable* blockNameVar = new TVariable(blockName, blockNameType, true);
7692         if (! symbolTable.insert(*blockNameVar)) {
7693             TSymbol* existingName = symbolTable.find(*blockName);
7694             if (existingName->getType().isReference() &&
7695                 existingName->getType().getReferentType()->getStruct() &&
7696                 existingName->getType().getReferentType()->getStruct()->size() == 0 &&
7697                 existingName->getType().getQualifier().storage == blockType.getQualifier().storage) {
7698                 existingName->getType().getReferentType()->deepCopy(blockType);
7699             } else {
7700                 error(loc, "block name cannot be redefined", blockName->c_str(), "");
7701             }
7702         }
7703         if (!instanceName) {
7704             return;
7705         }
7706     } else
7707 #endif
7708     {
7709         //
7710         // Don't make a user-defined type out of block name; that will cause an error
7711         // if the same block name gets reused in a different interface.
7712         //
7713         // "Block names have no other use within a shader
7714         // beyond interface matching; it is a compile-time error to use a block name at global scope for anything
7715         // other than as a block name (e.g., use of a block name for a global variable name or function name is
7716         // currently reserved)."
7717         //
7718         // Use the symbol table to prevent normal reuse of the block's name, as a variable entry,
7719         // whose type is EbtBlock, but without all the structure; that will come from the type
7720         // the instances point to.
7721         //
7722         TType blockNameType(EbtBlock, blockType.getQualifier().storage);
7723         TVariable* blockNameVar = new TVariable(blockName, blockNameType);
7724         if (! symbolTable.insert(*blockNameVar)) {
7725             TSymbol* existingName = symbolTable.find(*blockName);
7726             if (existingName->getType().getBasicType() == EbtBlock) {
7727                 if (existingName->getType().getQualifier().storage == blockType.getQualifier().storage) {
7728                     error(loc, "Cannot reuse block name within the same interface:", blockName->c_str(), blockType.getStorageQualifierString());
7729                     return;
7730                 }
7731             } else {
7732                 error(loc, "block name cannot redefine a non-block name", blockName->c_str(), "");
7733                 return;
7734             }
7735         }
7736     }
7737 
7738     // Add the variable, as anonymous or named instanceName.
7739     // Make an anonymous variable if no name was provided.
7740     if (! instanceName)
7741         instanceName = NewPoolTString("");
7742 
7743     TVariable& variable = *new TVariable(instanceName, blockType);
7744     if (! symbolTable.insert(variable)) {
7745         if (*instanceName == "")
7746             error(loc, "nameless block contains a member that already has a name at global scope", blockName->c_str(), "");
7747         else
7748             error(loc, "block instance name redefinition", variable.getName().c_str(), "");
7749 
7750         return;
7751     }
7752 
7753     // Check for general layout qualifier errors
7754     layoutObjectCheck(loc, variable);
7755 
7756 #ifndef GLSLANG_WEB
7757     // fix up
7758     if (isIoResizeArray(blockType)) {
7759         ioArraySymbolResizeList.push_back(&variable);
7760         checkIoArraysConsistency(loc, true);
7761     } else
7762         fixIoArraySize(loc, variable.getWritableType());
7763 #endif
7764 
7765     // Save it in the AST for linker use.
7766     trackLinkage(variable);
7767 }
7768 
7769 // Do all block-declaration checking regarding the combination of in/out/uniform/buffer
7770 // with a particular stage.
blockStageIoCheck(const TSourceLoc & loc,const TQualifier & qualifier)7771 void TParseContext::blockStageIoCheck(const TSourceLoc& loc, const TQualifier& qualifier)
7772 {
7773     const char *extsrt[2] = { E_GL_NV_ray_tracing, E_GL_EXT_ray_tracing };
7774     switch (qualifier.storage) {
7775     case EvqUniform:
7776         profileRequires(loc, EEsProfile, 300, nullptr, "uniform block");
7777         profileRequires(loc, ENoProfile, 140, E_GL_ARB_uniform_buffer_object, "uniform block");
7778         if (currentBlockQualifier.layoutPacking == ElpStd430 && ! currentBlockQualifier.isPushConstant())
7779             requireExtensions(loc, 1, &E_GL_EXT_scalar_block_layout, "std430 requires the buffer storage qualifier");
7780         break;
7781     case EvqBuffer:
7782         requireProfile(loc, EEsProfile | ECoreProfile | ECompatibilityProfile, "buffer block");
7783         profileRequires(loc, ECoreProfile | ECompatibilityProfile, 430, E_GL_ARB_shader_storage_buffer_object, "buffer block");
7784         profileRequires(loc, EEsProfile, 310, nullptr, "buffer block");
7785         break;
7786     case EvqVaryingIn:
7787         profileRequires(loc, ~EEsProfile, 150, E_GL_ARB_separate_shader_objects, "input block");
7788         // It is a compile-time error to have an input block in a vertex shader or an output block in a fragment shader
7789         // "Compute shaders do not permit user-defined input variables..."
7790         requireStage(loc, (EShLanguageMask)(EShLangTessControlMask|EShLangTessEvaluationMask|EShLangGeometryMask|
7791             EShLangFragmentMask|EShLangMeshNVMask), "input block");
7792         if (language == EShLangFragment) {
7793             profileRequires(loc, EEsProfile, 320, Num_AEP_shader_io_blocks, AEP_shader_io_blocks, "fragment input block");
7794         } else if (language == EShLangMeshNV && ! qualifier.isTaskMemory()) {
7795             error(loc, "input blocks cannot be used in a mesh shader", "out", "");
7796         }
7797         break;
7798     case EvqVaryingOut:
7799         profileRequires(loc, ~EEsProfile, 150, E_GL_ARB_separate_shader_objects, "output block");
7800         requireStage(loc, (EShLanguageMask)(EShLangVertexMask|EShLangTessControlMask|EShLangTessEvaluationMask|
7801             EShLangGeometryMask|EShLangMeshNVMask|EShLangTaskNVMask), "output block");
7802         // ES 310 can have a block before shader_io is turned on, so skip this test for built-ins
7803         if (language == EShLangVertex && ! parsingBuiltins) {
7804             profileRequires(loc, EEsProfile, 320, Num_AEP_shader_io_blocks, AEP_shader_io_blocks, "vertex output block");
7805         } else if (language == EShLangMeshNV && qualifier.isTaskMemory()) {
7806             error(loc, "can only use on input blocks in mesh shader", "taskNV", "");
7807         } else if (language == EShLangTaskNV && ! qualifier.isTaskMemory()) {
7808             error(loc, "output blocks cannot be used in a task shader", "out", "");
7809         }
7810         break;
7811 #ifndef GLSLANG_WEB
7812     case EvqPayload:
7813         profileRequires(loc, ~EEsProfile, 460, 2, extsrt, "rayPayloadNV block");
7814         requireStage(loc, (EShLanguageMask)(EShLangRayGenMask | EShLangAnyHitMask | EShLangClosestHitMask | EShLangMissMask),
7815             "rayPayloadNV block");
7816         break;
7817     case EvqPayloadIn:
7818         profileRequires(loc, ~EEsProfile, 460, 2, extsrt, "rayPayloadInNV block");
7819         requireStage(loc, (EShLanguageMask)(EShLangAnyHitMask | EShLangClosestHitMask | EShLangMissMask),
7820             "rayPayloadInNV block");
7821         break;
7822     case EvqHitAttr:
7823         profileRequires(loc, ~EEsProfile, 460, 2, extsrt, "hitAttributeNV block");
7824         requireStage(loc, (EShLanguageMask)(EShLangIntersectMask | EShLangAnyHitMask | EShLangClosestHitMask), "hitAttributeNV block");
7825         break;
7826     case EvqCallableData:
7827         profileRequires(loc, ~EEsProfile, 460, 2, extsrt, "callableDataNV block");
7828         requireStage(loc, (EShLanguageMask)(EShLangRayGenMask | EShLangClosestHitMask | EShLangMissMask | EShLangCallableMask),
7829             "callableDataNV block");
7830         break;
7831     case EvqCallableDataIn:
7832         profileRequires(loc, ~EEsProfile, 460, 2, extsrt, "callableDataInNV block");
7833         requireStage(loc, (EShLanguageMask)(EShLangCallableMask), "callableDataInNV block");
7834         break;
7835 #endif
7836     default:
7837         error(loc, "only uniform, buffer, in, or out blocks are supported", blockName->c_str(), "");
7838         break;
7839     }
7840 }
7841 
7842 // Do all block-declaration checking regarding its qualifiers.
blockQualifierCheck(const TSourceLoc & loc,const TQualifier & qualifier,bool)7843 void TParseContext::blockQualifierCheck(const TSourceLoc& loc, const TQualifier& qualifier, bool /*instanceName*/)
7844 {
7845     // The 4.5 specification says:
7846     //
7847     // interface-block :
7848     //    layout-qualifieropt interface-qualifier  block-name { member-list } instance-nameopt ;
7849     //
7850     // interface-qualifier :
7851     //    in
7852     //    out
7853     //    patch in
7854     //    patch out
7855     //    uniform
7856     //    buffer
7857     //
7858     // Note however memory qualifiers aren't included, yet the specification also says
7859     //
7860     // "...memory qualifiers may also be used in the declaration of shader storage blocks..."
7861 
7862     if (qualifier.isInterpolation())
7863         error(loc, "cannot use interpolation qualifiers on an interface block", "flat/smooth/noperspective", "");
7864     if (qualifier.centroid)
7865         error(loc, "cannot use centroid qualifier on an interface block", "centroid", "");
7866     if (qualifier.isSample())
7867         error(loc, "cannot use sample qualifier on an interface block", "sample", "");
7868     if (qualifier.invariant)
7869         error(loc, "cannot use invariant qualifier on an interface block", "invariant", "");
7870     if (qualifier.isPushConstant())
7871         intermediate.addPushConstantCount();
7872     if (qualifier.isShaderRecord())
7873         intermediate.addShaderRecordCount();
7874     if (qualifier.isTaskMemory())
7875         intermediate.addTaskNVCount();
7876 }
7877 
7878 //
7879 // "For a block, this process applies to the entire block, or until the first member
7880 // is reached that has a location layout qualifier. When a block member is declared with a location
7881 // qualifier, its location comes from that qualifier: The member's location qualifier overrides the block-level
7882 // declaration. Subsequent members are again assigned consecutive locations, based on the newest location,
7883 // until the next member declared with a location qualifier. The values used for locations do not have to be
7884 // declared in increasing order."
fixBlockLocations(const TSourceLoc & loc,TQualifier & qualifier,TTypeList & typeList,bool memberWithLocation,bool memberWithoutLocation)7885 void TParseContext::fixBlockLocations(const TSourceLoc& loc, TQualifier& qualifier, TTypeList& typeList, bool memberWithLocation, bool memberWithoutLocation)
7886 {
7887     // "If a block has no block-level location layout qualifier, it is required that either all or none of its members
7888     // have a location layout qualifier, or a compile-time error results."
7889     if (! qualifier.hasLocation() && memberWithLocation && memberWithoutLocation)
7890         error(loc, "either the block needs a location, or all members need a location, or no members have a location", "location", "");
7891     else {
7892         if (memberWithLocation) {
7893             // remove any block-level location and make it per *every* member
7894             int nextLocation = 0;  // by the rule above, initial value is not relevant
7895             if (qualifier.hasAnyLocation()) {
7896                 nextLocation = qualifier.layoutLocation;
7897                 qualifier.layoutLocation = TQualifier::layoutLocationEnd;
7898                 if (qualifier.hasComponent()) {
7899                     // "It is a compile-time error to apply the *component* qualifier to a ... block"
7900                     error(loc, "cannot apply to a block", "component", "");
7901                 }
7902                 if (qualifier.hasIndex()) {
7903                     error(loc, "cannot apply to a block", "index", "");
7904                 }
7905             }
7906             for (unsigned int member = 0; member < typeList.size(); ++member) {
7907                 TQualifier& memberQualifier = typeList[member].type->getQualifier();
7908                 const TSourceLoc& memberLoc = typeList[member].loc;
7909                 if (! memberQualifier.hasLocation()) {
7910                     if (nextLocation >= (int)TQualifier::layoutLocationEnd)
7911                         error(memberLoc, "location is too large", "location", "");
7912                     memberQualifier.layoutLocation = nextLocation;
7913                     memberQualifier.layoutComponent = TQualifier::layoutComponentEnd;
7914                 }
7915                 nextLocation = memberQualifier.layoutLocation + intermediate.computeTypeLocationSize(
7916                                     *typeList[member].type, language);
7917             }
7918         }
7919     }
7920 }
7921 
fixXfbOffsets(TQualifier & qualifier,TTypeList & typeList)7922 void TParseContext::fixXfbOffsets(TQualifier& qualifier, TTypeList& typeList)
7923 {
7924 #ifndef GLSLANG_WEB
7925     // "If a block is qualified with xfb_offset, all its
7926     // members are assigned transform feedback buffer offsets. If a block is not qualified with xfb_offset, any
7927     // members of that block not qualified with an xfb_offset will not be assigned transform feedback buffer
7928     // offsets."
7929 
7930     if (! qualifier.hasXfbBuffer() || ! qualifier.hasXfbOffset())
7931         return;
7932 
7933     int nextOffset = qualifier.layoutXfbOffset;
7934     for (unsigned int member = 0; member < typeList.size(); ++member) {
7935         TQualifier& memberQualifier = typeList[member].type->getQualifier();
7936         bool contains64BitType = false;
7937         bool contains32BitType = false;
7938         bool contains16BitType = false;
7939         int memberSize = intermediate.computeTypeXfbSize(*typeList[member].type, contains64BitType, contains32BitType, contains16BitType);
7940         // see if we need to auto-assign an offset to this member
7941         if (! memberQualifier.hasXfbOffset()) {
7942             // "if applied to an aggregate containing a double or 64-bit integer, the offset must also be a multiple of 8"
7943             if (contains64BitType)
7944                 RoundToPow2(nextOffset, 8);
7945             else if (contains32BitType)
7946                 RoundToPow2(nextOffset, 4);
7947             else if (contains16BitType)
7948                 RoundToPow2(nextOffset, 2);
7949             memberQualifier.layoutXfbOffset = nextOffset;
7950         } else
7951             nextOffset = memberQualifier.layoutXfbOffset;
7952         nextOffset += memberSize;
7953     }
7954 
7955     // The above gave all block members an offset, so we can take it off the block now,
7956     // which will avoid double counting the offset usage.
7957     qualifier.layoutXfbOffset = TQualifier::layoutXfbOffsetEnd;
7958 #endif
7959 }
7960 
7961 // Calculate and save the offset of each block member, using the recursively
7962 // defined block offset rules and the user-provided offset and align.
7963 //
7964 // Also, compute and save the total size of the block. For the block's size, arrayness
7965 // is not taken into account, as each element is backed by a separate buffer.
7966 //
fixBlockUniformOffsets(TQualifier & qualifier,TTypeList & typeList)7967 void TParseContext::fixBlockUniformOffsets(TQualifier& qualifier, TTypeList& typeList)
7968 {
7969     if (!qualifier.isUniformOrBuffer() && !qualifier.isTaskMemory())
7970         return;
7971     if (qualifier.layoutPacking != ElpStd140 && qualifier.layoutPacking != ElpStd430 && qualifier.layoutPacking != ElpScalar)
7972         return;
7973 
7974     int offset = 0;
7975     int memberSize;
7976     for (unsigned int member = 0; member < typeList.size(); ++member) {
7977         TQualifier& memberQualifier = typeList[member].type->getQualifier();
7978         const TSourceLoc& memberLoc = typeList[member].loc;
7979 
7980         // "When align is applied to an array, it effects only the start of the array, not the array's internal stride."
7981 
7982         // modify just the children's view of matrix layout, if there is one for this member
7983         TLayoutMatrix subMatrixLayout = typeList[member].type->getQualifier().layoutMatrix;
7984         int dummyStride;
7985         int memberAlignment = intermediate.getMemberAlignment(*typeList[member].type, memberSize, dummyStride, qualifier.layoutPacking,
7986                                                               subMatrixLayout != ElmNone ? subMatrixLayout == ElmRowMajor : qualifier.layoutMatrix == ElmRowMajor);
7987         if (memberQualifier.hasOffset()) {
7988             // "The specified offset must be a multiple
7989             // of the base alignment of the type of the block member it qualifies, or a compile-time error results."
7990             if (! IsMultipleOfPow2(memberQualifier.layoutOffset, memberAlignment))
7991                 error(memberLoc, "must be a multiple of the member's alignment", "offset", "");
7992 
7993             // GLSL: "It is a compile-time error to specify an offset that is smaller than the offset of the previous
7994             // member in the block or that lies within the previous member of the block"
7995             if (spvVersion.spv == 0) {
7996                 if (memberQualifier.layoutOffset < offset)
7997                     error(memberLoc, "cannot lie in previous members", "offset", "");
7998 
7999                 // "The offset qualifier forces the qualified member to start at or after the specified
8000                 // integral-constant expression, which will be its byte offset from the beginning of the buffer.
8001                 // "The actual offset of a member is computed as
8002                 // follows: If offset was declared, start with that offset, otherwise start with the next available offset."
8003                 offset = std::max(offset, memberQualifier.layoutOffset);
8004             } else {
8005                 // TODO: Vulkan: "It is a compile-time error to have any offset, explicit or assigned,
8006                 // that lies within another member of the block."
8007 
8008                 offset = memberQualifier.layoutOffset;
8009             }
8010         }
8011 
8012         // "The actual alignment of a member will be the greater of the specified align alignment and the standard
8013         // (e.g., std140) base alignment for the member's type."
8014         if (memberQualifier.hasAlign())
8015             memberAlignment = std::max(memberAlignment, memberQualifier.layoutAlign);
8016 
8017         // "If the resulting offset is not a multiple of the actual alignment,
8018         // increase it to the first offset that is a multiple of
8019         // the actual alignment."
8020         RoundToPow2(offset, memberAlignment);
8021         typeList[member].type->getQualifier().layoutOffset = offset;
8022         offset += memberSize;
8023     }
8024 }
8025 
8026 //
8027 // Spread LayoutMatrix to uniform block member, if a uniform block member is a struct,
8028 // we need spread LayoutMatrix to this struct member too. and keep this rule for recursive.
8029 //
fixBlockUniformLayoutMatrix(TQualifier & qualifier,TTypeList * originTypeList,TTypeList * tmpTypeList)8030 void TParseContext::fixBlockUniformLayoutMatrix(TQualifier& qualifier, TTypeList* originTypeList,
8031                                                 TTypeList* tmpTypeList)
8032 {
8033     assert(tmpTypeList == nullptr || originTypeList->size() == tmpTypeList->size());
8034     for (unsigned int member = 0; member < originTypeList->size(); ++member) {
8035         if (qualifier.layoutPacking != ElpNone) {
8036             if (tmpTypeList == nullptr) {
8037                 if (((*originTypeList)[member].type->isMatrix() ||
8038                      (*originTypeList)[member].type->getBasicType() == EbtStruct) &&
8039                     (*originTypeList)[member].type->getQualifier().layoutMatrix == ElmNone) {
8040                     (*originTypeList)[member].type->getQualifier().layoutMatrix = qualifier.layoutMatrix;
8041                 }
8042             } else {
8043                 if (((*tmpTypeList)[member].type->isMatrix() ||
8044                      (*tmpTypeList)[member].type->getBasicType() == EbtStruct) &&
8045                     (*tmpTypeList)[member].type->getQualifier().layoutMatrix == ElmNone) {
8046                     (*tmpTypeList)[member].type->getQualifier().layoutMatrix = qualifier.layoutMatrix;
8047                 }
8048             }
8049         }
8050 
8051         if ((*originTypeList)[member].type->getBasicType() == EbtStruct) {
8052             TQualifier* memberQualifier = nullptr;
8053             // block member can be declare a matrix style, so it should be update to the member's style
8054             if ((*originTypeList)[member].type->getQualifier().layoutMatrix == ElmNone) {
8055                 memberQualifier = &qualifier;
8056             } else {
8057                 memberQualifier = &((*originTypeList)[member].type->getQualifier());
8058             }
8059 
8060             const TType* tmpType = tmpTypeList == nullptr ?
8061                 (*originTypeList)[member].type->clone() : (*tmpTypeList)[member].type;
8062 
8063             fixBlockUniformLayoutMatrix(*memberQualifier, (*originTypeList)[member].type->getWritableStruct(),
8064                                         tmpType->getWritableStruct());
8065 
8066             const TTypeList* structure = recordStructCopy(matrixFixRecord, (*originTypeList)[member].type, tmpType);
8067 
8068             if (tmpTypeList == nullptr) {
8069                 (*originTypeList)[member].type->setStruct(const_cast<TTypeList*>(structure));
8070             }
8071             if (tmpTypeList != nullptr) {
8072                 (*tmpTypeList)[member].type->setStruct(const_cast<TTypeList*>(structure));
8073             }
8074         }
8075     }
8076 }
8077 
8078 //
8079 // Spread LayoutPacking to block member, if a  block member is a struct, we need spread LayoutPacking to
8080 // this struct member too. and keep this rule for recursive.
8081 //
fixBlockUniformLayoutPacking(TQualifier & qualifier,TTypeList * originTypeList,TTypeList * tmpTypeList)8082 void TParseContext::fixBlockUniformLayoutPacking(TQualifier& qualifier, TTypeList* originTypeList,
8083                                                  TTypeList* tmpTypeList)
8084 {
8085     assert(tmpTypeList == nullptr || originTypeList->size() == tmpTypeList->size());
8086     for (unsigned int member = 0; member < originTypeList->size(); ++member) {
8087         if (qualifier.layoutPacking != ElpNone) {
8088             if (tmpTypeList == nullptr) {
8089                 if ((*originTypeList)[member].type->getQualifier().layoutPacking == ElpNone) {
8090                     (*originTypeList)[member].type->getQualifier().layoutPacking = qualifier.layoutPacking;
8091                 }
8092             } else {
8093                 if ((*tmpTypeList)[member].type->getQualifier().layoutPacking == ElpNone) {
8094                     (*tmpTypeList)[member].type->getQualifier().layoutPacking = qualifier.layoutPacking;
8095                 }
8096             }
8097         }
8098 
8099         if ((*originTypeList)[member].type->getBasicType() == EbtStruct) {
8100             // Deep copy the type in pool.
8101             // Because, struct use in different block may have different layout qualifier.
8102             // We have to new a object to distinguish between them.
8103             const TType* tmpType = tmpTypeList == nullptr ?
8104                 (*originTypeList)[member].type->clone() : (*tmpTypeList)[member].type;
8105 
8106             fixBlockUniformLayoutPacking(qualifier, (*originTypeList)[member].type->getWritableStruct(),
8107                                          tmpType->getWritableStruct());
8108 
8109             const TTypeList* structure = recordStructCopy(packingFixRecord, (*originTypeList)[member].type, tmpType);
8110 
8111             if (tmpTypeList == nullptr) {
8112                 (*originTypeList)[member].type->setStruct(const_cast<TTypeList*>(structure));
8113             }
8114             if (tmpTypeList != nullptr) {
8115                 (*tmpTypeList)[member].type->setStruct(const_cast<TTypeList*>(structure));
8116             }
8117         }
8118     }
8119 }
8120 
8121 // For an identifier that is already declared, add more qualification to it.
addQualifierToExisting(const TSourceLoc & loc,TQualifier qualifier,const TString & identifier)8122 void TParseContext::addQualifierToExisting(const TSourceLoc& loc, TQualifier qualifier, const TString& identifier)
8123 {
8124     TSymbol* symbol = symbolTable.find(identifier);
8125 
8126     // A forward declaration of a block reference looks to the grammar like adding
8127     // a qualifier to an existing symbol. Detect this and create the block reference
8128     // type with an empty type list, which will be filled in later in
8129     // TParseContext::declareBlock.
8130     if (!symbol && qualifier.hasBufferReference()) {
8131         TTypeList typeList;
8132         TType blockType(&typeList, identifier, qualifier);;
8133         TType blockNameType(EbtReference, blockType, identifier);
8134         TVariable* blockNameVar = new TVariable(&identifier, blockNameType, true);
8135         if (! symbolTable.insert(*blockNameVar)) {
8136             error(loc, "block name cannot redefine a non-block name", blockName->c_str(), "");
8137         }
8138         return;
8139     }
8140 
8141     if (! symbol) {
8142         error(loc, "identifier not previously declared", identifier.c_str(), "");
8143         return;
8144     }
8145     if (symbol->getAsFunction()) {
8146         error(loc, "cannot re-qualify a function name", identifier.c_str(), "");
8147         return;
8148     }
8149 
8150     if (qualifier.isAuxiliary() ||
8151         qualifier.isMemory() ||
8152         qualifier.isInterpolation() ||
8153         qualifier.hasLayout() ||
8154         qualifier.storage != EvqTemporary ||
8155         qualifier.precision != EpqNone) {
8156         error(loc, "cannot add storage, auxiliary, memory, interpolation, layout, or precision qualifier to an existing variable", identifier.c_str(), "");
8157         return;
8158     }
8159 
8160     // For read-only built-ins, add a new symbol for holding the modified qualifier.
8161     // This will bring up an entire block, if a block type has to be modified (e.g., gl_Position inside a block)
8162     if (symbol->isReadOnly())
8163         symbol = symbolTable.copyUp(symbol);
8164 
8165     if (qualifier.invariant) {
8166         if (intermediate.inIoAccessed(identifier))
8167             error(loc, "cannot change qualification after use", "invariant", "");
8168         symbol->getWritableType().getQualifier().invariant = true;
8169         invariantCheck(loc, symbol->getType().getQualifier());
8170     } else if (qualifier.isNoContraction()) {
8171         if (intermediate.inIoAccessed(identifier))
8172             error(loc, "cannot change qualification after use", "precise", "");
8173         symbol->getWritableType().getQualifier().setNoContraction();
8174     } else if (qualifier.specConstant) {
8175         symbol->getWritableType().getQualifier().makeSpecConstant();
8176         if (qualifier.hasSpecConstantId())
8177             symbol->getWritableType().getQualifier().layoutSpecConstantId = qualifier.layoutSpecConstantId;
8178     } else
8179         warn(loc, "unknown requalification", "", "");
8180 }
8181 
addQualifierToExisting(const TSourceLoc & loc,TQualifier qualifier,TIdentifierList & identifiers)8182 void TParseContext::addQualifierToExisting(const TSourceLoc& loc, TQualifier qualifier, TIdentifierList& identifiers)
8183 {
8184     for (unsigned int i = 0; i < identifiers.size(); ++i)
8185         addQualifierToExisting(loc, qualifier, *identifiers[i]);
8186 }
8187 
8188 // Make sure 'invariant' isn't being applied to a non-allowed object.
invariantCheck(const TSourceLoc & loc,const TQualifier & qualifier)8189 void TParseContext::invariantCheck(const TSourceLoc& loc, const TQualifier& qualifier)
8190 {
8191     if (! qualifier.invariant)
8192         return;
8193 
8194     bool pipeOut = qualifier.isPipeOutput();
8195     bool pipeIn = qualifier.isPipeInput();
8196     if (version >= 300 || (!isEsProfile() && version >= 420)) {
8197         if (! pipeOut)
8198             error(loc, "can only apply to an output", "invariant", "");
8199     } else {
8200         if ((language == EShLangVertex && pipeIn) || (! pipeOut && ! pipeIn))
8201             error(loc, "can only apply to an output, or to an input in a non-vertex stage\n", "invariant", "");
8202     }
8203 }
8204 
8205 //
8206 // Updating default qualifier for the case of a declaration with just a qualifier,
8207 // no type, block, or identifier.
8208 //
updateStandaloneQualifierDefaults(const TSourceLoc & loc,const TPublicType & publicType)8209 void TParseContext::updateStandaloneQualifierDefaults(const TSourceLoc& loc, const TPublicType& publicType)
8210 {
8211 #ifndef GLSLANG_WEB
8212     if (publicType.shaderQualifiers.vertices != TQualifier::layoutNotSet) {
8213         assert(language == EShLangTessControl || language == EShLangGeometry || language == EShLangMeshNV);
8214         const char* id = (language == EShLangTessControl) ? "vertices" : "max_vertices";
8215 
8216         if (publicType.qualifier.storage != EvqVaryingOut)
8217             error(loc, "can only apply to 'out'", id, "");
8218         if (! intermediate.setVertices(publicType.shaderQualifiers.vertices))
8219             error(loc, "cannot change previously set layout value", id, "");
8220 
8221         if (language == EShLangTessControl)
8222             checkIoArraysConsistency(loc);
8223     }
8224     if (publicType.shaderQualifiers.primitives != TQualifier::layoutNotSet) {
8225         assert(language == EShLangMeshNV);
8226         const char* id = "max_primitives";
8227 
8228         if (publicType.qualifier.storage != EvqVaryingOut)
8229             error(loc, "can only apply to 'out'", id, "");
8230         if (! intermediate.setPrimitives(publicType.shaderQualifiers.primitives))
8231             error(loc, "cannot change previously set layout value", id, "");
8232     }
8233     if (publicType.shaderQualifiers.invocations != TQualifier::layoutNotSet) {
8234         if (publicType.qualifier.storage != EvqVaryingIn)
8235             error(loc, "can only apply to 'in'", "invocations", "");
8236         if (! intermediate.setInvocations(publicType.shaderQualifiers.invocations))
8237             error(loc, "cannot change previously set layout value", "invocations", "");
8238     }
8239     if (publicType.shaderQualifiers.geometry != ElgNone) {
8240         if (publicType.qualifier.storage == EvqVaryingIn) {
8241             switch (publicType.shaderQualifiers.geometry) {
8242             case ElgPoints:
8243             case ElgLines:
8244             case ElgLinesAdjacency:
8245             case ElgTriangles:
8246             case ElgTrianglesAdjacency:
8247             case ElgQuads:
8248             case ElgIsolines:
8249                 if (language == EShLangMeshNV) {
8250                     error(loc, "cannot apply to input", TQualifier::getGeometryString(publicType.shaderQualifiers.geometry), "");
8251                     break;
8252                 }
8253                 if (intermediate.setInputPrimitive(publicType.shaderQualifiers.geometry)) {
8254                     if (language == EShLangGeometry)
8255                         checkIoArraysConsistency(loc);
8256                 } else
8257                     error(loc, "cannot change previously set input primitive", TQualifier::getGeometryString(publicType.shaderQualifiers.geometry), "");
8258                 break;
8259             default:
8260                 error(loc, "cannot apply to input", TQualifier::getGeometryString(publicType.shaderQualifiers.geometry), "");
8261             }
8262         } else if (publicType.qualifier.storage == EvqVaryingOut) {
8263             switch (publicType.shaderQualifiers.geometry) {
8264             case ElgLines:
8265             case ElgTriangles:
8266                 if (language != EShLangMeshNV) {
8267                     error(loc, "cannot apply to 'out'", TQualifier::getGeometryString(publicType.shaderQualifiers.geometry), "");
8268                     break;
8269                 }
8270                 // Fall through
8271             case ElgPoints:
8272             case ElgLineStrip:
8273             case ElgTriangleStrip:
8274                 if (! intermediate.setOutputPrimitive(publicType.shaderQualifiers.geometry))
8275                     error(loc, "cannot change previously set output primitive", TQualifier::getGeometryString(publicType.shaderQualifiers.geometry), "");
8276                 break;
8277             default:
8278                 error(loc, "cannot apply to 'out'", TQualifier::getGeometryString(publicType.shaderQualifiers.geometry), "");
8279             }
8280         } else
8281             error(loc, "cannot apply to:", TQualifier::getGeometryString(publicType.shaderQualifiers.geometry), GetStorageQualifierString(publicType.qualifier.storage));
8282     }
8283     if (publicType.shaderQualifiers.spacing != EvsNone) {
8284         if (publicType.qualifier.storage == EvqVaryingIn) {
8285             if (! intermediate.setVertexSpacing(publicType.shaderQualifiers.spacing))
8286                 error(loc, "cannot change previously set vertex spacing", TQualifier::getVertexSpacingString(publicType.shaderQualifiers.spacing), "");
8287         } else
8288             error(loc, "can only apply to 'in'", TQualifier::getVertexSpacingString(publicType.shaderQualifiers.spacing), "");
8289     }
8290     if (publicType.shaderQualifiers.order != EvoNone) {
8291         if (publicType.qualifier.storage == EvqVaryingIn) {
8292             if (! intermediate.setVertexOrder(publicType.shaderQualifiers.order))
8293                 error(loc, "cannot change previously set vertex order", TQualifier::getVertexOrderString(publicType.shaderQualifiers.order), "");
8294         } else
8295             error(loc, "can only apply to 'in'", TQualifier::getVertexOrderString(publicType.shaderQualifiers.order), "");
8296     }
8297     if (publicType.shaderQualifiers.pointMode) {
8298         if (publicType.qualifier.storage == EvqVaryingIn)
8299             intermediate.setPointMode();
8300         else
8301             error(loc, "can only apply to 'in'", "point_mode", "");
8302     }
8303 #endif
8304     for (int i = 0; i < 3; ++i) {
8305         if (publicType.shaderQualifiers.localSizeNotDefault[i]) {
8306             if (publicType.qualifier.storage == EvqVaryingIn) {
8307                 if (! intermediate.setLocalSize(i, publicType.shaderQualifiers.localSize[i]))
8308                     error(loc, "cannot change previously set size", "local_size", "");
8309                 else {
8310                     int max = 0;
8311                     if (language == EShLangCompute) {
8312                         switch (i) {
8313                         case 0: max = resources.maxComputeWorkGroupSizeX; break;
8314                         case 1: max = resources.maxComputeWorkGroupSizeY; break;
8315                         case 2: max = resources.maxComputeWorkGroupSizeZ; break;
8316                         default: break;
8317                         }
8318                         if (intermediate.getLocalSize(i) > (unsigned int)max)
8319                             error(loc, "too large; see gl_MaxComputeWorkGroupSize", "local_size", "");
8320                     }
8321 #ifndef GLSLANG_WEB
8322                     else if (language == EShLangMeshNV) {
8323                         switch (i) {
8324                         case 0: max = resources.maxMeshWorkGroupSizeX_NV; break;
8325                         case 1: max = resources.maxMeshWorkGroupSizeY_NV; break;
8326                         case 2: max = resources.maxMeshWorkGroupSizeZ_NV; break;
8327                         default: break;
8328                         }
8329                         if (intermediate.getLocalSize(i) > (unsigned int)max)
8330                             error(loc, "too large; see gl_MaxMeshWorkGroupSizeNV", "local_size", "");
8331                     } else if (language == EShLangTaskNV) {
8332                         switch (i) {
8333                         case 0: max = resources.maxTaskWorkGroupSizeX_NV; break;
8334                         case 1: max = resources.maxTaskWorkGroupSizeY_NV; break;
8335                         case 2: max = resources.maxTaskWorkGroupSizeZ_NV; break;
8336                         default: break;
8337                         }
8338                         if (intermediate.getLocalSize(i) > (unsigned int)max)
8339                             error(loc, "too large; see gl_MaxTaskWorkGroupSizeNV", "local_size", "");
8340                     }
8341 #endif
8342                     else {
8343                         assert(0);
8344                     }
8345 
8346                     // Fix the existing constant gl_WorkGroupSize with this new information.
8347                     TVariable* workGroupSize = getEditableVariable("gl_WorkGroupSize");
8348                     if (workGroupSize != nullptr)
8349                         workGroupSize->getWritableConstArray()[i].setUConst(intermediate.getLocalSize(i));
8350                 }
8351             } else
8352                 error(loc, "can only apply to 'in'", "local_size", "");
8353         }
8354         if (publicType.shaderQualifiers.localSizeSpecId[i] != TQualifier::layoutNotSet) {
8355             if (publicType.qualifier.storage == EvqVaryingIn) {
8356                 if (! intermediate.setLocalSizeSpecId(i, publicType.shaderQualifiers.localSizeSpecId[i]))
8357                     error(loc, "cannot change previously set size", "local_size", "");
8358             } else
8359                 error(loc, "can only apply to 'in'", "local_size id", "");
8360             // Set the workgroup built-in variable as a specialization constant
8361             TVariable* workGroupSize = getEditableVariable("gl_WorkGroupSize");
8362             if (workGroupSize != nullptr)
8363                 workGroupSize->getWritableType().getQualifier().specConstant = true;
8364         }
8365     }
8366 
8367 #ifndef GLSLANG_WEB
8368     if (publicType.shaderQualifiers.earlyFragmentTests) {
8369         if (publicType.qualifier.storage == EvqVaryingIn)
8370             intermediate.setEarlyFragmentTests();
8371         else
8372             error(loc, "can only apply to 'in'", "early_fragment_tests", "");
8373     }
8374     if (publicType.shaderQualifiers.postDepthCoverage) {
8375         if (publicType.qualifier.storage == EvqVaryingIn)
8376             intermediate.setPostDepthCoverage();
8377         else
8378             error(loc, "can only apply to 'in'", "post_coverage_coverage", "");
8379     }
8380     if (publicType.shaderQualifiers.hasBlendEquation()) {
8381         if (publicType.qualifier.storage != EvqVaryingOut)
8382             error(loc, "can only apply to 'out'", "blend equation", "");
8383     }
8384     if (publicType.shaderQualifiers.interlockOrdering) {
8385         if (publicType.qualifier.storage == EvqVaryingIn) {
8386             if (!intermediate.setInterlockOrdering(publicType.shaderQualifiers.interlockOrdering))
8387                 error(loc, "cannot change previously set fragment shader interlock ordering", TQualifier::getInterlockOrderingString(publicType.shaderQualifiers.interlockOrdering), "");
8388         }
8389         else
8390             error(loc, "can only apply to 'in'", TQualifier::getInterlockOrderingString(publicType.shaderQualifiers.interlockOrdering), "");
8391     }
8392 
8393     if (publicType.shaderQualifiers.layoutDerivativeGroupQuads &&
8394         publicType.shaderQualifiers.layoutDerivativeGroupLinear) {
8395         error(loc, "cannot be both specified", "derivative_group_quadsNV and derivative_group_linearNV", "");
8396     }
8397 
8398     if (publicType.shaderQualifiers.layoutDerivativeGroupQuads) {
8399         if (publicType.qualifier.storage == EvqVaryingIn) {
8400             if ((intermediate.getLocalSize(0) & 1) ||
8401                 (intermediate.getLocalSize(1) & 1))
8402                 error(loc, "requires local_size_x and local_size_y to be multiple of two", "derivative_group_quadsNV", "");
8403             else
8404                 intermediate.setLayoutDerivativeMode(LayoutDerivativeGroupQuads);
8405         }
8406         else
8407             error(loc, "can only apply to 'in'", "derivative_group_quadsNV", "");
8408     }
8409     if (publicType.shaderQualifiers.layoutDerivativeGroupLinear) {
8410         if (publicType.qualifier.storage == EvqVaryingIn) {
8411             if((intermediate.getLocalSize(0) *
8412                 intermediate.getLocalSize(1) *
8413                 intermediate.getLocalSize(2)) % 4 != 0)
8414                 error(loc, "requires total group size to be multiple of four", "derivative_group_linearNV", "");
8415             else
8416                 intermediate.setLayoutDerivativeMode(LayoutDerivativeGroupLinear);
8417         }
8418         else
8419             error(loc, "can only apply to 'in'", "derivative_group_linearNV", "");
8420     }
8421     // Check mesh out array sizes, once all the necessary out qualifiers are defined.
8422     if ((language == EShLangMeshNV) &&
8423         (intermediate.getVertices() != TQualifier::layoutNotSet) &&
8424         (intermediate.getPrimitives() != TQualifier::layoutNotSet) &&
8425         (intermediate.getOutputPrimitive() != ElgNone))
8426     {
8427         checkIoArraysConsistency(loc);
8428     }
8429 
8430     if (publicType.shaderQualifiers.layoutPrimitiveCulling) {
8431         if (publicType.qualifier.storage != EvqTemporary)
8432             error(loc, "layout qualifier can not have storage qualifiers", "primitive_culling","", "");
8433         else {
8434             intermediate.setLayoutPrimitiveCulling();
8435         }
8436         // Exit early as further checks are not valid
8437         return;
8438     }
8439 #endif
8440     const TQualifier& qualifier = publicType.qualifier;
8441 
8442     if (qualifier.isAuxiliary() ||
8443         qualifier.isMemory() ||
8444         qualifier.isInterpolation() ||
8445         qualifier.precision != EpqNone)
8446         error(loc, "cannot use auxiliary, memory, interpolation, or precision qualifier in a default qualifier declaration (declaration with no type)", "qualifier", "");
8447 
8448     // "The offset qualifier can only be used on block members of blocks..."
8449     // "The align qualifier can only be used on blocks or block members..."
8450     if (qualifier.hasOffset() ||
8451         qualifier.hasAlign())
8452         error(loc, "cannot use offset or align qualifiers in a default qualifier declaration (declaration with no type)", "layout qualifier", "");
8453 
8454     layoutQualifierCheck(loc, qualifier);
8455 
8456     switch (qualifier.storage) {
8457     case EvqUniform:
8458         if (qualifier.hasMatrix())
8459             globalUniformDefaults.layoutMatrix = qualifier.layoutMatrix;
8460         if (qualifier.hasPacking())
8461             globalUniformDefaults.layoutPacking = qualifier.layoutPacking;
8462         break;
8463     case EvqBuffer:
8464         if (qualifier.hasMatrix())
8465             globalBufferDefaults.layoutMatrix = qualifier.layoutMatrix;
8466         if (qualifier.hasPacking())
8467             globalBufferDefaults.layoutPacking = qualifier.layoutPacking;
8468         break;
8469     case EvqVaryingIn:
8470         break;
8471     case EvqVaryingOut:
8472 #ifndef GLSLANG_WEB
8473         if (qualifier.hasStream())
8474             globalOutputDefaults.layoutStream = qualifier.layoutStream;
8475         if (qualifier.hasXfbBuffer())
8476             globalOutputDefaults.layoutXfbBuffer = qualifier.layoutXfbBuffer;
8477         if (globalOutputDefaults.hasXfbBuffer() && qualifier.hasXfbStride()) {
8478             if (! intermediate.setXfbBufferStride(globalOutputDefaults.layoutXfbBuffer, qualifier.layoutXfbStride))
8479                 error(loc, "all stride settings must match for xfb buffer", "xfb_stride", "%d", qualifier.layoutXfbBuffer);
8480         }
8481 #endif
8482         break;
8483     default:
8484         error(loc, "default qualifier requires 'uniform', 'buffer', 'in', or 'out' storage qualification", "", "");
8485         return;
8486     }
8487 
8488     if (qualifier.hasBinding())
8489         error(loc, "cannot declare a default, include a type or full declaration", "binding", "");
8490     if (qualifier.hasAnyLocation())
8491         error(loc, "cannot declare a default, use a full declaration", "location/component/index", "");
8492     if (qualifier.hasXfbOffset())
8493         error(loc, "cannot declare a default, use a full declaration", "xfb_offset", "");
8494     if (qualifier.isPushConstant())
8495         error(loc, "cannot declare a default, can only be used on a block", "push_constant", "");
8496     if (qualifier.hasBufferReference())
8497         error(loc, "cannot declare a default, can only be used on a block", "buffer_reference", "");
8498     if (qualifier.hasSpecConstantId())
8499         error(loc, "cannot declare a default, can only be used on a scalar", "constant_id", "");
8500     if (qualifier.isShaderRecord())
8501         error(loc, "cannot declare a default, can only be used on a block", "shaderRecordNV", "");
8502 }
8503 
8504 //
8505 // Take the sequence of statements that has been built up since the last case/default,
8506 // put it on the list of top-level nodes for the current (inner-most) switch statement,
8507 // and follow that by the case/default we are on now.  (See switch topology comment on
8508 // TIntermSwitch.)
8509 //
wrapupSwitchSubsequence(TIntermAggregate * statements,TIntermNode * branchNode)8510 void TParseContext::wrapupSwitchSubsequence(TIntermAggregate* statements, TIntermNode* branchNode)
8511 {
8512     TIntermSequence* switchSequence = switchSequenceStack.back();
8513 
8514     if (statements) {
8515         if (switchSequence->size() == 0)
8516             error(statements->getLoc(), "cannot have statements before first case/default label", "switch", "");
8517         statements->setOperator(EOpSequence);
8518         switchSequence->push_back(statements);
8519     }
8520     if (branchNode) {
8521         // check all previous cases for the same label (or both are 'default')
8522         for (unsigned int s = 0; s < switchSequence->size(); ++s) {
8523             TIntermBranch* prevBranch = (*switchSequence)[s]->getAsBranchNode();
8524             if (prevBranch) {
8525                 TIntermTyped* prevExpression = prevBranch->getExpression();
8526                 TIntermTyped* newExpression = branchNode->getAsBranchNode()->getExpression();
8527                 if (prevExpression == nullptr && newExpression == nullptr)
8528                     error(branchNode->getLoc(), "duplicate label", "default", "");
8529                 else if (prevExpression != nullptr &&
8530                           newExpression != nullptr &&
8531                          prevExpression->getAsConstantUnion() &&
8532                           newExpression->getAsConstantUnion() &&
8533                          prevExpression->getAsConstantUnion()->getConstArray()[0].getIConst() ==
8534                           newExpression->getAsConstantUnion()->getConstArray()[0].getIConst())
8535                     error(branchNode->getLoc(), "duplicated value", "case", "");
8536             }
8537         }
8538         switchSequence->push_back(branchNode);
8539     }
8540 }
8541 
8542 //
8543 // Turn the top-level node sequence built up of wrapupSwitchSubsequence9)
8544 // into a switch node.
8545 //
addSwitch(const TSourceLoc & loc,TIntermTyped * expression,TIntermAggregate * lastStatements)8546 TIntermNode* TParseContext::addSwitch(const TSourceLoc& loc, TIntermTyped* expression, TIntermAggregate* lastStatements)
8547 {
8548     profileRequires(loc, EEsProfile, 300, nullptr, "switch statements");
8549     profileRequires(loc, ENoProfile, 130, nullptr, "switch statements");
8550 
8551     wrapupSwitchSubsequence(lastStatements, nullptr);
8552 
8553     if (expression == nullptr ||
8554         (expression->getBasicType() != EbtInt && expression->getBasicType() != EbtUint) ||
8555         expression->getType().isArray() || expression->getType().isMatrix() || expression->getType().isVector())
8556             error(loc, "condition must be a scalar integer expression", "switch", "");
8557 
8558     // If there is nothing to do, drop the switch but still execute the expression
8559     TIntermSequence* switchSequence = switchSequenceStack.back();
8560     if (switchSequence->size() == 0)
8561         return expression;
8562 
8563     if (lastStatements == nullptr) {
8564         // This was originally an ERRROR, because early versions of the specification said
8565         // "it is an error to have no statement between a label and the end of the switch statement."
8566         // The specifications were updated to remove this (being ill-defined what a "statement" was),
8567         // so, this became a warning.  However, 3.0 tests still check for the error.
8568         if (isEsProfile() && version <= 300 && ! relaxedErrors())
8569             error(loc, "last case/default label not followed by statements", "switch", "");
8570         else
8571             warn(loc, "last case/default label not followed by statements", "switch", "");
8572 
8573         // emulate a break for error recovery
8574         lastStatements = intermediate.makeAggregate(intermediate.addBranch(EOpBreak, loc));
8575         lastStatements->setOperator(EOpSequence);
8576         switchSequence->push_back(lastStatements);
8577     }
8578 
8579     TIntermAggregate* body = new TIntermAggregate(EOpSequence);
8580     body->getSequence() = *switchSequenceStack.back();
8581     body->setLoc(loc);
8582 
8583     TIntermSwitch* switchNode = new TIntermSwitch(expression, body);
8584     switchNode->setLoc(loc);
8585 
8586     return switchNode;
8587 }
8588 
8589 //
8590 // When a struct used in block, and has it's own layout packing, layout matrix,
8591 // record the origin structure of a struct to map, and Record the structure copy to the copy table,
8592 //
recordStructCopy(TStructRecord & record,const TType * originType,const TType * tmpType)8593 const TTypeList* TParseContext::recordStructCopy(TStructRecord& record, const TType* originType, const TType* tmpType)
8594 {
8595     size_t memberCount = tmpType->getStruct()->size();
8596     size_t originHash = 0, tmpHash = 0;
8597     std::hash<size_t> hasher;
8598     for (size_t i = 0; i < memberCount; i++) {
8599         size_t originMemberHash = hasher(originType->getStruct()->at(i).type->getQualifier().layoutPacking +
8600                                          originType->getStruct()->at(i).type->getQualifier().layoutMatrix);
8601         size_t tmpMemberHash = hasher(tmpType->getStruct()->at(i).type->getQualifier().layoutPacking +
8602                                       tmpType->getStruct()->at(i).type->getQualifier().layoutMatrix);
8603         originHash = hasher((originHash ^ originMemberHash) << 1);
8604         tmpHash = hasher((tmpHash ^ tmpMemberHash) << 1);
8605     }
8606     const TTypeList* originStruct = originType->getStruct();
8607     const TTypeList* tmpStruct = tmpType->getStruct();
8608     if (originHash != tmpHash) {
8609         auto fixRecords = record.find(originStruct);
8610         if (fixRecords != record.end()) {
8611             auto fixRecord = fixRecords->second.find(tmpHash);
8612             if (fixRecord != fixRecords->second.end()) {
8613                 return fixRecord->second;
8614             } else {
8615                 record[originStruct][tmpHash] = tmpStruct;
8616                 return tmpStruct;
8617             }
8618         } else {
8619             record[originStruct] = std::map<size_t, const TTypeList*>();
8620             record[originStruct][tmpHash] = tmpStruct;
8621             return tmpStruct;
8622         }
8623     }
8624     return originStruct;
8625 }
8626 
8627 } // end namespace glslang
8628 
8629