Merge vk-gl-cts/vulkan-cts-1.1.3 into vk-gl-cts/vulkan-cts-1.1.4
[platform/upstream/VK-GL-CTS.git] / external / vulkancts / modules / vulkan / spirv_assembly / vktSpvAsmInstructionTests.cpp
1 /*-------------------------------------------------------------------------
2  * Vulkan Conformance Tests
3  * ------------------------
4  *
5  * Copyright (c) 2015 Google Inc.
6  * Copyright (c) 2016 The Khronos Group Inc.
7  *
8  * Licensed under the Apache License, Version 2.0 (the "License");
9  * you may not use this file except in compliance with the License.
10  * You may obtain a copy of the License at
11  *
12  *      http://www.apache.org/licenses/LICENSE-2.0
13  *
14  * Unless required by applicable law or agreed to in writing, software
15  * distributed under the License is distributed on an "AS IS" BASIS,
16  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
17  * See the License for the specific language governing permissions and
18  * limitations under the License.
19  *
20  *//*!
21  * \file
22  * \brief SPIR-V Assembly Tests for Instructions (special opcode/operand)
23  *//*--------------------------------------------------------------------*/
24
25 #include "vktSpvAsmInstructionTests.hpp"
26
27 #include "tcuCommandLine.hpp"
28 #include "tcuFormatUtil.hpp"
29 #include "tcuFloat.hpp"
30 #include "tcuFloatFormat.hpp"
31 #include "tcuRGBA.hpp"
32 #include "tcuStringTemplate.hpp"
33 #include "tcuTestLog.hpp"
34 #include "tcuVectorUtil.hpp"
35 #include "tcuInterval.hpp"
36
37 #include "vkDefs.hpp"
38 #include "vkDeviceUtil.hpp"
39 #include "vkMemUtil.hpp"
40 #include "vkPlatform.hpp"
41 #include "vkPrograms.hpp"
42 #include "vkQueryUtil.hpp"
43 #include "vkRef.hpp"
44 #include "vkRefUtil.hpp"
45 #include "vkStrUtil.hpp"
46 #include "vkTypeUtil.hpp"
47
48 #include "deStringUtil.hpp"
49 #include "deUniquePtr.hpp"
50 #include "deMath.h"
51 #include "tcuStringTemplate.hpp"
52
53 #include "vktSpvAsmCrossStageInterfaceTests.hpp"
54 #include "vktSpvAsm8bitStorageTests.hpp"
55 #include "vktSpvAsm16bitStorageTests.hpp"
56 #include "vktSpvAsmUboMatrixPaddingTests.hpp"
57 #include "vktSpvAsmConditionalBranchTests.hpp"
58 #include "vktSpvAsmIndexingTests.hpp"
59 #include "vktSpvAsmImageSamplerTests.hpp"
60 #include "vktSpvAsmComputeShaderCase.hpp"
61 #include "vktSpvAsmComputeShaderTestUtil.hpp"
62 #include "vktSpvAsmFloatControlsTests.hpp"
63 #include "vktSpvAsmGraphicsShaderTestUtil.hpp"
64 #include "vktSpvAsmVariablePointersTests.hpp"
65 #include "vktSpvAsmVariableInitTests.hpp"
66 #include "vktSpvAsmPointerParameterTests.hpp"
67 #include "vktSpvAsmSpirvVersionTests.hpp"
68 #include "vktTestCaseUtil.hpp"
69 #include "vktSpvAsmLoopDepLenTests.hpp"
70 #include "vktSpvAsmLoopDepInfTests.hpp"
71 #include "vktSpvAsmCompositeInsertTests.hpp"
72 #include "vktSpvAsmVaryingNameTests.hpp"
73 #include "vktSpvAsmWorkgroupMemoryTests.hpp"
74 #include "vktSpvAsmSignedIntCompareTests.hpp"
75
76 #include <cmath>
77 #include <limits>
78 #include <map>
79 #include <string>
80 #include <sstream>
81 #include <utility>
82 #include <stack>
83
84 namespace vkt
85 {
86 namespace SpirVAssembly
87 {
88
89 namespace
90 {
91
92 using namespace vk;
93 using std::map;
94 using std::string;
95 using std::vector;
96 using tcu::IVec3;
97 using tcu::IVec4;
98 using tcu::RGBA;
99 using tcu::TestLog;
100 using tcu::TestStatus;
101 using tcu::Vec4;
102 using de::UniquePtr;
103 using tcu::StringTemplate;
104 using tcu::Vec4;
105
106 const bool TEST_WITH_NAN        = true;
107 const bool TEST_WITHOUT_NAN     = false;
108
109 template<typename T>
110 static void fillRandomScalars (de::Random& rnd, T minValue, T maxValue, void* dst, int numValues, int offset = 0)
111 {
112         T* const typedPtr = (T*)dst;
113         for (int ndx = 0; ndx < numValues; ndx++)
114                 typedPtr[offset + ndx] = randomScalar<T>(rnd, minValue, maxValue);
115 }
116
117 // Filter is a function that returns true if a value should pass, false otherwise.
118 template<typename T, typename FilterT>
119 static void fillRandomScalars (de::Random& rnd, T minValue, T maxValue, void* dst, int numValues, FilterT filter, int offset = 0)
120 {
121         T* const typedPtr = (T*)dst;
122         T value;
123         for (int ndx = 0; ndx < numValues; ndx++)
124         {
125                 do
126                         value = randomScalar<T>(rnd, minValue, maxValue);
127                 while (!filter(value));
128
129                 typedPtr[offset + ndx] = value;
130         }
131 }
132
133 // Gets a 64-bit integer with a more logarithmic distribution
134 deInt64 randomInt64LogDistributed (de::Random& rnd)
135 {
136         deInt64 val = rnd.getUint64();
137         val &= (1ull << rnd.getInt(1, 63)) - 1;
138         if (rnd.getBool())
139                 val = -val;
140         return val;
141 }
142
143 static void fillRandomInt64sLogDistributed (de::Random& rnd, vector<deInt64>& dst, int numValues)
144 {
145         for (int ndx = 0; ndx < numValues; ndx++)
146                 dst[ndx] = randomInt64LogDistributed(rnd);
147 }
148
149 template<typename FilterT>
150 static void fillRandomInt64sLogDistributed (de::Random& rnd, vector<deInt64>& dst, int numValues, FilterT filter)
151 {
152         for (int ndx = 0; ndx < numValues; ndx++)
153         {
154                 deInt64 value;
155                 do {
156                         value = randomInt64LogDistributed(rnd);
157                 } while (!filter(value));
158                 dst[ndx] = value;
159         }
160 }
161
162 inline bool filterNonNegative (const deInt64 value)
163 {
164         return value >= 0;
165 }
166
167 inline bool filterPositive (const deInt64 value)
168 {
169         return value > 0;
170 }
171
172 inline bool filterNotZero (const deInt64 value)
173 {
174         return value != 0;
175 }
176
177 static void floorAll (vector<float>& values)
178 {
179         for (size_t i = 0; i < values.size(); i++)
180                 values[i] = deFloatFloor(values[i]);
181 }
182
183 static void floorAll (vector<Vec4>& values)
184 {
185         for (size_t i = 0; i < values.size(); i++)
186                 values[i] = floor(values[i]);
187 }
188
189 struct CaseParameter
190 {
191         const char*             name;
192         string                  param;
193
194         CaseParameter   (const char* case_, const string& param_) : name(case_), param(param_) {}
195 };
196
197 // Assembly code used for testing LocalSize, OpNop, OpConstant{Null|Composite}, Op[No]Line, OpSource[Continued], OpSourceExtension, OpUndef is based on GLSL source code:
198 //
199 // #version 430
200 //
201 // layout(std140, set = 0, binding = 0) readonly buffer Input {
202 //   float elements[];
203 // } input_data;
204 // layout(std140, set = 0, binding = 1) writeonly buffer Output {
205 //   float elements[];
206 // } output_data;
207 //
208 // layout (local_size_x = 1, local_size_y = 1, local_size_z = 1) in;
209 //
210 // void main() {
211 //   uint x = gl_GlobalInvocationID.x;
212 //   output_data.elements[x] = -input_data.elements[x];
213 // }
214
215 static string getAsmForLocalSizeTest(bool useLiteralLocalSize, bool useSpecConstantWorkgroupSize, IVec3 workGroupSize, deUint32 ndx)
216 {
217         std::ostringstream out;
218         out << getComputeAsmShaderPreambleWithoutLocalSize();
219
220         if (useLiteralLocalSize)
221         {
222                 out << "OpExecutionMode %main LocalSize "
223                         << workGroupSize.x() << " " << workGroupSize.y() << " " << workGroupSize.z() << "\n";
224         }
225
226         out << "OpSource GLSL 430\n"
227                 "OpName %main           \"main\"\n"
228                 "OpName %id             \"gl_GlobalInvocationID\"\n"
229                 "OpDecorate %id BuiltIn GlobalInvocationId\n";
230
231         if (useSpecConstantWorkgroupSize)
232         {
233                 out << "OpDecorate %spec_0 SpecId 100\n"
234                         << "OpDecorate %spec_1 SpecId 101\n"
235                         << "OpDecorate %spec_2 SpecId 102\n"
236                         << "OpDecorate %gl_WorkGroupSize BuiltIn WorkgroupSize\n";
237         }
238
239         out << getComputeAsmInputOutputBufferTraits()
240                 << getComputeAsmCommonTypes()
241                 << getComputeAsmInputOutputBuffer()
242                 << "%id        = OpVariable %uvec3ptr Input\n"
243                 << "%zero      = OpConstant %i32 0 \n";
244
245         if (useSpecConstantWorkgroupSize)
246         {
247                 out     << "%spec_0   = OpSpecConstant %u32 "<< workGroupSize.x() << "\n"
248                         << "%spec_1   = OpSpecConstant %u32 "<< workGroupSize.y() << "\n"
249                         << "%spec_2   = OpSpecConstant %u32 "<< workGroupSize.z() << "\n"
250                         << "%gl_WorkGroupSize = OpSpecConstantComposite %uvec3 %spec_0 %spec_1 %spec_2\n";
251         }
252
253         out << "%main      = OpFunction %void None %voidf\n"
254                 << "%label     = OpLabel\n"
255                 << "%idval     = OpLoad %uvec3 %id\n"
256                 << "%ndx         = OpCompositeExtract %u32 %idval " << ndx << "\n"
257
258                         "%inloc     = OpAccessChain %f32ptr %indata %zero %ndx\n"
259                         "%inval     = OpLoad %f32 %inloc\n"
260                         "%neg       = OpFNegate %f32 %inval\n"
261                         "%outloc    = OpAccessChain %f32ptr %outdata %zero %ndx\n"
262                         "             OpStore %outloc %neg\n"
263                         "             OpReturn\n"
264                         "             OpFunctionEnd\n";
265         return out.str();
266 }
267
268 tcu::TestCaseGroup* createLocalSizeGroup (tcu::TestContext& testCtx)
269 {
270         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "localsize", ""));
271         ComputeShaderSpec                               spec;
272         de::Random                                              rnd                             (deStringHash(group->getName()));
273         const deUint32                                  numElements             = 64u;
274         vector<float>                                   positiveFloats  (numElements, 0);
275         vector<float>                                   negativeFloats  (numElements, 0);
276
277         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
278
279         for (size_t ndx = 0; ndx < numElements; ++ndx)
280                 negativeFloats[ndx] = -positiveFloats[ndx];
281
282         spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
283         spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
284
285         spec.numWorkGroups = IVec3(numElements, 1, 1);
286
287         spec.assembly = getAsmForLocalSizeTest(true, false, IVec3(1, 1, 1), 0u);
288         group->addChild(new SpvAsmComputeShaderCase(testCtx, "literal_localsize", "", spec));
289
290         spec.assembly = getAsmForLocalSizeTest(true, true, IVec3(1, 1, 1), 0u);
291         group->addChild(new SpvAsmComputeShaderCase(testCtx, "literal_and_specid_localsize", "", spec));
292
293         spec.assembly = getAsmForLocalSizeTest(false, true, IVec3(1, 1, 1), 0u);
294         group->addChild(new SpvAsmComputeShaderCase(testCtx, "specid_localsize", "", spec));
295
296         spec.numWorkGroups = IVec3(1, 1, 1);
297
298         spec.assembly = getAsmForLocalSizeTest(true, false, IVec3(numElements, 1, 1), 0u);
299         group->addChild(new SpvAsmComputeShaderCase(testCtx, "literal_localsize_x", "", spec));
300
301         spec.assembly = getAsmForLocalSizeTest(true, true, IVec3(numElements, 1, 1), 0u);
302         group->addChild(new SpvAsmComputeShaderCase(testCtx, "literal_and_specid_localsize_x", "", spec));
303
304         spec.assembly = getAsmForLocalSizeTest(false, true, IVec3(numElements, 1, 1), 0u);
305         group->addChild(new SpvAsmComputeShaderCase(testCtx, "specid_localsize_x", "", spec));
306
307         spec.assembly = getAsmForLocalSizeTest(true, false, IVec3(1, numElements, 1), 1u);
308         group->addChild(new SpvAsmComputeShaderCase(testCtx, "literal_localsize_y", "", spec));
309
310         spec.assembly = getAsmForLocalSizeTest(true, true, IVec3(1, numElements, 1), 1u);
311         group->addChild(new SpvAsmComputeShaderCase(testCtx, "literal_and_specid_localsize_y", "", spec));
312
313         spec.assembly = getAsmForLocalSizeTest(false, true, IVec3(1, numElements, 1), 1u);
314         group->addChild(new SpvAsmComputeShaderCase(testCtx, "specid_localsize_y", "", spec));
315
316         spec.assembly = getAsmForLocalSizeTest(true, false, IVec3(1, 1, numElements), 2u);
317         group->addChild(new SpvAsmComputeShaderCase(testCtx, "literal_localsize_z", "", spec));
318
319         spec.assembly = getAsmForLocalSizeTest(true, true, IVec3(1, 1, numElements), 2u);
320         group->addChild(new SpvAsmComputeShaderCase(testCtx, "literal_and_specid_localsize_z", "", spec));
321
322         spec.assembly = getAsmForLocalSizeTest(false, true, IVec3(1, 1, numElements), 2u);
323         group->addChild(new SpvAsmComputeShaderCase(testCtx, "specid_localsize_z", "", spec));
324
325         return group.release();
326 }
327
328 tcu::TestCaseGroup* createOpNopGroup (tcu::TestContext& testCtx)
329 {
330         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opnop", "Test the OpNop instruction"));
331         ComputeShaderSpec                               spec;
332         de::Random                                              rnd                             (deStringHash(group->getName()));
333         const int                                               numElements             = 100;
334         vector<float>                                   positiveFloats  (numElements, 0);
335         vector<float>                                   negativeFloats  (numElements, 0);
336
337         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
338
339         for (size_t ndx = 0; ndx < numElements; ++ndx)
340                 negativeFloats[ndx] = -positiveFloats[ndx];
341
342         spec.assembly =
343                 string(getComputeAsmShaderPreamble()) +
344
345                 "OpSource GLSL 430\n"
346                 "OpName %main           \"main\"\n"
347                 "OpName %id             \"gl_GlobalInvocationID\"\n"
348
349                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
350
351                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes())
352
353                 + string(getComputeAsmInputOutputBuffer()) +
354
355                 "%id        = OpVariable %uvec3ptr Input\n"
356                 "%zero      = OpConstant %i32 0\n"
357
358                 "%main      = OpFunction %void None %voidf\n"
359                 "%label     = OpLabel\n"
360                 "%idval     = OpLoad %uvec3 %id\n"
361                 "%x         = OpCompositeExtract %u32 %idval 0\n"
362
363                 "             OpNop\n" // Inside a function body
364
365                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
366                 "%inval     = OpLoad %f32 %inloc\n"
367                 "%neg       = OpFNegate %f32 %inval\n"
368                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
369                 "             OpStore %outloc %neg\n"
370                 "             OpReturn\n"
371                 "             OpFunctionEnd\n";
372         spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
373         spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
374         spec.numWorkGroups = IVec3(numElements, 1, 1);
375
376         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "OpNop appearing at different places", spec));
377
378         return group.release();
379 }
380
381 template<bool nanSupported>
382 bool compareFUnord (const std::vector<Resource>& inputs, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog& log)
383 {
384         if (outputAllocs.size() != 1)
385                 return false;
386
387         vector<deUint8> input1Bytes;
388         vector<deUint8> input2Bytes;
389         vector<deUint8> expectedBytes;
390
391         inputs[0].getBytes(input1Bytes);
392         inputs[1].getBytes(input2Bytes);
393         expectedOutputs[0].getBytes(expectedBytes);
394
395         const deInt32* const    expectedOutputAsInt             = reinterpret_cast<const deInt32*>(&expectedBytes.front());
396         const deInt32* const    outputAsInt                             = static_cast<const deInt32*>(outputAllocs[0]->getHostPtr());
397         const float* const              input1AsFloat                   = reinterpret_cast<const float*>(&input1Bytes.front());
398         const float* const              input2AsFloat                   = reinterpret_cast<const float*>(&input2Bytes.front());
399         bool returnValue                                                                = true;
400
401         for (size_t idx = 0; idx < expectedBytes.size() / sizeof(deInt32); ++idx)
402         {
403                 if (!nanSupported && (tcu::Float32(input1AsFloat[idx]).isNaN() || tcu::Float32(input2AsFloat[idx]).isNaN()))
404                         continue;
405
406                 if (outputAsInt[idx] != expectedOutputAsInt[idx])
407                 {
408                         log << TestLog::Message << "ERROR: Sub-case failed. inputs: " << input1AsFloat[idx] << "," << input2AsFloat[idx] << " output: " << outputAsInt[idx]<< " expected output: " << expectedOutputAsInt[idx] << TestLog::EndMessage;
409                         returnValue = false;
410                 }
411         }
412         return returnValue;
413 }
414
415 typedef VkBool32 (*compareFuncType) (float, float);
416
417 struct OpFUnordCase
418 {
419         const char*             name;
420         const char*             opCode;
421         compareFuncType compareFunc;
422
423                                         OpFUnordCase                    (const char* _name, const char* _opCode, compareFuncType _compareFunc)
424                                                 : name                          (_name)
425                                                 , opCode                        (_opCode)
426                                                 , compareFunc           (_compareFunc) {}
427 };
428
429 #define ADD_OPFUNORD_CASE(NAME, OPCODE, OPERATOR) \
430 do { \
431         struct compare_##NAME { static VkBool32 compare(float x, float y) { return (x OPERATOR y) ? VK_TRUE : VK_FALSE; } }; \
432         cases.push_back(OpFUnordCase(#NAME, OPCODE, compare_##NAME::compare)); \
433 } while (deGetFalse())
434
435 tcu::TestCaseGroup* createOpFUnordGroup (tcu::TestContext& testCtx, const bool testWithNan)
436 {
437         const string                                    nan                             = testWithNan ? "_nan" : "";
438         const string                                    groupName               = "opfunord" + nan;
439         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, groupName.c_str(), "Test the OpFUnord* opcodes"));
440         de::Random                                              rnd                             (deStringHash(group->getName()));
441         const int                                               numElements             = 100;
442         vector<OpFUnordCase>                    cases;
443         string                                                  extensions              = testWithNan ? "OpExtension \"SPV_KHR_float_controls\"\n" : "";
444         string                                                  capabilities    = testWithNan ? "OpCapability SignedZeroInfNanPreserve\n" : "";
445         string                                                  exeModes                = testWithNan ? "OpExecutionMode %main SignedZeroInfNanPreserve 32\n" : "";
446         const StringTemplate                    shaderTemplate  (
447                 string(getComputeAsmShaderPreamble(capabilities, extensions, exeModes)) +
448                 "OpSource GLSL 430\n"
449                 "OpName %main           \"main\"\n"
450                 "OpName %id             \"gl_GlobalInvocationID\"\n"
451
452                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
453
454                 "OpDecorate %buf BufferBlock\n"
455                 "OpDecorate %buf2 BufferBlock\n"
456                 "OpDecorate %indata1 DescriptorSet 0\n"
457                 "OpDecorate %indata1 Binding 0\n"
458                 "OpDecorate %indata2 DescriptorSet 0\n"
459                 "OpDecorate %indata2 Binding 1\n"
460                 "OpDecorate %outdata DescriptorSet 0\n"
461                 "OpDecorate %outdata Binding 2\n"
462                 "OpDecorate %f32arr ArrayStride 4\n"
463                 "OpDecorate %i32arr ArrayStride 4\n"
464                 "OpMemberDecorate %buf 0 Offset 0\n"
465                 "OpMemberDecorate %buf2 0 Offset 0\n"
466
467                 + string(getComputeAsmCommonTypes()) +
468
469                 "%buf        = OpTypeStruct %f32arr\n"
470                 "%bufptr     = OpTypePointer Uniform %buf\n"
471                 "%indata1    = OpVariable %bufptr Uniform\n"
472                 "%indata2    = OpVariable %bufptr Uniform\n"
473
474                 "%buf2       = OpTypeStruct %i32arr\n"
475                 "%buf2ptr    = OpTypePointer Uniform %buf2\n"
476                 "%outdata    = OpVariable %buf2ptr Uniform\n"
477
478                 "%id        = OpVariable %uvec3ptr Input\n"
479                 "%zero      = OpConstant %i32 0\n"
480                 "%consti1   = OpConstant %i32 1\n"
481                 "%constf1   = OpConstant %f32 1.0\n"
482
483                 "%main      = OpFunction %void None %voidf\n"
484                 "%label     = OpLabel\n"
485                 "%idval     = OpLoad %uvec3 %id\n"
486                 "%x         = OpCompositeExtract %u32 %idval 0\n"
487
488                 "%inloc1    = OpAccessChain %f32ptr %indata1 %zero %x\n"
489                 "%inval1    = OpLoad %f32 %inloc1\n"
490                 "%inloc2    = OpAccessChain %f32ptr %indata2 %zero %x\n"
491                 "%inval2    = OpLoad %f32 %inloc2\n"
492                 "%outloc    = OpAccessChain %i32ptr %outdata %zero %x\n"
493
494                 "%result    = ${OPCODE} %bool %inval1 %inval2\n"
495                 "%int_res   = OpSelect %i32 %result %consti1 %zero\n"
496                 "             OpStore %outloc %int_res\n"
497
498                 "             OpReturn\n"
499                 "             OpFunctionEnd\n");
500
501         ADD_OPFUNORD_CASE(equal, "OpFUnordEqual", ==);
502         ADD_OPFUNORD_CASE(less, "OpFUnordLessThan", <);
503         ADD_OPFUNORD_CASE(lessequal, "OpFUnordLessThanEqual", <=);
504         ADD_OPFUNORD_CASE(greater, "OpFUnordGreaterThan", >);
505         ADD_OPFUNORD_CASE(greaterequal, "OpFUnordGreaterThanEqual", >=);
506         ADD_OPFUNORD_CASE(notequal, "OpFUnordNotEqual", !=);
507
508         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
509         {
510                 map<string, string>                     specializations;
511                 ComputeShaderSpec                       spec;
512                 const float                                     NaN                             = std::numeric_limits<float>::quiet_NaN();
513                 vector<float>                           inputFloats1    (numElements, 0);
514                 vector<float>                           inputFloats2    (numElements, 0);
515                 vector<deInt32>                         expectedInts    (numElements, 0);
516
517                 specializations["OPCODE"]       = cases[caseNdx].opCode;
518                 spec.assembly                           = shaderTemplate.specialize(specializations);
519
520                 fillRandomScalars(rnd, 1.f, 100.f, &inputFloats1[0], numElements);
521                 for (size_t ndx = 0; ndx < numElements; ++ndx)
522                 {
523                         switch (ndx % 6)
524                         {
525                                 case 0:         inputFloats2[ndx] = inputFloats1[ndx] + 1.0f; break;
526                                 case 1:         inputFloats2[ndx] = inputFloats1[ndx] - 1.0f; break;
527                                 case 2:         inputFloats2[ndx] = inputFloats1[ndx]; break;
528                                 case 3:         inputFloats2[ndx] = NaN; break;
529                                 case 4:         inputFloats2[ndx] = inputFloats1[ndx];  inputFloats1[ndx] = NaN; break;
530                                 case 5:         inputFloats2[ndx] = NaN;                                inputFloats1[ndx] = NaN; break;
531                         }
532                         expectedInts[ndx] = tcu::Float32(inputFloats1[ndx]).isNaN() || tcu::Float32(inputFloats2[ndx]).isNaN() || cases[caseNdx].compareFunc(inputFloats1[ndx], inputFloats2[ndx]);
533                 }
534
535                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats1)));
536                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats2)));
537                 spec.outputs.push_back(BufferSp(new Int32Buffer(expectedInts)));
538                 spec.numWorkGroups      = IVec3(numElements, 1, 1);
539                 spec.verifyIO           = testWithNan ? &compareFUnord<true> : &compareFUnord<false>;
540
541                 if (testWithNan)
542                 {
543                         spec.extensions.push_back("VK_KHR_shader_float_controls");
544                         spec.requestedVulkanFeatures.floatControlsProperties.shaderSignedZeroInfNanPreserveFloat32 = DE_TRUE;
545                 }
546
547                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
548         }
549
550         return group.release();
551 }
552
553 struct OpAtomicCase
554 {
555         const char*             name;
556         const char*             assembly;
557         const char*             retValAssembly;
558         OpAtomicType    opAtomic;
559         deInt32                 numOutputElements;
560
561                                         OpAtomicCase(const char* _name, const char* _assembly, const char* _retValAssembly, OpAtomicType _opAtomic, deInt32 _numOutputElements)
562                                                 : name                          (_name)
563                                                 , assembly                      (_assembly)
564                                                 , retValAssembly        (_retValAssembly)
565                                                 , opAtomic                      (_opAtomic)
566                                                 , numOutputElements     (_numOutputElements) {}
567 };
568
569 tcu::TestCaseGroup* createOpAtomicGroup (tcu::TestContext& testCtx, bool useStorageBuffer, int numElements = 65535, bool verifyReturnValues = false)
570 {
571         std::string                                             groupName                       ("opatomic");
572         if (useStorageBuffer)
573                 groupName += "_storage_buffer";
574         if (verifyReturnValues)
575                 groupName += "_return_values";
576         de::MovePtr<tcu::TestCaseGroup> group                           (new tcu::TestCaseGroup(testCtx, groupName.c_str(), "Test the OpAtomic* opcodes"));
577         vector<OpAtomicCase>                    cases;
578
579         const StringTemplate                    shaderTemplate  (
580
581                 string("OpCapability Shader\n") +
582                 (useStorageBuffer ? "OpExtension \"SPV_KHR_storage_buffer_storage_class\"\n" : "") +
583                 "OpMemoryModel Logical GLSL450\n"
584                 "OpEntryPoint GLCompute %main \"main\" %id\n"
585                 "OpExecutionMode %main LocalSize 1 1 1\n" +
586
587                 "OpSource GLSL 430\n"
588                 "OpName %main           \"main\"\n"
589                 "OpName %id             \"gl_GlobalInvocationID\"\n"
590
591                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
592
593                 "OpDecorate %buf ${BLOCK_DECORATION}\n"
594                 "OpDecorate %indata DescriptorSet 0\n"
595                 "OpDecorate %indata Binding 0\n"
596                 "OpDecorate %i32arr ArrayStride 4\n"
597                 "OpMemberDecorate %buf 0 Offset 0\n"
598
599                 "OpDecorate %sumbuf ${BLOCK_DECORATION}\n"
600                 "OpDecorate %sum DescriptorSet 0\n"
601                 "OpDecorate %sum Binding 1\n"
602                 "OpMemberDecorate %sumbuf 0 Coherent\n"
603                 "OpMemberDecorate %sumbuf 0 Offset 0\n"
604
605                 "${RETVAL_BUF_DECORATE}"
606
607                 + getComputeAsmCommonTypes("${BLOCK_POINTER_TYPE}") +
608
609                 "%buf       = OpTypeStruct %i32arr\n"
610                 "%bufptr    = OpTypePointer ${BLOCK_POINTER_TYPE} %buf\n"
611                 "%indata    = OpVariable %bufptr ${BLOCK_POINTER_TYPE}\n"
612
613                 "%sumbuf    = OpTypeStruct %i32arr\n"
614                 "%sumbufptr = OpTypePointer ${BLOCK_POINTER_TYPE} %sumbuf\n"
615                 "%sum       = OpVariable %sumbufptr ${BLOCK_POINTER_TYPE}\n"
616
617                 "${RETVAL_BUF_DECL}"
618
619                 "%id        = OpVariable %uvec3ptr Input\n"
620                 "%minusone  = OpConstant %i32 -1\n"
621                 "%zero      = OpConstant %i32 0\n"
622                 "%one       = OpConstant %u32 1\n"
623                 "%two       = OpConstant %i32 2\n"
624
625                 "%main      = OpFunction %void None %voidf\n"
626                 "%label     = OpLabel\n"
627                 "%idval     = OpLoad %uvec3 %id\n"
628                 "%x         = OpCompositeExtract %u32 %idval 0\n"
629
630                 "%inloc     = OpAccessChain %i32ptr %indata %zero %x\n"
631                 "%inval     = OpLoad %i32 %inloc\n"
632
633                 "%outloc    = OpAccessChain %i32ptr %sum %zero ${INDEX}\n"
634                 "${INSTRUCTION}"
635                 "${RETVAL_ASSEMBLY}"
636
637                 "             OpReturn\n"
638                 "             OpFunctionEnd\n");
639
640         #define ADD_OPATOMIC_CASE(NAME, ASSEMBLY, RETVAL_ASSEMBLY, OPATOMIC, NUM_OUTPUT_ELEMENTS) \
641         do { \
642                 DE_ASSERT((NUM_OUTPUT_ELEMENTS) == 1 || (NUM_OUTPUT_ELEMENTS) == numElements); \
643                 cases.push_back(OpAtomicCase(#NAME, ASSEMBLY, RETVAL_ASSEMBLY, OPATOMIC, NUM_OUTPUT_ELEMENTS)); \
644         } while (deGetFalse())
645         #define ADD_OPATOMIC_CASE_1(NAME, ASSEMBLY, RETVAL_ASSEMBLY, OPATOMIC) ADD_OPATOMIC_CASE(NAME, ASSEMBLY, RETVAL_ASSEMBLY, OPATOMIC, 1)
646         #define ADD_OPATOMIC_CASE_N(NAME, ASSEMBLY, RETVAL_ASSEMBLY, OPATOMIC) ADD_OPATOMIC_CASE(NAME, ASSEMBLY, RETVAL_ASSEMBLY, OPATOMIC, numElements)
647
648         ADD_OPATOMIC_CASE_1(iadd,       "%retv      = OpAtomicIAdd %i32 %outloc %one %zero %inval\n",
649                                                                 "             OpStore %retloc %retv\n", OPATOMIC_IADD );
650         ADD_OPATOMIC_CASE_1(isub,       "%retv      = OpAtomicISub %i32 %outloc %one %zero %inval\n",
651                                                                 "             OpStore %retloc %retv\n", OPATOMIC_ISUB );
652         ADD_OPATOMIC_CASE_1(iinc,       "%retv      = OpAtomicIIncrement %i32 %outloc %one %zero\n",
653                                                                 "             OpStore %retloc %retv\n", OPATOMIC_IINC );
654         ADD_OPATOMIC_CASE_1(idec,       "%retv      = OpAtomicIDecrement %i32 %outloc %one %zero\n",
655                                                                 "             OpStore %retloc %retv\n", OPATOMIC_IDEC );
656         if (!verifyReturnValues)
657         {
658                 ADD_OPATOMIC_CASE_N(load,       "%inval2    = OpAtomicLoad %i32 %inloc %one %zero\n"
659                                                                         "             OpStore %outloc %inval2\n", "", OPATOMIC_LOAD );
660                 ADD_OPATOMIC_CASE_N(store,      "             OpAtomicStore %outloc %one %zero %inval\n", "", OPATOMIC_STORE );
661         }
662
663         ADD_OPATOMIC_CASE_N(compex, "%even      = OpSMod %i32 %inval %two\n"
664                                                                 "             OpStore %outloc %even\n"
665                                                                 "%retv      = OpAtomicCompareExchange %i32 %outloc %one %zero %zero %minusone %zero\n",
666                                                                 "                         OpStore %retloc %retv\n", OPATOMIC_COMPEX );
667
668
669         #undef ADD_OPATOMIC_CASE
670         #undef ADD_OPATOMIC_CASE_1
671         #undef ADD_OPATOMIC_CASE_N
672
673         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
674         {
675                 map<string, string>                     specializations;
676                 ComputeShaderSpec                       spec;
677                 vector<deInt32>                         inputInts               (numElements, 0);
678                 vector<deInt32>                         expected                (cases[caseNdx].numOutputElements, -1);
679
680                 specializations["INDEX"]                                = (cases[caseNdx].numOutputElements == 1) ? "%zero" : "%x";
681                 specializations["INSTRUCTION"]                  = cases[caseNdx].assembly;
682                 specializations["BLOCK_DECORATION"]             = useStorageBuffer ? "Block" : "BufferBlock";
683                 specializations["BLOCK_POINTER_TYPE"]   = useStorageBuffer ? "StorageBuffer" : "Uniform";
684
685                 if (verifyReturnValues)
686                 {
687                         const StringTemplate blockDecoration    (
688                                 "\n"
689                                 "OpDecorate %retbuf ${BLOCK_DECORATION}\n"
690                                 "OpDecorate %ret DescriptorSet 0\n"
691                                 "OpDecorate %ret Binding 2\n"
692                                 "OpMemberDecorate %retbuf 0 Offset 0\n\n");
693
694                         const StringTemplate blockDeclaration   (
695                                 "\n"
696                                 "%retbuf    = OpTypeStruct %i32arr\n"
697                                 "%retbufptr = OpTypePointer ${BLOCK_POINTER_TYPE} %retbuf\n"
698                                 "%ret       = OpVariable %retbufptr ${BLOCK_POINTER_TYPE}\n\n");
699
700                         specializations["RETVAL_ASSEMBLY"] =
701                                 "%retloc    = OpAccessChain %i32ptr %ret %zero %x\n"
702                                 + std::string(cases[caseNdx].retValAssembly);
703
704                         specializations["RETVAL_BUF_DECORATE"]  = blockDecoration.specialize(specializations);
705                         specializations["RETVAL_BUF_DECL"]              = blockDeclaration.specialize(specializations);
706                 }
707                 else
708                 {
709                         specializations["RETVAL_ASSEMBLY"]              = "";
710                         specializations["RETVAL_BUF_DECORATE"]  = "";
711                         specializations["RETVAL_BUF_DECL"]              = "";
712                 }
713
714                 spec.assembly                                                   = shaderTemplate.specialize(specializations);
715
716                 if (useStorageBuffer)
717                         spec.extensions.push_back("VK_KHR_storage_buffer_storage_class");
718
719                 spec.inputs.push_back(BufferSp(new OpAtomicBuffer(numElements, cases[caseNdx].numOutputElements, cases[caseNdx].opAtomic, BUFFERTYPE_INPUT)));
720                 spec.outputs.push_back(BufferSp(new OpAtomicBuffer(numElements, cases[caseNdx].numOutputElements, cases[caseNdx].opAtomic, BUFFERTYPE_EXPECTED)));
721                 if (verifyReturnValues)
722                         spec.outputs.push_back(BufferSp(new OpAtomicBuffer(numElements, cases[caseNdx].numOutputElements, cases[caseNdx].opAtomic, BUFFERTYPE_ATOMIC_RET)));
723                 spec.numWorkGroups = IVec3(numElements, 1, 1);
724
725                 if (verifyReturnValues)
726                 {
727                         switch (cases[caseNdx].opAtomic)
728                         {
729                                 case OPATOMIC_IADD:
730                                         spec.verifyIO = OpAtomicBuffer::compareWithRetvals<OPATOMIC_IADD>;
731                                         break;
732                                 case OPATOMIC_ISUB:
733                                         spec.verifyIO = OpAtomicBuffer::compareWithRetvals<OPATOMIC_ISUB>;
734                                         break;
735                                 case OPATOMIC_IINC:
736                                         spec.verifyIO = OpAtomicBuffer::compareWithRetvals<OPATOMIC_IINC>;
737                                         break;
738                                 case OPATOMIC_IDEC:
739                                         spec.verifyIO = OpAtomicBuffer::compareWithRetvals<OPATOMIC_IDEC>;
740                                         break;
741                                 case OPATOMIC_COMPEX:
742                                         spec.verifyIO = OpAtomicBuffer::compareWithRetvals<OPATOMIC_COMPEX>;
743                                         break;
744                                 default:
745                                         DE_FATAL("Unsupported OpAtomic type for return value verification");
746                         }
747                 }
748                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
749         }
750
751         return group.release();
752 }
753
754 tcu::TestCaseGroup* createOpLineGroup (tcu::TestContext& testCtx)
755 {
756         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opline", "Test the OpLine instruction"));
757         ComputeShaderSpec                               spec;
758         de::Random                                              rnd                             (deStringHash(group->getName()));
759         const int                                               numElements             = 100;
760         vector<float>                                   positiveFloats  (numElements, 0);
761         vector<float>                                   negativeFloats  (numElements, 0);
762
763         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
764
765         for (size_t ndx = 0; ndx < numElements; ++ndx)
766                 negativeFloats[ndx] = -positiveFloats[ndx];
767
768         spec.assembly =
769                 string(getComputeAsmShaderPreamble()) +
770
771                 "%fname1 = OpString \"negateInputs.comp\"\n"
772                 "%fname2 = OpString \"negateInputs\"\n"
773
774                 "OpSource GLSL 430\n"
775                 "OpName %main           \"main\"\n"
776                 "OpName %id             \"gl_GlobalInvocationID\"\n"
777
778                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
779
780                 + string(getComputeAsmInputOutputBufferTraits()) +
781
782                 "OpLine %fname1 0 0\n" // At the earliest possible position
783
784                 + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
785
786                 "OpLine %fname1 0 1\n" // Multiple OpLines in sequence
787                 "OpLine %fname2 1 0\n" // Different filenames
788                 "OpLine %fname1 1000 100000\n"
789
790                 "%id        = OpVariable %uvec3ptr Input\n"
791                 "%zero      = OpConstant %i32 0\n"
792
793                 "OpLine %fname1 1 1\n" // Before a function
794
795                 "%main      = OpFunction %void None %voidf\n"
796                 "%label     = OpLabel\n"
797
798                 "OpLine %fname1 1 1\n" // In a function
799
800                 "%idval     = OpLoad %uvec3 %id\n"
801                 "%x         = OpCompositeExtract %u32 %idval 0\n"
802                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
803                 "%inval     = OpLoad %f32 %inloc\n"
804                 "%neg       = OpFNegate %f32 %inval\n"
805                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
806                 "             OpStore %outloc %neg\n"
807                 "             OpReturn\n"
808                 "             OpFunctionEnd\n";
809         spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
810         spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
811         spec.numWorkGroups = IVec3(numElements, 1, 1);
812
813         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "OpLine appearing at different places", spec));
814
815         return group.release();
816 }
817
818 bool veryfiBinaryShader (const ProgramBinary& binary)
819 {
820         const size_t    paternCount                     = 3u;
821         bool paternsCheck[paternCount]          =
822         {
823                 false, false, false
824         };
825         const string patersns[paternCount]      =
826         {
827                 "VULKAN CTS",
828                 "Negative values",
829                 "Date: 2017/09/21"
830         };
831         size_t                  paternNdx               = 0u;
832
833         for (size_t ndx = 0u; ndx < binary.getSize(); ++ndx)
834         {
835                 if (false == paternsCheck[paternNdx] &&
836                         patersns[paternNdx][0] == static_cast<char>(binary.getBinary()[ndx]) &&
837                         deMemoryEqual((const char*)&binary.getBinary()[ndx], &patersns[paternNdx][0], patersns[paternNdx].length()))
838                 {
839                         paternsCheck[paternNdx]= true;
840                         paternNdx++;
841                         if (paternNdx == paternCount)
842                                 break;
843                 }
844         }
845
846         for (size_t ndx = 0u; ndx < paternCount; ++ndx)
847         {
848                 if (!paternsCheck[ndx])
849                         return false;
850         }
851
852         return true;
853 }
854
855 tcu::TestCaseGroup* createOpModuleProcessedGroup (tcu::TestContext& testCtx)
856 {
857         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opmoduleprocessed", "Test the OpModuleProcessed instruction"));
858         ComputeShaderSpec                               spec;
859         de::Random                                              rnd                             (deStringHash(group->getName()));
860         const int                                               numElements             = 10;
861         vector<float>                                   positiveFloats  (numElements, 0);
862         vector<float>                                   negativeFloats  (numElements, 0);
863
864         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
865
866         for (size_t ndx = 0; ndx < numElements; ++ndx)
867                 negativeFloats[ndx] = -positiveFloats[ndx];
868
869         spec.assembly =
870                 string(getComputeAsmShaderPreamble()) +
871                 "%fname = OpString \"negateInputs.comp\"\n"
872
873                 "OpSource GLSL 430\n"
874                 "OpName %main           \"main\"\n"
875                 "OpName %id             \"gl_GlobalInvocationID\"\n"
876                 "OpModuleProcessed \"VULKAN CTS\"\n"                                    //OpModuleProcessed;
877                 "OpModuleProcessed \"Negative values\"\n"
878                 "OpModuleProcessed \"Date: 2017/09/21\"\n"
879                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
880
881                 + string(getComputeAsmInputOutputBufferTraits())
882
883                 + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
884
885                 "OpLine %fname 0 1\n"
886
887                 "OpLine %fname 1000 1\n"
888
889                 "%id        = OpVariable %uvec3ptr Input\n"
890                 "%zero      = OpConstant %i32 0\n"
891                 "%main      = OpFunction %void None %voidf\n"
892
893                 "%label     = OpLabel\n"
894                 "%idval     = OpLoad %uvec3 %id\n"
895                 "%x         = OpCompositeExtract %u32 %idval 0\n"
896
897                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
898                 "%inval     = OpLoad %f32 %inloc\n"
899                 "%neg       = OpFNegate %f32 %inval\n"
900                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
901                 "             OpStore %outloc %neg\n"
902                 "             OpReturn\n"
903                 "             OpFunctionEnd\n";
904         spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
905         spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
906         spec.numWorkGroups = IVec3(numElements, 1, 1);
907         spec.verifyBinary = veryfiBinaryShader;
908         spec.spirvVersion = SPIRV_VERSION_1_3;
909
910         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "OpModuleProcessed Tests", spec));
911
912         return group.release();
913 }
914
915 tcu::TestCaseGroup* createOpNoLineGroup (tcu::TestContext& testCtx)
916 {
917         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opnoline", "Test the OpNoLine instruction"));
918         ComputeShaderSpec                               spec;
919         de::Random                                              rnd                             (deStringHash(group->getName()));
920         const int                                               numElements             = 100;
921         vector<float>                                   positiveFloats  (numElements, 0);
922         vector<float>                                   negativeFloats  (numElements, 0);
923
924         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
925
926         for (size_t ndx = 0; ndx < numElements; ++ndx)
927                 negativeFloats[ndx] = -positiveFloats[ndx];
928
929         spec.assembly =
930                 string(getComputeAsmShaderPreamble()) +
931
932                 "%fname = OpString \"negateInputs.comp\"\n"
933
934                 "OpSource GLSL 430\n"
935                 "OpName %main           \"main\"\n"
936                 "OpName %id             \"gl_GlobalInvocationID\"\n"
937
938                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
939
940                 + string(getComputeAsmInputOutputBufferTraits()) +
941
942                 "OpNoLine\n" // At the earliest possible position, without preceding OpLine
943
944                 + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
945
946                 "OpLine %fname 0 1\n"
947                 "OpNoLine\n" // Immediately following a preceding OpLine
948
949                 "OpLine %fname 1000 1\n"
950
951                 "%id        = OpVariable %uvec3ptr Input\n"
952                 "%zero      = OpConstant %i32 0\n"
953
954                 "OpNoLine\n" // Contents after the previous OpLine
955
956                 "%main      = OpFunction %void None %voidf\n"
957                 "%label     = OpLabel\n"
958                 "%idval     = OpLoad %uvec3 %id\n"
959                 "%x         = OpCompositeExtract %u32 %idval 0\n"
960
961                 "OpNoLine\n" // Multiple OpNoLine
962                 "OpNoLine\n"
963                 "OpNoLine\n"
964
965                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
966                 "%inval     = OpLoad %f32 %inloc\n"
967                 "%neg       = OpFNegate %f32 %inval\n"
968                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
969                 "             OpStore %outloc %neg\n"
970                 "             OpReturn\n"
971                 "             OpFunctionEnd\n";
972         spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
973         spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
974         spec.numWorkGroups = IVec3(numElements, 1, 1);
975
976         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "OpNoLine appearing at different places", spec));
977
978         return group.release();
979 }
980
981 // Compare instruction for the contraction compute case.
982 // Returns true if the output is what is expected from the test case.
983 bool compareNoContractCase(const std::vector<Resource>&, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog&)
984 {
985         if (outputAllocs.size() != 1)
986                 return false;
987
988         // Only size is needed because we are not comparing the exact values.
989         size_t byteSize = expectedOutputs[0].getByteSize();
990
991         const float*    outputAsFloat   = static_cast<const float*>(outputAllocs[0]->getHostPtr());
992
993         for(size_t i = 0; i < byteSize / sizeof(float); ++i) {
994                 if (outputAsFloat[i] != 0.f &&
995                         outputAsFloat[i] != -ldexp(1, -24)) {
996                         return false;
997                 }
998         }
999
1000         return true;
1001 }
1002
1003 tcu::TestCaseGroup* createNoContractionGroup (tcu::TestContext& testCtx)
1004 {
1005         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "nocontraction", "Test the NoContraction decoration"));
1006         vector<CaseParameter>                   cases;
1007         const int                                               numElements             = 100;
1008         vector<float>                                   inputFloats1    (numElements, 0);
1009         vector<float>                                   inputFloats2    (numElements, 0);
1010         vector<float>                                   outputFloats    (numElements, 0);
1011         const StringTemplate                    shaderTemplate  (
1012                 string(getComputeAsmShaderPreamble()) +
1013
1014                 "OpName %main           \"main\"\n"
1015                 "OpName %id             \"gl_GlobalInvocationID\"\n"
1016
1017                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
1018
1019                 "${DECORATION}\n"
1020
1021                 "OpDecorate %buf BufferBlock\n"
1022                 "OpDecorate %indata1 DescriptorSet 0\n"
1023                 "OpDecorate %indata1 Binding 0\n"
1024                 "OpDecorate %indata2 DescriptorSet 0\n"
1025                 "OpDecorate %indata2 Binding 1\n"
1026                 "OpDecorate %outdata DescriptorSet 0\n"
1027                 "OpDecorate %outdata Binding 2\n"
1028                 "OpDecorate %f32arr ArrayStride 4\n"
1029                 "OpMemberDecorate %buf 0 Offset 0\n"
1030
1031                 + string(getComputeAsmCommonTypes()) +
1032
1033                 "%buf        = OpTypeStruct %f32arr\n"
1034                 "%bufptr     = OpTypePointer Uniform %buf\n"
1035                 "%indata1    = OpVariable %bufptr Uniform\n"
1036                 "%indata2    = OpVariable %bufptr Uniform\n"
1037                 "%outdata    = OpVariable %bufptr Uniform\n"
1038
1039                 "%id         = OpVariable %uvec3ptr Input\n"
1040                 "%zero       = OpConstant %i32 0\n"
1041                 "%c_f_m1     = OpConstant %f32 -1.\n"
1042
1043                 "%main       = OpFunction %void None %voidf\n"
1044                 "%label      = OpLabel\n"
1045                 "%idval      = OpLoad %uvec3 %id\n"
1046                 "%x          = OpCompositeExtract %u32 %idval 0\n"
1047                 "%inloc1     = OpAccessChain %f32ptr %indata1 %zero %x\n"
1048                 "%inval1     = OpLoad %f32 %inloc1\n"
1049                 "%inloc2     = OpAccessChain %f32ptr %indata2 %zero %x\n"
1050                 "%inval2     = OpLoad %f32 %inloc2\n"
1051                 "%mul        = OpFMul %f32 %inval1 %inval2\n"
1052                 "%add        = OpFAdd %f32 %mul %c_f_m1\n"
1053                 "%outloc     = OpAccessChain %f32ptr %outdata %zero %x\n"
1054                 "              OpStore %outloc %add\n"
1055                 "              OpReturn\n"
1056                 "              OpFunctionEnd\n");
1057
1058         cases.push_back(CaseParameter("multiplication", "OpDecorate %mul NoContraction"));
1059         cases.push_back(CaseParameter("addition",               "OpDecorate %add NoContraction"));
1060         cases.push_back(CaseParameter("both",                   "OpDecorate %mul NoContraction\nOpDecorate %add NoContraction"));
1061
1062         for (size_t ndx = 0; ndx < numElements; ++ndx)
1063         {
1064                 inputFloats1[ndx]       = 1.f + std::ldexp(1.f, -23); // 1 + 2^-23.
1065                 inputFloats2[ndx]       = 1.f - std::ldexp(1.f, -23); // 1 - 2^-23.
1066                 // Result for (1 + 2^-23) * (1 - 2^-23) - 1. With NoContraction, the multiplication will be
1067                 // conducted separately and the result is rounded to 1, or 0x1.fffffcp-1
1068                 // So the final result will be 0.f or 0x1p-24.
1069                 // If the operation is combined into a precise fused multiply-add, then the result would be
1070                 // 2^-46 (0xa8800000).
1071                 outputFloats[ndx]       = 0.f;
1072         }
1073
1074         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
1075         {
1076                 map<string, string>             specializations;
1077                 ComputeShaderSpec               spec;
1078
1079                 specializations["DECORATION"] = cases[caseNdx].param;
1080                 spec.assembly = shaderTemplate.specialize(specializations);
1081                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats1)));
1082                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats2)));
1083                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
1084                 spec.numWorkGroups = IVec3(numElements, 1, 1);
1085                 // Check against the two possible answers based on rounding mode.
1086                 spec.verifyIO = &compareNoContractCase;
1087
1088                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
1089         }
1090         return group.release();
1091 }
1092
1093 bool compareFRem(const std::vector<Resource>&, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog&)
1094 {
1095         if (outputAllocs.size() != 1)
1096                 return false;
1097
1098         vector<deUint8> expectedBytes;
1099         expectedOutputs[0].getBytes(expectedBytes);
1100
1101         const float*    expectedOutputAsFloat   = reinterpret_cast<const float*>(&expectedBytes.front());
1102         const float*    outputAsFloat                   = static_cast<const float*>(outputAllocs[0]->getHostPtr());
1103
1104         for (size_t idx = 0; idx < expectedBytes.size() / sizeof(float); ++idx)
1105         {
1106                 const float f0 = expectedOutputAsFloat[idx];
1107                 const float f1 = outputAsFloat[idx];
1108                 // \todo relative error needs to be fairly high because FRem may be implemented as
1109                 // (roughly) frac(a/b)*b, so LSB errors can be magnified. But this should be fine for now.
1110                 if (deFloatAbs((f1 - f0) / f0) > 0.02)
1111                         return false;
1112         }
1113
1114         return true;
1115 }
1116
1117 tcu::TestCaseGroup* createOpFRemGroup (tcu::TestContext& testCtx)
1118 {
1119         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opfrem", "Test the OpFRem instruction"));
1120         ComputeShaderSpec                               spec;
1121         de::Random                                              rnd                             (deStringHash(group->getName()));
1122         const int                                               numElements             = 200;
1123         vector<float>                                   inputFloats1    (numElements, 0);
1124         vector<float>                                   inputFloats2    (numElements, 0);
1125         vector<float>                                   outputFloats    (numElements, 0);
1126
1127         fillRandomScalars(rnd, -10000.f, 10000.f, &inputFloats1[0], numElements);
1128         fillRandomScalars(rnd, -100.f, 100.f, &inputFloats2[0], numElements);
1129
1130         for (size_t ndx = 0; ndx < numElements; ++ndx)
1131         {
1132                 // Guard against divisors near zero.
1133                 if (std::fabs(inputFloats2[ndx]) < 1e-3)
1134                         inputFloats2[ndx] = 8.f;
1135
1136                 // The return value of std::fmod() has the same sign as its first operand, which is how OpFRem spec'd.
1137                 outputFloats[ndx] = std::fmod(inputFloats1[ndx], inputFloats2[ndx]);
1138         }
1139
1140         spec.assembly =
1141                 string(getComputeAsmShaderPreamble()) +
1142
1143                 "OpName %main           \"main\"\n"
1144                 "OpName %id             \"gl_GlobalInvocationID\"\n"
1145
1146                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
1147
1148                 "OpDecorate %buf BufferBlock\n"
1149                 "OpDecorate %indata1 DescriptorSet 0\n"
1150                 "OpDecorate %indata1 Binding 0\n"
1151                 "OpDecorate %indata2 DescriptorSet 0\n"
1152                 "OpDecorate %indata2 Binding 1\n"
1153                 "OpDecorate %outdata DescriptorSet 0\n"
1154                 "OpDecorate %outdata Binding 2\n"
1155                 "OpDecorate %f32arr ArrayStride 4\n"
1156                 "OpMemberDecorate %buf 0 Offset 0\n"
1157
1158                 + string(getComputeAsmCommonTypes()) +
1159
1160                 "%buf        = OpTypeStruct %f32arr\n"
1161                 "%bufptr     = OpTypePointer Uniform %buf\n"
1162                 "%indata1    = OpVariable %bufptr Uniform\n"
1163                 "%indata2    = OpVariable %bufptr Uniform\n"
1164                 "%outdata    = OpVariable %bufptr Uniform\n"
1165
1166                 "%id        = OpVariable %uvec3ptr Input\n"
1167                 "%zero      = OpConstant %i32 0\n"
1168
1169                 "%main      = OpFunction %void None %voidf\n"
1170                 "%label     = OpLabel\n"
1171                 "%idval     = OpLoad %uvec3 %id\n"
1172                 "%x         = OpCompositeExtract %u32 %idval 0\n"
1173                 "%inloc1    = OpAccessChain %f32ptr %indata1 %zero %x\n"
1174                 "%inval1    = OpLoad %f32 %inloc1\n"
1175                 "%inloc2    = OpAccessChain %f32ptr %indata2 %zero %x\n"
1176                 "%inval2    = OpLoad %f32 %inloc2\n"
1177                 "%rem       = OpFRem %f32 %inval1 %inval2\n"
1178                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
1179                 "             OpStore %outloc %rem\n"
1180                 "             OpReturn\n"
1181                 "             OpFunctionEnd\n";
1182
1183         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats1)));
1184         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats2)));
1185         spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
1186         spec.numWorkGroups = IVec3(numElements, 1, 1);
1187         spec.verifyIO = &compareFRem;
1188
1189         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "", spec));
1190
1191         return group.release();
1192 }
1193
1194 bool compareNMin (const std::vector<Resource>&, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog&)
1195 {
1196         if (outputAllocs.size() != 1)
1197                 return false;
1198
1199         const BufferSp&                 expectedOutput                  (expectedOutputs[0].getBuffer());
1200         std::vector<deUint8>    data;
1201         expectedOutput->getBytes(data);
1202
1203         const float* const              expectedOutputAsFloat   = reinterpret_cast<const float*>(&data.front());
1204         const float* const              outputAsFloat                   = static_cast<const float*>(outputAllocs[0]->getHostPtr());
1205
1206         for (size_t idx = 0; idx < expectedOutput->getByteSize() / sizeof(float); ++idx)
1207         {
1208                 const float f0 = expectedOutputAsFloat[idx];
1209                 const float f1 = outputAsFloat[idx];
1210
1211                 // For NMin, we accept NaN as output if both inputs were NaN.
1212                 // Otherwise the NaN is the wrong choise, as on architectures that
1213                 // do not handle NaN, those are huge values.
1214                 if (!(tcu::Float32(f1).isNaN() && tcu::Float32(f0).isNaN()) && deFloatAbs(f1 - f0) > 0.00001f)
1215                         return false;
1216         }
1217
1218         return true;
1219 }
1220
1221 tcu::TestCaseGroup* createOpNMinGroup (tcu::TestContext& testCtx)
1222 {
1223         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opnmin", "Test the OpNMin instruction"));
1224         ComputeShaderSpec                               spec;
1225         de::Random                                              rnd                             (deStringHash(group->getName()));
1226         const int                                               numElements             = 200;
1227         vector<float>                                   inputFloats1    (numElements, 0);
1228         vector<float>                                   inputFloats2    (numElements, 0);
1229         vector<float>                                   outputFloats    (numElements, 0);
1230
1231         fillRandomScalars(rnd, -10000.f, 10000.f, &inputFloats1[0], numElements);
1232         fillRandomScalars(rnd, -10000.f, 10000.f, &inputFloats2[0], numElements);
1233
1234         // Make the first case a full-NAN case.
1235         inputFloats1[0] = TCU_NAN;
1236         inputFloats2[0] = TCU_NAN;
1237
1238         for (size_t ndx = 0; ndx < numElements; ++ndx)
1239         {
1240                 // By default, pick the smallest
1241                 outputFloats[ndx] = std::min(inputFloats1[ndx], inputFloats2[ndx]);
1242
1243                 // Make half of the cases NaN cases
1244                 if ((ndx & 1) == 0)
1245                 {
1246                         // Alternate between the NaN operand
1247                         if ((ndx & 2) == 0)
1248                         {
1249                                 outputFloats[ndx] = inputFloats2[ndx];
1250                                 inputFloats1[ndx] = TCU_NAN;
1251                         }
1252                         else
1253                         {
1254                                 outputFloats[ndx] = inputFloats1[ndx];
1255                                 inputFloats2[ndx] = TCU_NAN;
1256                         }
1257                 }
1258         }
1259
1260         spec.assembly =
1261                 "OpCapability Shader\n"
1262                 "%std450        = OpExtInstImport \"GLSL.std.450\"\n"
1263                 "OpMemoryModel Logical GLSL450\n"
1264                 "OpEntryPoint GLCompute %main \"main\" %id\n"
1265                 "OpExecutionMode %main LocalSize 1 1 1\n"
1266
1267                 "OpName %main           \"main\"\n"
1268                 "OpName %id             \"gl_GlobalInvocationID\"\n"
1269
1270                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
1271
1272                 "OpDecorate %buf BufferBlock\n"
1273                 "OpDecorate %indata1 DescriptorSet 0\n"
1274                 "OpDecorate %indata1 Binding 0\n"
1275                 "OpDecorate %indata2 DescriptorSet 0\n"
1276                 "OpDecorate %indata2 Binding 1\n"
1277                 "OpDecorate %outdata DescriptorSet 0\n"
1278                 "OpDecorate %outdata Binding 2\n"
1279                 "OpDecorate %f32arr ArrayStride 4\n"
1280                 "OpMemberDecorate %buf 0 Offset 0\n"
1281
1282                 + string(getComputeAsmCommonTypes()) +
1283
1284                 "%buf        = OpTypeStruct %f32arr\n"
1285                 "%bufptr     = OpTypePointer Uniform %buf\n"
1286                 "%indata1    = OpVariable %bufptr Uniform\n"
1287                 "%indata2    = OpVariable %bufptr Uniform\n"
1288                 "%outdata    = OpVariable %bufptr Uniform\n"
1289
1290                 "%id        = OpVariable %uvec3ptr Input\n"
1291                 "%zero      = OpConstant %i32 0\n"
1292
1293                 "%main      = OpFunction %void None %voidf\n"
1294                 "%label     = OpLabel\n"
1295                 "%idval     = OpLoad %uvec3 %id\n"
1296                 "%x         = OpCompositeExtract %u32 %idval 0\n"
1297                 "%inloc1    = OpAccessChain %f32ptr %indata1 %zero %x\n"
1298                 "%inval1    = OpLoad %f32 %inloc1\n"
1299                 "%inloc2    = OpAccessChain %f32ptr %indata2 %zero %x\n"
1300                 "%inval2    = OpLoad %f32 %inloc2\n"
1301                 "%rem       = OpExtInst %f32 %std450 NMin %inval1 %inval2\n"
1302                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
1303                 "             OpStore %outloc %rem\n"
1304                 "             OpReturn\n"
1305                 "             OpFunctionEnd\n";
1306
1307         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats1)));
1308         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats2)));
1309         spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
1310         spec.numWorkGroups = IVec3(numElements, 1, 1);
1311         spec.verifyIO = &compareNMin;
1312
1313         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "", spec));
1314
1315         return group.release();
1316 }
1317
1318 bool compareNMax (const std::vector<Resource>&, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog&)
1319 {
1320         if (outputAllocs.size() != 1)
1321                 return false;
1322
1323         const BufferSp&                 expectedOutput                  = expectedOutputs[0].getBuffer();
1324         std::vector<deUint8>    data;
1325         expectedOutput->getBytes(data);
1326
1327         const float* const              expectedOutputAsFloat   = reinterpret_cast<const float*>(&data.front());
1328         const float* const              outputAsFloat                   = static_cast<const float*>(outputAllocs[0]->getHostPtr());
1329
1330         for (size_t idx = 0; idx < expectedOutput->getByteSize() / sizeof(float); ++idx)
1331         {
1332                 const float f0 = expectedOutputAsFloat[idx];
1333                 const float f1 = outputAsFloat[idx];
1334
1335                 // For NMax, NaN is considered acceptable result, since in
1336                 // architectures that do not handle NaNs, those are huge values.
1337                 if (!tcu::Float32(f1).isNaN() && deFloatAbs(f1 - f0) > 0.00001f)
1338                         return false;
1339         }
1340
1341         return true;
1342 }
1343
1344 tcu::TestCaseGroup* createOpNMaxGroup (tcu::TestContext& testCtx)
1345 {
1346         de::MovePtr<tcu::TestCaseGroup> group(new tcu::TestCaseGroup(testCtx, "opnmax", "Test the OpNMax instruction"));
1347         ComputeShaderSpec                               spec;
1348         de::Random                                              rnd                             (deStringHash(group->getName()));
1349         const int                                               numElements             = 200;
1350         vector<float>                                   inputFloats1    (numElements, 0);
1351         vector<float>                                   inputFloats2    (numElements, 0);
1352         vector<float>                                   outputFloats    (numElements, 0);
1353
1354         fillRandomScalars(rnd, -10000.f, 10000.f, &inputFloats1[0], numElements);
1355         fillRandomScalars(rnd, -10000.f, 10000.f, &inputFloats2[0], numElements);
1356
1357         // Make the first case a full-NAN case.
1358         inputFloats1[0] = TCU_NAN;
1359         inputFloats2[0] = TCU_NAN;
1360
1361         for (size_t ndx = 0; ndx < numElements; ++ndx)
1362         {
1363                 // By default, pick the biggest
1364                 outputFloats[ndx] = std::max(inputFloats1[ndx], inputFloats2[ndx]);
1365
1366                 // Make half of the cases NaN cases
1367                 if ((ndx & 1) == 0)
1368                 {
1369                         // Alternate between the NaN operand
1370                         if ((ndx & 2) == 0)
1371                         {
1372                                 outputFloats[ndx] = inputFloats2[ndx];
1373                                 inputFloats1[ndx] = TCU_NAN;
1374                         }
1375                         else
1376                         {
1377                                 outputFloats[ndx] = inputFloats1[ndx];
1378                                 inputFloats2[ndx] = TCU_NAN;
1379                         }
1380                 }
1381         }
1382
1383         spec.assembly =
1384                 "OpCapability Shader\n"
1385                 "%std450        = OpExtInstImport \"GLSL.std.450\"\n"
1386                 "OpMemoryModel Logical GLSL450\n"
1387                 "OpEntryPoint GLCompute %main \"main\" %id\n"
1388                 "OpExecutionMode %main LocalSize 1 1 1\n"
1389
1390                 "OpName %main           \"main\"\n"
1391                 "OpName %id             \"gl_GlobalInvocationID\"\n"
1392
1393                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
1394
1395                 "OpDecorate %buf BufferBlock\n"
1396                 "OpDecorate %indata1 DescriptorSet 0\n"
1397                 "OpDecorate %indata1 Binding 0\n"
1398                 "OpDecorate %indata2 DescriptorSet 0\n"
1399                 "OpDecorate %indata2 Binding 1\n"
1400                 "OpDecorate %outdata DescriptorSet 0\n"
1401                 "OpDecorate %outdata Binding 2\n"
1402                 "OpDecorate %f32arr ArrayStride 4\n"
1403                 "OpMemberDecorate %buf 0 Offset 0\n"
1404
1405                 + string(getComputeAsmCommonTypes()) +
1406
1407                 "%buf        = OpTypeStruct %f32arr\n"
1408                 "%bufptr     = OpTypePointer Uniform %buf\n"
1409                 "%indata1    = OpVariable %bufptr Uniform\n"
1410                 "%indata2    = OpVariable %bufptr Uniform\n"
1411                 "%outdata    = OpVariable %bufptr Uniform\n"
1412
1413                 "%id        = OpVariable %uvec3ptr Input\n"
1414                 "%zero      = OpConstant %i32 0\n"
1415
1416                 "%main      = OpFunction %void None %voidf\n"
1417                 "%label     = OpLabel\n"
1418                 "%idval     = OpLoad %uvec3 %id\n"
1419                 "%x         = OpCompositeExtract %u32 %idval 0\n"
1420                 "%inloc1    = OpAccessChain %f32ptr %indata1 %zero %x\n"
1421                 "%inval1    = OpLoad %f32 %inloc1\n"
1422                 "%inloc2    = OpAccessChain %f32ptr %indata2 %zero %x\n"
1423                 "%inval2    = OpLoad %f32 %inloc2\n"
1424                 "%rem       = OpExtInst %f32 %std450 NMax %inval1 %inval2\n"
1425                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
1426                 "             OpStore %outloc %rem\n"
1427                 "             OpReturn\n"
1428                 "             OpFunctionEnd\n";
1429
1430         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats1)));
1431         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats2)));
1432         spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
1433         spec.numWorkGroups = IVec3(numElements, 1, 1);
1434         spec.verifyIO = &compareNMax;
1435
1436         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "", spec));
1437
1438         return group.release();
1439 }
1440
1441 bool compareNClamp (const std::vector<Resource>&, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog&)
1442 {
1443         if (outputAllocs.size() != 1)
1444                 return false;
1445
1446         const BufferSp&                 expectedOutput                  = expectedOutputs[0].getBuffer();
1447         std::vector<deUint8>    data;
1448         expectedOutput->getBytes(data);
1449
1450         const float* const              expectedOutputAsFloat   = reinterpret_cast<const float*>(&data.front());
1451         const float* const              outputAsFloat                   = static_cast<const float*>(outputAllocs[0]->getHostPtr());
1452
1453         for (size_t idx = 0; idx < expectedOutput->getByteSize() / sizeof(float) / 2; ++idx)
1454         {
1455                 const float e0 = expectedOutputAsFloat[idx * 2];
1456                 const float e1 = expectedOutputAsFloat[idx * 2 + 1];
1457                 const float res = outputAsFloat[idx];
1458
1459                 // For NClamp, we have two possible outcomes based on
1460                 // whether NaNs are handled or not.
1461                 // If either min or max value is NaN, the result is undefined,
1462                 // so this test doesn't stress those. If the clamped value is
1463                 // NaN, and NaNs are handled, the result is min; if NaNs are not
1464                 // handled, they are big values that result in max.
1465                 // If all three parameters are NaN, the result should be NaN.
1466                 if (!((tcu::Float32(e0).isNaN() && tcu::Float32(res).isNaN()) ||
1467                          (deFloatAbs(e0 - res) < 0.00001f) ||
1468                          (deFloatAbs(e1 - res) < 0.00001f)))
1469                         return false;
1470         }
1471
1472         return true;
1473 }
1474
1475 tcu::TestCaseGroup* createOpNClampGroup (tcu::TestContext& testCtx)
1476 {
1477         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opnclamp", "Test the OpNClamp instruction"));
1478         ComputeShaderSpec                               spec;
1479         de::Random                                              rnd                             (deStringHash(group->getName()));
1480         const int                                               numElements             = 200;
1481         vector<float>                                   inputFloats1    (numElements, 0);
1482         vector<float>                                   inputFloats2    (numElements, 0);
1483         vector<float>                                   inputFloats3    (numElements, 0);
1484         vector<float>                                   outputFloats    (numElements * 2, 0);
1485
1486         fillRandomScalars(rnd, -10000.f, 10000.f, &inputFloats1[0], numElements);
1487         fillRandomScalars(rnd, -10000.f, 10000.f, &inputFloats2[0], numElements);
1488         fillRandomScalars(rnd, -10000.f, 10000.f, &inputFloats3[0], numElements);
1489
1490         for (size_t ndx = 0; ndx < numElements; ++ndx)
1491         {
1492                 // Results are only defined if max value is bigger than min value.
1493                 if (inputFloats2[ndx] > inputFloats3[ndx])
1494                 {
1495                         float t = inputFloats2[ndx];
1496                         inputFloats2[ndx] = inputFloats3[ndx];
1497                         inputFloats3[ndx] = t;
1498                 }
1499
1500                 // By default, do the clamp, setting both possible answers
1501                 float defaultRes = std::min(std::max(inputFloats1[ndx], inputFloats2[ndx]), inputFloats3[ndx]);
1502
1503                 float maxResA = std::max(inputFloats1[ndx], inputFloats2[ndx]);
1504                 float maxResB = maxResA;
1505
1506                 // Alternate between the NaN cases
1507                 if (ndx & 1)
1508                 {
1509                         inputFloats1[ndx] = TCU_NAN;
1510                         // If NaN is handled, the result should be same as the clamp minimum.
1511                         // If NaN is not handled, the result should clamp to the clamp maximum.
1512                         maxResA = inputFloats2[ndx];
1513                         maxResB = inputFloats3[ndx];
1514                 }
1515                 else
1516                 {
1517                         // Not a NaN case - only one legal result.
1518                         maxResA = defaultRes;
1519                         maxResB = defaultRes;
1520                 }
1521
1522                 outputFloats[ndx * 2] = maxResA;
1523                 outputFloats[ndx * 2 + 1] = maxResB;
1524         }
1525
1526         // Make the first case a full-NAN case.
1527         inputFloats1[0] = TCU_NAN;
1528         inputFloats2[0] = TCU_NAN;
1529         inputFloats3[0] = TCU_NAN;
1530         outputFloats[0] = TCU_NAN;
1531         outputFloats[1] = TCU_NAN;
1532
1533         spec.assembly =
1534                 "OpCapability Shader\n"
1535                 "%std450        = OpExtInstImport \"GLSL.std.450\"\n"
1536                 "OpMemoryModel Logical GLSL450\n"
1537                 "OpEntryPoint GLCompute %main \"main\" %id\n"
1538                 "OpExecutionMode %main LocalSize 1 1 1\n"
1539
1540                 "OpName %main           \"main\"\n"
1541                 "OpName %id             \"gl_GlobalInvocationID\"\n"
1542
1543                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
1544
1545                 "OpDecorate %buf BufferBlock\n"
1546                 "OpDecorate %indata1 DescriptorSet 0\n"
1547                 "OpDecorate %indata1 Binding 0\n"
1548                 "OpDecorate %indata2 DescriptorSet 0\n"
1549                 "OpDecorate %indata2 Binding 1\n"
1550                 "OpDecorate %indata3 DescriptorSet 0\n"
1551                 "OpDecorate %indata3 Binding 2\n"
1552                 "OpDecorate %outdata DescriptorSet 0\n"
1553                 "OpDecorate %outdata Binding 3\n"
1554                 "OpDecorate %f32arr ArrayStride 4\n"
1555                 "OpMemberDecorate %buf 0 Offset 0\n"
1556
1557                 + string(getComputeAsmCommonTypes()) +
1558
1559                 "%buf        = OpTypeStruct %f32arr\n"
1560                 "%bufptr     = OpTypePointer Uniform %buf\n"
1561                 "%indata1    = OpVariable %bufptr Uniform\n"
1562                 "%indata2    = OpVariable %bufptr Uniform\n"
1563                 "%indata3    = OpVariable %bufptr Uniform\n"
1564                 "%outdata    = OpVariable %bufptr Uniform\n"
1565
1566                 "%id        = OpVariable %uvec3ptr Input\n"
1567                 "%zero      = OpConstant %i32 0\n"
1568
1569                 "%main      = OpFunction %void None %voidf\n"
1570                 "%label     = OpLabel\n"
1571                 "%idval     = OpLoad %uvec3 %id\n"
1572                 "%x         = OpCompositeExtract %u32 %idval 0\n"
1573                 "%inloc1    = OpAccessChain %f32ptr %indata1 %zero %x\n"
1574                 "%inval1    = OpLoad %f32 %inloc1\n"
1575                 "%inloc2    = OpAccessChain %f32ptr %indata2 %zero %x\n"
1576                 "%inval2    = OpLoad %f32 %inloc2\n"
1577                 "%inloc3    = OpAccessChain %f32ptr %indata3 %zero %x\n"
1578                 "%inval3    = OpLoad %f32 %inloc3\n"
1579                 "%rem       = OpExtInst %f32 %std450 NClamp %inval1 %inval2 %inval3\n"
1580                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
1581                 "             OpStore %outloc %rem\n"
1582                 "             OpReturn\n"
1583                 "             OpFunctionEnd\n";
1584
1585         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats1)));
1586         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats2)));
1587         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats3)));
1588         spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
1589         spec.numWorkGroups = IVec3(numElements, 1, 1);
1590         spec.verifyIO = &compareNClamp;
1591
1592         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "", spec));
1593
1594         return group.release();
1595 }
1596
1597 tcu::TestCaseGroup* createOpSRemComputeGroup (tcu::TestContext& testCtx, qpTestResult negFailResult)
1598 {
1599         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opsrem", "Test the OpSRem instruction"));
1600         de::Random                                              rnd                             (deStringHash(group->getName()));
1601         const int                                               numElements             = 200;
1602
1603         const struct CaseParams
1604         {
1605                 const char*             name;
1606                 const char*             failMessage;            // customized status message
1607                 qpTestResult    failResult;                     // override status on failure
1608                 int                             op1Min, op1Max;         // operand ranges
1609                 int                             op2Min, op2Max;
1610         } cases[] =
1611         {
1612                 { "positive",   "Output doesn't match with expected",                           QP_TEST_RESULT_FAIL,    0,              65536,  0,              100 },
1613                 { "all",                "Inconsistent results, but within specification",       negFailResult,                  -65536, 65536,  -100,   100 },  // see below
1614         };
1615         // If either operand is negative the result is undefined. Some implementations may still return correct values.
1616
1617         for (int caseNdx = 0; caseNdx < DE_LENGTH_OF_ARRAY(cases); ++caseNdx)
1618         {
1619                 const CaseParams&       params          = cases[caseNdx];
1620                 ComputeShaderSpec       spec;
1621                 vector<deInt32>         inputInts1      (numElements, 0);
1622                 vector<deInt32>         inputInts2      (numElements, 0);
1623                 vector<deInt32>         outputInts      (numElements, 0);
1624
1625                 fillRandomScalars(rnd, params.op1Min, params.op1Max, &inputInts1[0], numElements);
1626                 fillRandomScalars(rnd, params.op2Min, params.op2Max, &inputInts2[0], numElements, filterNotZero);
1627
1628                 for (int ndx = 0; ndx < numElements; ++ndx)
1629                 {
1630                         // The return value of std::fmod() has the same sign as its first operand, which is how OpFRem spec'd.
1631                         outputInts[ndx] = inputInts1[ndx] % inputInts2[ndx];
1632                 }
1633
1634                 spec.assembly =
1635                         string(getComputeAsmShaderPreamble()) +
1636
1637                         "OpName %main           \"main\"\n"
1638                         "OpName %id             \"gl_GlobalInvocationID\"\n"
1639
1640                         "OpDecorate %id BuiltIn GlobalInvocationId\n"
1641
1642                         "OpDecorate %buf BufferBlock\n"
1643                         "OpDecorate %indata1 DescriptorSet 0\n"
1644                         "OpDecorate %indata1 Binding 0\n"
1645                         "OpDecorate %indata2 DescriptorSet 0\n"
1646                         "OpDecorate %indata2 Binding 1\n"
1647                         "OpDecorate %outdata DescriptorSet 0\n"
1648                         "OpDecorate %outdata Binding 2\n"
1649                         "OpDecorate %i32arr ArrayStride 4\n"
1650                         "OpMemberDecorate %buf 0 Offset 0\n"
1651
1652                         + string(getComputeAsmCommonTypes()) +
1653
1654                         "%buf        = OpTypeStruct %i32arr\n"
1655                         "%bufptr     = OpTypePointer Uniform %buf\n"
1656                         "%indata1    = OpVariable %bufptr Uniform\n"
1657                         "%indata2    = OpVariable %bufptr Uniform\n"
1658                         "%outdata    = OpVariable %bufptr Uniform\n"
1659
1660                         "%id        = OpVariable %uvec3ptr Input\n"
1661                         "%zero      = OpConstant %i32 0\n"
1662
1663                         "%main      = OpFunction %void None %voidf\n"
1664                         "%label     = OpLabel\n"
1665                         "%idval     = OpLoad %uvec3 %id\n"
1666                         "%x         = OpCompositeExtract %u32 %idval 0\n"
1667                         "%inloc1    = OpAccessChain %i32ptr %indata1 %zero %x\n"
1668                         "%inval1    = OpLoad %i32 %inloc1\n"
1669                         "%inloc2    = OpAccessChain %i32ptr %indata2 %zero %x\n"
1670                         "%inval2    = OpLoad %i32 %inloc2\n"
1671                         "%rem       = OpSRem %i32 %inval1 %inval2\n"
1672                         "%outloc    = OpAccessChain %i32ptr %outdata %zero %x\n"
1673                         "             OpStore %outloc %rem\n"
1674                         "             OpReturn\n"
1675                         "             OpFunctionEnd\n";
1676
1677                 spec.inputs.push_back   (BufferSp(new Int32Buffer(inputInts1)));
1678                 spec.inputs.push_back   (BufferSp(new Int32Buffer(inputInts2)));
1679                 spec.outputs.push_back  (BufferSp(new Int32Buffer(outputInts)));
1680                 spec.numWorkGroups              = IVec3(numElements, 1, 1);
1681                 spec.failResult                 = params.failResult;
1682                 spec.failMessage                = params.failMessage;
1683
1684                 group->addChild(new SpvAsmComputeShaderCase(testCtx, params.name, "", spec));
1685         }
1686
1687         return group.release();
1688 }
1689
1690 tcu::TestCaseGroup* createOpSRemComputeGroup64 (tcu::TestContext& testCtx, qpTestResult negFailResult)
1691 {
1692         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opsrem64", "Test the 64-bit OpSRem instruction"));
1693         de::Random                                              rnd                             (deStringHash(group->getName()));
1694         const int                                               numElements             = 200;
1695
1696         const struct CaseParams
1697         {
1698                 const char*             name;
1699                 const char*             failMessage;            // customized status message
1700                 qpTestResult    failResult;                     // override status on failure
1701                 bool                    positive;
1702         } cases[] =
1703         {
1704                 { "positive",   "Output doesn't match with expected",                           QP_TEST_RESULT_FAIL,    true },
1705                 { "all",                "Inconsistent results, but within specification",       negFailResult,                  false },        // see below
1706         };
1707         // If either operand is negative the result is undefined. Some implementations may still return correct values.
1708
1709         for (int caseNdx = 0; caseNdx < DE_LENGTH_OF_ARRAY(cases); ++caseNdx)
1710         {
1711                 const CaseParams&       params          = cases[caseNdx];
1712                 ComputeShaderSpec       spec;
1713                 vector<deInt64>         inputInts1      (numElements, 0);
1714                 vector<deInt64>         inputInts2      (numElements, 0);
1715                 vector<deInt64>         outputInts      (numElements, 0);
1716
1717                 if (params.positive)
1718                 {
1719                         fillRandomInt64sLogDistributed(rnd, inputInts1, numElements, filterNonNegative);
1720                         fillRandomInt64sLogDistributed(rnd, inputInts2, numElements, filterPositive);
1721                 }
1722                 else
1723                 {
1724                         fillRandomInt64sLogDistributed(rnd, inputInts1, numElements);
1725                         fillRandomInt64sLogDistributed(rnd, inputInts2, numElements, filterNotZero);
1726                 }
1727
1728                 for (int ndx = 0; ndx < numElements; ++ndx)
1729                 {
1730                         // The return value of std::fmod() has the same sign as its first operand, which is how OpFRem spec'd.
1731                         outputInts[ndx] = inputInts1[ndx] % inputInts2[ndx];
1732                 }
1733
1734                 spec.assembly =
1735                         "OpCapability Int64\n"
1736
1737                         + string(getComputeAsmShaderPreamble()) +
1738
1739                         "OpName %main           \"main\"\n"
1740                         "OpName %id             \"gl_GlobalInvocationID\"\n"
1741
1742                         "OpDecorate %id BuiltIn GlobalInvocationId\n"
1743
1744                         "OpDecorate %buf BufferBlock\n"
1745                         "OpDecorate %indata1 DescriptorSet 0\n"
1746                         "OpDecorate %indata1 Binding 0\n"
1747                         "OpDecorate %indata2 DescriptorSet 0\n"
1748                         "OpDecorate %indata2 Binding 1\n"
1749                         "OpDecorate %outdata DescriptorSet 0\n"
1750                         "OpDecorate %outdata Binding 2\n"
1751                         "OpDecorate %i64arr ArrayStride 8\n"
1752                         "OpMemberDecorate %buf 0 Offset 0\n"
1753
1754                         + string(getComputeAsmCommonTypes())
1755                         + string(getComputeAsmCommonInt64Types()) +
1756
1757                         "%buf        = OpTypeStruct %i64arr\n"
1758                         "%bufptr     = OpTypePointer Uniform %buf\n"
1759                         "%indata1    = OpVariable %bufptr Uniform\n"
1760                         "%indata2    = OpVariable %bufptr Uniform\n"
1761                         "%outdata    = OpVariable %bufptr Uniform\n"
1762
1763                         "%id        = OpVariable %uvec3ptr Input\n"
1764                         "%zero      = OpConstant %i64 0\n"
1765
1766                         "%main      = OpFunction %void None %voidf\n"
1767                         "%label     = OpLabel\n"
1768                         "%idval     = OpLoad %uvec3 %id\n"
1769                         "%x         = OpCompositeExtract %u32 %idval 0\n"
1770                         "%inloc1    = OpAccessChain %i64ptr %indata1 %zero %x\n"
1771                         "%inval1    = OpLoad %i64 %inloc1\n"
1772                         "%inloc2    = OpAccessChain %i64ptr %indata2 %zero %x\n"
1773                         "%inval2    = OpLoad %i64 %inloc2\n"
1774                         "%rem       = OpSRem %i64 %inval1 %inval2\n"
1775                         "%outloc    = OpAccessChain %i64ptr %outdata %zero %x\n"
1776                         "             OpStore %outloc %rem\n"
1777                         "             OpReturn\n"
1778                         "             OpFunctionEnd\n";
1779
1780                 spec.inputs.push_back   (BufferSp(new Int64Buffer(inputInts1)));
1781                 spec.inputs.push_back   (BufferSp(new Int64Buffer(inputInts2)));
1782                 spec.outputs.push_back  (BufferSp(new Int64Buffer(outputInts)));
1783                 spec.numWorkGroups              = IVec3(numElements, 1, 1);
1784                 spec.failResult                 = params.failResult;
1785                 spec.failMessage                = params.failMessage;
1786
1787                 spec.requestedVulkanFeatures.coreFeatures.shaderInt64 = VK_TRUE;
1788
1789                 group->addChild(new SpvAsmComputeShaderCase(testCtx, params.name, "", spec));
1790         }
1791
1792         return group.release();
1793 }
1794
1795 tcu::TestCaseGroup* createOpSModComputeGroup (tcu::TestContext& testCtx, qpTestResult negFailResult)
1796 {
1797         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opsmod", "Test the OpSMod instruction"));
1798         de::Random                                              rnd                             (deStringHash(group->getName()));
1799         const int                                               numElements             = 200;
1800
1801         const struct CaseParams
1802         {
1803                 const char*             name;
1804                 const char*             failMessage;            // customized status message
1805                 qpTestResult    failResult;                     // override status on failure
1806                 int                             op1Min, op1Max;         // operand ranges
1807                 int                             op2Min, op2Max;
1808         } cases[] =
1809         {
1810                 { "positive",   "Output doesn't match with expected",                           QP_TEST_RESULT_FAIL,    0,              65536,  0,              100 },
1811                 { "all",                "Inconsistent results, but within specification",       negFailResult,                  -65536, 65536,  -100,   100 },  // see below
1812         };
1813         // If either operand is negative the result is undefined. Some implementations may still return correct values.
1814
1815         for (int caseNdx = 0; caseNdx < DE_LENGTH_OF_ARRAY(cases); ++caseNdx)
1816         {
1817                 const CaseParams&       params          = cases[caseNdx];
1818
1819                 ComputeShaderSpec       spec;
1820                 vector<deInt32>         inputInts1      (numElements, 0);
1821                 vector<deInt32>         inputInts2      (numElements, 0);
1822                 vector<deInt32>         outputInts      (numElements, 0);
1823
1824                 fillRandomScalars(rnd, params.op1Min, params.op1Max, &inputInts1[0], numElements);
1825                 fillRandomScalars(rnd, params.op2Min, params.op2Max, &inputInts2[0], numElements, filterNotZero);
1826
1827                 for (int ndx = 0; ndx < numElements; ++ndx)
1828                 {
1829                         deInt32 rem = inputInts1[ndx] % inputInts2[ndx];
1830                         if (rem == 0)
1831                         {
1832                                 outputInts[ndx] = 0;
1833                         }
1834                         else if ((inputInts1[ndx] >= 0) == (inputInts2[ndx] >= 0))
1835                         {
1836                                 // They have the same sign
1837                                 outputInts[ndx] = rem;
1838                         }
1839                         else
1840                         {
1841                                 // They have opposite sign.  The remainder operation takes the
1842                                 // sign inputInts1[ndx] but OpSMod is supposed to take ths sign
1843                                 // of inputInts2[ndx].  Adding inputInts2[ndx] will ensure that
1844                                 // the result has the correct sign and that it is still
1845                                 // congruent to inputInts1[ndx] modulo inputInts2[ndx]
1846                                 //
1847                                 // See also http://mathforum.org/library/drmath/view/52343.html
1848                                 outputInts[ndx] = rem + inputInts2[ndx];
1849                         }
1850                 }
1851
1852                 spec.assembly =
1853                         string(getComputeAsmShaderPreamble()) +
1854
1855                         "OpName %main           \"main\"\n"
1856                         "OpName %id             \"gl_GlobalInvocationID\"\n"
1857
1858                         "OpDecorate %id BuiltIn GlobalInvocationId\n"
1859
1860                         "OpDecorate %buf BufferBlock\n"
1861                         "OpDecorate %indata1 DescriptorSet 0\n"
1862                         "OpDecorate %indata1 Binding 0\n"
1863                         "OpDecorate %indata2 DescriptorSet 0\n"
1864                         "OpDecorate %indata2 Binding 1\n"
1865                         "OpDecorate %outdata DescriptorSet 0\n"
1866                         "OpDecorate %outdata Binding 2\n"
1867                         "OpDecorate %i32arr ArrayStride 4\n"
1868                         "OpMemberDecorate %buf 0 Offset 0\n"
1869
1870                         + string(getComputeAsmCommonTypes()) +
1871
1872                         "%buf        = OpTypeStruct %i32arr\n"
1873                         "%bufptr     = OpTypePointer Uniform %buf\n"
1874                         "%indata1    = OpVariable %bufptr Uniform\n"
1875                         "%indata2    = OpVariable %bufptr Uniform\n"
1876                         "%outdata    = OpVariable %bufptr Uniform\n"
1877
1878                         "%id        = OpVariable %uvec3ptr Input\n"
1879                         "%zero      = OpConstant %i32 0\n"
1880
1881                         "%main      = OpFunction %void None %voidf\n"
1882                         "%label     = OpLabel\n"
1883                         "%idval     = OpLoad %uvec3 %id\n"
1884                         "%x         = OpCompositeExtract %u32 %idval 0\n"
1885                         "%inloc1    = OpAccessChain %i32ptr %indata1 %zero %x\n"
1886                         "%inval1    = OpLoad %i32 %inloc1\n"
1887                         "%inloc2    = OpAccessChain %i32ptr %indata2 %zero %x\n"
1888                         "%inval2    = OpLoad %i32 %inloc2\n"
1889                         "%rem       = OpSMod %i32 %inval1 %inval2\n"
1890                         "%outloc    = OpAccessChain %i32ptr %outdata %zero %x\n"
1891                         "             OpStore %outloc %rem\n"
1892                         "             OpReturn\n"
1893                         "             OpFunctionEnd\n";
1894
1895                 spec.inputs.push_back   (BufferSp(new Int32Buffer(inputInts1)));
1896                 spec.inputs.push_back   (BufferSp(new Int32Buffer(inputInts2)));
1897                 spec.outputs.push_back  (BufferSp(new Int32Buffer(outputInts)));
1898                 spec.numWorkGroups              = IVec3(numElements, 1, 1);
1899                 spec.failResult                 = params.failResult;
1900                 spec.failMessage                = params.failMessage;
1901
1902                 group->addChild(new SpvAsmComputeShaderCase(testCtx, params.name, "", spec));
1903         }
1904
1905         return group.release();
1906 }
1907
1908 tcu::TestCaseGroup* createOpSModComputeGroup64 (tcu::TestContext& testCtx, qpTestResult negFailResult)
1909 {
1910         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opsmod64", "Test the OpSMod instruction"));
1911         de::Random                                              rnd                             (deStringHash(group->getName()));
1912         const int                                               numElements             = 200;
1913
1914         const struct CaseParams
1915         {
1916                 const char*             name;
1917                 const char*             failMessage;            // customized status message
1918                 qpTestResult    failResult;                     // override status on failure
1919                 bool                    positive;
1920         } cases[] =
1921         {
1922                 { "positive",   "Output doesn't match with expected",                           QP_TEST_RESULT_FAIL,    true },
1923                 { "all",                "Inconsistent results, but within specification",       negFailResult,                  false },        // see below
1924         };
1925         // If either operand is negative the result is undefined. Some implementations may still return correct values.
1926
1927         for (int caseNdx = 0; caseNdx < DE_LENGTH_OF_ARRAY(cases); ++caseNdx)
1928         {
1929                 const CaseParams&       params          = cases[caseNdx];
1930
1931                 ComputeShaderSpec       spec;
1932                 vector<deInt64>         inputInts1      (numElements, 0);
1933                 vector<deInt64>         inputInts2      (numElements, 0);
1934                 vector<deInt64>         outputInts      (numElements, 0);
1935
1936
1937                 if (params.positive)
1938                 {
1939                         fillRandomInt64sLogDistributed(rnd, inputInts1, numElements, filterNonNegative);
1940                         fillRandomInt64sLogDistributed(rnd, inputInts2, numElements, filterPositive);
1941                 }
1942                 else
1943                 {
1944                         fillRandomInt64sLogDistributed(rnd, inputInts1, numElements);
1945                         fillRandomInt64sLogDistributed(rnd, inputInts2, numElements, filterNotZero);
1946                 }
1947
1948                 for (int ndx = 0; ndx < numElements; ++ndx)
1949                 {
1950                         deInt64 rem = inputInts1[ndx] % inputInts2[ndx];
1951                         if (rem == 0)
1952                         {
1953                                 outputInts[ndx] = 0;
1954                         }
1955                         else if ((inputInts1[ndx] >= 0) == (inputInts2[ndx] >= 0))
1956                         {
1957                                 // They have the same sign
1958                                 outputInts[ndx] = rem;
1959                         }
1960                         else
1961                         {
1962                                 // They have opposite sign.  The remainder operation takes the
1963                                 // sign inputInts1[ndx] but OpSMod is supposed to take ths sign
1964                                 // of inputInts2[ndx].  Adding inputInts2[ndx] will ensure that
1965                                 // the result has the correct sign and that it is still
1966                                 // congruent to inputInts1[ndx] modulo inputInts2[ndx]
1967                                 //
1968                                 // See also http://mathforum.org/library/drmath/view/52343.html
1969                                 outputInts[ndx] = rem + inputInts2[ndx];
1970                         }
1971                 }
1972
1973                 spec.assembly =
1974                         "OpCapability Int64\n"
1975
1976                         + string(getComputeAsmShaderPreamble()) +
1977
1978                         "OpName %main           \"main\"\n"
1979                         "OpName %id             \"gl_GlobalInvocationID\"\n"
1980
1981                         "OpDecorate %id BuiltIn GlobalInvocationId\n"
1982
1983                         "OpDecorate %buf BufferBlock\n"
1984                         "OpDecorate %indata1 DescriptorSet 0\n"
1985                         "OpDecorate %indata1 Binding 0\n"
1986                         "OpDecorate %indata2 DescriptorSet 0\n"
1987                         "OpDecorate %indata2 Binding 1\n"
1988                         "OpDecorate %outdata DescriptorSet 0\n"
1989                         "OpDecorate %outdata Binding 2\n"
1990                         "OpDecorate %i64arr ArrayStride 8\n"
1991                         "OpMemberDecorate %buf 0 Offset 0\n"
1992
1993                         + string(getComputeAsmCommonTypes())
1994                         + string(getComputeAsmCommonInt64Types()) +
1995
1996                         "%buf        = OpTypeStruct %i64arr\n"
1997                         "%bufptr     = OpTypePointer Uniform %buf\n"
1998                         "%indata1    = OpVariable %bufptr Uniform\n"
1999                         "%indata2    = OpVariable %bufptr Uniform\n"
2000                         "%outdata    = OpVariable %bufptr Uniform\n"
2001
2002                         "%id        = OpVariable %uvec3ptr Input\n"
2003                         "%zero      = OpConstant %i64 0\n"
2004
2005                         "%main      = OpFunction %void None %voidf\n"
2006                         "%label     = OpLabel\n"
2007                         "%idval     = OpLoad %uvec3 %id\n"
2008                         "%x         = OpCompositeExtract %u32 %idval 0\n"
2009                         "%inloc1    = OpAccessChain %i64ptr %indata1 %zero %x\n"
2010                         "%inval1    = OpLoad %i64 %inloc1\n"
2011                         "%inloc2    = OpAccessChain %i64ptr %indata2 %zero %x\n"
2012                         "%inval2    = OpLoad %i64 %inloc2\n"
2013                         "%rem       = OpSMod %i64 %inval1 %inval2\n"
2014                         "%outloc    = OpAccessChain %i64ptr %outdata %zero %x\n"
2015                         "             OpStore %outloc %rem\n"
2016                         "             OpReturn\n"
2017                         "             OpFunctionEnd\n";
2018
2019                 spec.inputs.push_back   (BufferSp(new Int64Buffer(inputInts1)));
2020                 spec.inputs.push_back   (BufferSp(new Int64Buffer(inputInts2)));
2021                 spec.outputs.push_back  (BufferSp(new Int64Buffer(outputInts)));
2022                 spec.numWorkGroups              = IVec3(numElements, 1, 1);
2023                 spec.failResult                 = params.failResult;
2024                 spec.failMessage                = params.failMessage;
2025
2026                 spec.requestedVulkanFeatures.coreFeatures.shaderInt64 = VK_TRUE;
2027
2028                 group->addChild(new SpvAsmComputeShaderCase(testCtx, params.name, "", spec));
2029         }
2030
2031         return group.release();
2032 }
2033
2034 // Copy contents in the input buffer to the output buffer.
2035 tcu::TestCaseGroup* createOpCopyMemoryGroup (tcu::TestContext& testCtx)
2036 {
2037         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opcopymemory", "Test the OpCopyMemory instruction"));
2038         de::Random                                              rnd                             (deStringHash(group->getName()));
2039         const int                                               numElements             = 100;
2040
2041         // The following case adds vec4(0., 0.5, 1.5, 2.5) to each of the elements in the input buffer and writes output to the output buffer.
2042         ComputeShaderSpec                               spec1;
2043         vector<Vec4>                                    inputFloats1    (numElements);
2044         vector<Vec4>                                    outputFloats1   (numElements);
2045
2046         fillRandomScalars(rnd, -200.f, 200.f, &inputFloats1[0], numElements * 4);
2047
2048         // CPU might not use the same rounding mode as the GPU. Use whole numbers to avoid rounding differences.
2049         floorAll(inputFloats1);
2050
2051         for (size_t ndx = 0; ndx < numElements; ++ndx)
2052                 outputFloats1[ndx] = inputFloats1[ndx] + Vec4(0.f, 0.5f, 1.5f, 2.5f);
2053
2054         spec1.assembly =
2055                 string(getComputeAsmShaderPreamble()) +
2056
2057                 "OpName %main           \"main\"\n"
2058                 "OpName %id             \"gl_GlobalInvocationID\"\n"
2059
2060                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2061                 "OpDecorate %vec4arr ArrayStride 16\n"
2062
2063                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
2064
2065                 "%vec4       = OpTypeVector %f32 4\n"
2066                 "%vec4ptr_u  = OpTypePointer Uniform %vec4\n"
2067                 "%vec4ptr_f  = OpTypePointer Function %vec4\n"
2068                 "%vec4arr    = OpTypeRuntimeArray %vec4\n"
2069                 "%buf        = OpTypeStruct %vec4arr\n"
2070                 "%bufptr     = OpTypePointer Uniform %buf\n"
2071                 "%indata     = OpVariable %bufptr Uniform\n"
2072                 "%outdata    = OpVariable %bufptr Uniform\n"
2073
2074                 "%id         = OpVariable %uvec3ptr Input\n"
2075                 "%zero       = OpConstant %i32 0\n"
2076                 "%c_f_0      = OpConstant %f32 0.\n"
2077                 "%c_f_0_5    = OpConstant %f32 0.5\n"
2078                 "%c_f_1_5    = OpConstant %f32 1.5\n"
2079                 "%c_f_2_5    = OpConstant %f32 2.5\n"
2080                 "%c_vec4     = OpConstantComposite %vec4 %c_f_0 %c_f_0_5 %c_f_1_5 %c_f_2_5\n"
2081
2082                 "%main       = OpFunction %void None %voidf\n"
2083                 "%label      = OpLabel\n"
2084                 "%v_vec4     = OpVariable %vec4ptr_f Function\n"
2085                 "%idval      = OpLoad %uvec3 %id\n"
2086                 "%x          = OpCompositeExtract %u32 %idval 0\n"
2087                 "%inloc      = OpAccessChain %vec4ptr_u %indata %zero %x\n"
2088                 "%outloc     = OpAccessChain %vec4ptr_u %outdata %zero %x\n"
2089                 "              OpCopyMemory %v_vec4 %inloc\n"
2090                 "%v_vec4_val = OpLoad %vec4 %v_vec4\n"
2091                 "%add        = OpFAdd %vec4 %v_vec4_val %c_vec4\n"
2092                 "              OpStore %outloc %add\n"
2093                 "              OpReturn\n"
2094                 "              OpFunctionEnd\n";
2095
2096         spec1.inputs.push_back(BufferSp(new Vec4Buffer(inputFloats1)));
2097         spec1.outputs.push_back(BufferSp(new Vec4Buffer(outputFloats1)));
2098         spec1.numWorkGroups = IVec3(numElements, 1, 1);
2099
2100         group->addChild(new SpvAsmComputeShaderCase(testCtx, "vector", "OpCopyMemory elements of vector type", spec1));
2101
2102         // The following case copies a float[100] variable from the input buffer to the output buffer.
2103         ComputeShaderSpec                               spec2;
2104         vector<float>                                   inputFloats2    (numElements);
2105         vector<float>                                   outputFloats2   (numElements);
2106
2107         fillRandomScalars(rnd, -200.f, 200.f, &inputFloats2[0], numElements);
2108
2109         for (size_t ndx = 0; ndx < numElements; ++ndx)
2110                 outputFloats2[ndx] = inputFloats2[ndx];
2111
2112         spec2.assembly =
2113                 string(getComputeAsmShaderPreamble()) +
2114
2115                 "OpName %main           \"main\"\n"
2116                 "OpName %id             \"gl_GlobalInvocationID\"\n"
2117
2118                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2119                 "OpDecorate %f32arr100 ArrayStride 4\n"
2120
2121                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
2122
2123                 "%hundred        = OpConstant %u32 100\n"
2124                 "%f32arr100      = OpTypeArray %f32 %hundred\n"
2125                 "%f32arr100ptr_f = OpTypePointer Function %f32arr100\n"
2126                 "%f32arr100ptr_u = OpTypePointer Uniform %f32arr100\n"
2127                 "%buf            = OpTypeStruct %f32arr100\n"
2128                 "%bufptr         = OpTypePointer Uniform %buf\n"
2129                 "%indata         = OpVariable %bufptr Uniform\n"
2130                 "%outdata        = OpVariable %bufptr Uniform\n"
2131
2132                 "%id             = OpVariable %uvec3ptr Input\n"
2133                 "%zero           = OpConstant %i32 0\n"
2134
2135                 "%main           = OpFunction %void None %voidf\n"
2136                 "%label          = OpLabel\n"
2137                 "%var            = OpVariable %f32arr100ptr_f Function\n"
2138                 "%inarr          = OpAccessChain %f32arr100ptr_u %indata %zero\n"
2139                 "%outarr         = OpAccessChain %f32arr100ptr_u %outdata %zero\n"
2140                 "                  OpCopyMemory %var %inarr\n"
2141                 "                  OpCopyMemory %outarr %var\n"
2142                 "                  OpReturn\n"
2143                 "                  OpFunctionEnd\n";
2144
2145         spec2.inputs.push_back(BufferSp(new Float32Buffer(inputFloats2)));
2146         spec2.outputs.push_back(BufferSp(new Float32Buffer(outputFloats2)));
2147         spec2.numWorkGroups = IVec3(1, 1, 1);
2148
2149         group->addChild(new SpvAsmComputeShaderCase(testCtx, "array", "OpCopyMemory elements of array type", spec2));
2150
2151         // The following case copies a struct{vec4, vec4, vec4, vec4} variable from the input buffer to the output buffer.
2152         ComputeShaderSpec                               spec3;
2153         vector<float>                                   inputFloats3    (16);
2154         vector<float>                                   outputFloats3   (16);
2155
2156         fillRandomScalars(rnd, -200.f, 200.f, &inputFloats3[0], 16);
2157
2158         for (size_t ndx = 0; ndx < 16; ++ndx)
2159                 outputFloats3[ndx] = inputFloats3[ndx];
2160
2161         spec3.assembly =
2162                 string(getComputeAsmShaderPreamble()) +
2163
2164                 "OpName %main           \"main\"\n"
2165                 "OpName %id             \"gl_GlobalInvocationID\"\n"
2166
2167                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2168                 //"OpMemberDecorate %buf 0 Offset 0\n"  - exists in getComputeAsmInputOutputBufferTraits
2169                 "OpMemberDecorate %buf 1 Offset 16\n"
2170                 "OpMemberDecorate %buf 2 Offset 32\n"
2171                 "OpMemberDecorate %buf 3 Offset 48\n"
2172
2173                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
2174
2175                 "%vec4      = OpTypeVector %f32 4\n"
2176                 "%buf       = OpTypeStruct %vec4 %vec4 %vec4 %vec4\n"
2177                 "%bufptr    = OpTypePointer Uniform %buf\n"
2178                 "%indata    = OpVariable %bufptr Uniform\n"
2179                 "%outdata   = OpVariable %bufptr Uniform\n"
2180                 "%vec4stptr = OpTypePointer Function %buf\n"
2181
2182                 "%id        = OpVariable %uvec3ptr Input\n"
2183                 "%zero      = OpConstant %i32 0\n"
2184
2185                 "%main      = OpFunction %void None %voidf\n"
2186                 "%label     = OpLabel\n"
2187                 "%var       = OpVariable %vec4stptr Function\n"
2188                 "             OpCopyMemory %var %indata\n"
2189                 "             OpCopyMemory %outdata %var\n"
2190                 "             OpReturn\n"
2191                 "             OpFunctionEnd\n";
2192
2193         spec3.inputs.push_back(BufferSp(new Float32Buffer(inputFloats3)));
2194         spec3.outputs.push_back(BufferSp(new Float32Buffer(outputFloats3)));
2195         spec3.numWorkGroups = IVec3(1, 1, 1);
2196
2197         group->addChild(new SpvAsmComputeShaderCase(testCtx, "struct", "OpCopyMemory elements of struct type", spec3));
2198
2199         // The following case negates multiple float variables from the input buffer and stores the results to the output buffer.
2200         ComputeShaderSpec                               spec4;
2201         vector<float>                                   inputFloats4    (numElements);
2202         vector<float>                                   outputFloats4   (numElements);
2203
2204         fillRandomScalars(rnd, -200.f, 200.f, &inputFloats4[0], numElements);
2205
2206         for (size_t ndx = 0; ndx < numElements; ++ndx)
2207                 outputFloats4[ndx] = -inputFloats4[ndx];
2208
2209         spec4.assembly =
2210                 string(getComputeAsmShaderPreamble()) +
2211
2212                 "OpName %main           \"main\"\n"
2213                 "OpName %id             \"gl_GlobalInvocationID\"\n"
2214
2215                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2216
2217                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
2218
2219                 "%f32ptr_f  = OpTypePointer Function %f32\n"
2220                 "%id        = OpVariable %uvec3ptr Input\n"
2221                 "%zero      = OpConstant %i32 0\n"
2222
2223                 "%main      = OpFunction %void None %voidf\n"
2224                 "%label     = OpLabel\n"
2225                 "%var       = OpVariable %f32ptr_f Function\n"
2226                 "%idval     = OpLoad %uvec3 %id\n"
2227                 "%x         = OpCompositeExtract %u32 %idval 0\n"
2228                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
2229                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
2230                 "             OpCopyMemory %var %inloc\n"
2231                 "%val       = OpLoad %f32 %var\n"
2232                 "%neg       = OpFNegate %f32 %val\n"
2233                 "             OpStore %outloc %neg\n"
2234                 "             OpReturn\n"
2235                 "             OpFunctionEnd\n";
2236
2237         spec4.inputs.push_back(BufferSp(new Float32Buffer(inputFloats4)));
2238         spec4.outputs.push_back(BufferSp(new Float32Buffer(outputFloats4)));
2239         spec4.numWorkGroups = IVec3(numElements, 1, 1);
2240
2241         group->addChild(new SpvAsmComputeShaderCase(testCtx, "float", "OpCopyMemory elements of float type", spec4));
2242
2243         return group.release();
2244 }
2245
2246 tcu::TestCaseGroup* createOpCopyObjectGroup (tcu::TestContext& testCtx)
2247 {
2248         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opcopyobject", "Test the OpCopyObject instruction"));
2249         ComputeShaderSpec                               spec;
2250         de::Random                                              rnd                             (deStringHash(group->getName()));
2251         const int                                               numElements             = 100;
2252         vector<float>                                   inputFloats             (numElements, 0);
2253         vector<float>                                   outputFloats    (numElements, 0);
2254
2255         fillRandomScalars(rnd, -200.f, 200.f, &inputFloats[0], numElements);
2256
2257         // CPU might not use the same rounding mode as the GPU. Use whole numbers to avoid rounding differences.
2258         floorAll(inputFloats);
2259
2260         for (size_t ndx = 0; ndx < numElements; ++ndx)
2261                 outputFloats[ndx] = inputFloats[ndx] + 7.5f;
2262
2263         spec.assembly =
2264                 string(getComputeAsmShaderPreamble()) +
2265
2266                 "OpName %main           \"main\"\n"
2267                 "OpName %id             \"gl_GlobalInvocationID\"\n"
2268
2269                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2270
2271                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
2272
2273                 "%fmat     = OpTypeMatrix %fvec3 3\n"
2274                 "%three    = OpConstant %u32 3\n"
2275                 "%farr     = OpTypeArray %f32 %three\n"
2276                 "%fst      = OpTypeStruct %f32 %f32\n"
2277
2278                 + string(getComputeAsmInputOutputBuffer()) +
2279
2280                 "%id            = OpVariable %uvec3ptr Input\n"
2281                 "%zero          = OpConstant %i32 0\n"
2282                 "%c_f           = OpConstant %f32 1.5\n"
2283                 "%c_fvec3       = OpConstantComposite %fvec3 %c_f %c_f %c_f\n"
2284                 "%c_fmat        = OpConstantComposite %fmat %c_fvec3 %c_fvec3 %c_fvec3\n"
2285                 "%c_farr        = OpConstantComposite %farr %c_f %c_f %c_f\n"
2286                 "%c_fst         = OpConstantComposite %fst %c_f %c_f\n"
2287
2288                 "%main          = OpFunction %void None %voidf\n"
2289                 "%label         = OpLabel\n"
2290                 "%c_f_copy      = OpCopyObject %f32   %c_f\n"
2291                 "%c_fvec3_copy  = OpCopyObject %fvec3 %c_fvec3\n"
2292                 "%c_fmat_copy   = OpCopyObject %fmat  %c_fmat\n"
2293                 "%c_farr_copy   = OpCopyObject %farr  %c_farr\n"
2294                 "%c_fst_copy    = OpCopyObject %fst   %c_fst\n"
2295                 "%fvec3_elem    = OpCompositeExtract %f32 %c_fvec3_copy 0\n"
2296                 "%fmat_elem     = OpCompositeExtract %f32 %c_fmat_copy 1 2\n"
2297                 "%farr_elem     = OpCompositeExtract %f32 %c_farr_copy 2\n"
2298                 "%fst_elem      = OpCompositeExtract %f32 %c_fst_copy 1\n"
2299                 // Add up. 1.5 * 5 = 7.5.
2300                 "%add1          = OpFAdd %f32 %c_f_copy %fvec3_elem\n"
2301                 "%add2          = OpFAdd %f32 %add1     %fmat_elem\n"
2302                 "%add3          = OpFAdd %f32 %add2     %farr_elem\n"
2303                 "%add4          = OpFAdd %f32 %add3     %fst_elem\n"
2304
2305                 "%idval         = OpLoad %uvec3 %id\n"
2306                 "%x             = OpCompositeExtract %u32 %idval 0\n"
2307                 "%inloc         = OpAccessChain %f32ptr %indata %zero %x\n"
2308                 "%outloc        = OpAccessChain %f32ptr %outdata %zero %x\n"
2309                 "%inval         = OpLoad %f32 %inloc\n"
2310                 "%add           = OpFAdd %f32 %add4 %inval\n"
2311                 "                 OpStore %outloc %add\n"
2312                 "                 OpReturn\n"
2313                 "                 OpFunctionEnd\n";
2314         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
2315         spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
2316         spec.numWorkGroups = IVec3(numElements, 1, 1);
2317
2318         group->addChild(new SpvAsmComputeShaderCase(testCtx, "spotcheck", "OpCopyObject on different types", spec));
2319
2320         return group.release();
2321 }
2322 // Assembly code used for testing OpUnreachable is based on GLSL source code:
2323 //
2324 // #version 430
2325 //
2326 // layout(std140, set = 0, binding = 0) readonly buffer Input {
2327 //   float elements[];
2328 // } input_data;
2329 // layout(std140, set = 0, binding = 1) writeonly buffer Output {
2330 //   float elements[];
2331 // } output_data;
2332 //
2333 // void not_called_func() {
2334 //   // place OpUnreachable here
2335 // }
2336 //
2337 // uint modulo4(uint val) {
2338 //   switch (val % uint(4)) {
2339 //     case 0:  return 3;
2340 //     case 1:  return 2;
2341 //     case 2:  return 1;
2342 //     case 3:  return 0;
2343 //     default: return 100; // place OpUnreachable here
2344 //   }
2345 // }
2346 //
2347 // uint const5() {
2348 //   return 5;
2349 //   // place OpUnreachable here
2350 // }
2351 //
2352 // void main() {
2353 //   uint x = gl_GlobalInvocationID.x;
2354 //   if (const5() > modulo4(1000)) {
2355 //     output_data.elements[x] = -input_data.elements[x];
2356 //   } else {
2357 //     // place OpUnreachable here
2358 //     output_data.elements[x] = input_data.elements[x];
2359 //   }
2360 // }
2361
2362 tcu::TestCaseGroup* createOpUnreachableGroup (tcu::TestContext& testCtx)
2363 {
2364         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opunreachable", "Test the OpUnreachable instruction"));
2365         ComputeShaderSpec                               spec;
2366         de::Random                                              rnd                             (deStringHash(group->getName()));
2367         const int                                               numElements             = 100;
2368         vector<float>                                   positiveFloats  (numElements, 0);
2369         vector<float>                                   negativeFloats  (numElements, 0);
2370
2371         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
2372
2373         for (size_t ndx = 0; ndx < numElements; ++ndx)
2374                 negativeFloats[ndx] = -positiveFloats[ndx];
2375
2376         spec.assembly =
2377                 string(getComputeAsmShaderPreamble()) +
2378
2379                 "OpSource GLSL 430\n"
2380                 "OpName %main            \"main\"\n"
2381                 "OpName %func_not_called_func \"not_called_func(\"\n"
2382                 "OpName %func_modulo4         \"modulo4(u1;\"\n"
2383                 "OpName %func_const5          \"const5(\"\n"
2384                 "OpName %id                   \"gl_GlobalInvocationID\"\n"
2385
2386                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2387
2388                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
2389
2390                 "%u32ptr    = OpTypePointer Function %u32\n"
2391                 "%uintfuint = OpTypeFunction %u32 %u32ptr\n"
2392                 "%unitf     = OpTypeFunction %u32\n"
2393
2394                 "%id        = OpVariable %uvec3ptr Input\n"
2395                 "%zero      = OpConstant %u32 0\n"
2396                 "%one       = OpConstant %u32 1\n"
2397                 "%two       = OpConstant %u32 2\n"
2398                 "%three     = OpConstant %u32 3\n"
2399                 "%four      = OpConstant %u32 4\n"
2400                 "%five      = OpConstant %u32 5\n"
2401                 "%hundred   = OpConstant %u32 100\n"
2402                 "%thousand  = OpConstant %u32 1000\n"
2403
2404                 + string(getComputeAsmInputOutputBuffer()) +
2405
2406                 // Main()
2407                 "%main   = OpFunction %void None %voidf\n"
2408                 "%main_entry  = OpLabel\n"
2409                 "%v_thousand  = OpVariable %u32ptr Function %thousand\n"
2410                 "%idval       = OpLoad %uvec3 %id\n"
2411                 "%x           = OpCompositeExtract %u32 %idval 0\n"
2412                 "%inloc       = OpAccessChain %f32ptr %indata %zero %x\n"
2413                 "%inval       = OpLoad %f32 %inloc\n"
2414                 "%outloc      = OpAccessChain %f32ptr %outdata %zero %x\n"
2415                 "%ret_const5  = OpFunctionCall %u32 %func_const5\n"
2416                 "%ret_modulo4 = OpFunctionCall %u32 %func_modulo4 %v_thousand\n"
2417                 "%cmp_gt      = OpUGreaterThan %bool %ret_const5 %ret_modulo4\n"
2418                 "               OpSelectionMerge %if_end None\n"
2419                 "               OpBranchConditional %cmp_gt %if_true %if_false\n"
2420                 "%if_true     = OpLabel\n"
2421                 "%negate      = OpFNegate %f32 %inval\n"
2422                 "               OpStore %outloc %negate\n"
2423                 "               OpBranch %if_end\n"
2424                 "%if_false    = OpLabel\n"
2425                 "               OpUnreachable\n" // Unreachable else branch for if statement
2426                 "%if_end      = OpLabel\n"
2427                 "               OpReturn\n"
2428                 "               OpFunctionEnd\n"
2429
2430                 // not_called_function()
2431                 "%func_not_called_func  = OpFunction %void None %voidf\n"
2432                 "%not_called_func_entry = OpLabel\n"
2433                 "                         OpUnreachable\n" // Unreachable entry block in not called static function
2434                 "                         OpFunctionEnd\n"
2435
2436                 // modulo4()
2437                 "%func_modulo4  = OpFunction %u32 None %uintfuint\n"
2438                 "%valptr        = OpFunctionParameter %u32ptr\n"
2439                 "%modulo4_entry = OpLabel\n"
2440                 "%val           = OpLoad %u32 %valptr\n"
2441                 "%modulo        = OpUMod %u32 %val %four\n"
2442                 "                 OpSelectionMerge %switch_merge None\n"
2443                 "                 OpSwitch %modulo %default 0 %case0 1 %case1 2 %case2 3 %case3\n"
2444                 "%case0         = OpLabel\n"
2445                 "                 OpReturnValue %three\n"
2446                 "%case1         = OpLabel\n"
2447                 "                 OpReturnValue %two\n"
2448                 "%case2         = OpLabel\n"
2449                 "                 OpReturnValue %one\n"
2450                 "%case3         = OpLabel\n"
2451                 "                 OpReturnValue %zero\n"
2452                 "%default       = OpLabel\n"
2453                 "                 OpUnreachable\n" // Unreachable default case for switch statement
2454                 "%switch_merge  = OpLabel\n"
2455                 "                 OpUnreachable\n" // Unreachable merge block for switch statement
2456                 "                 OpFunctionEnd\n"
2457
2458                 // const5()
2459                 "%func_const5  = OpFunction %u32 None %unitf\n"
2460                 "%const5_entry = OpLabel\n"
2461                 "                OpReturnValue %five\n"
2462                 "%unreachable  = OpLabel\n"
2463                 "                OpUnreachable\n" // Unreachable block in function
2464                 "                OpFunctionEnd\n";
2465         spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
2466         spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
2467         spec.numWorkGroups = IVec3(numElements, 1, 1);
2468
2469         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "OpUnreachable appearing at different places", spec));
2470
2471         return group.release();
2472 }
2473
2474 // Assembly code used for testing decoration group is based on GLSL source code:
2475 //
2476 // #version 430
2477 //
2478 // layout(std140, set = 0, binding = 0) readonly buffer Input0 {
2479 //   float elements[];
2480 // } input_data0;
2481 // layout(std140, set = 0, binding = 1) readonly buffer Input1 {
2482 //   float elements[];
2483 // } input_data1;
2484 // layout(std140, set = 0, binding = 2) readonly buffer Input2 {
2485 //   float elements[];
2486 // } input_data2;
2487 // layout(std140, set = 0, binding = 3) readonly buffer Input3 {
2488 //   float elements[];
2489 // } input_data3;
2490 // layout(std140, set = 0, binding = 4) readonly buffer Input4 {
2491 //   float elements[];
2492 // } input_data4;
2493 // layout(std140, set = 0, binding = 5) writeonly buffer Output {
2494 //   float elements[];
2495 // } output_data;
2496 //
2497 // void main() {
2498 //   uint x = gl_GlobalInvocationID.x;
2499 //   output_data.elements[x] = input_data0.elements[x] + input_data1.elements[x] + input_data2.elements[x] + input_data3.elements[x] + input_data4.elements[x];
2500 // }
2501 tcu::TestCaseGroup* createDecorationGroupGroup (tcu::TestContext& testCtx)
2502 {
2503         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "decoration_group", "Test the OpDecorationGroup & OpGroupDecorate instruction"));
2504         ComputeShaderSpec                               spec;
2505         de::Random                                              rnd                             (deStringHash(group->getName()));
2506         const int                                               numElements             = 100;
2507         vector<float>                                   inputFloats0    (numElements, 0);
2508         vector<float>                                   inputFloats1    (numElements, 0);
2509         vector<float>                                   inputFloats2    (numElements, 0);
2510         vector<float>                                   inputFloats3    (numElements, 0);
2511         vector<float>                                   inputFloats4    (numElements, 0);
2512         vector<float>                                   outputFloats    (numElements, 0);
2513
2514         fillRandomScalars(rnd, -300.f, 300.f, &inputFloats0[0], numElements);
2515         fillRandomScalars(rnd, -300.f, 300.f, &inputFloats1[0], numElements);
2516         fillRandomScalars(rnd, -300.f, 300.f, &inputFloats2[0], numElements);
2517         fillRandomScalars(rnd, -300.f, 300.f, &inputFloats3[0], numElements);
2518         fillRandomScalars(rnd, -300.f, 300.f, &inputFloats4[0], numElements);
2519
2520         // CPU might not use the same rounding mode as the GPU. Use whole numbers to avoid rounding differences.
2521         floorAll(inputFloats0);
2522         floorAll(inputFloats1);
2523         floorAll(inputFloats2);
2524         floorAll(inputFloats3);
2525         floorAll(inputFloats4);
2526
2527         for (size_t ndx = 0; ndx < numElements; ++ndx)
2528                 outputFloats[ndx] = inputFloats0[ndx] + inputFloats1[ndx] + inputFloats2[ndx] + inputFloats3[ndx] + inputFloats4[ndx];
2529
2530         spec.assembly =
2531                 string(getComputeAsmShaderPreamble()) +
2532
2533                 "OpSource GLSL 430\n"
2534                 "OpName %main \"main\"\n"
2535                 "OpName %id \"gl_GlobalInvocationID\"\n"
2536
2537                 // Not using group decoration on variable.
2538                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2539                 // Not using group decoration on type.
2540                 "OpDecorate %f32arr ArrayStride 4\n"
2541
2542                 "OpDecorate %groups BufferBlock\n"
2543                 "OpDecorate %groupm Offset 0\n"
2544                 "%groups = OpDecorationGroup\n"
2545                 "%groupm = OpDecorationGroup\n"
2546
2547                 // Group decoration on multiple structs.
2548                 "OpGroupDecorate %groups %outbuf %inbuf0 %inbuf1 %inbuf2 %inbuf3 %inbuf4\n"
2549                 // Group decoration on multiple struct members.
2550                 "OpGroupMemberDecorate %groupm %outbuf 0 %inbuf0 0 %inbuf1 0 %inbuf2 0 %inbuf3 0 %inbuf4 0\n"
2551
2552                 "OpDecorate %group1 DescriptorSet 0\n"
2553                 "OpDecorate %group3 DescriptorSet 0\n"
2554                 "OpDecorate %group3 NonWritable\n"
2555                 "OpDecorate %group3 Restrict\n"
2556                 "%group0 = OpDecorationGroup\n"
2557                 "%group1 = OpDecorationGroup\n"
2558                 "%group3 = OpDecorationGroup\n"
2559
2560                 // Applying the same decoration group multiple times.
2561                 "OpGroupDecorate %group1 %outdata\n"
2562                 "OpGroupDecorate %group1 %outdata\n"
2563                 "OpGroupDecorate %group1 %outdata\n"
2564                 "OpDecorate %outdata DescriptorSet 0\n"
2565                 "OpDecorate %outdata Binding 5\n"
2566                 // Applying decoration group containing nothing.
2567                 "OpGroupDecorate %group0 %indata0\n"
2568                 "OpDecorate %indata0 DescriptorSet 0\n"
2569                 "OpDecorate %indata0 Binding 0\n"
2570                 // Applying decoration group containing one decoration.
2571                 "OpGroupDecorate %group1 %indata1\n"
2572                 "OpDecorate %indata1 Binding 1\n"
2573                 // Applying decoration group containing multiple decorations.
2574                 "OpGroupDecorate %group3 %indata2 %indata3\n"
2575                 "OpDecorate %indata2 Binding 2\n"
2576                 "OpDecorate %indata3 Binding 3\n"
2577                 // Applying multiple decoration groups (with overlapping).
2578                 "OpGroupDecorate %group0 %indata4\n"
2579                 "OpGroupDecorate %group1 %indata4\n"
2580                 "OpGroupDecorate %group3 %indata4\n"
2581                 "OpDecorate %indata4 Binding 4\n"
2582
2583                 + string(getComputeAsmCommonTypes()) +
2584
2585                 "%id   = OpVariable %uvec3ptr Input\n"
2586                 "%zero = OpConstant %i32 0\n"
2587
2588                 "%outbuf    = OpTypeStruct %f32arr\n"
2589                 "%outbufptr = OpTypePointer Uniform %outbuf\n"
2590                 "%outdata   = OpVariable %outbufptr Uniform\n"
2591                 "%inbuf0    = OpTypeStruct %f32arr\n"
2592                 "%inbuf0ptr = OpTypePointer Uniform %inbuf0\n"
2593                 "%indata0   = OpVariable %inbuf0ptr Uniform\n"
2594                 "%inbuf1    = OpTypeStruct %f32arr\n"
2595                 "%inbuf1ptr = OpTypePointer Uniform %inbuf1\n"
2596                 "%indata1   = OpVariable %inbuf1ptr Uniform\n"
2597                 "%inbuf2    = OpTypeStruct %f32arr\n"
2598                 "%inbuf2ptr = OpTypePointer Uniform %inbuf2\n"
2599                 "%indata2   = OpVariable %inbuf2ptr Uniform\n"
2600                 "%inbuf3    = OpTypeStruct %f32arr\n"
2601                 "%inbuf3ptr = OpTypePointer Uniform %inbuf3\n"
2602                 "%indata3   = OpVariable %inbuf3ptr Uniform\n"
2603                 "%inbuf4    = OpTypeStruct %f32arr\n"
2604                 "%inbufptr  = OpTypePointer Uniform %inbuf4\n"
2605                 "%indata4   = OpVariable %inbufptr Uniform\n"
2606
2607                 "%main   = OpFunction %void None %voidf\n"
2608                 "%label  = OpLabel\n"
2609                 "%idval  = OpLoad %uvec3 %id\n"
2610                 "%x      = OpCompositeExtract %u32 %idval 0\n"
2611                 "%inloc0 = OpAccessChain %f32ptr %indata0 %zero %x\n"
2612                 "%inloc1 = OpAccessChain %f32ptr %indata1 %zero %x\n"
2613                 "%inloc2 = OpAccessChain %f32ptr %indata2 %zero %x\n"
2614                 "%inloc3 = OpAccessChain %f32ptr %indata3 %zero %x\n"
2615                 "%inloc4 = OpAccessChain %f32ptr %indata4 %zero %x\n"
2616                 "%outloc = OpAccessChain %f32ptr %outdata %zero %x\n"
2617                 "%inval0 = OpLoad %f32 %inloc0\n"
2618                 "%inval1 = OpLoad %f32 %inloc1\n"
2619                 "%inval2 = OpLoad %f32 %inloc2\n"
2620                 "%inval3 = OpLoad %f32 %inloc3\n"
2621                 "%inval4 = OpLoad %f32 %inloc4\n"
2622                 "%add0   = OpFAdd %f32 %inval0 %inval1\n"
2623                 "%add1   = OpFAdd %f32 %add0 %inval2\n"
2624                 "%add2   = OpFAdd %f32 %add1 %inval3\n"
2625                 "%add    = OpFAdd %f32 %add2 %inval4\n"
2626                 "          OpStore %outloc %add\n"
2627                 "          OpReturn\n"
2628                 "          OpFunctionEnd\n";
2629         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats0)));
2630         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats1)));
2631         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats2)));
2632         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats3)));
2633         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats4)));
2634         spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
2635         spec.numWorkGroups = IVec3(numElements, 1, 1);
2636
2637         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "decoration group cases", spec));
2638
2639         return group.release();
2640 }
2641
2642 struct SpecConstantTwoIntCase
2643 {
2644         const char*             caseName;
2645         const char*             scDefinition0;
2646         const char*             scDefinition1;
2647         const char*             scResultType;
2648         const char*             scOperation;
2649         deInt32                 scActualValue0;
2650         deInt32                 scActualValue1;
2651         const char*             resultOperation;
2652         vector<deInt32> expectedOutput;
2653         deInt32                 scActualValueLength;
2654
2655                                         SpecConstantTwoIntCase (const char* name,
2656                                                                                         const char* definition0,
2657                                                                                         const char* definition1,
2658                                                                                         const char* resultType,
2659                                                                                         const char* operation,
2660                                                                                         deInt32 value0,
2661                                                                                         deInt32 value1,
2662                                                                                         const char* resultOp,
2663                                                                                         const vector<deInt32>& output,
2664                                                                                         const deInt32   valueLength = sizeof(deInt32))
2665                                                 : caseName                              (name)
2666                                                 , scDefinition0                 (definition0)
2667                                                 , scDefinition1                 (definition1)
2668                                                 , scResultType                  (resultType)
2669                                                 , scOperation                   (operation)
2670                                                 , scActualValue0                (value0)
2671                                                 , scActualValue1                (value1)
2672                                                 , resultOperation               (resultOp)
2673                                                 , expectedOutput                (output)
2674                                                 , scActualValueLength   (valueLength)
2675                                                 {}
2676 };
2677
2678 tcu::TestCaseGroup* createSpecConstantGroup (tcu::TestContext& testCtx)
2679 {
2680         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opspecconstantop", "Test the OpSpecConstantOp instruction"));
2681         vector<SpecConstantTwoIntCase>  cases;
2682         de::Random                                              rnd                             (deStringHash(group->getName()));
2683         const int                                               numElements             = 100;
2684         const deInt32                                   p1AsFloat16             = 0x3c00; // +1(fp16) == 0 01111 0000000000 == 0011 1100 0000 0000
2685         vector<deInt32>                                 inputInts               (numElements, 0);
2686         vector<deInt32>                                 outputInts1             (numElements, 0);
2687         vector<deInt32>                                 outputInts2             (numElements, 0);
2688         vector<deInt32>                                 outputInts3             (numElements, 0);
2689         vector<deInt32>                                 outputInts4             (numElements, 0);
2690         const StringTemplate                    shaderTemplate  (
2691                 "${CAPABILITIES:opt}"
2692                 + string(getComputeAsmShaderPreamble()) +
2693
2694                 "OpName %main           \"main\"\n"
2695                 "OpName %id             \"gl_GlobalInvocationID\"\n"
2696
2697                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2698                 "OpDecorate %sc_0  SpecId 0\n"
2699                 "OpDecorate %sc_1  SpecId 1\n"
2700                 "OpDecorate %i32arr ArrayStride 4\n"
2701
2702                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
2703
2704                 "${OPTYPE_DEFINITIONS:opt}"
2705                 "%buf     = OpTypeStruct %i32arr\n"
2706                 "%bufptr  = OpTypePointer Uniform %buf\n"
2707                 "%indata    = OpVariable %bufptr Uniform\n"
2708                 "%outdata   = OpVariable %bufptr Uniform\n"
2709
2710                 "%id        = OpVariable %uvec3ptr Input\n"
2711                 "%zero      = OpConstant %i32 0\n"
2712
2713                 "%sc_0      = OpSpecConstant${SC_DEF0}\n"
2714                 "%sc_1      = OpSpecConstant${SC_DEF1}\n"
2715                 "%sc_final  = OpSpecConstantOp ${SC_RESULT_TYPE} ${SC_OP}\n"
2716
2717                 "%main      = OpFunction %void None %voidf\n"
2718                 "%label     = OpLabel\n"
2719                 "${TYPE_CONVERT:opt}"
2720                 "%idval     = OpLoad %uvec3 %id\n"
2721                 "%x         = OpCompositeExtract %u32 %idval 0\n"
2722                 "%inloc     = OpAccessChain %i32ptr %indata %zero %x\n"
2723                 "%inval     = OpLoad %i32 %inloc\n"
2724                 "%final     = ${GEN_RESULT}\n"
2725                 "%outloc    = OpAccessChain %i32ptr %outdata %zero %x\n"
2726                 "             OpStore %outloc %final\n"
2727                 "             OpReturn\n"
2728                 "             OpFunctionEnd\n");
2729
2730         fillRandomScalars(rnd, -65536, 65536, &inputInts[0], numElements);
2731
2732         for (size_t ndx = 0; ndx < numElements; ++ndx)
2733         {
2734                 outputInts1[ndx] = inputInts[ndx] + 42;
2735                 outputInts2[ndx] = inputInts[ndx];
2736                 outputInts3[ndx] = inputInts[ndx] - 11200;
2737                 outputInts4[ndx] = inputInts[ndx] + 1;
2738         }
2739
2740         const char addScToInput[]               = "OpIAdd %i32 %inval %sc_final";
2741         const char addSc32ToInput[]             = "OpIAdd %i32 %inval %sc_final32";
2742         const char selectTrueUsingSc[]  = "OpSelect %i32 %sc_final %inval %zero";
2743         const char selectFalseUsingSc[] = "OpSelect %i32 %sc_final %zero %inval";
2744
2745         cases.push_back(SpecConstantTwoIntCase("iadd",                                  " %i32 0",              " %i32 0",              "%i32",         "IAdd                 %sc_0 %sc_1",                     62,             -20,    addScToInput,           outputInts1));
2746         cases.push_back(SpecConstantTwoIntCase("isub",                                  " %i32 0",              " %i32 0",              "%i32",         "ISub                 %sc_0 %sc_1",                     100,    58,             addScToInput,           outputInts1));
2747         cases.push_back(SpecConstantTwoIntCase("imul",                                  " %i32 0",              " %i32 0",              "%i32",         "IMul                 %sc_0 %sc_1",                     -2,             -21,    addScToInput,           outputInts1));
2748         cases.push_back(SpecConstantTwoIntCase("sdiv",                                  " %i32 0",              " %i32 0",              "%i32",         "SDiv                 %sc_0 %sc_1",                     -126,   -3,             addScToInput,           outputInts1));
2749         cases.push_back(SpecConstantTwoIntCase("udiv",                                  " %i32 0",              " %i32 0",              "%i32",         "UDiv                 %sc_0 %sc_1",                     126,    3,              addScToInput,           outputInts1));
2750         cases.push_back(SpecConstantTwoIntCase("srem",                                  " %i32 0",              " %i32 0",              "%i32",         "SRem                 %sc_0 %sc_1",                     7,              3,              addScToInput,           outputInts4));
2751         cases.push_back(SpecConstantTwoIntCase("smod",                                  " %i32 0",              " %i32 0",              "%i32",         "SMod                 %sc_0 %sc_1",                     7,              3,              addScToInput,           outputInts4));
2752         cases.push_back(SpecConstantTwoIntCase("umod",                                  " %i32 0",              " %i32 0",              "%i32",         "UMod                 %sc_0 %sc_1",                     342,    50,             addScToInput,           outputInts1));
2753         cases.push_back(SpecConstantTwoIntCase("bitwiseand",                    " %i32 0",              " %i32 0",              "%i32",         "BitwiseAnd           %sc_0 %sc_1",                     42,             63,             addScToInput,           outputInts1));
2754         cases.push_back(SpecConstantTwoIntCase("bitwiseor",                             " %i32 0",              " %i32 0",              "%i32",         "BitwiseOr            %sc_0 %sc_1",                     34,             8,              addScToInput,           outputInts1));
2755         cases.push_back(SpecConstantTwoIntCase("bitwisexor",                    " %i32 0",              " %i32 0",              "%i32",         "BitwiseXor           %sc_0 %sc_1",                     18,             56,             addScToInput,           outputInts1));
2756         cases.push_back(SpecConstantTwoIntCase("shiftrightlogical",             " %i32 0",              " %i32 0",              "%i32",         "ShiftRightLogical    %sc_0 %sc_1",                     168,    2,              addScToInput,           outputInts1));
2757         cases.push_back(SpecConstantTwoIntCase("shiftrightarithmetic",  " %i32 0",              " %i32 0",              "%i32",         "ShiftRightArithmetic %sc_0 %sc_1",                     168,    2,              addScToInput,           outputInts1));
2758         cases.push_back(SpecConstantTwoIntCase("shiftleftlogical",              " %i32 0",              " %i32 0",              "%i32",         "ShiftLeftLogical     %sc_0 %sc_1",                     21,             1,              addScToInput,           outputInts1));
2759         cases.push_back(SpecConstantTwoIntCase("slessthan",                             " %i32 0",              " %i32 0",              "%bool",        "SLessThan            %sc_0 %sc_1",                     -20,    -10,    selectTrueUsingSc,      outputInts2));
2760         cases.push_back(SpecConstantTwoIntCase("ulessthan",                             " %i32 0",              " %i32 0",              "%bool",        "ULessThan            %sc_0 %sc_1",                     10,             20,             selectTrueUsingSc,      outputInts2));
2761         cases.push_back(SpecConstantTwoIntCase("sgreaterthan",                  " %i32 0",              " %i32 0",              "%bool",        "SGreaterThan         %sc_0 %sc_1",                     -1000,  50,             selectFalseUsingSc,     outputInts2));
2762         cases.push_back(SpecConstantTwoIntCase("ugreaterthan",                  " %i32 0",              " %i32 0",              "%bool",        "UGreaterThan         %sc_0 %sc_1",                     10,             5,              selectTrueUsingSc,      outputInts2));
2763         cases.push_back(SpecConstantTwoIntCase("slessthanequal",                " %i32 0",              " %i32 0",              "%bool",        "SLessThanEqual       %sc_0 %sc_1",                     -10,    -10,    selectTrueUsingSc,      outputInts2));
2764         cases.push_back(SpecConstantTwoIntCase("ulessthanequal",                " %i32 0",              " %i32 0",              "%bool",        "ULessThanEqual       %sc_0 %sc_1",                     50,             100,    selectTrueUsingSc,      outputInts2));
2765         cases.push_back(SpecConstantTwoIntCase("sgreaterthanequal",             " %i32 0",              " %i32 0",              "%bool",        "SGreaterThanEqual    %sc_0 %sc_1",                     -1000,  50,             selectFalseUsingSc,     outputInts2));
2766         cases.push_back(SpecConstantTwoIntCase("ugreaterthanequal",             " %i32 0",              " %i32 0",              "%bool",        "UGreaterThanEqual    %sc_0 %sc_1",                     10,             10,             selectTrueUsingSc,      outputInts2));
2767         cases.push_back(SpecConstantTwoIntCase("iequal",                                " %i32 0",              " %i32 0",              "%bool",        "IEqual               %sc_0 %sc_1",                     42,             24,             selectFalseUsingSc,     outputInts2));
2768         cases.push_back(SpecConstantTwoIntCase("inotequal",                             " %i32 0",              " %i32 0",              "%bool",        "INotEqual            %sc_0 %sc_1",                     42,             24,             selectTrueUsingSc,      outputInts2));
2769         cases.push_back(SpecConstantTwoIntCase("logicaland",                    "True %bool",   "True %bool",   "%bool",        "LogicalAnd           %sc_0 %sc_1",                     0,              1,              selectFalseUsingSc,     outputInts2));
2770         cases.push_back(SpecConstantTwoIntCase("logicalor",                             "False %bool",  "False %bool",  "%bool",        "LogicalOr            %sc_0 %sc_1",                     1,              0,              selectTrueUsingSc,      outputInts2));
2771         cases.push_back(SpecConstantTwoIntCase("logicalequal",                  "True %bool",   "True %bool",   "%bool",        "LogicalEqual         %sc_0 %sc_1",                     0,              1,              selectFalseUsingSc,     outputInts2));
2772         cases.push_back(SpecConstantTwoIntCase("logicalnotequal",               "False %bool",  "False %bool",  "%bool",        "LogicalNotEqual      %sc_0 %sc_1",                     1,              0,              selectTrueUsingSc,      outputInts2));
2773         cases.push_back(SpecConstantTwoIntCase("snegate",                               " %i32 0",              " %i32 0",              "%i32",         "SNegate              %sc_0",                           -42,    0,              addScToInput,           outputInts1));
2774         cases.push_back(SpecConstantTwoIntCase("not",                                   " %i32 0",              " %i32 0",              "%i32",         "Not                  %sc_0",                           -43,    0,              addScToInput,           outputInts1));
2775         cases.push_back(SpecConstantTwoIntCase("logicalnot",                    "False %bool",  "False %bool",  "%bool",        "LogicalNot           %sc_0",                           1,              0,              selectFalseUsingSc,     outputInts2));
2776         cases.push_back(SpecConstantTwoIntCase("select",                                "False %bool",  " %i32 0",              "%i32",         "Select               %sc_0 %sc_1 %zero",       1,              42,             addScToInput,           outputInts1));
2777         cases.push_back(SpecConstantTwoIntCase("sconvert",                              " %i32 0",              " %i32 0",              "%i16",         "SConvert             %sc_0",                           -11200, 0,              addSc32ToInput,         outputInts3));
2778         // -969998336 stored as 32-bit two's complement is the binary representation of -11200 as IEEE-754 Float
2779         cases.push_back(SpecConstantTwoIntCase("fconvert",                              " %f32 0",              " %f32 0",              "%f64",         "FConvert             %sc_0",                           -969998336, 0,  addSc32ToInput,         outputInts3));
2780         cases.push_back(SpecConstantTwoIntCase("fconvert16",                    " %f16 0",              " %f16 0",              "%f32",         "FConvert             %sc_0",                           p1AsFloat16, 0, addSc32ToInput,         outputInts4, sizeof(deFloat16)));
2781
2782         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
2783         {
2784                 map<string, string>             specializations;
2785                 ComputeShaderSpec               spec;
2786
2787                 specializations["SC_DEF0"]                      = cases[caseNdx].scDefinition0;
2788                 specializations["SC_DEF1"]                      = cases[caseNdx].scDefinition1;
2789                 specializations["SC_RESULT_TYPE"]       = cases[caseNdx].scResultType;
2790                 specializations["SC_OP"]                        = cases[caseNdx].scOperation;
2791                 specializations["GEN_RESULT"]           = cases[caseNdx].resultOperation;
2792
2793                 // Special SPIR-V code for SConvert-case
2794                 if (strcmp(cases[caseNdx].caseName, "sconvert") == 0)
2795                 {
2796                         spec.requestedVulkanFeatures.coreFeatures.shaderInt16   = VK_TRUE;
2797                         specializations["CAPABILITIES"]                                                 = "OpCapability Int16\n";                                                       // Adds 16-bit integer capability
2798                         specializations["OPTYPE_DEFINITIONS"]                                   = "%i16 = OpTypeInt 16 1\n";                                            // Adds 16-bit integer type
2799                         specializations["TYPE_CONVERT"]                                                 = "%sc_final32 = OpSConvert %i32 %sc_final\n";          // Converts 16-bit integer to 32-bit integer
2800                 }
2801
2802                 // Special SPIR-V code for FConvert-case
2803                 if (strcmp(cases[caseNdx].caseName, "fconvert") == 0)
2804                 {
2805                         spec.requestedVulkanFeatures.coreFeatures.shaderFloat64 = VK_TRUE;
2806                         specializations["CAPABILITIES"]                                                 = "OpCapability Float64\n";                                                     // Adds 64-bit float capability
2807                         specializations["OPTYPE_DEFINITIONS"]                                   = "%f64 = OpTypeFloat 64\n";                                            // Adds 64-bit float type
2808                         specializations["TYPE_CONVERT"]                                                 = "%sc_final32 = OpConvertFToS %i32 %sc_final\n";       // Converts 64-bit float to 32-bit integer
2809                 }
2810
2811                 // Special SPIR-V code for FConvert-case for 16-bit floats
2812                 if (strcmp(cases[caseNdx].caseName, "fconvert16") == 0)
2813                 {
2814                         spec.extensions.push_back("VK_KHR_shader_float16_int8");
2815                         spec.requestedVulkanFeatures.extFloat16Int8 = EXTFLOAT16INT8FEATURES_FLOAT16;
2816                         specializations["CAPABILITIES"]                 = "OpCapability Float16\n";                                                     // Adds 16-bit float capability
2817                         specializations["OPTYPE_DEFINITIONS"]   = "%f16 = OpTypeFloat 16\n";                                            // Adds 16-bit float type
2818                         specializations["TYPE_CONVERT"]                 = "%sc_final32 = OpConvertFToS %i32 %sc_final\n";       // Converts 16-bit float to 32-bit integer
2819                 }
2820
2821                 spec.assembly = shaderTemplate.specialize(specializations);
2822                 spec.inputs.push_back(BufferSp(new Int32Buffer(inputInts)));
2823                 spec.outputs.push_back(BufferSp(new Int32Buffer(cases[caseNdx].expectedOutput)));
2824                 spec.numWorkGroups = IVec3(numElements, 1, 1);
2825                 spec.specConstants.append(&cases[caseNdx].scActualValue0, cases[caseNdx].scActualValueLength);
2826                 spec.specConstants.append(&cases[caseNdx].scActualValue1, cases[caseNdx].scActualValueLength);
2827
2828                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].caseName, cases[caseNdx].caseName, spec));
2829         }
2830
2831         ComputeShaderSpec                               spec;
2832
2833         spec.assembly =
2834                 string(getComputeAsmShaderPreamble()) +
2835
2836                 "OpName %main           \"main\"\n"
2837                 "OpName %id             \"gl_GlobalInvocationID\"\n"
2838
2839                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2840                 "OpDecorate %sc_0  SpecId 0\n"
2841                 "OpDecorate %sc_1  SpecId 1\n"
2842                 "OpDecorate %sc_2  SpecId 2\n"
2843                 "OpDecorate %i32arr ArrayStride 4\n"
2844
2845                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
2846
2847                 "%ivec3       = OpTypeVector %i32 3\n"
2848                 "%buf         = OpTypeStruct %i32arr\n"
2849                 "%bufptr      = OpTypePointer Uniform %buf\n"
2850                 "%indata      = OpVariable %bufptr Uniform\n"
2851                 "%outdata     = OpVariable %bufptr Uniform\n"
2852
2853                 "%id          = OpVariable %uvec3ptr Input\n"
2854                 "%zero        = OpConstant %i32 0\n"
2855                 "%ivec3_0     = OpConstantComposite %ivec3 %zero %zero %zero\n"
2856                 "%vec3_undef  = OpUndef %ivec3\n"
2857
2858                 "%sc_0        = OpSpecConstant %i32 0\n"
2859                 "%sc_1        = OpSpecConstant %i32 0\n"
2860                 "%sc_2        = OpSpecConstant %i32 0\n"
2861                 "%sc_vec3_0   = OpSpecConstantOp %ivec3 CompositeInsert  %sc_0        %ivec3_0     0\n"                                                 // (sc_0, 0, 0)
2862                 "%sc_vec3_1   = OpSpecConstantOp %ivec3 CompositeInsert  %sc_1        %ivec3_0     1\n"                                                 // (0, sc_1, 0)
2863                 "%sc_vec3_2   = OpSpecConstantOp %ivec3 CompositeInsert  %sc_2        %ivec3_0     2\n"                                                 // (0, 0, sc_2)
2864                 "%sc_vec3_0_s = OpSpecConstantOp %ivec3 VectorShuffle    %sc_vec3_0   %vec3_undef  0          0xFFFFFFFF 2\n"   // (sc_0, ???,  0)
2865                 "%sc_vec3_1_s = OpSpecConstantOp %ivec3 VectorShuffle    %sc_vec3_1   %vec3_undef  0xFFFFFFFF 1          0\n"   // (???,  sc_1, 0)
2866                 "%sc_vec3_2_s = OpSpecConstantOp %ivec3 VectorShuffle    %vec3_undef  %sc_vec3_2   5          0xFFFFFFFF 5\n"   // (sc_2, ???,  sc_2)
2867                 "%sc_vec3_01  = OpSpecConstantOp %ivec3 VectorShuffle    %sc_vec3_0_s %sc_vec3_1_s 1 0 4\n"                                             // (0,    sc_0, sc_1)
2868                 "%sc_vec3_012 = OpSpecConstantOp %ivec3 VectorShuffle    %sc_vec3_01  %sc_vec3_2_s 5 1 2\n"                                             // (sc_2, sc_0, sc_1)
2869                 "%sc_ext_0    = OpSpecConstantOp %i32   CompositeExtract %sc_vec3_012              0\n"                                                 // sc_2
2870                 "%sc_ext_1    = OpSpecConstantOp %i32   CompositeExtract %sc_vec3_012              1\n"                                                 // sc_0
2871                 "%sc_ext_2    = OpSpecConstantOp %i32   CompositeExtract %sc_vec3_012              2\n"                                                 // sc_1
2872                 "%sc_sub      = OpSpecConstantOp %i32   ISub             %sc_ext_0    %sc_ext_1\n"                                                              // (sc_2 - sc_0)
2873                 "%sc_final    = OpSpecConstantOp %i32   IMul             %sc_sub      %sc_ext_2\n"                                                              // (sc_2 - sc_0) * sc_1
2874
2875                 "%main      = OpFunction %void None %voidf\n"
2876                 "%label     = OpLabel\n"
2877                 "%idval     = OpLoad %uvec3 %id\n"
2878                 "%x         = OpCompositeExtract %u32 %idval 0\n"
2879                 "%inloc     = OpAccessChain %i32ptr %indata %zero %x\n"
2880                 "%inval     = OpLoad %i32 %inloc\n"
2881                 "%final     = OpIAdd %i32 %inval %sc_final\n"
2882                 "%outloc    = OpAccessChain %i32ptr %outdata %zero %x\n"
2883                 "             OpStore %outloc %final\n"
2884                 "             OpReturn\n"
2885                 "             OpFunctionEnd\n";
2886         spec.inputs.push_back(BufferSp(new Int32Buffer(inputInts)));
2887         spec.outputs.push_back(BufferSp(new Int32Buffer(outputInts3)));
2888         spec.numWorkGroups = IVec3(numElements, 1, 1);
2889         spec.specConstants.append<deInt32>(123);
2890         spec.specConstants.append<deInt32>(56);
2891         spec.specConstants.append<deInt32>(-77);
2892
2893         group->addChild(new SpvAsmComputeShaderCase(testCtx, "vector_related", "VectorShuffle, CompositeExtract, & CompositeInsert", spec));
2894
2895         return group.release();
2896 }
2897
2898 void createOpPhiVartypeTests (de::MovePtr<tcu::TestCaseGroup>& group, tcu::TestContext& testCtx)
2899 {
2900         ComputeShaderSpec       specInt;
2901         ComputeShaderSpec       specFloat;
2902         ComputeShaderSpec       specFloat16;
2903         ComputeShaderSpec       specVec3;
2904         ComputeShaderSpec       specMat4;
2905         ComputeShaderSpec       specArray;
2906         ComputeShaderSpec       specStruct;
2907         de::Random                      rnd                             (deStringHash(group->getName()));
2908         const int                       numElements             = 100;
2909         vector<float>           inputFloats             (numElements, 0);
2910         vector<float>           outputFloats    (numElements, 0);
2911         vector<deFloat16>       inputFloats16   (numElements, 0);
2912         vector<deFloat16>       outputFloats16  (numElements, 0);
2913
2914         fillRandomScalars(rnd, -300.f, 300.f, &inputFloats[0], numElements);
2915
2916         // CPU might not use the same rounding mode as the GPU. Use whole numbers to avoid rounding differences.
2917         floorAll(inputFloats);
2918
2919         for (size_t ndx = 0; ndx < numElements; ++ndx)
2920         {
2921                 // Just check if the value is positive or not
2922                 outputFloats[ndx] = (inputFloats[ndx] > 0) ? 1.0f : -1.0f;
2923         }
2924
2925         for (size_t ndx = 0; ndx < numElements; ++ndx)
2926         {
2927                 inputFloats16[ndx] = tcu::Float16(inputFloats[ndx]).bits();
2928                 outputFloats16[ndx] = tcu::Float16(outputFloats[ndx]).bits();
2929         }
2930
2931         // All of the tests are of the form:
2932         //
2933         // testtype r
2934         //
2935         // if (inputdata > 0)
2936         //   r = 1
2937         // else
2938         //   r = -1
2939         //
2940         // return (float)r
2941
2942         specFloat.assembly =
2943                 string(getComputeAsmShaderPreamble()) +
2944
2945                 "OpSource GLSL 430\n"
2946                 "OpName %main \"main\"\n"
2947                 "OpName %id \"gl_GlobalInvocationID\"\n"
2948
2949                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2950
2951                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
2952
2953                 "%id = OpVariable %uvec3ptr Input\n"
2954                 "%zero       = OpConstant %i32 0\n"
2955                 "%float_0    = OpConstant %f32 0.0\n"
2956                 "%float_1    = OpConstant %f32 1.0\n"
2957                 "%float_n1   = OpConstant %f32 -1.0\n"
2958
2959                 "%main     = OpFunction %void None %voidf\n"
2960                 "%entry    = OpLabel\n"
2961                 "%idval    = OpLoad %uvec3 %id\n"
2962                 "%x        = OpCompositeExtract %u32 %idval 0\n"
2963                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
2964                 "%inval    = OpLoad %f32 %inloc\n"
2965
2966                 "%comp     = OpFOrdGreaterThan %bool %inval %float_0\n"
2967                 "            OpSelectionMerge %cm None\n"
2968                 "            OpBranchConditional %comp %tb %fb\n"
2969                 "%tb       = OpLabel\n"
2970                 "            OpBranch %cm\n"
2971                 "%fb       = OpLabel\n"
2972                 "            OpBranch %cm\n"
2973                 "%cm       = OpLabel\n"
2974                 "%res      = OpPhi %f32 %float_1 %tb %float_n1 %fb\n"
2975
2976                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
2977                 "            OpStore %outloc %res\n"
2978                 "            OpReturn\n"
2979
2980                 "            OpFunctionEnd\n";
2981         specFloat.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
2982         specFloat.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
2983         specFloat.numWorkGroups = IVec3(numElements, 1, 1);
2984
2985         specFloat16.assembly =
2986                 "OpCapability Shader\n"
2987                 "OpCapability StorageUniformBufferBlock16\n"
2988                 "OpExtension \"SPV_KHR_16bit_storage\"\n"
2989                 "OpMemoryModel Logical GLSL450\n"
2990                 "OpEntryPoint GLCompute %main \"main\" %id\n"
2991                 "OpExecutionMode %main LocalSize 1 1 1\n"
2992
2993                 "OpSource GLSL 430\n"
2994                 "OpName %main \"main\"\n"
2995                 "OpName %id \"gl_GlobalInvocationID\"\n"
2996
2997                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
2998
2999                 "OpDecorate %buf BufferBlock\n"
3000                 "OpDecorate %indata DescriptorSet 0\n"
3001                 "OpDecorate %indata Binding 0\n"
3002                 "OpDecorate %outdata DescriptorSet 0\n"
3003                 "OpDecorate %outdata Binding 1\n"
3004                 "OpDecorate %f16arr ArrayStride 2\n"
3005                 "OpMemberDecorate %buf 0 Offset 0\n"
3006
3007                 "%f16      = OpTypeFloat 16\n"
3008                 "%f16ptr   = OpTypePointer Uniform %f16\n"
3009                 "%f16arr   = OpTypeRuntimeArray %f16\n"
3010
3011                 + string(getComputeAsmCommonTypes()) +
3012
3013                 "%buf      = OpTypeStruct %f16arr\n"
3014                 "%bufptr   = OpTypePointer Uniform %buf\n"
3015                 "%indata   = OpVariable %bufptr Uniform\n"
3016                 "%outdata  = OpVariable %bufptr Uniform\n"
3017
3018                 "%id       = OpVariable %uvec3ptr Input\n"
3019                 "%zero     = OpConstant %i32 0\n"
3020                 "%float_0  = OpConstant %f16 0.0\n"
3021                 "%float_1  = OpConstant %f16 1.0\n"
3022                 "%float_n1 = OpConstant %f16 -1.0\n"
3023
3024                 "%main     = OpFunction %void None %voidf\n"
3025                 "%entry    = OpLabel\n"
3026                 "%idval    = OpLoad %uvec3 %id\n"
3027                 "%x        = OpCompositeExtract %u32 %idval 0\n"
3028                 "%inloc    = OpAccessChain %f16ptr %indata %zero %x\n"
3029                 "%inval    = OpLoad %f16 %inloc\n"
3030
3031                 "%comp     = OpFOrdGreaterThan %bool %inval %float_0\n"
3032                 "            OpSelectionMerge %cm None\n"
3033                 "            OpBranchConditional %comp %tb %fb\n"
3034                 "%tb       = OpLabel\n"
3035                 "            OpBranch %cm\n"
3036                 "%fb       = OpLabel\n"
3037                 "            OpBranch %cm\n"
3038                 "%cm       = OpLabel\n"
3039                 "%res      = OpPhi %f16 %float_1 %tb %float_n1 %fb\n"
3040
3041                 "%outloc   = OpAccessChain %f16ptr %outdata %zero %x\n"
3042                 "            OpStore %outloc %res\n"
3043                 "            OpReturn\n"
3044
3045                 "            OpFunctionEnd\n";
3046         specFloat16.inputs.push_back(BufferSp(new Float16Buffer(inputFloats16)));
3047         specFloat16.outputs.push_back(BufferSp(new Float16Buffer(outputFloats16)));
3048         specFloat16.numWorkGroups = IVec3(numElements, 1, 1);
3049         specFloat16.requestedVulkanFeatures.ext16BitStorage = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
3050         specFloat16.requestedVulkanFeatures.extFloat16Int8 = EXTFLOAT16INT8FEATURES_FLOAT16;
3051
3052         specMat4.assembly =
3053                 string(getComputeAsmShaderPreamble()) +
3054
3055                 "OpSource GLSL 430\n"
3056                 "OpName %main \"main\"\n"
3057                 "OpName %id \"gl_GlobalInvocationID\"\n"
3058
3059                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3060
3061                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3062
3063                 "%id = OpVariable %uvec3ptr Input\n"
3064                 "%v4f32      = OpTypeVector %f32 4\n"
3065                 "%mat4v4f32  = OpTypeMatrix %v4f32 4\n"
3066                 "%zero       = OpConstant %i32 0\n"
3067                 "%float_0    = OpConstant %f32 0.0\n"
3068                 "%float_1    = OpConstant %f32 1.0\n"
3069                 "%float_n1   = OpConstant %f32 -1.0\n"
3070                 "%m11        = OpConstantComposite %v4f32 %float_1 %float_0 %float_0 %float_0\n"
3071                 "%m12        = OpConstantComposite %v4f32 %float_0 %float_1 %float_0 %float_0\n"
3072                 "%m13        = OpConstantComposite %v4f32 %float_0 %float_0 %float_1 %float_0\n"
3073                 "%m14        = OpConstantComposite %v4f32 %float_0 %float_0 %float_0 %float_1\n"
3074                 "%m1         = OpConstantComposite %mat4v4f32 %m11 %m12 %m13 %m14\n"
3075                 "%m21        = OpConstantComposite %v4f32 %float_n1 %float_0 %float_0 %float_0\n"
3076                 "%m22        = OpConstantComposite %v4f32 %float_0 %float_n1 %float_0 %float_0\n"
3077                 "%m23        = OpConstantComposite %v4f32 %float_0 %float_0 %float_n1 %float_0\n"
3078                 "%m24        = OpConstantComposite %v4f32 %float_0 %float_0 %float_0 %float_n1\n"
3079                 "%m2         = OpConstantComposite %mat4v4f32 %m21 %m22 %m23 %m24\n"
3080
3081                 "%main     = OpFunction %void None %voidf\n"
3082                 "%entry    = OpLabel\n"
3083                 "%idval    = OpLoad %uvec3 %id\n"
3084                 "%x        = OpCompositeExtract %u32 %idval 0\n"
3085                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
3086                 "%inval    = OpLoad %f32 %inloc\n"
3087
3088                 "%comp     = OpFOrdGreaterThan %bool %inval %float_0\n"
3089                 "            OpSelectionMerge %cm None\n"
3090                 "            OpBranchConditional %comp %tb %fb\n"
3091                 "%tb       = OpLabel\n"
3092                 "            OpBranch %cm\n"
3093                 "%fb       = OpLabel\n"
3094                 "            OpBranch %cm\n"
3095                 "%cm       = OpLabel\n"
3096                 "%mres     = OpPhi %mat4v4f32 %m1 %tb %m2 %fb\n"
3097                 "%res      = OpCompositeExtract %f32 %mres 2 2\n"
3098
3099                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
3100                 "            OpStore %outloc %res\n"
3101                 "            OpReturn\n"
3102
3103                 "            OpFunctionEnd\n";
3104         specMat4.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3105         specMat4.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
3106         specMat4.numWorkGroups = IVec3(numElements, 1, 1);
3107
3108         specVec3.assembly =
3109                 string(getComputeAsmShaderPreamble()) +
3110
3111                 "OpSource GLSL 430\n"
3112                 "OpName %main \"main\"\n"
3113                 "OpName %id \"gl_GlobalInvocationID\"\n"
3114
3115                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3116
3117                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3118
3119                 "%id = OpVariable %uvec3ptr Input\n"
3120                 "%zero       = OpConstant %i32 0\n"
3121                 "%float_0    = OpConstant %f32 0.0\n"
3122                 "%float_1    = OpConstant %f32 1.0\n"
3123                 "%float_n1   = OpConstant %f32 -1.0\n"
3124                 "%v1         = OpConstantComposite %fvec3 %float_1 %float_1 %float_1\n"
3125                 "%v2         = OpConstantComposite %fvec3 %float_n1 %float_n1 %float_n1\n"
3126
3127                 "%main     = OpFunction %void None %voidf\n"
3128                 "%entry    = OpLabel\n"
3129                 "%idval    = OpLoad %uvec3 %id\n"
3130                 "%x        = OpCompositeExtract %u32 %idval 0\n"
3131                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
3132                 "%inval    = OpLoad %f32 %inloc\n"
3133
3134                 "%comp     = OpFOrdGreaterThan %bool %inval %float_0\n"
3135                 "            OpSelectionMerge %cm None\n"
3136                 "            OpBranchConditional %comp %tb %fb\n"
3137                 "%tb       = OpLabel\n"
3138                 "            OpBranch %cm\n"
3139                 "%fb       = OpLabel\n"
3140                 "            OpBranch %cm\n"
3141                 "%cm       = OpLabel\n"
3142                 "%vres     = OpPhi %fvec3 %v1 %tb %v2 %fb\n"
3143                 "%res      = OpCompositeExtract %f32 %vres 2\n"
3144
3145                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
3146                 "            OpStore %outloc %res\n"
3147                 "            OpReturn\n"
3148
3149                 "            OpFunctionEnd\n";
3150         specVec3.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3151         specVec3.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
3152         specVec3.numWorkGroups = IVec3(numElements, 1, 1);
3153
3154         specInt.assembly =
3155                 string(getComputeAsmShaderPreamble()) +
3156
3157                 "OpSource GLSL 430\n"
3158                 "OpName %main \"main\"\n"
3159                 "OpName %id \"gl_GlobalInvocationID\"\n"
3160
3161                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3162
3163                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3164
3165                 "%id = OpVariable %uvec3ptr Input\n"
3166                 "%zero       = OpConstant %i32 0\n"
3167                 "%float_0    = OpConstant %f32 0.0\n"
3168                 "%i1         = OpConstant %i32 1\n"
3169                 "%i2         = OpConstant %i32 -1\n"
3170
3171                 "%main     = OpFunction %void None %voidf\n"
3172                 "%entry    = OpLabel\n"
3173                 "%idval    = OpLoad %uvec3 %id\n"
3174                 "%x        = OpCompositeExtract %u32 %idval 0\n"
3175                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
3176                 "%inval    = OpLoad %f32 %inloc\n"
3177
3178                 "%comp     = OpFOrdGreaterThan %bool %inval %float_0\n"
3179                 "            OpSelectionMerge %cm None\n"
3180                 "            OpBranchConditional %comp %tb %fb\n"
3181                 "%tb       = OpLabel\n"
3182                 "            OpBranch %cm\n"
3183                 "%fb       = OpLabel\n"
3184                 "            OpBranch %cm\n"
3185                 "%cm       = OpLabel\n"
3186                 "%ires     = OpPhi %i32 %i1 %tb %i2 %fb\n"
3187                 "%res      = OpConvertSToF %f32 %ires\n"
3188
3189                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
3190                 "            OpStore %outloc %res\n"
3191                 "            OpReturn\n"
3192
3193                 "            OpFunctionEnd\n";
3194         specInt.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3195         specInt.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
3196         specInt.numWorkGroups = IVec3(numElements, 1, 1);
3197
3198         specArray.assembly =
3199                 string(getComputeAsmShaderPreamble()) +
3200
3201                 "OpSource GLSL 430\n"
3202                 "OpName %main \"main\"\n"
3203                 "OpName %id \"gl_GlobalInvocationID\"\n"
3204
3205                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3206
3207                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3208
3209                 "%id = OpVariable %uvec3ptr Input\n"
3210                 "%zero       = OpConstant %i32 0\n"
3211                 "%u7         = OpConstant %u32 7\n"
3212                 "%float_0    = OpConstant %f32 0.0\n"
3213                 "%float_1    = OpConstant %f32 1.0\n"
3214                 "%float_n1   = OpConstant %f32 -1.0\n"
3215                 "%f32a7      = OpTypeArray %f32 %u7\n"
3216                 "%a1         = OpConstantComposite %f32a7 %float_1 %float_1 %float_1 %float_1 %float_1 %float_1 %float_1\n"
3217                 "%a2         = OpConstantComposite %f32a7 %float_n1 %float_n1 %float_n1 %float_n1 %float_n1 %float_n1 %float_n1\n"
3218                 "%main     = OpFunction %void None %voidf\n"
3219                 "%entry    = OpLabel\n"
3220                 "%idval    = OpLoad %uvec3 %id\n"
3221                 "%x        = OpCompositeExtract %u32 %idval 0\n"
3222                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
3223                 "%inval    = OpLoad %f32 %inloc\n"
3224
3225                 "%comp     = OpFOrdGreaterThan %bool %inval %float_0\n"
3226                 "            OpSelectionMerge %cm None\n"
3227                 "            OpBranchConditional %comp %tb %fb\n"
3228                 "%tb       = OpLabel\n"
3229                 "            OpBranch %cm\n"
3230                 "%fb       = OpLabel\n"
3231                 "            OpBranch %cm\n"
3232                 "%cm       = OpLabel\n"
3233                 "%ares     = OpPhi %f32a7 %a1 %tb %a2 %fb\n"
3234                 "%res      = OpCompositeExtract %f32 %ares 5\n"
3235
3236                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
3237                 "            OpStore %outloc %res\n"
3238                 "            OpReturn\n"
3239
3240                 "            OpFunctionEnd\n";
3241         specArray.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3242         specArray.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
3243         specArray.numWorkGroups = IVec3(numElements, 1, 1);
3244
3245         specStruct.assembly =
3246                 string(getComputeAsmShaderPreamble()) +
3247
3248                 "OpSource GLSL 430\n"
3249                 "OpName %main \"main\"\n"
3250                 "OpName %id \"gl_GlobalInvocationID\"\n"
3251
3252                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3253
3254                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3255
3256                 "%id = OpVariable %uvec3ptr Input\n"
3257                 "%zero       = OpConstant %i32 0\n"
3258                 "%float_0    = OpConstant %f32 0.0\n"
3259                 "%float_1    = OpConstant %f32 1.0\n"
3260                 "%float_n1   = OpConstant %f32 -1.0\n"
3261
3262                 "%v2f32      = OpTypeVector %f32 2\n"
3263                 "%Data2      = OpTypeStruct %f32 %v2f32\n"
3264                 "%Data       = OpTypeStruct %Data2 %f32\n"
3265
3266                 "%in1a       = OpConstantComposite %v2f32 %float_1 %float_1\n"
3267                 "%in1b       = OpConstantComposite %Data2 %float_1 %in1a\n"
3268                 "%s1         = OpConstantComposite %Data %in1b %float_1\n"
3269                 "%in2a       = OpConstantComposite %v2f32 %float_n1 %float_n1\n"
3270                 "%in2b       = OpConstantComposite %Data2 %float_n1 %in2a\n"
3271                 "%s2         = OpConstantComposite %Data %in2b %float_n1\n"
3272
3273                 "%main     = OpFunction %void None %voidf\n"
3274                 "%entry    = OpLabel\n"
3275                 "%idval    = OpLoad %uvec3 %id\n"
3276                 "%x        = OpCompositeExtract %u32 %idval 0\n"
3277                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
3278                 "%inval    = OpLoad %f32 %inloc\n"
3279
3280                 "%comp     = OpFOrdGreaterThan %bool %inval %float_0\n"
3281                 "            OpSelectionMerge %cm None\n"
3282                 "            OpBranchConditional %comp %tb %fb\n"
3283                 "%tb       = OpLabel\n"
3284                 "            OpBranch %cm\n"
3285                 "%fb       = OpLabel\n"
3286                 "            OpBranch %cm\n"
3287                 "%cm       = OpLabel\n"
3288                 "%sres     = OpPhi %Data %s1 %tb %s2 %fb\n"
3289                 "%res      = OpCompositeExtract %f32 %sres 0 0\n"
3290
3291                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
3292                 "            OpStore %outloc %res\n"
3293                 "            OpReturn\n"
3294
3295                 "            OpFunctionEnd\n";
3296         specStruct.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3297         specStruct.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
3298         specStruct.numWorkGroups = IVec3(numElements, 1, 1);
3299
3300         group->addChild(new SpvAsmComputeShaderCase(testCtx, "vartype_int", "OpPhi with int variables", specInt));
3301         group->addChild(new SpvAsmComputeShaderCase(testCtx, "vartype_float", "OpPhi with float variables", specFloat));
3302         group->addChild(new SpvAsmComputeShaderCase(testCtx, "vartype_float16", "OpPhi with 16bit float variables", specFloat16));
3303         group->addChild(new SpvAsmComputeShaderCase(testCtx, "vartype_vec3", "OpPhi with vec3 variables", specVec3));
3304         group->addChild(new SpvAsmComputeShaderCase(testCtx, "vartype_mat4", "OpPhi with mat4 variables", specMat4));
3305         group->addChild(new SpvAsmComputeShaderCase(testCtx, "vartype_array", "OpPhi with array variables", specArray));
3306         group->addChild(new SpvAsmComputeShaderCase(testCtx, "vartype_struct", "OpPhi with struct variables", specStruct));
3307 }
3308
3309 string generateConstantDefinitions (int count)
3310 {
3311         std::ostringstream      r;
3312         for (int i = 0; i < count; i++)
3313                 r << "%cf" << (i * 10 + 5) << " = OpConstant %f32 " <<(i * 10 + 5) << ".0\n";
3314         r << "\n";
3315         return r.str();
3316 }
3317
3318 string generateSwitchCases (int count)
3319 {
3320         std::ostringstream      r;
3321         for (int i = 0; i < count; i++)
3322                 r << " " << i << " %case" << i;
3323         r << "\n";
3324         return r.str();
3325 }
3326
3327 string generateSwitchTargets (int count)
3328 {
3329         std::ostringstream      r;
3330         for (int i = 0; i < count; i++)
3331                 r << "%case" << i << " = OpLabel\n            OpBranch %phi\n";
3332         r << "\n";
3333         return r.str();
3334 }
3335
3336 string generateOpPhiParams (int count)
3337 {
3338         std::ostringstream      r;
3339         for (int i = 0; i < count; i++)
3340                 r << " %cf" << (i * 10 + 5) << " %case" << i;
3341         r << "\n";
3342         return r.str();
3343 }
3344
3345 string generateIntWidth (int value)
3346 {
3347         std::ostringstream      r;
3348         r << value;
3349         return r.str();
3350 }
3351
3352 // Expand input string by injecting "ABC" between the input
3353 // string characters. The acc/add/treshold parameters are used
3354 // to skip some of the injections to make the result less
3355 // uniform (and a lot shorter).
3356 string expandOpPhiCase5 (const string& s, int &acc, int add, int treshold)
3357 {
3358         std::ostringstream      res;
3359         const char*                     p = s.c_str();
3360
3361         while (*p)
3362         {
3363                 res << *p;
3364                 acc += add;
3365                 if (acc > treshold)
3366                 {
3367                         acc -= treshold;
3368                         res << "ABC";
3369                 }
3370                 p++;
3371         }
3372         return res.str();
3373 }
3374
3375 // Calculate expected result based on the code string
3376 float calcOpPhiCase5 (float val, const string& s)
3377 {
3378         const char*             p               = s.c_str();
3379         float                   x[8];
3380         bool                    b[8];
3381         const float             tv[8]   = { 0.5f, 1.5f, 3.5f, 7.5f, 15.5f, 31.5f, 63.5f, 127.5f };
3382         const float             v               = deFloatAbs(val);
3383         float                   res             = 0;
3384         int                             depth   = -1;
3385         int                             skip    = 0;
3386
3387         for (int i = 7; i >= 0; --i)
3388                 x[i] = std::fmod((float)v, (float)(2 << i));
3389         for (int i = 7; i >= 0; --i)
3390                 b[i] = x[i] > tv[i];
3391
3392         while (*p)
3393         {
3394                 if (*p == 'A')
3395                 {
3396                         depth++;
3397                         if (skip == 0 && b[depth])
3398                         {
3399                                 res++;
3400                         }
3401                         else
3402                                 skip++;
3403                 }
3404                 if (*p == 'B')
3405                 {
3406                         if (skip)
3407                                 skip--;
3408                         if (b[depth] || skip)
3409                                 skip++;
3410                 }
3411                 if (*p == 'C')
3412                 {
3413                         depth--;
3414                         if (skip)
3415                                 skip--;
3416                 }
3417                 p++;
3418         }
3419         return res;
3420 }
3421
3422 // In the code string, the letters represent the following:
3423 //
3424 // A:
3425 //     if (certain bit is set)
3426 //     {
3427 //       result++;
3428 //
3429 // B:
3430 //     } else {
3431 //
3432 // C:
3433 //     }
3434 //
3435 // examples:
3436 // AABCBC leads to if(){r++;if(){r++;}else{}}else{}
3437 // ABABCC leads to if(){r++;}else{if(){r++;}else{}}
3438 // ABCABC leads to if(){r++;}else{}if(){r++;}else{}
3439 //
3440 // Code generation gets a bit complicated due to the else-branches,
3441 // which do not generate new values. Thus, the generator needs to
3442 // keep track of the previous variable change seen by the else
3443 // branch.
3444 string generateOpPhiCase5 (const string& s)
3445 {
3446         std::stack<int>                         idStack;
3447         std::stack<std::string>         value;
3448         std::stack<std::string>         valueLabel;
3449         std::stack<std::string>         mergeLeft;
3450         std::stack<std::string>         mergeRight;
3451         std::ostringstream                      res;
3452         const char*                                     p                       = s.c_str();
3453         int                                                     depth           = -1;
3454         int                                                     currId          = 0;
3455         int                                                     iter            = 0;
3456
3457         idStack.push(-1);
3458         value.push("%f32_0");
3459         valueLabel.push("%f32_0 %entry");
3460
3461         while (*p)
3462         {
3463                 if (*p == 'A')
3464                 {
3465                         depth++;
3466                         currId = iter;
3467                         idStack.push(currId);
3468                         res << "\tOpSelectionMerge %m" << currId << " None\n";
3469                         res << "\tOpBranchConditional %b" << depth << " %t" << currId << " %f" << currId << "\n";
3470                         res << "%t" << currId << " = OpLabel\n";
3471                         res << "%rt" << currId << " = OpFAdd %f32 " << value.top() << " %f32_1\n";
3472                         std::ostringstream tag;
3473                         tag << "%rt" << currId;
3474                         value.push(tag.str());
3475                         tag << " %t" << currId;
3476                         valueLabel.push(tag.str());
3477                 }
3478
3479                 if (*p == 'B')
3480                 {
3481                         mergeLeft.push(valueLabel.top());
3482                         value.pop();
3483                         valueLabel.pop();
3484                         res << "\tOpBranch %m" << currId << "\n";
3485                         res << "%f" << currId << " = OpLabel\n";
3486                         std::ostringstream tag;
3487                         tag << value.top() << " %f" << currId;
3488                         valueLabel.pop();
3489                         valueLabel.push(tag.str());
3490                 }
3491
3492                 if (*p == 'C')
3493                 {
3494                         mergeRight.push(valueLabel.top());
3495                         res << "\tOpBranch %m" << currId << "\n";
3496                         res << "%m" << currId << " = OpLabel\n";
3497                         if (*(p + 1) == 0)
3498                                 res << "%res"; // last result goes to %res
3499                         else
3500                                 res << "%rm" << currId;
3501                         res << " = OpPhi %f32  " << mergeLeft.top() << "  " << mergeRight.top() << "\n";
3502                         std::ostringstream tag;
3503                         tag << "%rm" << currId;
3504                         value.pop();
3505                         value.push(tag.str());
3506                         tag << " %m" << currId;
3507                         valueLabel.pop();
3508                         valueLabel.push(tag.str());
3509                         mergeLeft.pop();
3510                         mergeRight.pop();
3511                         depth--;
3512                         idStack.pop();
3513                         currId = idStack.top();
3514                 }
3515                 p++;
3516                 iter++;
3517         }
3518         return res.str();
3519 }
3520
3521 tcu::TestCaseGroup* createOpPhiGroup (tcu::TestContext& testCtx)
3522 {
3523         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opphi", "Test the OpPhi instruction"));
3524         ComputeShaderSpec                               spec1;
3525         ComputeShaderSpec                               spec2;
3526         ComputeShaderSpec                               spec3;
3527         ComputeShaderSpec                               spec4;
3528         ComputeShaderSpec                               spec5;
3529         de::Random                                              rnd                             (deStringHash(group->getName()));
3530         const int                                               numElements             = 100;
3531         vector<float>                                   inputFloats             (numElements, 0);
3532         vector<float>                                   outputFloats1   (numElements, 0);
3533         vector<float>                                   outputFloats2   (numElements, 0);
3534         vector<float>                                   outputFloats3   (numElements, 0);
3535         vector<float>                                   outputFloats4   (numElements, 0);
3536         vector<float>                                   outputFloats5   (numElements, 0);
3537         std::string                                             codestring              = "ABC";
3538         const int                                               test4Width              = 1024;
3539
3540         // Build case 5 code string. Each iteration makes the hierarchy more complicated.
3541         // 9 iterations with (7, 24) parameters makes the hierarchy 8 deep with about 1500 lines of
3542         // shader code.
3543         for (int i = 0, acc = 0; i < 9; i++)
3544                 codestring = expandOpPhiCase5(codestring, acc, 7, 24);
3545
3546         fillRandomScalars(rnd, -300.f, 300.f, &inputFloats[0], numElements);
3547
3548         // CPU might not use the same rounding mode as the GPU. Use whole numbers to avoid rounding differences.
3549         floorAll(inputFloats);
3550
3551         for (size_t ndx = 0; ndx < numElements; ++ndx)
3552         {
3553                 switch (ndx % 3)
3554                 {
3555                         case 0:         outputFloats1[ndx] = inputFloats[ndx] + 5.5f;   break;
3556                         case 1:         outputFloats1[ndx] = inputFloats[ndx] + 20.5f;  break;
3557                         case 2:         outputFloats1[ndx] = inputFloats[ndx] + 1.75f;  break;
3558                         default:        break;
3559                 }
3560                 outputFloats2[ndx] = inputFloats[ndx] + 6.5f * 3;
3561                 outputFloats3[ndx] = 8.5f - inputFloats[ndx];
3562
3563                 int index4 = (int)deFloor(deAbs((float)ndx * inputFloats[ndx]));
3564                 outputFloats4[ndx] = (float)(index4 % test4Width) * 10.0f + 5.0f;
3565
3566                 outputFloats5[ndx] = calcOpPhiCase5(inputFloats[ndx], codestring);
3567         }
3568
3569         spec1.assembly =
3570                 string(getComputeAsmShaderPreamble()) +
3571
3572                 "OpSource GLSL 430\n"
3573                 "OpName %main \"main\"\n"
3574                 "OpName %id \"gl_GlobalInvocationID\"\n"
3575
3576                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3577
3578                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3579
3580                 "%id = OpVariable %uvec3ptr Input\n"
3581                 "%zero       = OpConstant %i32 0\n"
3582                 "%three      = OpConstant %u32 3\n"
3583                 "%constf5p5  = OpConstant %f32 5.5\n"
3584                 "%constf20p5 = OpConstant %f32 20.5\n"
3585                 "%constf1p75 = OpConstant %f32 1.75\n"
3586                 "%constf8p5  = OpConstant %f32 8.5\n"
3587                 "%constf6p5  = OpConstant %f32 6.5\n"
3588
3589                 "%main     = OpFunction %void None %voidf\n"
3590                 "%entry    = OpLabel\n"
3591                 "%idval    = OpLoad %uvec3 %id\n"
3592                 "%x        = OpCompositeExtract %u32 %idval 0\n"
3593                 "%selector = OpUMod %u32 %x %three\n"
3594                 "            OpSelectionMerge %phi None\n"
3595                 "            OpSwitch %selector %default 0 %case0 1 %case1 2 %case2\n"
3596
3597                 // Case 1 before OpPhi.
3598                 "%case1    = OpLabel\n"
3599                 "            OpBranch %phi\n"
3600
3601                 "%default  = OpLabel\n"
3602                 "            OpUnreachable\n"
3603
3604                 "%phi      = OpLabel\n"
3605                 "%operand  = OpPhi %f32   %constf1p75 %case2   %constf20p5 %case1   %constf5p5 %case0\n" // not in the order of blocks
3606                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
3607                 "%inval    = OpLoad %f32 %inloc\n"
3608                 "%add      = OpFAdd %f32 %inval %operand\n"
3609                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
3610                 "            OpStore %outloc %add\n"
3611                 "            OpReturn\n"
3612
3613                 // Case 0 after OpPhi.
3614                 "%case0    = OpLabel\n"
3615                 "            OpBranch %phi\n"
3616
3617
3618                 // Case 2 after OpPhi.
3619                 "%case2    = OpLabel\n"
3620                 "            OpBranch %phi\n"
3621
3622                 "            OpFunctionEnd\n";
3623         spec1.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3624         spec1.outputs.push_back(BufferSp(new Float32Buffer(outputFloats1)));
3625         spec1.numWorkGroups = IVec3(numElements, 1, 1);
3626
3627         group->addChild(new SpvAsmComputeShaderCase(testCtx, "block", "out-of-order and unreachable blocks for OpPhi", spec1));
3628
3629         spec2.assembly =
3630                 string(getComputeAsmShaderPreamble()) +
3631
3632                 "OpName %main \"main\"\n"
3633                 "OpName %id \"gl_GlobalInvocationID\"\n"
3634
3635                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3636
3637                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3638
3639                 "%id         = OpVariable %uvec3ptr Input\n"
3640                 "%zero       = OpConstant %i32 0\n"
3641                 "%one        = OpConstant %i32 1\n"
3642                 "%three      = OpConstant %i32 3\n"
3643                 "%constf6p5  = OpConstant %f32 6.5\n"
3644
3645                 "%main       = OpFunction %void None %voidf\n"
3646                 "%entry      = OpLabel\n"
3647                 "%idval      = OpLoad %uvec3 %id\n"
3648                 "%x          = OpCompositeExtract %u32 %idval 0\n"
3649                 "%inloc      = OpAccessChain %f32ptr %indata %zero %x\n"
3650                 "%outloc     = OpAccessChain %f32ptr %outdata %zero %x\n"
3651                 "%inval      = OpLoad %f32 %inloc\n"
3652                 "              OpBranch %phi\n"
3653
3654                 "%phi        = OpLabel\n"
3655                 "%step       = OpPhi %i32 %zero  %entry %step_next  %phi\n"
3656                 "%accum      = OpPhi %f32 %inval %entry %accum_next %phi\n"
3657                 "%step_next  = OpIAdd %i32 %step %one\n"
3658                 "%accum_next = OpFAdd %f32 %accum %constf6p5\n"
3659                 "%still_loop = OpSLessThan %bool %step %three\n"
3660                 "              OpLoopMerge %exit %phi None\n"
3661                 "              OpBranchConditional %still_loop %phi %exit\n"
3662
3663                 "%exit       = OpLabel\n"
3664                 "              OpStore %outloc %accum\n"
3665                 "              OpReturn\n"
3666                 "              OpFunctionEnd\n";
3667         spec2.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3668         spec2.outputs.push_back(BufferSp(new Float32Buffer(outputFloats2)));
3669         spec2.numWorkGroups = IVec3(numElements, 1, 1);
3670
3671         group->addChild(new SpvAsmComputeShaderCase(testCtx, "induction", "The usual way induction variables are handled in LLVM IR", spec2));
3672
3673         spec3.assembly =
3674                 string(getComputeAsmShaderPreamble()) +
3675
3676                 "OpName %main \"main\"\n"
3677                 "OpName %id \"gl_GlobalInvocationID\"\n"
3678
3679                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3680
3681                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3682
3683                 "%f32ptr_f   = OpTypePointer Function %f32\n"
3684                 "%id         = OpVariable %uvec3ptr Input\n"
3685                 "%true       = OpConstantTrue %bool\n"
3686                 "%false      = OpConstantFalse %bool\n"
3687                 "%zero       = OpConstant %i32 0\n"
3688                 "%constf8p5  = OpConstant %f32 8.5\n"
3689
3690                 "%main       = OpFunction %void None %voidf\n"
3691                 "%entry      = OpLabel\n"
3692                 "%b          = OpVariable %f32ptr_f Function %constf8p5\n"
3693                 "%idval      = OpLoad %uvec3 %id\n"
3694                 "%x          = OpCompositeExtract %u32 %idval 0\n"
3695                 "%inloc      = OpAccessChain %f32ptr %indata %zero %x\n"
3696                 "%outloc     = OpAccessChain %f32ptr %outdata %zero %x\n"
3697                 "%a_init     = OpLoad %f32 %inloc\n"
3698                 "%b_init     = OpLoad %f32 %b\n"
3699                 "              OpBranch %phi\n"
3700
3701                 "%phi        = OpLabel\n"
3702                 "%still_loop = OpPhi %bool %true   %entry %false  %phi\n"
3703                 "%a_next     = OpPhi %f32  %a_init %entry %b_next %phi\n"
3704                 "%b_next     = OpPhi %f32  %b_init %entry %a_next %phi\n"
3705                 "              OpLoopMerge %exit %phi None\n"
3706                 "              OpBranchConditional %still_loop %phi %exit\n"
3707
3708                 "%exit       = OpLabel\n"
3709                 "%sub        = OpFSub %f32 %a_next %b_next\n"
3710                 "              OpStore %outloc %sub\n"
3711                 "              OpReturn\n"
3712                 "              OpFunctionEnd\n";
3713         spec3.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3714         spec3.outputs.push_back(BufferSp(new Float32Buffer(outputFloats3)));
3715         spec3.numWorkGroups = IVec3(numElements, 1, 1);
3716
3717         group->addChild(new SpvAsmComputeShaderCase(testCtx, "swap", "Swap the values of two variables using OpPhi", spec3));
3718
3719         spec4.assembly =
3720                 "OpCapability Shader\n"
3721                 "%ext = OpExtInstImport \"GLSL.std.450\"\n"
3722                 "OpMemoryModel Logical GLSL450\n"
3723                 "OpEntryPoint GLCompute %main \"main\" %id\n"
3724                 "OpExecutionMode %main LocalSize 1 1 1\n"
3725
3726                 "OpSource GLSL 430\n"
3727                 "OpName %main \"main\"\n"
3728                 "OpName %id \"gl_GlobalInvocationID\"\n"
3729
3730                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3731
3732                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3733
3734                 "%id       = OpVariable %uvec3ptr Input\n"
3735                 "%zero     = OpConstant %i32 0\n"
3736                 "%cimod    = OpConstant %u32 " + generateIntWidth(test4Width) + "\n"
3737
3738                 + generateConstantDefinitions(test4Width) +
3739
3740                 "%main     = OpFunction %void None %voidf\n"
3741                 "%entry    = OpLabel\n"
3742                 "%idval    = OpLoad %uvec3 %id\n"
3743                 "%x        = OpCompositeExtract %u32 %idval 0\n"
3744                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
3745                 "%inval    = OpLoad %f32 %inloc\n"
3746                 "%xf       = OpConvertUToF %f32 %x\n"
3747                 "%xm       = OpFMul %f32 %xf %inval\n"
3748                 "%xa       = OpExtInst %f32 %ext FAbs %xm\n"
3749                 "%xi       = OpConvertFToU %u32 %xa\n"
3750                 "%selector = OpUMod %u32 %xi %cimod\n"
3751                 "            OpSelectionMerge %phi None\n"
3752                 "            OpSwitch %selector %default "
3753
3754                 + generateSwitchCases(test4Width) +
3755
3756                 "%default  = OpLabel\n"
3757                 "            OpUnreachable\n"
3758
3759                 + generateSwitchTargets(test4Width) +
3760
3761                 "%phi      = OpLabel\n"
3762                 "%result   = OpPhi %f32"
3763
3764                 + generateOpPhiParams(test4Width) +
3765
3766                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
3767                 "            OpStore %outloc %result\n"
3768                 "            OpReturn\n"
3769
3770                 "            OpFunctionEnd\n";
3771         spec4.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3772         spec4.outputs.push_back(BufferSp(new Float32Buffer(outputFloats4)));
3773         spec4.numWorkGroups = IVec3(numElements, 1, 1);
3774
3775         group->addChild(new SpvAsmComputeShaderCase(testCtx, "wide", "OpPhi with a lot of parameters", spec4));
3776
3777         spec5.assembly =
3778                 "OpCapability Shader\n"
3779                 "%ext      = OpExtInstImport \"GLSL.std.450\"\n"
3780                 "OpMemoryModel Logical GLSL450\n"
3781                 "OpEntryPoint GLCompute %main \"main\" %id\n"
3782                 "OpExecutionMode %main LocalSize 1 1 1\n"
3783                 "%code     = OpString \"" + codestring + "\"\n"
3784
3785                 "OpSource GLSL 430\n"
3786                 "OpName %main \"main\"\n"
3787                 "OpName %id \"gl_GlobalInvocationID\"\n"
3788
3789                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3790
3791                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
3792
3793                 "%id       = OpVariable %uvec3ptr Input\n"
3794                 "%zero     = OpConstant %i32 0\n"
3795                 "%f32_0    = OpConstant %f32 0.0\n"
3796                 "%f32_0_5  = OpConstant %f32 0.5\n"
3797                 "%f32_1    = OpConstant %f32 1.0\n"
3798                 "%f32_1_5  = OpConstant %f32 1.5\n"
3799                 "%f32_2    = OpConstant %f32 2.0\n"
3800                 "%f32_3_5  = OpConstant %f32 3.5\n"
3801                 "%f32_4    = OpConstant %f32 4.0\n"
3802                 "%f32_7_5  = OpConstant %f32 7.5\n"
3803                 "%f32_8    = OpConstant %f32 8.0\n"
3804                 "%f32_15_5 = OpConstant %f32 15.5\n"
3805                 "%f32_16   = OpConstant %f32 16.0\n"
3806                 "%f32_31_5 = OpConstant %f32 31.5\n"
3807                 "%f32_32   = OpConstant %f32 32.0\n"
3808                 "%f32_63_5 = OpConstant %f32 63.5\n"
3809                 "%f32_64   = OpConstant %f32 64.0\n"
3810                 "%f32_127_5 = OpConstant %f32 127.5\n"
3811                 "%f32_128  = OpConstant %f32 128.0\n"
3812                 "%f32_256  = OpConstant %f32 256.0\n"
3813
3814                 "%main     = OpFunction %void None %voidf\n"
3815                 "%entry    = OpLabel\n"
3816                 "%idval    = OpLoad %uvec3 %id\n"
3817                 "%x        = OpCompositeExtract %u32 %idval 0\n"
3818                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
3819                 "%inval    = OpLoad %f32 %inloc\n"
3820
3821                 "%xabs     = OpExtInst %f32 %ext FAbs %inval\n"
3822                 "%x8       = OpFMod %f32 %xabs %f32_256\n"
3823                 "%x7       = OpFMod %f32 %xabs %f32_128\n"
3824                 "%x6       = OpFMod %f32 %xabs %f32_64\n"
3825                 "%x5       = OpFMod %f32 %xabs %f32_32\n"
3826                 "%x4       = OpFMod %f32 %xabs %f32_16\n"
3827                 "%x3       = OpFMod %f32 %xabs %f32_8\n"
3828                 "%x2       = OpFMod %f32 %xabs %f32_4\n"
3829                 "%x1       = OpFMod %f32 %xabs %f32_2\n"
3830
3831                 "%b7       = OpFOrdGreaterThanEqual %bool %x8 %f32_127_5\n"
3832                 "%b6       = OpFOrdGreaterThanEqual %bool %x7 %f32_63_5\n"
3833                 "%b5       = OpFOrdGreaterThanEqual %bool %x6 %f32_31_5\n"
3834                 "%b4       = OpFOrdGreaterThanEqual %bool %x5 %f32_15_5\n"
3835                 "%b3       = OpFOrdGreaterThanEqual %bool %x4 %f32_7_5\n"
3836                 "%b2       = OpFOrdGreaterThanEqual %bool %x3 %f32_3_5\n"
3837                 "%b1       = OpFOrdGreaterThanEqual %bool %x2 %f32_1_5\n"
3838                 "%b0       = OpFOrdGreaterThanEqual %bool %x1 %f32_0_5\n"
3839
3840                 + generateOpPhiCase5(codestring) +
3841
3842                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
3843                 "            OpStore %outloc %res\n"
3844                 "            OpReturn\n"
3845
3846                 "            OpFunctionEnd\n";
3847         spec5.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
3848         spec5.outputs.push_back(BufferSp(new Float32Buffer(outputFloats5)));
3849         spec5.numWorkGroups = IVec3(numElements, 1, 1);
3850
3851         group->addChild(new SpvAsmComputeShaderCase(testCtx, "nested", "Stress OpPhi with a lot of nesting", spec5));
3852
3853         createOpPhiVartypeTests(group, testCtx);
3854
3855         return group.release();
3856 }
3857
3858 // Assembly code used for testing block order is based on GLSL source code:
3859 //
3860 // #version 430
3861 //
3862 // layout(std140, set = 0, binding = 0) readonly buffer Input {
3863 //   float elements[];
3864 // } input_data;
3865 // layout(std140, set = 0, binding = 1) writeonly buffer Output {
3866 //   float elements[];
3867 // } output_data;
3868 //
3869 // void main() {
3870 //   uint x = gl_GlobalInvocationID.x;
3871 //   output_data.elements[x] = input_data.elements[x];
3872 //   if (x > uint(50)) {
3873 //     switch (x % uint(3)) {
3874 //       case 0: output_data.elements[x] += 1.5f; break;
3875 //       case 1: output_data.elements[x] += 42.f; break;
3876 //       case 2: output_data.elements[x] -= 27.f; break;
3877 //       default: break;
3878 //     }
3879 //   } else {
3880 //     output_data.elements[x] = -input_data.elements[x];
3881 //   }
3882 // }
3883 tcu::TestCaseGroup* createBlockOrderGroup (tcu::TestContext& testCtx)
3884 {
3885         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "block_order", "Test block orders"));
3886         ComputeShaderSpec                               spec;
3887         de::Random                                              rnd                             (deStringHash(group->getName()));
3888         const int                                               numElements             = 100;
3889         vector<float>                                   inputFloats             (numElements, 0);
3890         vector<float>                                   outputFloats    (numElements, 0);
3891
3892         fillRandomScalars(rnd, -100.f, 100.f, &inputFloats[0], numElements);
3893
3894         // CPU might not use the same rounding mode as the GPU. Use whole numbers to avoid rounding differences.
3895         floorAll(inputFloats);
3896
3897         for (size_t ndx = 0; ndx <= 50; ++ndx)
3898                 outputFloats[ndx] = -inputFloats[ndx];
3899
3900         for (size_t ndx = 51; ndx < numElements; ++ndx)
3901         {
3902                 switch (ndx % 3)
3903                 {
3904                         case 0:         outputFloats[ndx] = inputFloats[ndx] + 1.5f; break;
3905                         case 1:         outputFloats[ndx] = inputFloats[ndx] + 42.f; break;
3906                         case 2:         outputFloats[ndx] = inputFloats[ndx] - 27.f; break;
3907                         default:        break;
3908                 }
3909         }
3910
3911         spec.assembly =
3912                 string(getComputeAsmShaderPreamble()) +
3913
3914                 "OpSource GLSL 430\n"
3915                 "OpName %main \"main\"\n"
3916                 "OpName %id \"gl_GlobalInvocationID\"\n"
3917
3918                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
3919
3920                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
3921
3922                 "%u32ptr       = OpTypePointer Function %u32\n"
3923                 "%u32ptr_input = OpTypePointer Input %u32\n"
3924
3925                 + string(getComputeAsmInputOutputBuffer()) +
3926
3927                 "%id        = OpVariable %uvec3ptr Input\n"
3928                 "%zero      = OpConstant %i32 0\n"
3929                 "%const3    = OpConstant %u32 3\n"
3930                 "%const50   = OpConstant %u32 50\n"
3931                 "%constf1p5 = OpConstant %f32 1.5\n"
3932                 "%constf27  = OpConstant %f32 27.0\n"
3933                 "%constf42  = OpConstant %f32 42.0\n"
3934
3935                 "%main = OpFunction %void None %voidf\n"
3936
3937                 // entry block.
3938                 "%entry    = OpLabel\n"
3939
3940                 // Create a temporary variable to hold the value of gl_GlobalInvocationID.x.
3941                 "%xvar     = OpVariable %u32ptr Function\n"
3942                 "%xptr     = OpAccessChain %u32ptr_input %id %zero\n"
3943                 "%x        = OpLoad %u32 %xptr\n"
3944                 "            OpStore %xvar %x\n"
3945
3946                 "%cmp      = OpUGreaterThan %bool %x %const50\n"
3947                 "            OpSelectionMerge %if_merge None\n"
3948                 "            OpBranchConditional %cmp %if_true %if_false\n"
3949
3950                 // False branch for if-statement: placed in the middle of switch cases and before true branch.
3951                 "%if_false = OpLabel\n"
3952                 "%x_f      = OpLoad %u32 %xvar\n"
3953                 "%inloc_f  = OpAccessChain %f32ptr %indata %zero %x_f\n"
3954                 "%inval_f  = OpLoad %f32 %inloc_f\n"
3955                 "%negate   = OpFNegate %f32 %inval_f\n"
3956                 "%outloc_f = OpAccessChain %f32ptr %outdata %zero %x_f\n"
3957                 "            OpStore %outloc_f %negate\n"
3958                 "            OpBranch %if_merge\n"
3959
3960                 // Merge block for if-statement: placed in the middle of true and false branch.
3961                 "%if_merge = OpLabel\n"
3962                 "            OpReturn\n"
3963
3964                 // True branch for if-statement: placed in the middle of swtich cases and after the false branch.
3965                 "%if_true  = OpLabel\n"
3966                 "%xval_t   = OpLoad %u32 %xvar\n"
3967                 "%mod      = OpUMod %u32 %xval_t %const3\n"
3968                 "            OpSelectionMerge %switch_merge None\n"
3969                 "            OpSwitch %mod %default 0 %case0 1 %case1 2 %case2\n"
3970
3971                 // Merge block for switch-statement: placed before the case
3972                 // bodies.  But it must follow OpSwitch which dominates it.
3973                 "%switch_merge = OpLabel\n"
3974                 "                OpBranch %if_merge\n"
3975
3976                 // Case 1 for switch-statement: placed before case 0.
3977                 // It must follow the OpSwitch that dominates it.
3978                 "%case1    = OpLabel\n"
3979                 "%x_1      = OpLoad %u32 %xvar\n"
3980                 "%inloc_1  = OpAccessChain %f32ptr %indata %zero %x_1\n"
3981                 "%inval_1  = OpLoad %f32 %inloc_1\n"
3982                 "%addf42   = OpFAdd %f32 %inval_1 %constf42\n"
3983                 "%outloc_1 = OpAccessChain %f32ptr %outdata %zero %x_1\n"
3984                 "            OpStore %outloc_1 %addf42\n"
3985                 "            OpBranch %switch_merge\n"
3986
3987                 // Case 2 for switch-statement.
3988                 "%case2    = OpLabel\n"
3989                 "%x_2      = OpLoad %u32 %xvar\n"
3990                 "%inloc_2  = OpAccessChain %f32ptr %indata %zero %x_2\n"
3991                 "%inval_2  = OpLoad %f32 %inloc_2\n"
3992                 "%subf27   = OpFSub %f32 %inval_2 %constf27\n"
3993                 "%outloc_2 = OpAccessChain %f32ptr %outdata %zero %x_2\n"
3994                 "            OpStore %outloc_2 %subf27\n"
3995                 "            OpBranch %switch_merge\n"
3996
3997                 // Default case for switch-statement: placed in the middle of normal cases.
3998                 "%default = OpLabel\n"
3999                 "           OpBranch %switch_merge\n"
4000
4001                 // Case 0 for switch-statement: out of order.
4002                 "%case0    = OpLabel\n"
4003                 "%x_0      = OpLoad %u32 %xvar\n"
4004                 "%inloc_0  = OpAccessChain %f32ptr %indata %zero %x_0\n"
4005                 "%inval_0  = OpLoad %f32 %inloc_0\n"
4006                 "%addf1p5  = OpFAdd %f32 %inval_0 %constf1p5\n"
4007                 "%outloc_0 = OpAccessChain %f32ptr %outdata %zero %x_0\n"
4008                 "            OpStore %outloc_0 %addf1p5\n"
4009                 "            OpBranch %switch_merge\n"
4010
4011                 "            OpFunctionEnd\n";
4012         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
4013         spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
4014         spec.numWorkGroups = IVec3(numElements, 1, 1);
4015
4016         group->addChild(new SpvAsmComputeShaderCase(testCtx, "all", "various out-of-order blocks", spec));
4017
4018         return group.release();
4019 }
4020
4021 tcu::TestCaseGroup* createMultipleShaderGroup (tcu::TestContext& testCtx)
4022 {
4023         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "multiple_shaders", "Test multiple shaders in the same module"));
4024         ComputeShaderSpec                               spec1;
4025         ComputeShaderSpec                               spec2;
4026         de::Random                                              rnd                             (deStringHash(group->getName()));
4027         const int                                               numElements             = 100;
4028         vector<float>                                   inputFloats             (numElements, 0);
4029         vector<float>                                   outputFloats1   (numElements, 0);
4030         vector<float>                                   outputFloats2   (numElements, 0);
4031         fillRandomScalars(rnd, -500.f, 500.f, &inputFloats[0], numElements);
4032
4033         for (size_t ndx = 0; ndx < numElements; ++ndx)
4034         {
4035                 outputFloats1[ndx] = inputFloats[ndx] + inputFloats[ndx];
4036                 outputFloats2[ndx] = -inputFloats[ndx];
4037         }
4038
4039         const string assembly(
4040                 "OpCapability Shader\n"
4041                 "OpMemoryModel Logical GLSL450\n"
4042                 "OpEntryPoint GLCompute %comp_main1 \"entrypoint1\" %id\n"
4043                 "OpEntryPoint GLCompute %comp_main2 \"entrypoint2\" %id\n"
4044                 // A module cannot have two OpEntryPoint instructions with the same Execution Model and the same Name string.
4045                 "OpEntryPoint Vertex    %vert_main  \"entrypoint2\" %vert_builtins %vertexIndex %instanceIndex\n"
4046                 "OpExecutionMode %comp_main1 LocalSize 1 1 1\n"
4047                 "OpExecutionMode %comp_main2 LocalSize 1 1 1\n"
4048
4049                 "OpName %comp_main1              \"entrypoint1\"\n"
4050                 "OpName %comp_main2              \"entrypoint2\"\n"
4051                 "OpName %vert_main               \"entrypoint2\"\n"
4052                 "OpName %id                      \"gl_GlobalInvocationID\"\n"
4053                 "OpName %vert_builtin_st         \"gl_PerVertex\"\n"
4054                 "OpName %vertexIndex             \"gl_VertexIndex\"\n"
4055                 "OpName %instanceIndex           \"gl_InstanceIndex\"\n"
4056                 "OpMemberName %vert_builtin_st 0 \"gl_Position\"\n"
4057                 "OpMemberName %vert_builtin_st 1 \"gl_PointSize\"\n"
4058                 "OpMemberName %vert_builtin_st 2 \"gl_ClipDistance\"\n"
4059
4060                 "OpDecorate %id                      BuiltIn GlobalInvocationId\n"
4061                 "OpDecorate %vertexIndex             BuiltIn VertexIndex\n"
4062                 "OpDecorate %instanceIndex           BuiltIn InstanceIndex\n"
4063                 "OpDecorate %vert_builtin_st         Block\n"
4064                 "OpMemberDecorate %vert_builtin_st 0 BuiltIn Position\n"
4065                 "OpMemberDecorate %vert_builtin_st 1 BuiltIn PointSize\n"
4066                 "OpMemberDecorate %vert_builtin_st 2 BuiltIn ClipDistance\n"
4067
4068                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
4069
4070                 "%zero       = OpConstant %i32 0\n"
4071                 "%one        = OpConstant %u32 1\n"
4072                 "%c_f32_1    = OpConstant %f32 1\n"
4073
4074                 "%i32inputptr         = OpTypePointer Input %i32\n"
4075                 "%vec4                = OpTypeVector %f32 4\n"
4076                 "%vec4ptr             = OpTypePointer Output %vec4\n"
4077                 "%f32arr1             = OpTypeArray %f32 %one\n"
4078                 "%vert_builtin_st     = OpTypeStruct %vec4 %f32 %f32arr1\n"
4079                 "%vert_builtin_st_ptr = OpTypePointer Output %vert_builtin_st\n"
4080                 "%vert_builtins       = OpVariable %vert_builtin_st_ptr Output\n"
4081
4082                 "%id         = OpVariable %uvec3ptr Input\n"
4083                 "%vertexIndex = OpVariable %i32inputptr Input\n"
4084                 "%instanceIndex = OpVariable %i32inputptr Input\n"
4085                 "%c_vec4_1   = OpConstantComposite %vec4 %c_f32_1 %c_f32_1 %c_f32_1 %c_f32_1\n"
4086
4087                 // gl_Position = vec4(1.);
4088                 "%vert_main  = OpFunction %void None %voidf\n"
4089                 "%vert_entry = OpLabel\n"
4090                 "%position   = OpAccessChain %vec4ptr %vert_builtins %zero\n"
4091                 "              OpStore %position %c_vec4_1\n"
4092                 "              OpReturn\n"
4093                 "              OpFunctionEnd\n"
4094
4095                 // Double inputs.
4096                 "%comp_main1  = OpFunction %void None %voidf\n"
4097                 "%comp1_entry = OpLabel\n"
4098                 "%idval1      = OpLoad %uvec3 %id\n"
4099                 "%x1          = OpCompositeExtract %u32 %idval1 0\n"
4100                 "%inloc1      = OpAccessChain %f32ptr %indata %zero %x1\n"
4101                 "%inval1      = OpLoad %f32 %inloc1\n"
4102                 "%add         = OpFAdd %f32 %inval1 %inval1\n"
4103                 "%outloc1     = OpAccessChain %f32ptr %outdata %zero %x1\n"
4104                 "               OpStore %outloc1 %add\n"
4105                 "               OpReturn\n"
4106                 "               OpFunctionEnd\n"
4107
4108                 // Negate inputs.
4109                 "%comp_main2  = OpFunction %void None %voidf\n"
4110                 "%comp2_entry = OpLabel\n"
4111                 "%idval2      = OpLoad %uvec3 %id\n"
4112                 "%x2          = OpCompositeExtract %u32 %idval2 0\n"
4113                 "%inloc2      = OpAccessChain %f32ptr %indata %zero %x2\n"
4114                 "%inval2      = OpLoad %f32 %inloc2\n"
4115                 "%neg         = OpFNegate %f32 %inval2\n"
4116                 "%outloc2     = OpAccessChain %f32ptr %outdata %zero %x2\n"
4117                 "               OpStore %outloc2 %neg\n"
4118                 "               OpReturn\n"
4119                 "               OpFunctionEnd\n");
4120
4121         spec1.assembly = assembly;
4122         spec1.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
4123         spec1.outputs.push_back(BufferSp(new Float32Buffer(outputFloats1)));
4124         spec1.numWorkGroups = IVec3(numElements, 1, 1);
4125         spec1.entryPoint = "entrypoint1";
4126
4127         spec2.assembly = assembly;
4128         spec2.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
4129         spec2.outputs.push_back(BufferSp(new Float32Buffer(outputFloats2)));
4130         spec2.numWorkGroups = IVec3(numElements, 1, 1);
4131         spec2.entryPoint = "entrypoint2";
4132
4133         group->addChild(new SpvAsmComputeShaderCase(testCtx, "shader1", "multiple shaders in the same module", spec1));
4134         group->addChild(new SpvAsmComputeShaderCase(testCtx, "shader2", "multiple shaders in the same module", spec2));
4135
4136         return group.release();
4137 }
4138
4139 inline std::string makeLongUTF8String (size_t num4ByteChars)
4140 {
4141         // An example of a longest valid UTF-8 character.  Be explicit about the
4142         // character type because Microsoft compilers can otherwise interpret the
4143         // character string as being over wide (16-bit) characters. Ideally, we
4144         // would just use a C++11 UTF-8 string literal, but we want to support older
4145         // Microsoft compilers.
4146         const std::basic_string<char> earthAfrica("\xF0\x9F\x8C\x8D");
4147         std::string longString;
4148         longString.reserve(num4ByteChars * 4);
4149         for (size_t count = 0; count < num4ByteChars; count++)
4150         {
4151                 longString += earthAfrica;
4152         }
4153         return longString;
4154 }
4155
4156 tcu::TestCaseGroup* createOpSourceGroup (tcu::TestContext& testCtx)
4157 {
4158         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opsource", "Tests the OpSource & OpSourceContinued instruction"));
4159         vector<CaseParameter>                   cases;
4160         de::Random                                              rnd                             (deStringHash(group->getName()));
4161         const int                                               numElements             = 100;
4162         vector<float>                                   positiveFloats  (numElements, 0);
4163         vector<float>                                   negativeFloats  (numElements, 0);
4164         const StringTemplate                    shaderTemplate  (
4165                 "OpCapability Shader\n"
4166                 "OpMemoryModel Logical GLSL450\n"
4167
4168                 "OpEntryPoint GLCompute %main \"main\" %id\n"
4169                 "OpExecutionMode %main LocalSize 1 1 1\n"
4170
4171                 "${SOURCE}\n"
4172
4173                 "OpName %main           \"main\"\n"
4174                 "OpName %id             \"gl_GlobalInvocationID\"\n"
4175
4176                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
4177
4178                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
4179
4180                 "%id        = OpVariable %uvec3ptr Input\n"
4181                 "%zero      = OpConstant %i32 0\n"
4182
4183                 "%main      = OpFunction %void None %voidf\n"
4184                 "%label     = OpLabel\n"
4185                 "%idval     = OpLoad %uvec3 %id\n"
4186                 "%x         = OpCompositeExtract %u32 %idval 0\n"
4187                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
4188                 "%inval     = OpLoad %f32 %inloc\n"
4189                 "%neg       = OpFNegate %f32 %inval\n"
4190                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
4191                 "             OpStore %outloc %neg\n"
4192                 "             OpReturn\n"
4193                 "             OpFunctionEnd\n");
4194
4195         cases.push_back(CaseParameter("unknown_source",                                                 "OpSource Unknown 0"));
4196         cases.push_back(CaseParameter("wrong_source",                                                   "OpSource OpenCL_C 210"));
4197         cases.push_back(CaseParameter("normal_filename",                                                "%fname = OpString \"filename\"\n"
4198                                                                                                                                                         "OpSource GLSL 430 %fname"));
4199         cases.push_back(CaseParameter("empty_filename",                                                 "%fname = OpString \"\"\n"
4200                                                                                                                                                         "OpSource GLSL 430 %fname"));
4201         cases.push_back(CaseParameter("normal_source_code",                                             "%fname = OpString \"filename\"\n"
4202                                                                                                                                                         "OpSource GLSL 430 %fname \"#version 430\nvoid main() {}\""));
4203         cases.push_back(CaseParameter("empty_source_code",                                              "%fname = OpString \"filename\"\n"
4204                                                                                                                                                         "OpSource GLSL 430 %fname \"\""));
4205         cases.push_back(CaseParameter("long_source_code",                                               "%fname = OpString \"filename\"\n"
4206                                                                                                                                                         "OpSource GLSL 430 %fname \"" + makeLongUTF8String(65530) + "ccc\"")); // word count: 65535
4207         cases.push_back(CaseParameter("utf8_source_code",                                               "%fname = OpString \"filename\"\n"
4208                                                                                                                                                         "OpSource GLSL 430 %fname \"\xE2\x98\x82\xE2\x98\x85\"")); // umbrella & black star symbol
4209         cases.push_back(CaseParameter("normal_sourcecontinued",                                 "%fname = OpString \"filename\"\n"
4210                                                                                                                                                         "OpSource GLSL 430 %fname \"#version 430\nvo\"\n"
4211                                                                                                                                                         "OpSourceContinued \"id main() {}\""));
4212         cases.push_back(CaseParameter("empty_sourcecontinued",                                  "%fname = OpString \"filename\"\n"
4213                                                                                                                                                         "OpSource GLSL 430 %fname \"#version 430\nvoid main() {}\"\n"
4214                                                                                                                                                         "OpSourceContinued \"\""));
4215         cases.push_back(CaseParameter("long_sourcecontinued",                                   "%fname = OpString \"filename\"\n"
4216                                                                                                                                                         "OpSource GLSL 430 %fname \"#version 430\nvoid main() {}\"\n"
4217                                                                                                                                                         "OpSourceContinued \"" + makeLongUTF8String(65533) + "ccc\"")); // word count: 65535
4218         cases.push_back(CaseParameter("utf8_sourcecontinued",                                   "%fname = OpString \"filename\"\n"
4219                                                                                                                                                         "OpSource GLSL 430 %fname \"#version 430\nvoid main() {}\"\n"
4220                                                                                                                                                         "OpSourceContinued \"\xE2\x98\x8E\xE2\x9A\x91\"")); // white telephone & black flag symbol
4221         cases.push_back(CaseParameter("multi_sourcecontinued",                                  "%fname = OpString \"filename\"\n"
4222                                                                                                                                                         "OpSource GLSL 430 %fname \"#version 430\n\"\n"
4223                                                                                                                                                         "OpSourceContinued \"void\"\n"
4224                                                                                                                                                         "OpSourceContinued \"main()\"\n"
4225                                                                                                                                                         "OpSourceContinued \"{}\""));
4226         cases.push_back(CaseParameter("empty_source_before_sourcecontinued",    "%fname = OpString \"filename\"\n"
4227                                                                                                                                                         "OpSource GLSL 430 %fname \"\"\n"
4228                                                                                                                                                         "OpSourceContinued \"#version 430\nvoid main() {}\""));
4229
4230         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
4231
4232         for (size_t ndx = 0; ndx < numElements; ++ndx)
4233                 negativeFloats[ndx] = -positiveFloats[ndx];
4234
4235         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
4236         {
4237                 map<string, string>             specializations;
4238                 ComputeShaderSpec               spec;
4239
4240                 specializations["SOURCE"] = cases[caseNdx].param;
4241                 spec.assembly = shaderTemplate.specialize(specializations);
4242                 spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
4243                 spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
4244                 spec.numWorkGroups = IVec3(numElements, 1, 1);
4245
4246                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
4247         }
4248
4249         return group.release();
4250 }
4251
4252 tcu::TestCaseGroup* createOpSourceExtensionGroup (tcu::TestContext& testCtx)
4253 {
4254         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opsourceextension", "Tests the OpSource instruction"));
4255         vector<CaseParameter>                   cases;
4256         de::Random                                              rnd                             (deStringHash(group->getName()));
4257         const int                                               numElements             = 100;
4258         vector<float>                                   inputFloats             (numElements, 0);
4259         vector<float>                                   outputFloats    (numElements, 0);
4260         const StringTemplate                    shaderTemplate  (
4261                 string(getComputeAsmShaderPreamble()) +
4262
4263                 "OpSourceExtension \"${EXTENSION}\"\n"
4264
4265                 "OpName %main           \"main\"\n"
4266                 "OpName %id             \"gl_GlobalInvocationID\"\n"
4267
4268                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
4269
4270                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
4271
4272                 "%id        = OpVariable %uvec3ptr Input\n"
4273                 "%zero      = OpConstant %i32 0\n"
4274
4275                 "%main      = OpFunction %void None %voidf\n"
4276                 "%label     = OpLabel\n"
4277                 "%idval     = OpLoad %uvec3 %id\n"
4278                 "%x         = OpCompositeExtract %u32 %idval 0\n"
4279                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
4280                 "%inval     = OpLoad %f32 %inloc\n"
4281                 "%neg       = OpFNegate %f32 %inval\n"
4282                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
4283                 "             OpStore %outloc %neg\n"
4284                 "             OpReturn\n"
4285                 "             OpFunctionEnd\n");
4286
4287         cases.push_back(CaseParameter("empty_extension",        ""));
4288         cases.push_back(CaseParameter("real_extension",         "GL_ARB_texture_rectangle"));
4289         cases.push_back(CaseParameter("fake_extension",         "GL_ARB_im_the_ultimate_extension"));
4290         cases.push_back(CaseParameter("utf8_extension",         "GL_ARB_\xE2\x98\x82\xE2\x98\x85"));
4291         cases.push_back(CaseParameter("long_extension",         makeLongUTF8String(65533) + "ccc")); // word count: 65535
4292
4293         fillRandomScalars(rnd, -200.f, 200.f, &inputFloats[0], numElements);
4294
4295         for (size_t ndx = 0; ndx < numElements; ++ndx)
4296                 outputFloats[ndx] = -inputFloats[ndx];
4297
4298         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
4299         {
4300                 map<string, string>             specializations;
4301                 ComputeShaderSpec               spec;
4302
4303                 specializations["EXTENSION"] = cases[caseNdx].param;
4304                 spec.assembly = shaderTemplate.specialize(specializations);
4305                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
4306                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
4307                 spec.numWorkGroups = IVec3(numElements, 1, 1);
4308
4309                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
4310         }
4311
4312         return group.release();
4313 }
4314
4315 // Checks that a compute shader can generate a constant null value of various types, without exercising a computation on it.
4316 tcu::TestCaseGroup* createOpConstantNullGroup (tcu::TestContext& testCtx)
4317 {
4318         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opconstantnull", "Tests the OpConstantNull instruction"));
4319         vector<CaseParameter>                   cases;
4320         de::Random                                              rnd                             (deStringHash(group->getName()));
4321         const int                                               numElements             = 100;
4322         vector<float>                                   positiveFloats  (numElements, 0);
4323         vector<float>                                   negativeFloats  (numElements, 0);
4324         const StringTemplate                    shaderTemplate  (
4325                 string(getComputeAsmShaderPreamble()) +
4326
4327                 "OpSource GLSL 430\n"
4328                 "OpName %main           \"main\"\n"
4329                 "OpName %id             \"gl_GlobalInvocationID\"\n"
4330
4331                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
4332
4333                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
4334                 "%uvec2     = OpTypeVector %u32 2\n"
4335                 "%bvec3     = OpTypeVector %bool 3\n"
4336                 "%fvec4     = OpTypeVector %f32 4\n"
4337                 "%fmat33    = OpTypeMatrix %fvec3 3\n"
4338                 "%const100  = OpConstant %u32 100\n"
4339                 "%uarr100   = OpTypeArray %i32 %const100\n"
4340                 "%struct    = OpTypeStruct %f32 %i32 %u32\n"
4341                 "%pointer   = OpTypePointer Function %i32\n"
4342                 + string(getComputeAsmInputOutputBuffer()) +
4343
4344                 "%null      = OpConstantNull ${TYPE}\n"
4345
4346                 "%id        = OpVariable %uvec3ptr Input\n"
4347                 "%zero      = OpConstant %i32 0\n"
4348
4349                 "%main      = OpFunction %void None %voidf\n"
4350                 "%label     = OpLabel\n"
4351                 "%idval     = OpLoad %uvec3 %id\n"
4352                 "%x         = OpCompositeExtract %u32 %idval 0\n"
4353                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
4354                 "%inval     = OpLoad %f32 %inloc\n"
4355                 "%neg       = OpFNegate %f32 %inval\n"
4356                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
4357                 "             OpStore %outloc %neg\n"
4358                 "             OpReturn\n"
4359                 "             OpFunctionEnd\n");
4360
4361         cases.push_back(CaseParameter("bool",                   "%bool"));
4362         cases.push_back(CaseParameter("sint32",                 "%i32"));
4363         cases.push_back(CaseParameter("uint32",                 "%u32"));
4364         cases.push_back(CaseParameter("float32",                "%f32"));
4365         cases.push_back(CaseParameter("vec4float32",    "%fvec4"));
4366         cases.push_back(CaseParameter("vec3bool",               "%bvec3"));
4367         cases.push_back(CaseParameter("vec2uint32",             "%uvec2"));
4368         cases.push_back(CaseParameter("matrix",                 "%fmat33"));
4369         cases.push_back(CaseParameter("array",                  "%uarr100"));
4370         cases.push_back(CaseParameter("struct",                 "%struct"));
4371         cases.push_back(CaseParameter("pointer",                "%pointer"));
4372
4373         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
4374
4375         for (size_t ndx = 0; ndx < numElements; ++ndx)
4376                 negativeFloats[ndx] = -positiveFloats[ndx];
4377
4378         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
4379         {
4380                 map<string, string>             specializations;
4381                 ComputeShaderSpec               spec;
4382
4383                 specializations["TYPE"] = cases[caseNdx].param;
4384                 spec.assembly = shaderTemplate.specialize(specializations);
4385                 spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
4386                 spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
4387                 spec.numWorkGroups = IVec3(numElements, 1, 1);
4388
4389                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
4390         }
4391
4392         return group.release();
4393 }
4394
4395 // Checks that a compute shader can generate a constant composite value of various types, without exercising a computation on it.
4396 tcu::TestCaseGroup* createOpConstantCompositeGroup (tcu::TestContext& testCtx)
4397 {
4398         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opconstantcomposite", "Tests the OpConstantComposite instruction"));
4399         vector<CaseParameter>                   cases;
4400         de::Random                                              rnd                             (deStringHash(group->getName()));
4401         const int                                               numElements             = 100;
4402         vector<float>                                   positiveFloats  (numElements, 0);
4403         vector<float>                                   negativeFloats  (numElements, 0);
4404         const StringTemplate                    shaderTemplate  (
4405                 string(getComputeAsmShaderPreamble()) +
4406
4407                 "OpSource GLSL 430\n"
4408                 "OpName %main           \"main\"\n"
4409                 "OpName %id             \"gl_GlobalInvocationID\"\n"
4410
4411                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
4412
4413                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
4414
4415                 "%id        = OpVariable %uvec3ptr Input\n"
4416                 "%zero      = OpConstant %i32 0\n"
4417
4418                 "${CONSTANT}\n"
4419
4420                 "%main      = OpFunction %void None %voidf\n"
4421                 "%label     = OpLabel\n"
4422                 "%idval     = OpLoad %uvec3 %id\n"
4423                 "%x         = OpCompositeExtract %u32 %idval 0\n"
4424                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
4425                 "%inval     = OpLoad %f32 %inloc\n"
4426                 "%neg       = OpFNegate %f32 %inval\n"
4427                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
4428                 "             OpStore %outloc %neg\n"
4429                 "             OpReturn\n"
4430                 "             OpFunctionEnd\n");
4431
4432         cases.push_back(CaseParameter("vector",                 "%five = OpConstant %u32 5\n"
4433                                                                                                         "%const = OpConstantComposite %uvec3 %five %zero %five"));
4434         cases.push_back(CaseParameter("matrix",                 "%m3fvec3 = OpTypeMatrix %fvec3 3\n"
4435                                                                                                         "%ten = OpConstant %f32 10.\n"
4436                                                                                                         "%fzero = OpConstant %f32 0.\n"
4437                                                                                                         "%vec = OpConstantComposite %fvec3 %ten %fzero %ten\n"
4438                                                                                                         "%mat = OpConstantComposite %m3fvec3 %vec %vec %vec"));
4439         cases.push_back(CaseParameter("struct",                 "%m2vec3 = OpTypeMatrix %fvec3 2\n"
4440                                                                                                         "%struct = OpTypeStruct %i32 %f32 %fvec3 %m2vec3\n"
4441                                                                                                         "%fzero = OpConstant %f32 0.\n"
4442                                                                                                         "%one = OpConstant %f32 1.\n"
4443                                                                                                         "%point5 = OpConstant %f32 0.5\n"
4444                                                                                                         "%vec = OpConstantComposite %fvec3 %one %one %fzero\n"
4445                                                                                                         "%mat = OpConstantComposite %m2vec3 %vec %vec\n"
4446                                                                                                         "%const = OpConstantComposite %struct %zero %point5 %vec %mat"));
4447         cases.push_back(CaseParameter("nested_struct",  "%st1 = OpTypeStruct %u32 %f32\n"
4448                                                                                                         "%st2 = OpTypeStruct %i32 %i32\n"
4449                                                                                                         "%struct = OpTypeStruct %st1 %st2\n"
4450                                                                                                         "%point5 = OpConstant %f32 0.5\n"
4451                                                                                                         "%one = OpConstant %u32 1\n"
4452                                                                                                         "%ten = OpConstant %i32 10\n"
4453                                                                                                         "%st1val = OpConstantComposite %st1 %one %point5\n"
4454                                                                                                         "%st2val = OpConstantComposite %st2 %ten %ten\n"
4455                                                                                                         "%const = OpConstantComposite %struct %st1val %st2val"));
4456
4457         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
4458
4459         for (size_t ndx = 0; ndx < numElements; ++ndx)
4460                 negativeFloats[ndx] = -positiveFloats[ndx];
4461
4462         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
4463         {
4464                 map<string, string>             specializations;
4465                 ComputeShaderSpec               spec;
4466
4467                 specializations["CONSTANT"] = cases[caseNdx].param;
4468                 spec.assembly = shaderTemplate.specialize(specializations);
4469                 spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
4470                 spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
4471                 spec.numWorkGroups = IVec3(numElements, 1, 1);
4472
4473                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
4474         }
4475
4476         return group.release();
4477 }
4478
4479 // Creates a floating point number with the given exponent, and significand
4480 // bits set. It can only create normalized numbers. Only the least significant
4481 // 24 bits of the significand will be examined. The final bit of the
4482 // significand will also be ignored. This allows alignment to be written
4483 // similarly to C99 hex-floats.
4484 // For example if you wanted to write 0x1.7f34p-12 you would call
4485 // constructNormalizedFloat(-12, 0x7f3400)
4486 float constructNormalizedFloat (deInt32 exponent, deUint32 significand)
4487 {
4488         float f = 1.0f;
4489
4490         for (deInt32 idx = 0; idx < 23; ++idx)
4491         {
4492                 f += ((significand & 0x800000) == 0) ? 0.f : std::ldexp(1.0f, -(idx + 1));
4493                 significand <<= 1;
4494         }
4495
4496         return std::ldexp(f, exponent);
4497 }
4498
4499 // Compare instruction for the OpQuantizeF16 compute exact case.
4500 // Returns true if the output is what is expected from the test case.
4501 bool compareOpQuantizeF16ComputeExactCase (const std::vector<Resource>&, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog&)
4502 {
4503         if (outputAllocs.size() != 1)
4504                 return false;
4505
4506         // Only size is needed because we cannot compare Nans.
4507         size_t byteSize = expectedOutputs[0].getByteSize();
4508
4509         const float*    outputAsFloat   = static_cast<const float*>(outputAllocs[0]->getHostPtr());
4510
4511         if (byteSize != 4*sizeof(float)) {
4512                 return false;
4513         }
4514
4515         if (*outputAsFloat != constructNormalizedFloat(8, 0x304000) &&
4516                 *outputAsFloat != constructNormalizedFloat(8, 0x300000)) {
4517                 return false;
4518         }
4519         outputAsFloat++;
4520
4521         if (*outputAsFloat != -constructNormalizedFloat(-7, 0x600000) &&
4522                 *outputAsFloat != -constructNormalizedFloat(-7, 0x604000)) {
4523                 return false;
4524         }
4525         outputAsFloat++;
4526
4527         if (*outputAsFloat != constructNormalizedFloat(2, 0x01C000) &&
4528                 *outputAsFloat != constructNormalizedFloat(2, 0x020000)) {
4529                 return false;
4530         }
4531         outputAsFloat++;
4532
4533         if (*outputAsFloat != constructNormalizedFloat(1, 0xFFC000) &&
4534                 *outputAsFloat != constructNormalizedFloat(2, 0x000000)) {
4535                 return false;
4536         }
4537
4538         return true;
4539 }
4540
4541 // Checks that every output from a test-case is a float NaN.
4542 bool compareNan (const std::vector<Resource>&, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog&)
4543 {
4544         if (outputAllocs.size() != 1)
4545                 return false;
4546
4547         // Only size is needed because we cannot compare Nans.
4548         size_t byteSize = expectedOutputs[0].getByteSize();
4549
4550         const float* const      output_as_float = static_cast<const float*>(outputAllocs[0]->getHostPtr());
4551
4552         for (size_t idx = 0; idx < byteSize / sizeof(float); ++idx)
4553         {
4554                 if (!deFloatIsNaN(output_as_float[idx]))
4555                 {
4556                         return false;
4557                 }
4558         }
4559
4560         return true;
4561 }
4562
4563 // Checks that a compute shader can generate a constant composite value of various types, without exercising a computation on it.
4564 tcu::TestCaseGroup* createOpQuantizeToF16Group (tcu::TestContext& testCtx)
4565 {
4566         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opquantize", "Tests the OpQuantizeToF16 instruction"));
4567
4568         const std::string shader (
4569                 string(getComputeAsmShaderPreamble()) +
4570
4571                 "OpSource GLSL 430\n"
4572                 "OpName %main           \"main\"\n"
4573                 "OpName %id             \"gl_GlobalInvocationID\"\n"
4574
4575                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
4576
4577                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
4578
4579                 "%id        = OpVariable %uvec3ptr Input\n"
4580                 "%zero      = OpConstant %i32 0\n"
4581
4582                 "%main      = OpFunction %void None %voidf\n"
4583                 "%label     = OpLabel\n"
4584                 "%idval     = OpLoad %uvec3 %id\n"
4585                 "%x         = OpCompositeExtract %u32 %idval 0\n"
4586                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
4587                 "%inval     = OpLoad %f32 %inloc\n"
4588                 "%quant     = OpQuantizeToF16 %f32 %inval\n"
4589                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
4590                 "             OpStore %outloc %quant\n"
4591                 "             OpReturn\n"
4592                 "             OpFunctionEnd\n");
4593
4594         {
4595                 ComputeShaderSpec       spec;
4596                 const deUint32          numElements             = 100;
4597                 vector<float>           infinities;
4598                 vector<float>           results;
4599
4600                 infinities.reserve(numElements);
4601                 results.reserve(numElements);
4602
4603                 for (size_t idx = 0; idx < numElements; ++idx)
4604                 {
4605                         switch(idx % 4)
4606                         {
4607                                 case 0:
4608                                         infinities.push_back(std::numeric_limits<float>::infinity());
4609                                         results.push_back(std::numeric_limits<float>::infinity());
4610                                         break;
4611                                 case 1:
4612                                         infinities.push_back(-std::numeric_limits<float>::infinity());
4613                                         results.push_back(-std::numeric_limits<float>::infinity());
4614                                         break;
4615                                 case 2:
4616                                         infinities.push_back(std::ldexp(1.0f, 16));
4617                                         results.push_back(std::numeric_limits<float>::infinity());
4618                                         break;
4619                                 case 3:
4620                                         infinities.push_back(std::ldexp(-1.0f, 32));
4621                                         results.push_back(-std::numeric_limits<float>::infinity());
4622                                         break;
4623                         }
4624                 }
4625
4626                 spec.assembly = shader;
4627                 spec.inputs.push_back(BufferSp(new Float32Buffer(infinities)));
4628                 spec.outputs.push_back(BufferSp(new Float32Buffer(results)));
4629                 spec.numWorkGroups = IVec3(numElements, 1, 1);
4630
4631                 group->addChild(new SpvAsmComputeShaderCase(
4632                         testCtx, "infinities", "Check that infinities propagated and created", spec));
4633         }
4634
4635         {
4636                 ComputeShaderSpec       spec;
4637                 vector<float>           nans;
4638                 const deUint32          numElements             = 100;
4639
4640                 nans.reserve(numElements);
4641
4642                 for (size_t idx = 0; idx < numElements; ++idx)
4643                 {
4644                         if (idx % 2 == 0)
4645                         {
4646                                 nans.push_back(std::numeric_limits<float>::quiet_NaN());
4647                         }
4648                         else
4649                         {
4650                                 nans.push_back(-std::numeric_limits<float>::quiet_NaN());
4651                         }
4652                 }
4653
4654                 spec.assembly = shader;
4655                 spec.inputs.push_back(BufferSp(new Float32Buffer(nans)));
4656                 spec.outputs.push_back(BufferSp(new Float32Buffer(nans)));
4657                 spec.numWorkGroups = IVec3(numElements, 1, 1);
4658                 spec.verifyIO = &compareNan;
4659
4660                 group->addChild(new SpvAsmComputeShaderCase(
4661                         testCtx, "propagated_nans", "Check that nans are propagated", spec));
4662         }
4663
4664         {
4665                 ComputeShaderSpec       spec;
4666                 vector<float>           small;
4667                 vector<float>           zeros;
4668                 const deUint32          numElements             = 100;
4669
4670                 small.reserve(numElements);
4671                 zeros.reserve(numElements);
4672
4673                 for (size_t idx = 0; idx < numElements; ++idx)
4674                 {
4675                         switch(idx % 6)
4676                         {
4677                                 case 0:
4678                                         small.push_back(0.f);
4679                                         zeros.push_back(0.f);
4680                                         break;
4681                                 case 1:
4682                                         small.push_back(-0.f);
4683                                         zeros.push_back(-0.f);
4684                                         break;
4685                                 case 2:
4686                                         small.push_back(std::ldexp(1.0f, -16));
4687                                         zeros.push_back(0.f);
4688                                         break;
4689                                 case 3:
4690                                         small.push_back(std::ldexp(-1.0f, -32));
4691                                         zeros.push_back(-0.f);
4692                                         break;
4693                                 case 4:
4694                                         small.push_back(std::ldexp(1.0f, -127));
4695                                         zeros.push_back(0.f);
4696                                         break;
4697                                 case 5:
4698                                         small.push_back(-std::ldexp(1.0f, -128));
4699                                         zeros.push_back(-0.f);
4700                                         break;
4701                         }
4702                 }
4703
4704                 spec.assembly = shader;
4705                 spec.inputs.push_back(BufferSp(new Float32Buffer(small)));
4706                 spec.outputs.push_back(BufferSp(new Float32Buffer(zeros)));
4707                 spec.numWorkGroups = IVec3(numElements, 1, 1);
4708
4709                 group->addChild(new SpvAsmComputeShaderCase(
4710                         testCtx, "flush_to_zero", "Check that values are zeroed correctly", spec));
4711         }
4712
4713         {
4714                 ComputeShaderSpec       spec;
4715                 vector<float>           exact;
4716                 const deUint32          numElements             = 200;
4717
4718                 exact.reserve(numElements);
4719
4720                 for (size_t idx = 0; idx < numElements; ++idx)
4721                         exact.push_back(static_cast<float>(static_cast<int>(idx) - 100));
4722
4723                 spec.assembly = shader;
4724                 spec.inputs.push_back(BufferSp(new Float32Buffer(exact)));
4725                 spec.outputs.push_back(BufferSp(new Float32Buffer(exact)));
4726                 spec.numWorkGroups = IVec3(numElements, 1, 1);
4727
4728                 group->addChild(new SpvAsmComputeShaderCase(
4729                         testCtx, "exact", "Check that values exactly preserved where appropriate", spec));
4730         }
4731
4732         {
4733                 ComputeShaderSpec       spec;
4734                 vector<float>           inputs;
4735                 const deUint32          numElements             = 4;
4736
4737                 inputs.push_back(constructNormalizedFloat(8,    0x300300));
4738                 inputs.push_back(-constructNormalizedFloat(-7,  0x600800));
4739                 inputs.push_back(constructNormalizedFloat(2,    0x01E000));
4740                 inputs.push_back(constructNormalizedFloat(1,    0xFFE000));
4741
4742                 spec.assembly = shader;
4743                 spec.verifyIO = &compareOpQuantizeF16ComputeExactCase;
4744                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputs)));
4745                 spec.outputs.push_back(BufferSp(new Float32Buffer(inputs)));
4746                 spec.numWorkGroups = IVec3(numElements, 1, 1);
4747
4748                 group->addChild(new SpvAsmComputeShaderCase(
4749                         testCtx, "rounded", "Check that are rounded when needed", spec));
4750         }
4751
4752         return group.release();
4753 }
4754
4755 tcu::TestCaseGroup* createSpecConstantOpQuantizeToF16Group (tcu::TestContext& testCtx)
4756 {
4757         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opspecconstantop_opquantize", "Tests the OpQuantizeToF16 opcode for the OpSpecConstantOp instruction"));
4758
4759         const std::string shader (
4760                 string(getComputeAsmShaderPreamble()) +
4761
4762                 "OpName %main           \"main\"\n"
4763                 "OpName %id             \"gl_GlobalInvocationID\"\n"
4764
4765                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
4766
4767                 "OpDecorate %sc_0  SpecId 0\n"
4768                 "OpDecorate %sc_1  SpecId 1\n"
4769                 "OpDecorate %sc_2  SpecId 2\n"
4770                 "OpDecorate %sc_3  SpecId 3\n"
4771                 "OpDecorate %sc_4  SpecId 4\n"
4772                 "OpDecorate %sc_5  SpecId 5\n"
4773
4774                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
4775
4776                 "%id        = OpVariable %uvec3ptr Input\n"
4777                 "%zero      = OpConstant %i32 0\n"
4778                 "%c_u32_6   = OpConstant %u32 6\n"
4779
4780                 "%sc_0      = OpSpecConstant %f32 0.\n"
4781                 "%sc_1      = OpSpecConstant %f32 0.\n"
4782                 "%sc_2      = OpSpecConstant %f32 0.\n"
4783                 "%sc_3      = OpSpecConstant %f32 0.\n"
4784                 "%sc_4      = OpSpecConstant %f32 0.\n"
4785                 "%sc_5      = OpSpecConstant %f32 0.\n"
4786
4787                 "%sc_0_quant = OpSpecConstantOp %f32 QuantizeToF16 %sc_0\n"
4788                 "%sc_1_quant = OpSpecConstantOp %f32 QuantizeToF16 %sc_1\n"
4789                 "%sc_2_quant = OpSpecConstantOp %f32 QuantizeToF16 %sc_2\n"
4790                 "%sc_3_quant = OpSpecConstantOp %f32 QuantizeToF16 %sc_3\n"
4791                 "%sc_4_quant = OpSpecConstantOp %f32 QuantizeToF16 %sc_4\n"
4792                 "%sc_5_quant = OpSpecConstantOp %f32 QuantizeToF16 %sc_5\n"
4793
4794                 "%main      = OpFunction %void None %voidf\n"
4795                 "%label     = OpLabel\n"
4796                 "%idval     = OpLoad %uvec3 %id\n"
4797                 "%x         = OpCompositeExtract %u32 %idval 0\n"
4798                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
4799                 "%selector  = OpUMod %u32 %x %c_u32_6\n"
4800                 "            OpSelectionMerge %exit None\n"
4801                 "            OpSwitch %selector %exit 0 %case0 1 %case1 2 %case2 3 %case3 4 %case4 5 %case5\n"
4802
4803                 "%case0     = OpLabel\n"
4804                 "             OpStore %outloc %sc_0_quant\n"
4805                 "             OpBranch %exit\n"
4806
4807                 "%case1     = OpLabel\n"
4808                 "             OpStore %outloc %sc_1_quant\n"
4809                 "             OpBranch %exit\n"
4810
4811                 "%case2     = OpLabel\n"
4812                 "             OpStore %outloc %sc_2_quant\n"
4813                 "             OpBranch %exit\n"
4814
4815                 "%case3     = OpLabel\n"
4816                 "             OpStore %outloc %sc_3_quant\n"
4817                 "             OpBranch %exit\n"
4818
4819                 "%case4     = OpLabel\n"
4820                 "             OpStore %outloc %sc_4_quant\n"
4821                 "             OpBranch %exit\n"
4822
4823                 "%case5     = OpLabel\n"
4824                 "             OpStore %outloc %sc_5_quant\n"
4825                 "             OpBranch %exit\n"
4826
4827                 "%exit      = OpLabel\n"
4828                 "             OpReturn\n"
4829
4830                 "             OpFunctionEnd\n");
4831
4832         {
4833                 ComputeShaderSpec       spec;
4834                 const deUint8           numCases        = 4;
4835                 vector<float>           inputs          (numCases, 0.f);
4836                 vector<float>           outputs;
4837
4838                 spec.assembly           = shader;
4839                 spec.numWorkGroups      = IVec3(numCases, 1, 1);
4840
4841                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(std::numeric_limits<float>::infinity()));
4842                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(-std::numeric_limits<float>::infinity()));
4843                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(std::ldexp(1.0f, 16)));
4844                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(std::ldexp(-1.0f, 32)));
4845
4846                 outputs.push_back(std::numeric_limits<float>::infinity());
4847                 outputs.push_back(-std::numeric_limits<float>::infinity());
4848                 outputs.push_back(std::numeric_limits<float>::infinity());
4849                 outputs.push_back(-std::numeric_limits<float>::infinity());
4850
4851                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputs)));
4852                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputs)));
4853
4854                 group->addChild(new SpvAsmComputeShaderCase(
4855                         testCtx, "infinities", "Check that infinities propagated and created", spec));
4856         }
4857
4858         {
4859                 ComputeShaderSpec       spec;
4860                 const deUint8           numCases        = 2;
4861                 vector<float>           inputs          (numCases, 0.f);
4862                 vector<float>           outputs;
4863
4864                 spec.assembly           = shader;
4865                 spec.numWorkGroups      = IVec3(numCases, 1, 1);
4866                 spec.verifyIO           = &compareNan;
4867
4868                 outputs.push_back(std::numeric_limits<float>::quiet_NaN());
4869                 outputs.push_back(-std::numeric_limits<float>::quiet_NaN());
4870
4871                 for (deUint8 idx = 0; idx < numCases; ++idx)
4872                         spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(outputs[idx]));
4873
4874                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputs)));
4875                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputs)));
4876
4877                 group->addChild(new SpvAsmComputeShaderCase(
4878                         testCtx, "propagated_nans", "Check that nans are propagated", spec));
4879         }
4880
4881         {
4882                 ComputeShaderSpec       spec;
4883                 const deUint8           numCases        = 6;
4884                 vector<float>           inputs          (numCases, 0.f);
4885                 vector<float>           outputs;
4886
4887                 spec.assembly           = shader;
4888                 spec.numWorkGroups      = IVec3(numCases, 1, 1);
4889
4890                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(0.f));
4891                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(-0.f));
4892                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(std::ldexp(1.0f, -16)));
4893                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(std::ldexp(-1.0f, -32)));
4894                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(std::ldexp(1.0f, -127)));
4895                 spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(-std::ldexp(1.0f, -128)));
4896
4897                 outputs.push_back(0.f);
4898                 outputs.push_back(-0.f);
4899                 outputs.push_back(0.f);
4900                 outputs.push_back(-0.f);
4901                 outputs.push_back(0.f);
4902                 outputs.push_back(-0.f);
4903
4904                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputs)));
4905                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputs)));
4906
4907                 group->addChild(new SpvAsmComputeShaderCase(
4908                         testCtx, "flush_to_zero", "Check that values are zeroed correctly", spec));
4909         }
4910
4911         {
4912                 ComputeShaderSpec       spec;
4913                 const deUint8           numCases        = 6;
4914                 vector<float>           inputs          (numCases, 0.f);
4915                 vector<float>           outputs;
4916
4917                 spec.assembly           = shader;
4918                 spec.numWorkGroups      = IVec3(numCases, 1, 1);
4919
4920                 for (deUint8 idx = 0; idx < 6; ++idx)
4921                 {
4922                         const float f = static_cast<float>(idx * 10 - 30) / 4.f;
4923                         spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(f));
4924                         outputs.push_back(f);
4925                 }
4926
4927                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputs)));
4928                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputs)));
4929
4930                 group->addChild(new SpvAsmComputeShaderCase(
4931                         testCtx, "exact", "Check that values exactly preserved where appropriate", spec));
4932         }
4933
4934         {
4935                 ComputeShaderSpec       spec;
4936                 const deUint8           numCases        = 4;
4937                 vector<float>           inputs          (numCases, 0.f);
4938                 vector<float>           outputs;
4939
4940                 spec.assembly           = shader;
4941                 spec.numWorkGroups      = IVec3(numCases, 1, 1);
4942                 spec.verifyIO           = &compareOpQuantizeF16ComputeExactCase;
4943
4944                 outputs.push_back(constructNormalizedFloat(8, 0x300300));
4945                 outputs.push_back(-constructNormalizedFloat(-7, 0x600800));
4946                 outputs.push_back(constructNormalizedFloat(2, 0x01E000));
4947                 outputs.push_back(constructNormalizedFloat(1, 0xFFE000));
4948
4949                 for (deUint8 idx = 0; idx < numCases; ++idx)
4950                         spec.specConstants.append<deInt32>(bitwiseCast<deUint32>(outputs[idx]));
4951
4952                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputs)));
4953                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputs)));
4954
4955                 group->addChild(new SpvAsmComputeShaderCase(
4956                         testCtx, "rounded", "Check that are rounded when needed", spec));
4957         }
4958
4959         return group.release();
4960 }
4961
4962 // Checks that constant null/composite values can be used in computation.
4963 tcu::TestCaseGroup* createOpConstantUsageGroup (tcu::TestContext& testCtx)
4964 {
4965         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opconstantnullcomposite", "Spotcheck the OpConstantNull & OpConstantComposite instruction"));
4966         ComputeShaderSpec                               spec;
4967         de::Random                                              rnd                             (deStringHash(group->getName()));
4968         const int                                               numElements             = 100;
4969         vector<float>                                   positiveFloats  (numElements, 0);
4970         vector<float>                                   negativeFloats  (numElements, 0);
4971
4972         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
4973
4974         for (size_t ndx = 0; ndx < numElements; ++ndx)
4975                 negativeFloats[ndx] = -positiveFloats[ndx];
4976
4977         spec.assembly =
4978                 "OpCapability Shader\n"
4979                 "%std450 = OpExtInstImport \"GLSL.std.450\"\n"
4980                 "OpMemoryModel Logical GLSL450\n"
4981                 "OpEntryPoint GLCompute %main \"main\" %id\n"
4982                 "OpExecutionMode %main LocalSize 1 1 1\n"
4983
4984                 "OpSource GLSL 430\n"
4985                 "OpName %main           \"main\"\n"
4986                 "OpName %id             \"gl_GlobalInvocationID\"\n"
4987
4988                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
4989
4990                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
4991
4992                 "%fmat      = OpTypeMatrix %fvec3 3\n"
4993                 "%ten       = OpConstant %u32 10\n"
4994                 "%f32arr10  = OpTypeArray %f32 %ten\n"
4995                 "%fst       = OpTypeStruct %f32 %f32\n"
4996
4997                 + string(getComputeAsmInputOutputBuffer()) +
4998
4999                 "%id        = OpVariable %uvec3ptr Input\n"
5000                 "%zero      = OpConstant %i32 0\n"
5001
5002                 // Create a bunch of null values
5003                 "%unull     = OpConstantNull %u32\n"
5004                 "%fnull     = OpConstantNull %f32\n"
5005                 "%vnull     = OpConstantNull %fvec3\n"
5006                 "%mnull     = OpConstantNull %fmat\n"
5007                 "%anull     = OpConstantNull %f32arr10\n"
5008                 "%snull     = OpConstantComposite %fst %fnull %fnull\n"
5009
5010                 "%main      = OpFunction %void None %voidf\n"
5011                 "%label     = OpLabel\n"
5012                 "%idval     = OpLoad %uvec3 %id\n"
5013                 "%x         = OpCompositeExtract %u32 %idval 0\n"
5014                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
5015                 "%inval     = OpLoad %f32 %inloc\n"
5016                 "%neg       = OpFNegate %f32 %inval\n"
5017
5018                 // Get the abs() of (a certain element of) those null values
5019                 "%unull_cov = OpConvertUToF %f32 %unull\n"
5020                 "%unull_abs = OpExtInst %f32 %std450 FAbs %unull_cov\n"
5021                 "%fnull_abs = OpExtInst %f32 %std450 FAbs %fnull\n"
5022                 "%vnull_0   = OpCompositeExtract %f32 %vnull 0\n"
5023                 "%vnull_abs = OpExtInst %f32 %std450 FAbs %vnull_0\n"
5024                 "%mnull_12  = OpCompositeExtract %f32 %mnull 1 2\n"
5025                 "%mnull_abs = OpExtInst %f32 %std450 FAbs %mnull_12\n"
5026                 "%anull_3   = OpCompositeExtract %f32 %anull 3\n"
5027                 "%anull_abs = OpExtInst %f32 %std450 FAbs %anull_3\n"
5028                 "%snull_1   = OpCompositeExtract %f32 %snull 1\n"
5029                 "%snull_abs = OpExtInst %f32 %std450 FAbs %snull_1\n"
5030
5031                 // Add them all
5032                 "%add1      = OpFAdd %f32 %neg  %unull_abs\n"
5033                 "%add2      = OpFAdd %f32 %add1 %fnull_abs\n"
5034                 "%add3      = OpFAdd %f32 %add2 %vnull_abs\n"
5035                 "%add4      = OpFAdd %f32 %add3 %mnull_abs\n"
5036                 "%add5      = OpFAdd %f32 %add4 %anull_abs\n"
5037                 "%final     = OpFAdd %f32 %add5 %snull_abs\n"
5038
5039                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
5040                 "             OpStore %outloc %final\n" // write to output
5041                 "             OpReturn\n"
5042                 "             OpFunctionEnd\n";
5043         spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
5044         spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
5045         spec.numWorkGroups = IVec3(numElements, 1, 1);
5046
5047         group->addChild(new SpvAsmComputeShaderCase(testCtx, "spotcheck", "Check that values constructed via OpConstantNull & OpConstantComposite can be used", spec));
5048
5049         return group.release();
5050 }
5051
5052 // Assembly code used for testing loop control is based on GLSL source code:
5053 // #version 430
5054 //
5055 // layout(std140, set = 0, binding = 0) readonly buffer Input {
5056 //   float elements[];
5057 // } input_data;
5058 // layout(std140, set = 0, binding = 1) writeonly buffer Output {
5059 //   float elements[];
5060 // } output_data;
5061 //
5062 // void main() {
5063 //   uint x = gl_GlobalInvocationID.x;
5064 //   output_data.elements[x] = input_data.elements[x];
5065 //   for (uint i = 0; i < 4; ++i)
5066 //     output_data.elements[x] += 1.f;
5067 // }
5068 tcu::TestCaseGroup* createLoopControlGroup (tcu::TestContext& testCtx)
5069 {
5070         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "loop_control", "Tests loop control cases"));
5071         vector<CaseParameter>                   cases;
5072         de::Random                                              rnd                             (deStringHash(group->getName()));
5073         const int                                               numElements             = 100;
5074         vector<float>                                   inputFloats             (numElements, 0);
5075         vector<float>                                   outputFloats    (numElements, 0);
5076         const StringTemplate                    shaderTemplate  (
5077                 string(getComputeAsmShaderPreamble()) +
5078
5079                 "OpSource GLSL 430\n"
5080                 "OpName %main \"main\"\n"
5081                 "OpName %id \"gl_GlobalInvocationID\"\n"
5082
5083                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
5084
5085                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
5086
5087                 "%u32ptr      = OpTypePointer Function %u32\n"
5088
5089                 "%id          = OpVariable %uvec3ptr Input\n"
5090                 "%zero        = OpConstant %i32 0\n"
5091                 "%uzero       = OpConstant %u32 0\n"
5092                 "%one         = OpConstant %i32 1\n"
5093                 "%constf1     = OpConstant %f32 1.0\n"
5094                 "%four        = OpConstant %u32 4\n"
5095
5096                 "%main        = OpFunction %void None %voidf\n"
5097                 "%entry       = OpLabel\n"
5098                 "%i           = OpVariable %u32ptr Function\n"
5099                 "               OpStore %i %uzero\n"
5100
5101                 "%idval       = OpLoad %uvec3 %id\n"
5102                 "%x           = OpCompositeExtract %u32 %idval 0\n"
5103                 "%inloc       = OpAccessChain %f32ptr %indata %zero %x\n"
5104                 "%inval       = OpLoad %f32 %inloc\n"
5105                 "%outloc      = OpAccessChain %f32ptr %outdata %zero %x\n"
5106                 "               OpStore %outloc %inval\n"
5107                 "               OpBranch %loop_entry\n"
5108
5109                 "%loop_entry  = OpLabel\n"
5110                 "%i_val       = OpLoad %u32 %i\n"
5111                 "%cmp_lt      = OpULessThan %bool %i_val %four\n"
5112                 "               OpLoopMerge %loop_merge %loop_body ${CONTROL}\n"
5113                 "               OpBranchConditional %cmp_lt %loop_body %loop_merge\n"
5114                 "%loop_body   = OpLabel\n"
5115                 "%outval      = OpLoad %f32 %outloc\n"
5116                 "%addf1       = OpFAdd %f32 %outval %constf1\n"
5117                 "               OpStore %outloc %addf1\n"
5118                 "%new_i       = OpIAdd %u32 %i_val %one\n"
5119                 "               OpStore %i %new_i\n"
5120                 "               OpBranch %loop_entry\n"
5121                 "%loop_merge  = OpLabel\n"
5122                 "               OpReturn\n"
5123                 "               OpFunctionEnd\n");
5124
5125         cases.push_back(CaseParameter("none",                           "None"));
5126         cases.push_back(CaseParameter("unroll",                         "Unroll"));
5127         cases.push_back(CaseParameter("dont_unroll",            "DontUnroll"));
5128         cases.push_back(CaseParameter("unroll_dont_unroll",     "Unroll|DontUnroll"));
5129
5130         fillRandomScalars(rnd, -100.f, 100.f, &inputFloats[0], numElements);
5131
5132         for (size_t ndx = 0; ndx < numElements; ++ndx)
5133                 outputFloats[ndx] = inputFloats[ndx] + 4.f;
5134
5135         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
5136         {
5137                 map<string, string>             specializations;
5138                 ComputeShaderSpec               spec;
5139
5140                 specializations["CONTROL"] = cases[caseNdx].param;
5141                 spec.assembly = shaderTemplate.specialize(specializations);
5142                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5143                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5144                 spec.numWorkGroups = IVec3(numElements, 1, 1);
5145
5146                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
5147         }
5148
5149         group->addChild(new SpvAsmLoopControlDependencyLengthCase(testCtx, "dependency_length", "dependency_length"));
5150         group->addChild(new SpvAsmLoopControlDependencyInfiniteCase(testCtx, "dependency_infinite", "dependency_infinite"));
5151
5152         return group.release();
5153 }
5154
5155 // Assembly code used for testing selection control is based on GLSL source code:
5156 // #version 430
5157 //
5158 // layout(std140, set = 0, binding = 0) readonly buffer Input {
5159 //   float elements[];
5160 // } input_data;
5161 // layout(std140, set = 0, binding = 1) writeonly buffer Output {
5162 //   float elements[];
5163 // } output_data;
5164 //
5165 // void main() {
5166 //   uint x = gl_GlobalInvocationID.x;
5167 //   float val = input_data.elements[x];
5168 //   if (val > 10.f)
5169 //     output_data.elements[x] = val + 1.f;
5170 //   else
5171 //     output_data.elements[x] = val - 1.f;
5172 // }
5173 tcu::TestCaseGroup* createSelectionControlGroup (tcu::TestContext& testCtx)
5174 {
5175         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "selection_control", "Tests selection control cases"));
5176         vector<CaseParameter>                   cases;
5177         de::Random                                              rnd                             (deStringHash(group->getName()));
5178         const int                                               numElements             = 100;
5179         vector<float>                                   inputFloats             (numElements, 0);
5180         vector<float>                                   outputFloats    (numElements, 0);
5181         const StringTemplate                    shaderTemplate  (
5182                 string(getComputeAsmShaderPreamble()) +
5183
5184                 "OpSource GLSL 430\n"
5185                 "OpName %main \"main\"\n"
5186                 "OpName %id \"gl_GlobalInvocationID\"\n"
5187
5188                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
5189
5190                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
5191
5192                 "%id       = OpVariable %uvec3ptr Input\n"
5193                 "%zero     = OpConstant %i32 0\n"
5194                 "%constf1  = OpConstant %f32 1.0\n"
5195                 "%constf10 = OpConstant %f32 10.0\n"
5196
5197                 "%main     = OpFunction %void None %voidf\n"
5198                 "%entry    = OpLabel\n"
5199                 "%idval    = OpLoad %uvec3 %id\n"
5200                 "%x        = OpCompositeExtract %u32 %idval 0\n"
5201                 "%inloc    = OpAccessChain %f32ptr %indata %zero %x\n"
5202                 "%inval    = OpLoad %f32 %inloc\n"
5203                 "%outloc   = OpAccessChain %f32ptr %outdata %zero %x\n"
5204                 "%cmp_gt   = OpFOrdGreaterThan %bool %inval %constf10\n"
5205
5206                 "            OpSelectionMerge %if_end ${CONTROL}\n"
5207                 "            OpBranchConditional %cmp_gt %if_true %if_false\n"
5208                 "%if_true  = OpLabel\n"
5209                 "%addf1    = OpFAdd %f32 %inval %constf1\n"
5210                 "            OpStore %outloc %addf1\n"
5211                 "            OpBranch %if_end\n"
5212                 "%if_false = OpLabel\n"
5213                 "%subf1    = OpFSub %f32 %inval %constf1\n"
5214                 "            OpStore %outloc %subf1\n"
5215                 "            OpBranch %if_end\n"
5216                 "%if_end   = OpLabel\n"
5217                 "            OpReturn\n"
5218                 "            OpFunctionEnd\n");
5219
5220         cases.push_back(CaseParameter("none",                                   "None"));
5221         cases.push_back(CaseParameter("flatten",                                "Flatten"));
5222         cases.push_back(CaseParameter("dont_flatten",                   "DontFlatten"));
5223         cases.push_back(CaseParameter("flatten_dont_flatten",   "DontFlatten|Flatten"));
5224
5225         fillRandomScalars(rnd, -100.f, 100.f, &inputFloats[0], numElements);
5226
5227         // CPU might not use the same rounding mode as the GPU. Use whole numbers to avoid rounding differences.
5228         floorAll(inputFloats);
5229
5230         for (size_t ndx = 0; ndx < numElements; ++ndx)
5231                 outputFloats[ndx] = inputFloats[ndx] + (inputFloats[ndx] > 10.f ? 1.f : -1.f);
5232
5233         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
5234         {
5235                 map<string, string>             specializations;
5236                 ComputeShaderSpec               spec;
5237
5238                 specializations["CONTROL"] = cases[caseNdx].param;
5239                 spec.assembly = shaderTemplate.specialize(specializations);
5240                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5241                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5242                 spec.numWorkGroups = IVec3(numElements, 1, 1);
5243
5244                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
5245         }
5246
5247         return group.release();
5248 }
5249
5250 void getOpNameAbuseCases (vector<CaseParameter> &abuseCases)
5251 {
5252         // Generate a long name.
5253         std::string longname;
5254         longname.resize(65535, 'k'); // max string literal, spir-v 2.17
5255
5256         // Some bad names, abusing utf-8 encoding. This may also cause problems
5257         // with the logs.
5258         // 1. Various illegal code points in utf-8
5259         std::string utf8illegal =
5260                 "Illegal bytes in UTF-8: "
5261                 "\xc0 \xc1 \xf5 \xf6 \xf7 \xf8 \xf9 \xfa \xfb \xfc \xfd \xfe \xff"
5262                 "illegal surrogates: \xed\xad\xbf \xed\xbe\x80";
5263
5264         // 2. Zero encoded as overlong, not exactly legal but often supported to differentiate from terminating zero
5265         std::string utf8nul = "UTF-8 encoded nul \xC0\x80 (should not end name)";
5266
5267         // 3. Some overlong encodings
5268         std::string utf8overlong =
5269                 "UTF-8 overlong \xF0\x82\x82\xAC \xfc\x83\xbf\xbf\xbf\xbf \xf8\x87\xbf\xbf\xbf "
5270                 "\xf0\x8f\xbf\xbf";
5271
5272         // 4. Internet "zalgo" meme "bleeding text"
5273         std::string utf8zalgo =
5274                 "\x56\xcc\xb5\xcc\x85\xcc\x94\xcc\x88\xcd\x8a\xcc\x91\xcc\x88\xcd\x91\xcc\x83\xcd\x82"
5275                 "\xcc\x83\xcd\x90\xcc\x8a\xcc\x92\xcc\x92\xcd\x8b\xcc\x94\xcd\x9d\xcc\x98\xcc\xab\xcc"
5276                 "\xae\xcc\xa9\xcc\xad\xcc\x97\xcc\xb0\x75\xcc\xb6\xcc\xbe\xcc\x80\xcc\x82\xcc\x84\xcd"
5277                 "\x84\xcc\x90\xcd\x86\xcc\x9a\xcd\x84\xcc\x9b\xcd\x86\xcd\x92\xcc\x9a\xcd\x99\xcd\x99"
5278                 "\xcc\xbb\xcc\x98\xcd\x8e\xcd\x88\xcd\x9a\xcc\xa6\xcc\x9c\xcc\xab\xcc\x99\xcd\x94\xcd"
5279                 "\x99\xcd\x95\xcc\xa5\xcc\xab\xcd\x89\x6c\xcc\xb8\xcc\x8e\xcc\x8b\xcc\x8b\xcc\x9a\xcc"
5280                 "\x8e\xcd\x9d\xcc\x80\xcc\xa1\xcc\xad\xcd\x9c\xcc\xba\xcc\x96\xcc\xb3\xcc\xa2\xcd\x8e"
5281                 "\xcc\xa2\xcd\x96\x6b\xcc\xb8\xcc\x84\xcd\x81\xcc\xbf\xcc\x8d\xcc\x89\xcc\x85\xcc\x92"
5282                 "\xcc\x84\xcc\x90\xcd\x81\xcc\x93\xcd\x90\xcd\x92\xcd\x9d\xcc\x84\xcd\x98\xcd\x9d\xcd"
5283                 "\xa0\xcd\x91\xcc\x94\xcc\xb9\xcd\x93\xcc\xa5\xcd\x87\xcc\xad\xcc\xa7\xcd\x96\xcd\x99"
5284                 "\xcc\x9d\xcc\xbc\xcd\x96\xcd\x93\xcc\x9d\xcc\x99\xcc\xa8\xcc\xb1\xcd\x85\xcc\xba\xcc"
5285                 "\xa7\x61\xcc\xb8\xcc\x8e\xcc\x81\xcd\x90\xcd\x84\xcd\x8c\xcc\x8c\xcc\x85\xcd\x86\xcc"
5286                 "\x84\xcd\x84\xcc\x90\xcc\x84\xcc\x8d\xcd\x99\xcd\x8d\xcc\xb0\xcc\xa3\xcc\xa6\xcd\x89"
5287                 "\xcd\x8d\xcd\x87\xcc\x98\xcd\x8d\xcc\xa4\xcd\x9a\xcd\x8e\xcc\xab\xcc\xb9\xcc\xac\xcc"
5288                 "\xa2\xcd\x87\xcc\xa0\xcc\xb3\xcd\x89\xcc\xb9\xcc\xa7\xcc\xa6\xcd\x89\xcd\x95\x6e\xcc"
5289                 "\xb8\xcd\x8a\xcc\x8a\xcd\x82\xcc\x9b\xcd\x81\xcd\x90\xcc\x85\xcc\x9b\xcd\x80\xcd\x91"
5290                 "\xcd\x9b\xcc\x81\xcd\x81\xcc\x9a\xcc\xb3\xcd\x9c\xcc\x9e\xcc\x9d\xcd\x99\xcc\xa2\xcd"
5291                 "\x93\xcd\x96\xcc\x97\xff";
5292
5293         // General name abuses
5294         abuseCases.push_back(CaseParameter("_has_very_long_name", longname));
5295         abuseCases.push_back(CaseParameter("_utf8_illegal", utf8illegal));
5296         abuseCases.push_back(CaseParameter("_utf8_nul", utf8nul));
5297         abuseCases.push_back(CaseParameter("_utf8_overlong", utf8overlong));
5298         abuseCases.push_back(CaseParameter("_utf8_zalgo", utf8zalgo));
5299
5300         // GL keywords
5301         abuseCases.push_back(CaseParameter("_is_gl_Position", "gl_Position"));
5302         abuseCases.push_back(CaseParameter("_is_gl_InstanceID", "gl_InstanceID"));
5303         abuseCases.push_back(CaseParameter("_is_gl_PrimitiveID", "gl_PrimitiveID"));
5304         abuseCases.push_back(CaseParameter("_is_gl_TessCoord", "gl_TessCoord"));
5305         abuseCases.push_back(CaseParameter("_is_gl_PerVertex", "gl_PerVertex"));
5306         abuseCases.push_back(CaseParameter("_is_gl_InvocationID", "gl_InvocationID"));
5307         abuseCases.push_back(CaseParameter("_is_gl_PointSize", "gl_PointSize"));
5308         abuseCases.push_back(CaseParameter("_is_gl_PointCoord", "gl_PointCoord"));
5309         abuseCases.push_back(CaseParameter("_is_gl_Layer", "gl_Layer"));
5310         abuseCases.push_back(CaseParameter("_is_gl_FragDepth", "gl_FragDepth"));
5311         abuseCases.push_back(CaseParameter("_is_gl_NumWorkGroups", "gl_NumWorkGroups"));
5312         abuseCases.push_back(CaseParameter("_is_gl_WorkGroupID", "gl_WorkGroupID"));
5313         abuseCases.push_back(CaseParameter("_is_gl_LocalInvocationID", "gl_LocalInvocationID"));
5314         abuseCases.push_back(CaseParameter("_is_gl_GlobalInvocationID", "gl_GlobalInvocationID"));
5315         abuseCases.push_back(CaseParameter("_is_gl_MaxVertexAttribs", "gl_MaxVertexAttribs"));
5316         abuseCases.push_back(CaseParameter("_is_gl_MaxViewports", "gl_MaxViewports"));
5317         abuseCases.push_back(CaseParameter("_is_gl_MaxComputeWorkGroupCount", "gl_MaxComputeWorkGroupCount"));
5318         abuseCases.push_back(CaseParameter("_is_mat3", "mat3"));
5319         abuseCases.push_back(CaseParameter("_is_volatile", "volatile"));
5320         abuseCases.push_back(CaseParameter("_is_inout", "inout"));
5321         abuseCases.push_back(CaseParameter("_is_isampler3d", "isampler3d"));
5322 }
5323
5324 tcu::TestCaseGroup* createOpNameGroup (tcu::TestContext& testCtx)
5325 {
5326         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opname", "Tests OpName cases"));
5327         de::MovePtr<tcu::TestCaseGroup> entryMainGroup  (new tcu::TestCaseGroup(testCtx, "entry_main", "OpName tests with entry main"));
5328         de::MovePtr<tcu::TestCaseGroup> entryNotGroup   (new tcu::TestCaseGroup(testCtx, "entry_rdc", "OpName tests with entry rdc"));
5329         de::MovePtr<tcu::TestCaseGroup> abuseGroup              (new tcu::TestCaseGroup(testCtx, "abuse", "OpName abuse tests"));
5330         vector<CaseParameter>                   cases;
5331         vector<CaseParameter>                   abuseCases;
5332         vector<string>                                  testFunc;
5333         de::Random                                              rnd                             (deStringHash(group->getName()));
5334         const int                                               numElements             = 128;
5335         vector<float>                                   inputFloats             (numElements, 0);
5336         vector<float>                                   outputFloats    (numElements, 0);
5337
5338         getOpNameAbuseCases(abuseCases);
5339
5340         fillRandomScalars(rnd, -100.0f, 100.0f, &inputFloats[0], numElements);
5341
5342         for(size_t ndx = 0; ndx < numElements; ++ndx)
5343                 outputFloats[ndx] = -inputFloats[ndx];
5344
5345         const string commonShaderHeader =
5346                 "OpCapability Shader\n"
5347                 "OpMemoryModel Logical GLSL450\n"
5348                 "OpEntryPoint GLCompute %main \"main\" %id\n"
5349                 "OpExecutionMode %main LocalSize 1 1 1\n";
5350
5351         const string commonShaderFooter =
5352                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
5353
5354                 + string(getComputeAsmInputOutputBufferTraits())
5355                 + string(getComputeAsmCommonTypes())
5356                 + string(getComputeAsmInputOutputBuffer()) +
5357
5358                 "%id        = OpVariable %uvec3ptr Input\n"
5359                 "%zero      = OpConstant %i32 0\n"
5360
5361                 "%func      = OpFunction %void None %voidf\n"
5362                 "%5         = OpLabel\n"
5363                 "             OpReturn\n"
5364                 "             OpFunctionEnd\n"
5365
5366                 "%main      = OpFunction %void None %voidf\n"
5367                 "%entry     = OpLabel\n"
5368                 "%7         = OpFunctionCall %void %func\n"
5369
5370                 "%idval     = OpLoad %uvec3 %id\n"
5371                 "%x         = OpCompositeExtract %u32 %idval 0\n"
5372
5373                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
5374                 "%inval     = OpLoad %f32 %inloc\n"
5375                 "%neg       = OpFNegate %f32 %inval\n"
5376                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
5377                 "             OpStore %outloc %neg\n"
5378
5379                 "             OpReturn\n"
5380                 "             OpFunctionEnd\n";
5381
5382         const StringTemplate shaderTemplate (
5383                 "OpCapability Shader\n"
5384                 "OpMemoryModel Logical GLSL450\n"
5385                 "OpEntryPoint GLCompute %main \"${ENTRY}\" %id\n"
5386                 "OpExecutionMode %main LocalSize 1 1 1\n"
5387                 "OpName %${ID} \"${NAME}\"\n" +
5388                 commonShaderFooter);
5389
5390         const std::string multipleNames =
5391                 commonShaderHeader +
5392                 "OpName %main \"to_be\"\n"
5393                 "OpName %id   \"or_not\"\n"
5394                 "OpName %main \"to_be\"\n"
5395                 "OpName %main \"makes_no\"\n"
5396                 "OpName %func \"difference\"\n"
5397                 "OpName %5    \"to_me\"\n" +
5398                 commonShaderFooter;
5399
5400         {
5401                 ComputeShaderSpec       spec;
5402
5403                 spec.assembly           = multipleNames;
5404                 spec.numWorkGroups      = IVec3(numElements, 1, 1);
5405                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5406                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5407
5408                 abuseGroup->addChild(new SpvAsmComputeShaderCase(testCtx, "main_has_multiple_names", "multiple_names", spec));
5409         }
5410
5411         const std::string everythingNamed =
5412                 commonShaderHeader +
5413                 "OpName %main   \"name1\"\n"
5414                 "OpName %id     \"name2\"\n"
5415                 "OpName %zero   \"name3\"\n"
5416                 "OpName %entry  \"name4\"\n"
5417                 "OpName %func   \"name5\"\n"
5418                 "OpName %5      \"name6\"\n"
5419                 "OpName %7      \"name7\"\n"
5420                 "OpName %idval  \"name8\"\n"
5421                 "OpName %inloc  \"name9\"\n"
5422                 "OpName %inval  \"name10\"\n"
5423                 "OpName %neg    \"name11\"\n"
5424                 "OpName %outloc \"name12\"\n"+
5425                 commonShaderFooter;
5426         {
5427                 ComputeShaderSpec       spec;
5428
5429                 spec.assembly           = everythingNamed;
5430                 spec.numWorkGroups      = IVec3(numElements, 1, 1);
5431                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5432                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5433
5434                 abuseGroup->addChild(new SpvAsmComputeShaderCase(testCtx, "everything_named", "everything_named", spec));
5435         }
5436
5437         const std::string everythingNamedTheSame =
5438                 commonShaderHeader +
5439                 "OpName %main   \"the_same\"\n"
5440                 "OpName %id     \"the_same\"\n"
5441                 "OpName %zero   \"the_same\"\n"
5442                 "OpName %entry  \"the_same\"\n"
5443                 "OpName %func   \"the_same\"\n"
5444                 "OpName %5      \"the_same\"\n"
5445                 "OpName %7      \"the_same\"\n"
5446                 "OpName %idval  \"the_same\"\n"
5447                 "OpName %inloc  \"the_same\"\n"
5448                 "OpName %inval  \"the_same\"\n"
5449                 "OpName %neg    \"the_same\"\n"
5450                 "OpName %outloc \"the_same\"\n"+
5451                 commonShaderFooter;
5452         {
5453                 ComputeShaderSpec       spec;
5454
5455                 spec.assembly           = everythingNamedTheSame;
5456                 spec.numWorkGroups      = IVec3(numElements, 1, 1);
5457                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5458                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5459
5460                 abuseGroup->addChild(new SpvAsmComputeShaderCase(testCtx, "everything_named_the_same", "everything_named_the_same", spec));
5461         }
5462
5463         // main_is_...
5464         for (size_t ndx = 0; ndx < abuseCases.size(); ++ndx)
5465         {
5466                 map<string, string>     specializations;
5467                 ComputeShaderSpec       spec;
5468
5469                 specializations["ENTRY"]        = "main";
5470                 specializations["ID"]           = "main";
5471                 specializations["NAME"]         = abuseCases[ndx].param;
5472                 spec.assembly                           = shaderTemplate.specialize(specializations);
5473                 spec.numWorkGroups                      = IVec3(numElements, 1, 1);
5474                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5475                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5476
5477                 abuseGroup->addChild(new SpvAsmComputeShaderCase(testCtx, (std::string("main") + abuseCases[ndx].name).c_str(), abuseCases[ndx].name, spec));
5478         }
5479
5480         // x_is_....
5481         for (size_t ndx = 0; ndx < abuseCases.size(); ++ndx)
5482         {
5483                 map<string, string>     specializations;
5484                 ComputeShaderSpec       spec;
5485
5486                 specializations["ENTRY"]        = "main";
5487                 specializations["ID"]           = "x";
5488                 specializations["NAME"]         = abuseCases[ndx].param;
5489                 spec.assembly                           = shaderTemplate.specialize(specializations);
5490                 spec.numWorkGroups                      = IVec3(numElements, 1, 1);
5491                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5492                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5493
5494                 abuseGroup->addChild(new SpvAsmComputeShaderCase(testCtx, (std::string("x") + abuseCases[ndx].name).c_str(), abuseCases[ndx].name, spec));
5495         }
5496
5497         cases.push_back(CaseParameter("_is_main", "main"));
5498         cases.push_back(CaseParameter("_is_not_main", "not_main"));
5499         testFunc.push_back("main");
5500         testFunc.push_back("func");
5501
5502         for(size_t fNdx = 0; fNdx < testFunc.size(); ++fNdx)
5503         {
5504                 for(size_t ndx = 0; ndx < cases.size(); ++ndx)
5505                 {
5506                         map<string, string>     specializations;
5507                         ComputeShaderSpec       spec;
5508
5509                         specializations["ENTRY"]        = "main";
5510                         specializations["ID"]           = testFunc[fNdx];
5511                         specializations["NAME"]         = cases[ndx].param;
5512                         spec.assembly                           = shaderTemplate.specialize(specializations);
5513                         spec.numWorkGroups                      = IVec3(numElements, 1, 1);
5514                         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5515                         spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5516
5517                         entryMainGroup->addChild(new SpvAsmComputeShaderCase(testCtx, (testFunc[fNdx] + cases[ndx].name).c_str(), cases[ndx].name, spec));
5518                 }
5519         }
5520
5521         cases.push_back(CaseParameter("_is_entry", "rdc"));
5522
5523         for(size_t fNdx = 0; fNdx < testFunc.size(); ++fNdx)
5524         {
5525                 for(size_t ndx = 0; ndx < cases.size(); ++ndx)
5526                 {
5527                         map<string, string>     specializations;
5528                         ComputeShaderSpec       spec;
5529
5530                         specializations["ENTRY"]        = "rdc";
5531                         specializations["ID"]           = testFunc[fNdx];
5532                         specializations["NAME"]         = cases[ndx].param;
5533                         spec.assembly                           = shaderTemplate.specialize(specializations);
5534                         spec.numWorkGroups                      = IVec3(numElements, 1, 1);
5535                         spec.entryPoint                         = "rdc";
5536                         spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5537                         spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5538
5539                         entryNotGroup->addChild(new SpvAsmComputeShaderCase(testCtx, (testFunc[fNdx] + cases[ndx].name).c_str(), cases[ndx].name, spec));
5540                 }
5541         }
5542
5543         group->addChild(entryMainGroup.release());
5544         group->addChild(entryNotGroup.release());
5545         group->addChild(abuseGroup.release());
5546
5547         return group.release();
5548 }
5549
5550 tcu::TestCaseGroup* createOpMemberNameGroup (tcu::TestContext& testCtx)
5551 {
5552         de::MovePtr<tcu::TestCaseGroup> group(new tcu::TestCaseGroup(testCtx, "opmembername", "Tests OpMemberName cases"));
5553         de::MovePtr<tcu::TestCaseGroup> abuseGroup(new tcu::TestCaseGroup(testCtx, "abuse", "OpMemberName abuse tests"));
5554         vector<CaseParameter>                   abuseCases;
5555         vector<string>                                  testFunc;
5556         de::Random                                              rnd(deStringHash(group->getName()));
5557         const int                                               numElements = 128;
5558         vector<float>                                   inputFloats(numElements, 0);
5559         vector<float>                                   outputFloats(numElements, 0);
5560
5561         getOpNameAbuseCases(abuseCases);
5562
5563         fillRandomScalars(rnd, -100.0f, 100.0f, &inputFloats[0], numElements);
5564
5565         for (size_t ndx = 0; ndx < numElements; ++ndx)
5566                 outputFloats[ndx] = -inputFloats[ndx];
5567
5568         const string commonShaderHeader =
5569                 "OpCapability Shader\n"
5570                 "OpMemoryModel Logical GLSL450\n"
5571                 "OpEntryPoint GLCompute %main \"main\" %id\n"
5572                 "OpExecutionMode %main LocalSize 1 1 1\n";
5573
5574         const string commonShaderFooter =
5575                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
5576
5577                 + string(getComputeAsmInputOutputBufferTraits())
5578                 + string(getComputeAsmCommonTypes())
5579                 + string(getComputeAsmInputOutputBuffer()) +
5580
5581                 "%u3str     = OpTypeStruct %u32 %u32 %u32\n"
5582
5583                 "%id        = OpVariable %uvec3ptr Input\n"
5584                 "%zero      = OpConstant %i32 0\n"
5585
5586                 "%main      = OpFunction %void None %voidf\n"
5587                 "%entry     = OpLabel\n"
5588
5589                 "%idval     = OpLoad %uvec3 %id\n"
5590                 "%x0        = OpCompositeExtract %u32 %idval 0\n"
5591
5592                 "%idstr     = OpCompositeConstruct %u3str %x0 %x0 %x0\n"
5593                 "%x         = OpCompositeExtract %u32 %idstr 0\n"
5594
5595                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
5596                 "%inval     = OpLoad %f32 %inloc\n"
5597                 "%neg       = OpFNegate %f32 %inval\n"
5598                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
5599                 "             OpStore %outloc %neg\n"
5600
5601                 "             OpReturn\n"
5602                 "             OpFunctionEnd\n";
5603
5604         const StringTemplate shaderTemplate(
5605                 commonShaderHeader +
5606                 "OpMemberName %u3str 0 \"${NAME}\"\n" +
5607                 commonShaderFooter);
5608
5609         const std::string multipleNames =
5610                 commonShaderHeader +
5611                 "OpMemberName %u3str 0 \"to_be\"\n"
5612                 "OpMemberName %u3str 1 \"or_not\"\n"
5613                 "OpMemberName %u3str 0 \"to_be\"\n"
5614                 "OpMemberName %u3str 2 \"makes_no\"\n"
5615                 "OpMemberName %u3str 0 \"difference\"\n"
5616                 "OpMemberName %u3str 0 \"to_me\"\n" +
5617                 commonShaderFooter;
5618         {
5619                 ComputeShaderSpec       spec;
5620
5621                 spec.assembly = multipleNames;
5622                 spec.numWorkGroups = IVec3(numElements, 1, 1);
5623                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5624                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5625
5626                 abuseGroup->addChild(new SpvAsmComputeShaderCase(testCtx, "u3str_x_has_multiple_names", "multiple_names", spec));
5627         }
5628
5629         const std::string everythingNamedTheSame =
5630                 commonShaderHeader +
5631                 "OpMemberName %u3str 0 \"the_same\"\n"
5632                 "OpMemberName %u3str 1 \"the_same\"\n"
5633                 "OpMemberName %u3str 2 \"the_same\"\n" +
5634                 commonShaderFooter;
5635
5636         {
5637                 ComputeShaderSpec       spec;
5638
5639                 spec.assembly = everythingNamedTheSame;
5640                 spec.numWorkGroups = IVec3(numElements, 1, 1);
5641                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5642                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5643
5644                 abuseGroup->addChild(new SpvAsmComputeShaderCase(testCtx, "everything_named_the_same", "everything_named_the_same", spec));
5645         }
5646
5647         // u3str_x_is_....
5648         for (size_t ndx = 0; ndx < abuseCases.size(); ++ndx)
5649         {
5650                 map<string, string>     specializations;
5651                 ComputeShaderSpec       spec;
5652
5653                 specializations["NAME"] = abuseCases[ndx].param;
5654                 spec.assembly = shaderTemplate.specialize(specializations);
5655                 spec.numWorkGroups = IVec3(numElements, 1, 1);
5656                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5657                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5658
5659                 abuseGroup->addChild(new SpvAsmComputeShaderCase(testCtx, (std::string("u3str_x") + abuseCases[ndx].name).c_str(), abuseCases[ndx].name, spec));
5660         }
5661
5662         group->addChild(abuseGroup.release());
5663
5664         return group.release();
5665 }
5666
5667 // Assembly code used for testing function control is based on GLSL source code:
5668 //
5669 // #version 430
5670 //
5671 // layout(std140, set = 0, binding = 0) readonly buffer Input {
5672 //   float elements[];
5673 // } input_data;
5674 // layout(std140, set = 0, binding = 1) writeonly buffer Output {
5675 //   float elements[];
5676 // } output_data;
5677 //
5678 // float const10() { return 10.f; }
5679 //
5680 // void main() {
5681 //   uint x = gl_GlobalInvocationID.x;
5682 //   output_data.elements[x] = input_data.elements[x] + const10();
5683 // }
5684 tcu::TestCaseGroup* createFunctionControlGroup (tcu::TestContext& testCtx)
5685 {
5686         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "function_control", "Tests function control cases"));
5687         vector<CaseParameter>                   cases;
5688         de::Random                                              rnd                             (deStringHash(group->getName()));
5689         const int                                               numElements             = 100;
5690         vector<float>                                   inputFloats             (numElements, 0);
5691         vector<float>                                   outputFloats    (numElements, 0);
5692         const StringTemplate                    shaderTemplate  (
5693                 string(getComputeAsmShaderPreamble()) +
5694
5695                 "OpSource GLSL 430\n"
5696                 "OpName %main \"main\"\n"
5697                 "OpName %func_const10 \"const10(\"\n"
5698                 "OpName %id \"gl_GlobalInvocationID\"\n"
5699
5700                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
5701
5702                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
5703
5704                 "%f32f = OpTypeFunction %f32\n"
5705                 "%id = OpVariable %uvec3ptr Input\n"
5706                 "%zero = OpConstant %i32 0\n"
5707                 "%constf10 = OpConstant %f32 10.0\n"
5708
5709                 "%main         = OpFunction %void None %voidf\n"
5710                 "%entry        = OpLabel\n"
5711                 "%idval        = OpLoad %uvec3 %id\n"
5712                 "%x            = OpCompositeExtract %u32 %idval 0\n"
5713                 "%inloc        = OpAccessChain %f32ptr %indata %zero %x\n"
5714                 "%inval        = OpLoad %f32 %inloc\n"
5715                 "%ret_10       = OpFunctionCall %f32 %func_const10\n"
5716                 "%fadd         = OpFAdd %f32 %inval %ret_10\n"
5717                 "%outloc       = OpAccessChain %f32ptr %outdata %zero %x\n"
5718                 "                OpStore %outloc %fadd\n"
5719                 "                OpReturn\n"
5720                 "                OpFunctionEnd\n"
5721
5722                 "%func_const10 = OpFunction %f32 ${CONTROL} %f32f\n"
5723                 "%label        = OpLabel\n"
5724                 "                OpReturnValue %constf10\n"
5725                 "                OpFunctionEnd\n");
5726
5727         cases.push_back(CaseParameter("none",                                           "None"));
5728         cases.push_back(CaseParameter("inline",                                         "Inline"));
5729         cases.push_back(CaseParameter("dont_inline",                            "DontInline"));
5730         cases.push_back(CaseParameter("pure",                                           "Pure"));
5731         cases.push_back(CaseParameter("const",                                          "Const"));
5732         cases.push_back(CaseParameter("inline_pure",                            "Inline|Pure"));
5733         cases.push_back(CaseParameter("const_dont_inline",                      "Const|DontInline"));
5734         cases.push_back(CaseParameter("inline_dont_inline",                     "Inline|DontInline"));
5735         cases.push_back(CaseParameter("pure_inline_dont_inline",        "Pure|Inline|DontInline"));
5736
5737         fillRandomScalars(rnd, -100.f, 100.f, &inputFloats[0], numElements);
5738
5739         // CPU might not use the same rounding mode as the GPU. Use whole numbers to avoid rounding differences.
5740         floorAll(inputFloats);
5741
5742         for (size_t ndx = 0; ndx < numElements; ++ndx)
5743                 outputFloats[ndx] = inputFloats[ndx] + 10.f;
5744
5745         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
5746         {
5747                 map<string, string>             specializations;
5748                 ComputeShaderSpec               spec;
5749
5750                 specializations["CONTROL"] = cases[caseNdx].param;
5751                 spec.assembly = shaderTemplate.specialize(specializations);
5752                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5753                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5754                 spec.numWorkGroups = IVec3(numElements, 1, 1);
5755
5756                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
5757         }
5758
5759         return group.release();
5760 }
5761
5762 tcu::TestCaseGroup* createMemoryAccessGroup (tcu::TestContext& testCtx)
5763 {
5764         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "memory_access", "Tests memory access cases"));
5765         vector<CaseParameter>                   cases;
5766         de::Random                                              rnd                             (deStringHash(group->getName()));
5767         const int                                               numElements             = 100;
5768         vector<float>                                   inputFloats             (numElements, 0);
5769         vector<float>                                   outputFloats    (numElements, 0);
5770         const StringTemplate                    shaderTemplate  (
5771                 string(getComputeAsmShaderPreamble()) +
5772
5773                 "OpSource GLSL 430\n"
5774                 "OpName %main           \"main\"\n"
5775                 "OpName %id             \"gl_GlobalInvocationID\"\n"
5776
5777                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
5778
5779                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
5780
5781                 "%f32ptr_f  = OpTypePointer Function %f32\n"
5782
5783                 "%id        = OpVariable %uvec3ptr Input\n"
5784                 "%zero      = OpConstant %i32 0\n"
5785                 "%four      = OpConstant %i32 4\n"
5786
5787                 "%main      = OpFunction %void None %voidf\n"
5788                 "%label     = OpLabel\n"
5789                 "%copy      = OpVariable %f32ptr_f Function\n"
5790                 "%idval     = OpLoad %uvec3 %id ${ACCESS}\n"
5791                 "%x         = OpCompositeExtract %u32 %idval 0\n"
5792                 "%inloc     = OpAccessChain %f32ptr %indata  %zero %x\n"
5793                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
5794                 "             OpCopyMemory %copy %inloc ${ACCESS}\n"
5795                 "%val1      = OpLoad %f32 %copy\n"
5796                 "%val2      = OpLoad %f32 %inloc\n"
5797                 "%add       = OpFAdd %f32 %val1 %val2\n"
5798                 "             OpStore %outloc %add ${ACCESS}\n"
5799                 "             OpReturn\n"
5800                 "             OpFunctionEnd\n");
5801
5802         cases.push_back(CaseParameter("null",                                   ""));
5803         cases.push_back(CaseParameter("none",                                   "None"));
5804         cases.push_back(CaseParameter("volatile",                               "Volatile"));
5805         cases.push_back(CaseParameter("aligned",                                "Aligned 4"));
5806         cases.push_back(CaseParameter("nontemporal",                    "Nontemporal"));
5807         cases.push_back(CaseParameter("aligned_nontemporal",    "Aligned|Nontemporal 4"));
5808         cases.push_back(CaseParameter("aligned_volatile",               "Volatile|Aligned 4"));
5809
5810         fillRandomScalars(rnd, -100.f, 100.f, &inputFloats[0], numElements);
5811
5812         for (size_t ndx = 0; ndx < numElements; ++ndx)
5813                 outputFloats[ndx] = inputFloats[ndx] + inputFloats[ndx];
5814
5815         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
5816         {
5817                 map<string, string>             specializations;
5818                 ComputeShaderSpec               spec;
5819
5820                 specializations["ACCESS"] = cases[caseNdx].param;
5821                 spec.assembly = shaderTemplate.specialize(specializations);
5822                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputFloats)));
5823                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputFloats)));
5824                 spec.numWorkGroups = IVec3(numElements, 1, 1);
5825
5826                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
5827         }
5828
5829         return group.release();
5830 }
5831
5832 // Checks that we can get undefined values for various types, without exercising a computation with it.
5833 tcu::TestCaseGroup* createOpUndefGroup (tcu::TestContext& testCtx)
5834 {
5835         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opundef", "Tests the OpUndef instruction"));
5836         vector<CaseParameter>                   cases;
5837         de::Random                                              rnd                             (deStringHash(group->getName()));
5838         const int                                               numElements             = 100;
5839         vector<float>                                   positiveFloats  (numElements, 0);
5840         vector<float>                                   negativeFloats  (numElements, 0);
5841         const StringTemplate                    shaderTemplate  (
5842                 string(getComputeAsmShaderPreamble()) +
5843
5844                 "OpSource GLSL 430\n"
5845                 "OpName %main           \"main\"\n"
5846                 "OpName %id             \"gl_GlobalInvocationID\"\n"
5847
5848                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
5849
5850                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) +
5851                 "%uvec2     = OpTypeVector %u32 2\n"
5852                 "%fvec4     = OpTypeVector %f32 4\n"
5853                 "%fmat33    = OpTypeMatrix %fvec3 3\n"
5854                 "%image     = OpTypeImage %f32 2D 0 0 0 1 Unknown\n"
5855                 "%sampler   = OpTypeSampler\n"
5856                 "%simage    = OpTypeSampledImage %image\n"
5857                 "%const100  = OpConstant %u32 100\n"
5858                 "%uarr100   = OpTypeArray %i32 %const100\n"
5859                 "%struct    = OpTypeStruct %f32 %i32 %u32\n"
5860                 "%pointer   = OpTypePointer Function %i32\n"
5861                 + string(getComputeAsmInputOutputBuffer()) +
5862
5863                 "%id        = OpVariable %uvec3ptr Input\n"
5864                 "%zero      = OpConstant %i32 0\n"
5865
5866                 "%main      = OpFunction %void None %voidf\n"
5867                 "%label     = OpLabel\n"
5868
5869                 "%undef     = OpUndef ${TYPE}\n"
5870
5871                 "%idval     = OpLoad %uvec3 %id\n"
5872                 "%x         = OpCompositeExtract %u32 %idval 0\n"
5873
5874                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
5875                 "%inval     = OpLoad %f32 %inloc\n"
5876                 "%neg       = OpFNegate %f32 %inval\n"
5877                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
5878                 "             OpStore %outloc %neg\n"
5879                 "             OpReturn\n"
5880                 "             OpFunctionEnd\n");
5881
5882         cases.push_back(CaseParameter("bool",                   "%bool"));
5883         cases.push_back(CaseParameter("sint32",                 "%i32"));
5884         cases.push_back(CaseParameter("uint32",                 "%u32"));
5885         cases.push_back(CaseParameter("float32",                "%f32"));
5886         cases.push_back(CaseParameter("vec4float32",    "%fvec4"));
5887         cases.push_back(CaseParameter("vec2uint32",             "%uvec2"));
5888         cases.push_back(CaseParameter("matrix",                 "%fmat33"));
5889         cases.push_back(CaseParameter("image",                  "%image"));
5890         cases.push_back(CaseParameter("sampler",                "%sampler"));
5891         cases.push_back(CaseParameter("sampledimage",   "%simage"));
5892         cases.push_back(CaseParameter("array",                  "%uarr100"));
5893         cases.push_back(CaseParameter("runtimearray",   "%f32arr"));
5894         cases.push_back(CaseParameter("struct",                 "%struct"));
5895         cases.push_back(CaseParameter("pointer",                "%pointer"));
5896
5897         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
5898
5899         for (size_t ndx = 0; ndx < numElements; ++ndx)
5900                 negativeFloats[ndx] = -positiveFloats[ndx];
5901
5902         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
5903         {
5904                 map<string, string>             specializations;
5905                 ComputeShaderSpec               spec;
5906
5907                 specializations["TYPE"] = cases[caseNdx].param;
5908                 spec.assembly = shaderTemplate.specialize(specializations);
5909                 spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
5910                 spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
5911                 spec.numWorkGroups = IVec3(numElements, 1, 1);
5912
5913                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
5914         }
5915
5916                 return group.release();
5917 }
5918
5919 // Checks that a compute shader can generate a constant composite value of various types, without exercising a computation on it.
5920 tcu::TestCaseGroup* createFloat16OpConstantCompositeGroup (tcu::TestContext& testCtx)
5921 {
5922         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opconstantcomposite", "Tests the OpConstantComposite instruction"));
5923         vector<CaseParameter>                   cases;
5924         de::Random                                              rnd                             (deStringHash(group->getName()));
5925         const int                                               numElements             = 100;
5926         vector<float>                                   positiveFloats  (numElements, 0);
5927         vector<float>                                   negativeFloats  (numElements, 0);
5928         const StringTemplate                    shaderTemplate  (
5929                 "OpCapability Shader\n"
5930                 "OpCapability Float16\n"
5931                 "OpMemoryModel Logical GLSL450\n"
5932                 "OpEntryPoint GLCompute %main \"main\" %id\n"
5933                 "OpExecutionMode %main LocalSize 1 1 1\n"
5934                 "OpSource GLSL 430\n"
5935                 "OpName %main           \"main\"\n"
5936                 "OpName %id             \"gl_GlobalInvocationID\"\n"
5937
5938                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
5939
5940                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
5941
5942                 "%id        = OpVariable %uvec3ptr Input\n"
5943                 "%zero      = OpConstant %i32 0\n"
5944                 "%f16       = OpTypeFloat 16\n"
5945                 "%c_f16_0   = OpConstant %f16 0.0\n"
5946                 "%c_f16_0_5 = OpConstant %f16 0.5\n"
5947                 "%c_f16_1   = OpConstant %f16 1.0\n"
5948                 "%v2f16     = OpTypeVector %f16 2\n"
5949                 "%v3f16     = OpTypeVector %f16 3\n"
5950                 "%v4f16     = OpTypeVector %f16 4\n"
5951
5952                 "${CONSTANT}\n"
5953
5954                 "%main      = OpFunction %void None %voidf\n"
5955                 "%label     = OpLabel\n"
5956                 "%idval     = OpLoad %uvec3 %id\n"
5957                 "%x         = OpCompositeExtract %u32 %idval 0\n"
5958                 "%inloc     = OpAccessChain %f32ptr %indata %zero %x\n"
5959                 "%inval     = OpLoad %f32 %inloc\n"
5960                 "%neg       = OpFNegate %f32 %inval\n"
5961                 "%outloc    = OpAccessChain %f32ptr %outdata %zero %x\n"
5962                 "             OpStore %outloc %neg\n"
5963                 "             OpReturn\n"
5964                 "             OpFunctionEnd\n");
5965
5966
5967         cases.push_back(CaseParameter("vector",                 "%const = OpConstantComposite %v3f16 %c_f16_0 %c_f16_0_5 %c_f16_1\n"));
5968         cases.push_back(CaseParameter("matrix",                 "%m3v3f16 = OpTypeMatrix %v3f16 3\n"
5969                                                                                                         "%vec = OpConstantComposite %v3f16 %c_f16_0 %c_f16_0_5 %c_f16_1\n"
5970                                                                                                         "%mat = OpConstantComposite %m3v3f16 %vec %vec %vec"));
5971         cases.push_back(CaseParameter("struct",                 "%m2v3f16 = OpTypeMatrix %v3f16 2\n"
5972                                                                                                         "%struct = OpTypeStruct %i32 %f16 %v3f16 %m2v3f16\n"
5973                                                                                                         "%vec = OpConstantComposite %v3f16 %c_f16_0 %c_f16_0_5 %c_f16_1\n"
5974                                                                                                         "%mat = OpConstantComposite %m2v3f16 %vec %vec\n"
5975                                                                                                         "%const = OpConstantComposite %struct %zero %c_f16_0_5 %vec %mat\n"));
5976         cases.push_back(CaseParameter("nested_struct",  "%st1 = OpTypeStruct %i32 %f16\n"
5977                                                                                                         "%st2 = OpTypeStruct %i32 %i32\n"
5978                                                                                                         "%struct = OpTypeStruct %st1 %st2\n"
5979                                                                                                         "%st1val = OpConstantComposite %st1 %zero %c_f16_0_5\n"
5980                                                                                                         "%st2val = OpConstantComposite %st2 %zero %zero\n"
5981                                                                                                         "%const = OpConstantComposite %struct %st1val %st2val"));
5982
5983         fillRandomScalars(rnd, 1.f, 100.f, &positiveFloats[0], numElements);
5984
5985         for (size_t ndx = 0; ndx < numElements; ++ndx)
5986                 negativeFloats[ndx] = -positiveFloats[ndx];
5987
5988         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
5989         {
5990                 map<string, string>             specializations;
5991                 ComputeShaderSpec               spec;
5992
5993                 specializations["CONSTANT"] = cases[caseNdx].param;
5994                 spec.assembly = shaderTemplate.specialize(specializations);
5995                 spec.inputs.push_back(BufferSp(new Float32Buffer(positiveFloats)));
5996                 spec.outputs.push_back(BufferSp(new Float32Buffer(negativeFloats)));
5997                 spec.numWorkGroups = IVec3(numElements, 1, 1);
5998
5999                 spec.extensions.push_back("VK_KHR_16bit_storage");
6000                 spec.extensions.push_back("VK_KHR_shader_float16_int8");
6001
6002                 spec.requestedVulkanFeatures.ext16BitStorage = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
6003                 spec.requestedVulkanFeatures.extFloat16Int8 = EXTFLOAT16INT8FEATURES_FLOAT16;
6004
6005                 group->addChild(new SpvAsmComputeShaderCase(testCtx, cases[caseNdx].name, cases[caseNdx].name, spec));
6006         }
6007
6008         return group.release();
6009 }
6010
6011 const vector<deFloat16> squarize(const vector<deFloat16>& inData, const deUint32 argNo)
6012 {
6013         const size_t            inDataLength    = inData.size();
6014         vector<deFloat16>       result;
6015
6016         result.reserve(inDataLength * inDataLength);
6017
6018         if (argNo == 0)
6019         {
6020                 for (size_t numIdx = 0; numIdx < inDataLength; ++numIdx)
6021                         result.insert(result.end(), inData.begin(), inData.end());
6022         }
6023
6024         if (argNo == 1)
6025         {
6026                 for (size_t numIdx = 0; numIdx < inDataLength; ++numIdx)
6027                 {
6028                         const vector<deFloat16> tmp(inDataLength, inData[numIdx]);
6029
6030                         result.insert(result.end(), tmp.begin(), tmp.end());
6031                 }
6032         }
6033
6034         return result;
6035 }
6036
6037 const vector<deFloat16> squarizeVector(const vector<deFloat16>& inData, const deUint32 argNo)
6038 {
6039         vector<deFloat16>       vec;
6040         vector<deFloat16>       result;
6041
6042         // Create vectors. vec will contain each possible pair from inData
6043         {
6044                 const size_t    inDataLength    = inData.size();
6045
6046                 DE_ASSERT(inDataLength <= 64);
6047
6048                 vec.reserve(2 * inDataLength * inDataLength);
6049
6050                 for (size_t numIdxX = 0; numIdxX < inDataLength; ++numIdxX)
6051                 for (size_t numIdxY = 0; numIdxY < inDataLength; ++numIdxY)
6052                 {
6053                         vec.push_back(inData[numIdxX]);
6054                         vec.push_back(inData[numIdxY]);
6055                 }
6056         }
6057
6058         // Create vector pairs. result will contain each possible pair from vec
6059         {
6060                 const size_t    coordsPerVector = 2;
6061                 const size_t    vectorsCount    = vec.size() / coordsPerVector;
6062
6063                 result.reserve(coordsPerVector * vectorsCount * vectorsCount);
6064
6065                 if (argNo == 0)
6066                 {
6067                         for (size_t numIdxX = 0; numIdxX < vectorsCount; ++numIdxX)
6068                         for (size_t numIdxY = 0; numIdxY < vectorsCount; ++numIdxY)
6069                         {
6070                                 for (size_t coordNdx = 0; coordNdx < coordsPerVector; ++coordNdx)
6071                                         result.push_back(vec[coordsPerVector * numIdxY + coordNdx]);
6072                         }
6073                 }
6074
6075                 if (argNo == 1)
6076                 {
6077                         for (size_t numIdxX = 0; numIdxX < vectorsCount; ++numIdxX)
6078                         for (size_t numIdxY = 0; numIdxY < vectorsCount; ++numIdxY)
6079                         {
6080                                 for (size_t coordNdx = 0; coordNdx < coordsPerVector; ++coordNdx)
6081                                         result.push_back(vec[coordsPerVector * numIdxX + coordNdx]);
6082                         }
6083                 }
6084         }
6085
6086         return result;
6087 }
6088
6089 struct fp16isNan                        { bool operator()(const tcu::Float16 in1, const tcu::Float16)           { return in1.isNaN(); } };
6090 struct fp16isInf                        { bool operator()(const tcu::Float16 in1, const tcu::Float16)           { return in1.isInf(); } };
6091 struct fp16isEqual                      { bool operator()(const tcu::Float16 in1, const tcu::Float16 in2)       { return in1.asFloat() == in2.asFloat(); } };
6092 struct fp16isUnequal            { bool operator()(const tcu::Float16 in1, const tcu::Float16 in2)       { return in1.asFloat() != in2.asFloat(); } };
6093 struct fp16isLess                       { bool operator()(const tcu::Float16 in1, const tcu::Float16 in2)       { return in1.asFloat() <  in2.asFloat(); } };
6094 struct fp16isGreater            { bool operator()(const tcu::Float16 in1, const tcu::Float16 in2)       { return in1.asFloat() >  in2.asFloat(); } };
6095 struct fp16isLessOrEqual        { bool operator()(const tcu::Float16 in1, const tcu::Float16 in2)       { return in1.asFloat() <= in2.asFloat(); } };
6096 struct fp16isGreaterOrEqual     { bool operator()(const tcu::Float16 in1, const tcu::Float16 in2)       { return in1.asFloat() >= in2.asFloat(); } };
6097
6098 template <class TestedLogicalFunction, bool onlyTestFunc, bool unationModeAnd, bool nanSupported>
6099 bool compareFP16Logical (const std::vector<Resource>& inputs, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>&, TestLog& log)
6100 {
6101         if (inputs.size() != 2 || outputAllocs.size() != 1)
6102                 return false;
6103
6104         vector<deUint8> input1Bytes;
6105         vector<deUint8> input2Bytes;
6106
6107         inputs[0].getBytes(input1Bytes);
6108         inputs[1].getBytes(input2Bytes);
6109
6110         const deUint32                  denormModesCount                        = 2;
6111         const deFloat16                 float16one                                      = tcu::Float16(1.0f).bits();
6112         const deFloat16                 float16zero                                     = tcu::Float16(0.0f).bits();
6113         const tcu::Float16              zero                                            = tcu::Float16::zero(1);
6114         const deFloat16* const  outputAsFP16                            = static_cast<deFloat16*>(outputAllocs[0]->getHostPtr());
6115         const deFloat16* const  input1AsFP16                            = reinterpret_cast<deFloat16* const>(&input1Bytes.front());
6116         const deFloat16* const  input2AsFP16                            = reinterpret_cast<deFloat16* const>(&input2Bytes.front());
6117         deUint32                                successfulRuns                          = denormModesCount;
6118         std::string                             results[denormModesCount];
6119         TestedLogicalFunction   testedLogicalFunction;
6120
6121         for (deUint32 denormMode = 0; denormMode < denormModesCount; denormMode++)
6122         {
6123                 const bool flushToZero = (denormMode == 1);
6124
6125                 for (size_t idx = 0; idx < input1Bytes.size() / sizeof(deFloat16); ++idx)
6126                 {
6127                         const tcu::Float16      f1pre                   = tcu::Float16(input1AsFP16[idx]);
6128                         const tcu::Float16      f2pre                   = tcu::Float16(input2AsFP16[idx]);
6129                         const tcu::Float16      f1                              = (flushToZero && f1pre.isDenorm()) ? zero : f1pre;
6130                         const tcu::Float16      f2                              = (flushToZero && f2pre.isDenorm()) ? zero : f2pre;
6131                         deFloat16                       expectedOutput  = float16zero;
6132
6133                         if (onlyTestFunc)
6134                         {
6135                                 if (testedLogicalFunction(f1, f2))
6136                                         expectedOutput = float16one;
6137                         }
6138                         else
6139                         {
6140                                 const bool      f1nan   = f1.isNaN();
6141                                 const bool      f2nan   = f2.isNaN();
6142
6143                                 // Skip NaN floats if not supported by implementation
6144                                 if (!nanSupported && (f1nan || f2nan))
6145                                         continue;
6146
6147                                 if (unationModeAnd)
6148                                 {
6149                                         const bool      ordered         = !f1nan && !f2nan;
6150
6151                                         if (ordered && testedLogicalFunction(f1, f2))
6152                                                 expectedOutput = float16one;
6153                                 }
6154                                 else
6155                                 {
6156                                         const bool      unordered       = f1nan || f2nan;
6157
6158                                         if (unordered || testedLogicalFunction(f1, f2))
6159                                                 expectedOutput = float16one;
6160                                 }
6161                         }
6162
6163                         if (outputAsFP16[idx] != expectedOutput)
6164                         {
6165                                 std::ostringstream str;
6166
6167                                 str << "ERROR: Sub-case #" << idx
6168                                         << " flushToZero:" << flushToZero
6169                                         << std::hex
6170                                         << " failed, inputs: 0x" << f1.bits()
6171                                         << ";0x" << f2.bits()
6172                                         << " output: 0x" << outputAsFP16[idx]
6173                                         << " expected output: 0x" << expectedOutput;
6174
6175                                 results[denormMode] = str.str();
6176
6177                                 successfulRuns--;
6178
6179                                 break;
6180                         }
6181                 }
6182         }
6183
6184         if (successfulRuns == 0)
6185                 for (deUint32 denormMode = 0; denormMode < denormModesCount; denormMode++)
6186                         log << TestLog::Message << results[denormMode] << TestLog::EndMessage;
6187
6188         return successfulRuns > 0;
6189 }
6190
6191 } // anonymous
6192
6193 tcu::TestCaseGroup* createOpSourceTests (tcu::TestContext& testCtx)
6194 {
6195         struct NameCodePair { string name, code; };
6196         RGBA                                                    defaultColors[4];
6197         de::MovePtr<tcu::TestCaseGroup> opSourceTests                   (new tcu::TestCaseGroup(testCtx, "opsource", "OpSource instruction"));
6198         const std::string                               opsourceGLSLWithFile    = "%opsrcfile = OpString \"foo.vert\"\nOpSource GLSL 450 %opsrcfile ";
6199         map<string, string>                             fragments                               = passthruFragments();
6200         const NameCodePair                              tests[]                                 =
6201         {
6202                 {"unknown", "OpSource Unknown 321"},
6203                 {"essl", "OpSource ESSL 310"},
6204                 {"glsl", "OpSource GLSL 450"},
6205                 {"opencl_cpp", "OpSource OpenCL_CPP 120"},
6206                 {"opencl_c", "OpSource OpenCL_C 120"},
6207                 {"multiple", "OpSource GLSL 450\nOpSource GLSL 450"},
6208                 {"file", opsourceGLSLWithFile},
6209                 {"source", opsourceGLSLWithFile + "\"void main(){}\""},
6210                 // Longest possible source string: SPIR-V limits instructions to 65535
6211                 // words, of which the first 4 are opsourceGLSLWithFile; the rest will
6212                 // contain 65530 UTF8 characters (one word each) plus one last word
6213                 // containing 3 ASCII characters and \0.
6214                 {"longsource", opsourceGLSLWithFile + '"' + makeLongUTF8String(65530) + "ccc" + '"'}
6215         };
6216
6217         getDefaultColors(defaultColors);
6218         for (size_t testNdx = 0; testNdx < sizeof(tests) / sizeof(NameCodePair); ++testNdx)
6219         {
6220                 fragments["debug"] = tests[testNdx].code;
6221                 createTestsForAllStages(tests[testNdx].name, defaultColors, defaultColors, fragments, opSourceTests.get());
6222         }
6223
6224         return opSourceTests.release();
6225 }
6226
6227 tcu::TestCaseGroup* createOpSourceContinuedTests (tcu::TestContext& testCtx)
6228 {
6229         struct NameCodePair { string name, code; };
6230         RGBA                                                            defaultColors[4];
6231         de::MovePtr<tcu::TestCaseGroup>         opSourceTests           (new tcu::TestCaseGroup(testCtx, "opsourcecontinued", "OpSourceContinued instruction"));
6232         map<string, string>                                     fragments                       = passthruFragments();
6233         const std::string                                       opsource                        = "%opsrcfile = OpString \"foo.vert\"\nOpSource GLSL 450 %opsrcfile \"void main(){}\"\n";
6234         const NameCodePair                                      tests[]                         =
6235         {
6236                 {"empty", opsource + "OpSourceContinued \"\""},
6237                 {"short", opsource + "OpSourceContinued \"abcde\""},
6238                 {"multiple", opsource + "OpSourceContinued \"abcde\"\nOpSourceContinued \"fghij\""},
6239                 // Longest possible source string: SPIR-V limits instructions to 65535
6240                 // words, of which the first one is OpSourceContinued/length; the rest
6241                 // will contain 65533 UTF8 characters (one word each) plus one last word
6242                 // containing 3 ASCII characters and \0.
6243                 {"long", opsource + "OpSourceContinued \"" + makeLongUTF8String(65533) + "ccc\""}
6244         };
6245
6246         getDefaultColors(defaultColors);
6247         for (size_t testNdx = 0; testNdx < sizeof(tests) / sizeof(NameCodePair); ++testNdx)
6248         {
6249                 fragments["debug"] = tests[testNdx].code;
6250                 createTestsForAllStages(tests[testNdx].name, defaultColors, defaultColors, fragments, opSourceTests.get());
6251         }
6252
6253         return opSourceTests.release();
6254 }
6255 tcu::TestCaseGroup* createOpNoLineTests(tcu::TestContext& testCtx)
6256 {
6257         RGBA                                                             defaultColors[4];
6258         de::MovePtr<tcu::TestCaseGroup>          opLineTests             (new tcu::TestCaseGroup(testCtx, "opnoline", "OpNoLine instruction"));
6259         map<string, string>                                      fragments;
6260         getDefaultColors(defaultColors);
6261         fragments["debug"]                      =
6262                 "%name = OpString \"name\"\n";
6263
6264         fragments["pre_main"]   =
6265                 "OpNoLine\n"
6266                 "OpNoLine\n"
6267                 "OpLine %name 1 1\n"
6268                 "OpNoLine\n"
6269                 "OpLine %name 1 1\n"
6270                 "OpLine %name 1 1\n"
6271                 "%second_function = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6272                 "OpNoLine\n"
6273                 "OpLine %name 1 1\n"
6274                 "OpNoLine\n"
6275                 "OpLine %name 1 1\n"
6276                 "OpLine %name 1 1\n"
6277                 "%second_param1 = OpFunctionParameter %v4f32\n"
6278                 "OpNoLine\n"
6279                 "OpNoLine\n"
6280                 "%label_secondfunction = OpLabel\n"
6281                 "OpNoLine\n"
6282                 "OpReturnValue %second_param1\n"
6283                 "OpFunctionEnd\n"
6284                 "OpNoLine\n"
6285                 "OpNoLine\n";
6286
6287         fragments["testfun"]            =
6288                 // A %test_code function that returns its argument unchanged.
6289                 "OpNoLine\n"
6290                 "OpNoLine\n"
6291                 "OpLine %name 1 1\n"
6292                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6293                 "OpNoLine\n"
6294                 "%param1 = OpFunctionParameter %v4f32\n"
6295                 "OpNoLine\n"
6296                 "OpNoLine\n"
6297                 "%label_testfun = OpLabel\n"
6298                 "OpNoLine\n"
6299                 "%val1 = OpFunctionCall %v4f32 %second_function %param1\n"
6300                 "OpReturnValue %val1\n"
6301                 "OpFunctionEnd\n"
6302                 "OpLine %name 1 1\n"
6303                 "OpNoLine\n";
6304
6305         createTestsForAllStages("opnoline", defaultColors, defaultColors, fragments, opLineTests.get());
6306
6307         return opLineTests.release();
6308 }
6309
6310 tcu::TestCaseGroup* createOpModuleProcessedTests(tcu::TestContext& testCtx)
6311 {
6312         RGBA                                                            defaultColors[4];
6313         de::MovePtr<tcu::TestCaseGroup>         opModuleProcessedTests                  (new tcu::TestCaseGroup(testCtx, "opmoduleprocessed", "OpModuleProcessed instruction"));
6314         map<string, string>                                     fragments;
6315         std::vector<std::string>                        noExtensions;
6316         GraphicsResources                                       resources;
6317
6318         getDefaultColors(defaultColors);
6319         resources.verifyBinary = veryfiBinaryShader;
6320         resources.spirvVersion = SPIRV_VERSION_1_3;
6321
6322         fragments["moduleprocessed"]                                                    =
6323                 "OpModuleProcessed \"VULKAN CTS\"\n"
6324                 "OpModuleProcessed \"Negative values\"\n"
6325                 "OpModuleProcessed \"Date: 2017/09/21\"\n";
6326
6327         fragments["pre_main"]   =
6328                 "%second_function = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6329                 "%second_param1 = OpFunctionParameter %v4f32\n"
6330                 "%label_secondfunction = OpLabel\n"
6331                 "OpReturnValue %second_param1\n"
6332                 "OpFunctionEnd\n";
6333
6334         fragments["testfun"]            =
6335                 // A %test_code function that returns its argument unchanged.
6336                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6337                 "%param1 = OpFunctionParameter %v4f32\n"
6338                 "%label_testfun = OpLabel\n"
6339                 "%val1 = OpFunctionCall %v4f32 %second_function %param1\n"
6340                 "OpReturnValue %val1\n"
6341                 "OpFunctionEnd\n";
6342
6343         createTestsForAllStages ("opmoduleprocessed", defaultColors, defaultColors, fragments, resources, noExtensions, opModuleProcessedTests.get());
6344
6345         return opModuleProcessedTests.release();
6346 }
6347
6348
6349 tcu::TestCaseGroup* createOpLineTests(tcu::TestContext& testCtx)
6350 {
6351         RGBA                                                                                                    defaultColors[4];
6352         de::MovePtr<tcu::TestCaseGroup>                                                 opLineTests                     (new tcu::TestCaseGroup(testCtx, "opline", "OpLine instruction"));
6353         map<string, string>                                                                             fragments;
6354         std::vector<std::pair<std::string, std::string> >               problemStrings;
6355
6356         problemStrings.push_back(std::make_pair<std::string, std::string>("empty_name", ""));
6357         problemStrings.push_back(std::make_pair<std::string, std::string>("short_name", "short_name"));
6358         problemStrings.push_back(std::make_pair<std::string, std::string>("long_name", makeLongUTF8String(65530) + "ccc"));
6359         getDefaultColors(defaultColors);
6360
6361         fragments["debug"]                      =
6362                 "%other_name = OpString \"other_name\"\n";
6363
6364         fragments["pre_main"]   =
6365                 "OpLine %file_name 32 0\n"
6366                 "OpLine %file_name 32 32\n"
6367                 "OpLine %file_name 32 40\n"
6368                 "OpLine %other_name 32 40\n"
6369                 "OpLine %other_name 0 100\n"
6370                 "OpLine %other_name 0 4294967295\n"
6371                 "OpLine %other_name 4294967295 0\n"
6372                 "OpLine %other_name 32 40\n"
6373                 "OpLine %file_name 0 0\n"
6374                 "%second_function = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6375                 "OpLine %file_name 1 0\n"
6376                 "%second_param1 = OpFunctionParameter %v4f32\n"
6377                 "OpLine %file_name 1 3\n"
6378                 "OpLine %file_name 1 2\n"
6379                 "%label_secondfunction = OpLabel\n"
6380                 "OpLine %file_name 0 2\n"
6381                 "OpReturnValue %second_param1\n"
6382                 "OpFunctionEnd\n"
6383                 "OpLine %file_name 0 2\n"
6384                 "OpLine %file_name 0 2\n";
6385
6386         fragments["testfun"]            =
6387                 // A %test_code function that returns its argument unchanged.
6388                 "OpLine %file_name 1 0\n"
6389                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6390                 "OpLine %file_name 16 330\n"
6391                 "%param1 = OpFunctionParameter %v4f32\n"
6392                 "OpLine %file_name 14 442\n"
6393                 "%label_testfun = OpLabel\n"
6394                 "OpLine %file_name 11 1024\n"
6395                 "%val1 = OpFunctionCall %v4f32 %second_function %param1\n"
6396                 "OpLine %file_name 2 97\n"
6397                 "OpReturnValue %val1\n"
6398                 "OpFunctionEnd\n"
6399                 "OpLine %file_name 5 32\n";
6400
6401         for (size_t i = 0; i < problemStrings.size(); ++i)
6402         {
6403                 map<string, string> testFragments = fragments;
6404                 testFragments["debug"] += "%file_name = OpString \"" + problemStrings[i].second + "\"\n";
6405                 createTestsForAllStages(string("opline") + "_" + problemStrings[i].first, defaultColors, defaultColors, testFragments, opLineTests.get());
6406         }
6407
6408         return opLineTests.release();
6409 }
6410
6411 tcu::TestCaseGroup* createOpConstantNullTests(tcu::TestContext& testCtx)
6412 {
6413         de::MovePtr<tcu::TestCaseGroup> opConstantNullTests             (new tcu::TestCaseGroup(testCtx, "opconstantnull", "OpConstantNull instruction"));
6414         RGBA                                                    colors[4];
6415
6416
6417         const char                                              functionStart[] =
6418                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6419                 "%param1 = OpFunctionParameter %v4f32\n"
6420                 "%lbl    = OpLabel\n";
6421
6422         const char                                              functionEnd[]   =
6423                 "OpReturnValue %transformed_param\n"
6424                 "OpFunctionEnd\n";
6425
6426         struct NameConstantsCode
6427         {
6428                 string name;
6429                 string constants;
6430                 string code;
6431         };
6432
6433         NameConstantsCode tests[] =
6434         {
6435                 {
6436                         "vec4",
6437                         "%cnull = OpConstantNull %v4f32\n",
6438                         "%transformed_param = OpFAdd %v4f32 %param1 %cnull\n"
6439                 },
6440                 {
6441                         "float",
6442                         "%cnull = OpConstantNull %f32\n",
6443                         "%vp = OpVariable %fp_v4f32 Function\n"
6444                         "%v  = OpLoad %v4f32 %vp\n"
6445                         "%v0 = OpVectorInsertDynamic %v4f32 %v %cnull %c_i32_0\n"
6446                         "%v1 = OpVectorInsertDynamic %v4f32 %v0 %cnull %c_i32_1\n"
6447                         "%v2 = OpVectorInsertDynamic %v4f32 %v1 %cnull %c_i32_2\n"
6448                         "%v3 = OpVectorInsertDynamic %v4f32 %v2 %cnull %c_i32_3\n"
6449                         "%transformed_param = OpFAdd %v4f32 %param1 %v3\n"
6450                 },
6451                 {
6452                         "bool",
6453                         "%cnull             = OpConstantNull %bool\n",
6454                         "%v                 = OpVariable %fp_v4f32 Function\n"
6455                         "                     OpStore %v %param1\n"
6456                         "                     OpSelectionMerge %false_label None\n"
6457                         "                     OpBranchConditional %cnull %true_label %false_label\n"
6458                         "%true_label        = OpLabel\n"
6459                         "                     OpStore %v %c_v4f32_0_5_0_5_0_5_0_5\n"
6460                         "                     OpBranch %false_label\n"
6461                         "%false_label       = OpLabel\n"
6462                         "%transformed_param = OpLoad %v4f32 %v\n"
6463                 },
6464                 {
6465                         "i32",
6466                         "%cnull             = OpConstantNull %i32\n",
6467                         "%v                 = OpVariable %fp_v4f32 Function %c_v4f32_0_5_0_5_0_5_0_5\n"
6468                         "%b                 = OpIEqual %bool %cnull %c_i32_0\n"
6469                         "                     OpSelectionMerge %false_label None\n"
6470                         "                     OpBranchConditional %b %true_label %false_label\n"
6471                         "%true_label        = OpLabel\n"
6472                         "                     OpStore %v %param1\n"
6473                         "                     OpBranch %false_label\n"
6474                         "%false_label       = OpLabel\n"
6475                         "%transformed_param = OpLoad %v4f32 %v\n"
6476                 },
6477                 {
6478                         "struct",
6479                         "%stype             = OpTypeStruct %f32 %v4f32\n"
6480                         "%fp_stype          = OpTypePointer Function %stype\n"
6481                         "%cnull             = OpConstantNull %stype\n",
6482                         "%v                 = OpVariable %fp_stype Function %cnull\n"
6483                         "%f                 = OpAccessChain %fp_v4f32 %v %c_i32_1\n"
6484                         "%f_val             = OpLoad %v4f32 %f\n"
6485                         "%transformed_param = OpFAdd %v4f32 %param1 %f_val\n"
6486                 },
6487                 {
6488                         "array",
6489                         "%a4_v4f32          = OpTypeArray %v4f32 %c_u32_4\n"
6490                         "%fp_a4_v4f32       = OpTypePointer Function %a4_v4f32\n"
6491                         "%cnull             = OpConstantNull %a4_v4f32\n",
6492                         "%v                 = OpVariable %fp_a4_v4f32 Function %cnull\n"
6493                         "%f                 = OpAccessChain %fp_v4f32 %v %c_u32_0\n"
6494                         "%f1                = OpAccessChain %fp_v4f32 %v %c_u32_1\n"
6495                         "%f2                = OpAccessChain %fp_v4f32 %v %c_u32_2\n"
6496                         "%f3                = OpAccessChain %fp_v4f32 %v %c_u32_3\n"
6497                         "%f_val             = OpLoad %v4f32 %f\n"
6498                         "%f1_val            = OpLoad %v4f32 %f1\n"
6499                         "%f2_val            = OpLoad %v4f32 %f2\n"
6500                         "%f3_val            = OpLoad %v4f32 %f3\n"
6501                         "%t0                = OpFAdd %v4f32 %param1 %f_val\n"
6502                         "%t1                = OpFAdd %v4f32 %t0 %f1_val\n"
6503                         "%t2                = OpFAdd %v4f32 %t1 %f2_val\n"
6504                         "%transformed_param = OpFAdd %v4f32 %t2 %f3_val\n"
6505                 },
6506                 {
6507                         "matrix",
6508                         "%mat4x4_f32        = OpTypeMatrix %v4f32 4\n"
6509                         "%cnull             = OpConstantNull %mat4x4_f32\n",
6510                         // Our null matrix * any vector should result in a zero vector.
6511                         "%v                 = OpVectorTimesMatrix %v4f32 %param1 %cnull\n"
6512                         "%transformed_param = OpFAdd %v4f32 %param1 %v\n"
6513                 }
6514         };
6515
6516         getHalfColorsFullAlpha(colors);
6517
6518         for (size_t testNdx = 0; testNdx < sizeof(tests) / sizeof(NameConstantsCode); ++testNdx)
6519         {
6520                 map<string, string> fragments;
6521                 fragments["pre_main"] = tests[testNdx].constants;
6522                 fragments["testfun"] = string(functionStart) + tests[testNdx].code + functionEnd;
6523                 createTestsForAllStages(tests[testNdx].name, colors, colors, fragments, opConstantNullTests.get());
6524         }
6525         return opConstantNullTests.release();
6526 }
6527 tcu::TestCaseGroup* createOpConstantCompositeTests(tcu::TestContext& testCtx)
6528 {
6529         de::MovePtr<tcu::TestCaseGroup> opConstantCompositeTests                (new tcu::TestCaseGroup(testCtx, "opconstantcomposite", "OpConstantComposite instruction"));
6530         RGBA                                                    inputColors[4];
6531         RGBA                                                    outputColors[4];
6532
6533
6534         const char                                              functionStart[]  =
6535                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6536                 "%param1 = OpFunctionParameter %v4f32\n"
6537                 "%lbl    = OpLabel\n";
6538
6539         const char                                              functionEnd[]           =
6540                 "OpReturnValue %transformed_param\n"
6541                 "OpFunctionEnd\n";
6542
6543         struct NameConstantsCode
6544         {
6545                 string name;
6546                 string constants;
6547                 string code;
6548         };
6549
6550         NameConstantsCode tests[] =
6551         {
6552                 {
6553                         "vec4",
6554
6555                         "%cval              = OpConstantComposite %v4f32 %c_f32_0_5 %c_f32_0_5 %c_f32_0_5 %c_f32_0\n",
6556                         "%transformed_param = OpFAdd %v4f32 %param1 %cval\n"
6557                 },
6558                 {
6559                         "struct",
6560
6561                         "%stype             = OpTypeStruct %v4f32 %f32\n"
6562                         "%fp_stype          = OpTypePointer Function %stype\n"
6563                         "%f32_n_1           = OpConstant %f32 -1.0\n"
6564                         "%f32_1_5           = OpConstant %f32 !0x3fc00000\n" // +1.5
6565                         "%cvec              = OpConstantComposite %v4f32 %f32_1_5 %f32_1_5 %f32_1_5 %c_f32_1\n"
6566                         "%cval              = OpConstantComposite %stype %cvec %f32_n_1\n",
6567
6568                         "%v                 = OpVariable %fp_stype Function %cval\n"
6569                         "%vec_ptr           = OpAccessChain %fp_v4f32 %v %c_u32_0\n"
6570                         "%f32_ptr           = OpAccessChain %fp_f32 %v %c_u32_1\n"
6571                         "%vec_val           = OpLoad %v4f32 %vec_ptr\n"
6572                         "%f32_val           = OpLoad %f32 %f32_ptr\n"
6573                         "%tmp1              = OpVectorTimesScalar %v4f32 %c_v4f32_1_1_1_1 %f32_val\n" // vec4(-1)
6574                         "%tmp2              = OpFAdd %v4f32 %tmp1 %param1\n" // param1 + vec4(-1)
6575                         "%transformed_param = OpFAdd %v4f32 %tmp2 %vec_val\n" // param1 + vec4(-1) + vec4(1.5, 1.5, 1.5, 1.0)
6576                 },
6577                 {
6578                         // [1|0|0|0.5] [x] = x + 0.5
6579                         // [0|1|0|0.5] [y] = y + 0.5
6580                         // [0|0|1|0.5] [z] = z + 0.5
6581                         // [0|0|0|1  ] [1] = 1
6582                         "matrix",
6583
6584                         "%mat4x4_f32          = OpTypeMatrix %v4f32 4\n"
6585                         "%v4f32_1_0_0_0       = OpConstantComposite %v4f32 %c_f32_1 %c_f32_0 %c_f32_0 %c_f32_0\n"
6586                         "%v4f32_0_1_0_0       = OpConstantComposite %v4f32 %c_f32_0 %c_f32_1 %c_f32_0 %c_f32_0\n"
6587                         "%v4f32_0_0_1_0       = OpConstantComposite %v4f32 %c_f32_0 %c_f32_0 %c_f32_1 %c_f32_0\n"
6588                         "%v4f32_0_5_0_5_0_5_1 = OpConstantComposite %v4f32 %c_f32_0_5 %c_f32_0_5 %c_f32_0_5 %c_f32_1\n"
6589                         "%cval                = OpConstantComposite %mat4x4_f32 %v4f32_1_0_0_0 %v4f32_0_1_0_0 %v4f32_0_0_1_0 %v4f32_0_5_0_5_0_5_1\n",
6590
6591                         "%transformed_param   = OpMatrixTimesVector %v4f32 %cval %param1\n"
6592                 },
6593                 {
6594                         "array",
6595
6596                         "%c_v4f32_1_1_1_0     = OpConstantComposite %v4f32 %c_f32_1 %c_f32_1 %c_f32_1 %c_f32_0\n"
6597                         "%fp_a4f32            = OpTypePointer Function %a4f32\n"
6598                         "%f32_n_1             = OpConstant %f32 -1.0\n"
6599                         "%f32_1_5             = OpConstant %f32 !0x3fc00000\n" // +1.5
6600                         "%carr                = OpConstantComposite %a4f32 %c_f32_0 %f32_n_1 %f32_1_5 %c_f32_0\n",
6601
6602                         "%v                   = OpVariable %fp_a4f32 Function %carr\n"
6603                         "%f                   = OpAccessChain %fp_f32 %v %c_u32_0\n"
6604                         "%f1                  = OpAccessChain %fp_f32 %v %c_u32_1\n"
6605                         "%f2                  = OpAccessChain %fp_f32 %v %c_u32_2\n"
6606                         "%f3                  = OpAccessChain %fp_f32 %v %c_u32_3\n"
6607                         "%f_val               = OpLoad %f32 %f\n"
6608                         "%f1_val              = OpLoad %f32 %f1\n"
6609                         "%f2_val              = OpLoad %f32 %f2\n"
6610                         "%f3_val              = OpLoad %f32 %f3\n"
6611                         "%ftot1               = OpFAdd %f32 %f_val %f1_val\n"
6612                         "%ftot2               = OpFAdd %f32 %ftot1 %f2_val\n"
6613                         "%ftot3               = OpFAdd %f32 %ftot2 %f3_val\n"  // 0 - 1 + 1.5 + 0
6614                         "%add_vec             = OpVectorTimesScalar %v4f32 %c_v4f32_1_1_1_0 %ftot3\n"
6615                         "%transformed_param   = OpFAdd %v4f32 %param1 %add_vec\n"
6616                 },
6617                 {
6618                         //
6619                         // [
6620                         //   {
6621                         //      0.0,
6622                         //      [ 1.0, 1.0, 1.0, 1.0]
6623                         //   },
6624                         //   {
6625                         //      1.0,
6626                         //      [ 0.0, 0.5, 0.0, 0.0]
6627                         //   }, //     ^^^
6628                         //   {
6629                         //      0.0,
6630                         //      [ 1.0, 1.0, 1.0, 1.0]
6631                         //   }
6632                         // ]
6633                         "array_of_struct_of_array",
6634
6635                         "%c_v4f32_1_1_1_0     = OpConstantComposite %v4f32 %c_f32_1 %c_f32_1 %c_f32_1 %c_f32_0\n"
6636                         "%fp_a4f32            = OpTypePointer Function %a4f32\n"
6637                         "%stype               = OpTypeStruct %f32 %a4f32\n"
6638                         "%a3stype             = OpTypeArray %stype %c_u32_3\n"
6639                         "%fp_a3stype          = OpTypePointer Function %a3stype\n"
6640                         "%ca4f32_0            = OpConstantComposite %a4f32 %c_f32_0 %c_f32_0_5 %c_f32_0 %c_f32_0\n"
6641                         "%ca4f32_1            = OpConstantComposite %a4f32 %c_f32_1 %c_f32_1 %c_f32_1 %c_f32_1\n"
6642                         "%cstype1             = OpConstantComposite %stype %c_f32_0 %ca4f32_1\n"
6643                         "%cstype2             = OpConstantComposite %stype %c_f32_1 %ca4f32_0\n"
6644                         "%carr                = OpConstantComposite %a3stype %cstype1 %cstype2 %cstype1",
6645
6646                         "%v                   = OpVariable %fp_a3stype Function %carr\n"
6647                         "%f                   = OpAccessChain %fp_f32 %v %c_u32_1 %c_u32_1 %c_u32_1\n"
6648                         "%f_l                 = OpLoad %f32 %f\n"
6649                         "%add_vec             = OpVectorTimesScalar %v4f32 %c_v4f32_1_1_1_0 %f_l\n"
6650                         "%transformed_param   = OpFAdd %v4f32 %param1 %add_vec\n"
6651                 }
6652         };
6653
6654         getHalfColorsFullAlpha(inputColors);
6655         outputColors[0] = RGBA(255, 255, 255, 255);
6656         outputColors[1] = RGBA(255, 127, 127, 255);
6657         outputColors[2] = RGBA(127, 255, 127, 255);
6658         outputColors[3] = RGBA(127, 127, 255, 255);
6659
6660         for (size_t testNdx = 0; testNdx < sizeof(tests) / sizeof(NameConstantsCode); ++testNdx)
6661         {
6662                 map<string, string> fragments;
6663                 fragments["pre_main"] = tests[testNdx].constants;
6664                 fragments["testfun"] = string(functionStart) + tests[testNdx].code + functionEnd;
6665                 createTestsForAllStages(tests[testNdx].name, inputColors, outputColors, fragments, opConstantCompositeTests.get());
6666         }
6667         return opConstantCompositeTests.release();
6668 }
6669
6670 tcu::TestCaseGroup* createSelectionBlockOrderTests(tcu::TestContext& testCtx)
6671 {
6672         de::MovePtr<tcu::TestCaseGroup> group                           (new tcu::TestCaseGroup(testCtx, "selection_block_order", "Out-of-order blocks for selection"));
6673         RGBA                                                    inputColors[4];
6674         RGBA                                                    outputColors[4];
6675         map<string, string>                             fragments;
6676
6677         // vec4 test_code(vec4 param) {
6678         //   vec4 result = param;
6679         //   for (int i = 0; i < 4; ++i) {
6680         //     if (i == 0) result[i] = 0.;
6681         //     else        result[i] = 1. - result[i];
6682         //   }
6683         //   return result;
6684         // }
6685         const char                                              function[]                      =
6686                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6687                 "%param1    = OpFunctionParameter %v4f32\n"
6688                 "%lbl       = OpLabel\n"
6689                 "%iptr      = OpVariable %fp_i32 Function\n"
6690                 "%result    = OpVariable %fp_v4f32 Function\n"
6691                 "             OpStore %iptr %c_i32_0\n"
6692                 "             OpStore %result %param1\n"
6693                 "             OpBranch %loop\n"
6694
6695                 // Loop entry block.
6696                 "%loop      = OpLabel\n"
6697                 "%ival      = OpLoad %i32 %iptr\n"
6698                 "%lt_4      = OpSLessThan %bool %ival %c_i32_4\n"
6699                 "             OpLoopMerge %exit %if_entry None\n"
6700                 "             OpBranchConditional %lt_4 %if_entry %exit\n"
6701
6702                 // Merge block for loop.
6703                 "%exit      = OpLabel\n"
6704                 "%ret       = OpLoad %v4f32 %result\n"
6705                 "             OpReturnValue %ret\n"
6706
6707                 // If-statement entry block.
6708                 "%if_entry  = OpLabel\n"
6709                 "%loc       = OpAccessChain %fp_f32 %result %ival\n"
6710                 "%eq_0      = OpIEqual %bool %ival %c_i32_0\n"
6711                 "             OpSelectionMerge %if_exit None\n"
6712                 "             OpBranchConditional %eq_0 %if_true %if_false\n"
6713
6714                 // False branch for if-statement.
6715                 "%if_false  = OpLabel\n"
6716                 "%val       = OpLoad %f32 %loc\n"
6717                 "%sub       = OpFSub %f32 %c_f32_1 %val\n"
6718                 "             OpStore %loc %sub\n"
6719                 "             OpBranch %if_exit\n"
6720
6721                 // Merge block for if-statement.
6722                 "%if_exit   = OpLabel\n"
6723                 "%ival_next = OpIAdd %i32 %ival %c_i32_1\n"
6724                 "             OpStore %iptr %ival_next\n"
6725                 "             OpBranch %loop\n"
6726
6727                 // True branch for if-statement.
6728                 "%if_true   = OpLabel\n"
6729                 "             OpStore %loc %c_f32_0\n"
6730                 "             OpBranch %if_exit\n"
6731
6732                 "             OpFunctionEnd\n";
6733
6734         fragments["testfun"]    = function;
6735
6736         inputColors[0]                  = RGBA(127, 127, 127, 0);
6737         inputColors[1]                  = RGBA(127, 0,   0,   0);
6738         inputColors[2]                  = RGBA(0,   127, 0,   0);
6739         inputColors[3]                  = RGBA(0,   0,   127, 0);
6740
6741         outputColors[0]                 = RGBA(0, 128, 128, 255);
6742         outputColors[1]                 = RGBA(0, 255, 255, 255);
6743         outputColors[2]                 = RGBA(0, 128, 255, 255);
6744         outputColors[3]                 = RGBA(0, 255, 128, 255);
6745
6746         createTestsForAllStages("out_of_order", inputColors, outputColors, fragments, group.get());
6747
6748         return group.release();
6749 }
6750
6751 tcu::TestCaseGroup* createSwitchBlockOrderTests(tcu::TestContext& testCtx)
6752 {
6753         de::MovePtr<tcu::TestCaseGroup> group                           (new tcu::TestCaseGroup(testCtx, "switch_block_order", "Out-of-order blocks for switch"));
6754         RGBA                                                    inputColors[4];
6755         RGBA                                                    outputColors[4];
6756         map<string, string>                             fragments;
6757
6758         const char                                              typesAndConstants[]     =
6759                 "%c_f32_p2  = OpConstant %f32 0.2\n"
6760                 "%c_f32_p4  = OpConstant %f32 0.4\n"
6761                 "%c_f32_p6  = OpConstant %f32 0.6\n"
6762                 "%c_f32_p8  = OpConstant %f32 0.8\n";
6763
6764         // vec4 test_code(vec4 param) {
6765         //   vec4 result = param;
6766         //   for (int i = 0; i < 4; ++i) {
6767         //     switch (i) {
6768         //       case 0: result[i] += .2; break;
6769         //       case 1: result[i] += .6; break;
6770         //       case 2: result[i] += .4; break;
6771         //       case 3: result[i] += .8; break;
6772         //       default: break; // unreachable
6773         //     }
6774         //   }
6775         //   return result;
6776         // }
6777         const char                                              function[]                      =
6778                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6779                 "%param1    = OpFunctionParameter %v4f32\n"
6780                 "%lbl       = OpLabel\n"
6781                 "%iptr      = OpVariable %fp_i32 Function\n"
6782                 "%result    = OpVariable %fp_v4f32 Function\n"
6783                 "             OpStore %iptr %c_i32_0\n"
6784                 "             OpStore %result %param1\n"
6785                 "             OpBranch %loop\n"
6786
6787                 // Loop entry block.
6788                 "%loop      = OpLabel\n"
6789                 "%ival      = OpLoad %i32 %iptr\n"
6790                 "%lt_4      = OpSLessThan %bool %ival %c_i32_4\n"
6791                 "             OpLoopMerge %exit %switch_exit None\n"
6792                 "             OpBranchConditional %lt_4 %switch_entry %exit\n"
6793
6794                 // Merge block for loop.
6795                 "%exit      = OpLabel\n"
6796                 "%ret       = OpLoad %v4f32 %result\n"
6797                 "             OpReturnValue %ret\n"
6798
6799                 // Switch-statement entry block.
6800                 "%switch_entry   = OpLabel\n"
6801                 "%loc            = OpAccessChain %fp_f32 %result %ival\n"
6802                 "%val            = OpLoad %f32 %loc\n"
6803                 "                  OpSelectionMerge %switch_exit None\n"
6804                 "                  OpSwitch %ival %switch_default 0 %case0 1 %case1 2 %case2 3 %case3\n"
6805
6806                 "%case2          = OpLabel\n"
6807                 "%addp4          = OpFAdd %f32 %val %c_f32_p4\n"
6808                 "                  OpStore %loc %addp4\n"
6809                 "                  OpBranch %switch_exit\n"
6810
6811                 "%switch_default = OpLabel\n"
6812                 "                  OpUnreachable\n"
6813
6814                 "%case3          = OpLabel\n"
6815                 "%addp8          = OpFAdd %f32 %val %c_f32_p8\n"
6816                 "                  OpStore %loc %addp8\n"
6817                 "                  OpBranch %switch_exit\n"
6818
6819                 "%case0          = OpLabel\n"
6820                 "%addp2          = OpFAdd %f32 %val %c_f32_p2\n"
6821                 "                  OpStore %loc %addp2\n"
6822                 "                  OpBranch %switch_exit\n"
6823
6824                 // Merge block for switch-statement.
6825                 "%switch_exit    = OpLabel\n"
6826                 "%ival_next      = OpIAdd %i32 %ival %c_i32_1\n"
6827                 "                  OpStore %iptr %ival_next\n"
6828                 "                  OpBranch %loop\n"
6829
6830                 "%case1          = OpLabel\n"
6831                 "%addp6          = OpFAdd %f32 %val %c_f32_p6\n"
6832                 "                  OpStore %loc %addp6\n"
6833                 "                  OpBranch %switch_exit\n"
6834
6835                 "                  OpFunctionEnd\n";
6836
6837         fragments["pre_main"]   = typesAndConstants;
6838         fragments["testfun"]    = function;
6839
6840         inputColors[0]                  = RGBA(127, 27,  127, 51);
6841         inputColors[1]                  = RGBA(127, 0,   0,   51);
6842         inputColors[2]                  = RGBA(0,   27,  0,   51);
6843         inputColors[3]                  = RGBA(0,   0,   127, 51);
6844
6845         outputColors[0]                 = RGBA(178, 180, 229, 255);
6846         outputColors[1]                 = RGBA(178, 153, 102, 255);
6847         outputColors[2]                 = RGBA(51,  180, 102, 255);
6848         outputColors[3]                 = RGBA(51,  153, 229, 255);
6849
6850         createTestsForAllStages("out_of_order", inputColors, outputColors, fragments, group.get());
6851
6852         return group.release();
6853 }
6854
6855 tcu::TestCaseGroup* createDecorationGroupTests(tcu::TestContext& testCtx)
6856 {
6857         de::MovePtr<tcu::TestCaseGroup> group                           (new tcu::TestCaseGroup(testCtx, "decoration_group", "Decoration group tests"));
6858         RGBA                                                    inputColors[4];
6859         RGBA                                                    outputColors[4];
6860         map<string, string>                             fragments;
6861
6862         const char                                              decorations[]           =
6863                 "OpDecorate %array_group         ArrayStride 4\n"
6864                 "OpDecorate %struct_member_group Offset 0\n"
6865                 "%array_group         = OpDecorationGroup\n"
6866                 "%struct_member_group = OpDecorationGroup\n"
6867
6868                 "OpDecorate %group1 RelaxedPrecision\n"
6869                 "OpDecorate %group3 RelaxedPrecision\n"
6870                 "OpDecorate %group3 Invariant\n"
6871                 "OpDecorate %group3 Restrict\n"
6872                 "%group0 = OpDecorationGroup\n"
6873                 "%group1 = OpDecorationGroup\n"
6874                 "%group3 = OpDecorationGroup\n";
6875
6876         const char                                              typesAndConstants[]     =
6877                 "%a3f32     = OpTypeArray %f32 %c_u32_3\n"
6878                 "%struct1   = OpTypeStruct %a3f32\n"
6879                 "%struct2   = OpTypeStruct %a3f32\n"
6880                 "%fp_struct1 = OpTypePointer Function %struct1\n"
6881                 "%fp_struct2 = OpTypePointer Function %struct2\n"
6882                 "%c_f32_2    = OpConstant %f32 2.\n"
6883                 "%c_f32_n2   = OpConstant %f32 -2.\n"
6884
6885                 "%c_a3f32_1 = OpConstantComposite %a3f32 %c_f32_1 %c_f32_2 %c_f32_1\n"
6886                 "%c_a3f32_2 = OpConstantComposite %a3f32 %c_f32_n1 %c_f32_n2 %c_f32_n1\n"
6887                 "%c_struct1 = OpConstantComposite %struct1 %c_a3f32_1\n"
6888                 "%c_struct2 = OpConstantComposite %struct2 %c_a3f32_2\n";
6889
6890         const char                                              function[]                      =
6891                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
6892                 "%param     = OpFunctionParameter %v4f32\n"
6893                 "%entry     = OpLabel\n"
6894                 "%result    = OpVariable %fp_v4f32 Function\n"
6895                 "%v_struct1 = OpVariable %fp_struct1 Function\n"
6896                 "%v_struct2 = OpVariable %fp_struct2 Function\n"
6897                 "             OpStore %result %param\n"
6898                 "             OpStore %v_struct1 %c_struct1\n"
6899                 "             OpStore %v_struct2 %c_struct2\n"
6900                 "%ptr1      = OpAccessChain %fp_f32 %v_struct1 %c_i32_0 %c_i32_2\n"
6901                 "%val1      = OpLoad %f32 %ptr1\n"
6902                 "%ptr2      = OpAccessChain %fp_f32 %v_struct2 %c_i32_0 %c_i32_2\n"
6903                 "%val2      = OpLoad %f32 %ptr2\n"
6904                 "%addvalues = OpFAdd %f32 %val1 %val2\n"
6905                 "%ptr       = OpAccessChain %fp_f32 %result %c_i32_1\n"
6906                 "%val       = OpLoad %f32 %ptr\n"
6907                 "%addresult = OpFAdd %f32 %addvalues %val\n"
6908                 "             OpStore %ptr %addresult\n"
6909                 "%ret       = OpLoad %v4f32 %result\n"
6910                 "             OpReturnValue %ret\n"
6911                 "             OpFunctionEnd\n";
6912
6913         struct CaseNameDecoration
6914         {
6915                 string name;
6916                 string decoration;
6917         };
6918
6919         CaseNameDecoration tests[] =
6920         {
6921                 {
6922                         "same_decoration_group_on_multiple_types",
6923                         "OpGroupMemberDecorate %struct_member_group %struct1 0 %struct2 0\n"
6924                 },
6925                 {
6926                         "empty_decoration_group",
6927                         "OpGroupDecorate %group0      %a3f32\n"
6928                         "OpGroupDecorate %group0      %result\n"
6929                 },
6930                 {
6931                         "one_element_decoration_group",
6932                         "OpGroupDecorate %array_group %a3f32\n"
6933                 },
6934                 {
6935                         "multiple_elements_decoration_group",
6936                         "OpGroupDecorate %group3      %v_struct1\n"
6937                 },
6938                 {
6939                         "multiple_decoration_groups_on_same_variable",
6940                         "OpGroupDecorate %group0      %v_struct2\n"
6941                         "OpGroupDecorate %group1      %v_struct2\n"
6942                         "OpGroupDecorate %group3      %v_struct2\n"
6943                 },
6944                 {
6945                         "same_decoration_group_multiple_times",
6946                         "OpGroupDecorate %group1      %addvalues\n"
6947                         "OpGroupDecorate %group1      %addvalues\n"
6948                         "OpGroupDecorate %group1      %addvalues\n"
6949                 },
6950
6951         };
6952
6953         getHalfColorsFullAlpha(inputColors);
6954         getHalfColorsFullAlpha(outputColors);
6955
6956         for (size_t idx = 0; idx < (sizeof(tests) / sizeof(tests[0])); ++idx)
6957         {
6958                 fragments["decoration"] = decorations + tests[idx].decoration;
6959                 fragments["pre_main"]   = typesAndConstants;
6960                 fragments["testfun"]    = function;
6961
6962                 createTestsForAllStages(tests[idx].name, inputColors, outputColors, fragments, group.get());
6963         }
6964
6965         return group.release();
6966 }
6967
6968 struct SpecConstantTwoIntGraphicsCase
6969 {
6970         const char*             caseName;
6971         const char*             scDefinition0;
6972         const char*             scDefinition1;
6973         const char*             scResultType;
6974         const char*             scOperation;
6975         deInt32                 scActualValue0;
6976         deInt32                 scActualValue1;
6977         const char*             resultOperation;
6978         RGBA                    expectedColors[4];
6979         deInt32                 scActualValueLength;
6980
6981                                         SpecConstantTwoIntGraphicsCase (const char*             name,
6982                                                                                                         const char*             definition0,
6983                                                                                                         const char*             definition1,
6984                                                                                                         const char*             resultType,
6985                                                                                                         const char*             operation,
6986                                                                                                         const deInt32   value0,
6987                                                                                                         const deInt32   value1,
6988                                                                                                         const char*             resultOp,
6989                                                                                                         const RGBA              (&output)[4],
6990                                                                                                         const deInt32   valueLength = sizeof(deInt32))
6991                                                 : caseName                              (name)
6992                                                 , scDefinition0                 (definition0)
6993                                                 , scDefinition1                 (definition1)
6994                                                 , scResultType                  (resultType)
6995                                                 , scOperation                   (operation)
6996                                                 , scActualValue0                (value0)
6997                                                 , scActualValue1                (value1)
6998                                                 , resultOperation               (resultOp)
6999                                                 , scActualValueLength   (valueLength)
7000         {
7001                 expectedColors[0] = output[0];
7002                 expectedColors[1] = output[1];
7003                 expectedColors[2] = output[2];
7004                 expectedColors[3] = output[3];
7005         }
7006 };
7007
7008 tcu::TestCaseGroup* createSpecConstantTests (tcu::TestContext& testCtx)
7009 {
7010         de::MovePtr<tcu::TestCaseGroup> group                           (new tcu::TestCaseGroup(testCtx, "opspecconstantop", "Test the OpSpecConstantOp instruction"));
7011         vector<SpecConstantTwoIntGraphicsCase>  cases;
7012         RGBA                                                    inputColors[4];
7013         RGBA                                                    outputColors0[4];
7014         RGBA                                                    outputColors1[4];
7015         RGBA                                                    outputColors2[4];
7016
7017         const deInt32                                   m1AsFloat16                     = 0xbc00; // -1(fp16) == 1 01111 0000000000 == 1011 1100 0000 0000
7018
7019         const char      decorations1[]                  =
7020                 "OpDecorate %sc_0  SpecId 0\n"
7021                 "OpDecorate %sc_1  SpecId 1\n";
7022
7023         const char      typesAndConstants1[]    =
7024                 "${OPTYPE_DEFINITIONS:opt}"
7025                 "%sc_0      = OpSpecConstant${SC_DEF0}\n"
7026                 "%sc_1      = OpSpecConstant${SC_DEF1}\n"
7027                 "%sc_op     = OpSpecConstantOp ${SC_RESULT_TYPE} ${SC_OP}\n";
7028
7029         const char      function1[]                             =
7030                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7031                 "%param     = OpFunctionParameter %v4f32\n"
7032                 "%label     = OpLabel\n"
7033                 "%result    = OpVariable %fp_v4f32 Function\n"
7034                 "${TYPE_CONVERT:opt}"
7035                 "             OpStore %result %param\n"
7036                 "%gen       = ${GEN_RESULT}\n"
7037                 "%index     = OpIAdd %i32 %gen %c_i32_1\n"
7038                 "%loc       = OpAccessChain %fp_f32 %result %index\n"
7039                 "%val       = OpLoad %f32 %loc\n"
7040                 "%add       = OpFAdd %f32 %val %c_f32_0_5\n"
7041                 "             OpStore %loc %add\n"
7042                 "%ret       = OpLoad %v4f32 %result\n"
7043                 "             OpReturnValue %ret\n"
7044                 "             OpFunctionEnd\n";
7045
7046         inputColors[0] = RGBA(127, 127, 127, 255);
7047         inputColors[1] = RGBA(127, 0,   0,   255);
7048         inputColors[2] = RGBA(0,   127, 0,   255);
7049         inputColors[3] = RGBA(0,   0,   127, 255);
7050
7051         // Derived from inputColors[x] by adding 128 to inputColors[x][0].
7052         outputColors0[0] = RGBA(255, 127, 127, 255);
7053         outputColors0[1] = RGBA(255, 0,   0,   255);
7054         outputColors0[2] = RGBA(128, 127, 0,   255);
7055         outputColors0[3] = RGBA(128, 0,   127, 255);
7056
7057         // Derived from inputColors[x] by adding 128 to inputColors[x][1].
7058         outputColors1[0] = RGBA(127, 255, 127, 255);
7059         outputColors1[1] = RGBA(127, 128, 0,   255);
7060         outputColors1[2] = RGBA(0,   255, 0,   255);
7061         outputColors1[3] = RGBA(0,   128, 127, 255);
7062
7063         // Derived from inputColors[x] by adding 128 to inputColors[x][2].
7064         outputColors2[0] = RGBA(127, 127, 255, 255);
7065         outputColors2[1] = RGBA(127, 0,   128, 255);
7066         outputColors2[2] = RGBA(0,   127, 128, 255);
7067         outputColors2[3] = RGBA(0,   0,   255, 255);
7068
7069         const char addZeroToSc[]                = "OpIAdd %i32 %c_i32_0 %sc_op";
7070         const char addZeroToSc32[]              = "OpIAdd %i32 %c_i32_0 %sc_op32";
7071         const char selectTrueUsingSc[]  = "OpSelect %i32 %sc_op %c_i32_1 %c_i32_0";
7072         const char selectFalseUsingSc[] = "OpSelect %i32 %sc_op %c_i32_0 %c_i32_1";
7073
7074         cases.push_back(SpecConstantTwoIntGraphicsCase("iadd",                                  " %i32 0",              " %i32 0",              "%i32",         "IAdd                 %sc_0 %sc_1",                             19,             -20,    addZeroToSc,            outputColors0));
7075         cases.push_back(SpecConstantTwoIntGraphicsCase("isub",                                  " %i32 0",              " %i32 0",              "%i32",         "ISub                 %sc_0 %sc_1",                             19,             20,             addZeroToSc,            outputColors0));
7076         cases.push_back(SpecConstantTwoIntGraphicsCase("imul",                                  " %i32 0",              " %i32 0",              "%i32",         "IMul                 %sc_0 %sc_1",                             -1,             -1,             addZeroToSc,            outputColors2));
7077         cases.push_back(SpecConstantTwoIntGraphicsCase("sdiv",                                  " %i32 0",              " %i32 0",              "%i32",         "SDiv                 %sc_0 %sc_1",                             -126,   126,    addZeroToSc,            outputColors0));
7078         cases.push_back(SpecConstantTwoIntGraphicsCase("udiv",                                  " %i32 0",              " %i32 0",              "%i32",         "UDiv                 %sc_0 %sc_1",                             126,    126,    addZeroToSc,            outputColors2));
7079         cases.push_back(SpecConstantTwoIntGraphicsCase("srem",                                  " %i32 0",              " %i32 0",              "%i32",         "SRem                 %sc_0 %sc_1",                             3,              2,              addZeroToSc,            outputColors2));
7080         cases.push_back(SpecConstantTwoIntGraphicsCase("smod",                                  " %i32 0",              " %i32 0",              "%i32",         "SMod                 %sc_0 %sc_1",                             3,              2,              addZeroToSc,            outputColors2));
7081         cases.push_back(SpecConstantTwoIntGraphicsCase("umod",                                  " %i32 0",              " %i32 0",              "%i32",         "UMod                 %sc_0 %sc_1",                             1001,   500,    addZeroToSc,            outputColors2));
7082         cases.push_back(SpecConstantTwoIntGraphicsCase("bitwiseand",                    " %i32 0",              " %i32 0",              "%i32",         "BitwiseAnd           %sc_0 %sc_1",                             0x33,   0x0d,   addZeroToSc,            outputColors2));
7083         cases.push_back(SpecConstantTwoIntGraphicsCase("bitwiseor",                             " %i32 0",              " %i32 0",              "%i32",         "BitwiseOr            %sc_0 %sc_1",                             0,              1,              addZeroToSc,            outputColors2));
7084         cases.push_back(SpecConstantTwoIntGraphicsCase("bitwisexor",                    " %i32 0",              " %i32 0",              "%i32",         "BitwiseXor           %sc_0 %sc_1",                             0x2e,   0x2f,   addZeroToSc,            outputColors2));
7085         cases.push_back(SpecConstantTwoIntGraphicsCase("shiftrightlogical",             " %i32 0",              " %i32 0",              "%i32",         "ShiftRightLogical    %sc_0 %sc_1",                             2,              1,              addZeroToSc,            outputColors2));
7086         cases.push_back(SpecConstantTwoIntGraphicsCase("shiftrightarithmetic",  " %i32 0",              " %i32 0",              "%i32",         "ShiftRightArithmetic %sc_0 %sc_1",                             -4,             2,              addZeroToSc,            outputColors0));
7087         cases.push_back(SpecConstantTwoIntGraphicsCase("shiftleftlogical",              " %i32 0",              " %i32 0",              "%i32",         "ShiftLeftLogical     %sc_0 %sc_1",                             1,              0,              addZeroToSc,            outputColors2));
7088         cases.push_back(SpecConstantTwoIntGraphicsCase("slessthan",                             " %i32 0",              " %i32 0",              "%bool",        "SLessThan            %sc_0 %sc_1",                             -20,    -10,    selectTrueUsingSc,      outputColors2));
7089         cases.push_back(SpecConstantTwoIntGraphicsCase("ulessthan",                             " %i32 0",              " %i32 0",              "%bool",        "ULessThan            %sc_0 %sc_1",                             10,             20,             selectTrueUsingSc,      outputColors2));
7090         cases.push_back(SpecConstantTwoIntGraphicsCase("sgreaterthan",                  " %i32 0",              " %i32 0",              "%bool",        "SGreaterThan         %sc_0 %sc_1",                             -1000,  50,             selectFalseUsingSc,     outputColors2));
7091         cases.push_back(SpecConstantTwoIntGraphicsCase("ugreaterthan",                  " %i32 0",              " %i32 0",              "%bool",        "UGreaterThan         %sc_0 %sc_1",                             10,             5,              selectTrueUsingSc,      outputColors2));
7092         cases.push_back(SpecConstantTwoIntGraphicsCase("slessthanequal",                " %i32 0",              " %i32 0",              "%bool",        "SLessThanEqual       %sc_0 %sc_1",                             -10,    -10,    selectTrueUsingSc,      outputColors2));
7093         cases.push_back(SpecConstantTwoIntGraphicsCase("ulessthanequal",                " %i32 0",              " %i32 0",              "%bool",        "ULessThanEqual       %sc_0 %sc_1",                             50,             100,    selectTrueUsingSc,      outputColors2));
7094         cases.push_back(SpecConstantTwoIntGraphicsCase("sgreaterthanequal",             " %i32 0",              " %i32 0",              "%bool",        "SGreaterThanEqual    %sc_0 %sc_1",                             -1000,  50,             selectFalseUsingSc,     outputColors2));
7095         cases.push_back(SpecConstantTwoIntGraphicsCase("ugreaterthanequal",             " %i32 0",              " %i32 0",              "%bool",        "UGreaterThanEqual    %sc_0 %sc_1",                             10,             10,             selectTrueUsingSc,      outputColors2));
7096         cases.push_back(SpecConstantTwoIntGraphicsCase("iequal",                                " %i32 0",              " %i32 0",              "%bool",        "IEqual               %sc_0 %sc_1",                             42,             24,             selectFalseUsingSc,     outputColors2));
7097         cases.push_back(SpecConstantTwoIntGraphicsCase("inotequal",                             " %i32 0",              " %i32 0",              "%bool",        "INotEqual            %sc_0 %sc_1",                             42,             24,             selectTrueUsingSc,      outputColors2));
7098         cases.push_back(SpecConstantTwoIntGraphicsCase("logicaland",                    "True %bool",   "True %bool",   "%bool",        "LogicalAnd           %sc_0 %sc_1",                             0,              1,              selectFalseUsingSc,     outputColors2));
7099         cases.push_back(SpecConstantTwoIntGraphicsCase("logicalor",                             "False %bool",  "False %bool",  "%bool",        "LogicalOr            %sc_0 %sc_1",                             1,              0,              selectTrueUsingSc,      outputColors2));
7100         cases.push_back(SpecConstantTwoIntGraphicsCase("logicalequal",                  "True %bool",   "True %bool",   "%bool",        "LogicalEqual         %sc_0 %sc_1",                             0,              1,              selectFalseUsingSc,     outputColors2));
7101         cases.push_back(SpecConstantTwoIntGraphicsCase("logicalnotequal",               "False %bool",  "False %bool",  "%bool",        "LogicalNotEqual      %sc_0 %sc_1",                             1,              0,              selectTrueUsingSc,      outputColors2));
7102         cases.push_back(SpecConstantTwoIntGraphicsCase("snegate",                               " %i32 0",              " %i32 0",              "%i32",         "SNegate              %sc_0",                                   -1,             0,              addZeroToSc,            outputColors2));
7103         cases.push_back(SpecConstantTwoIntGraphicsCase("not",                                   " %i32 0",              " %i32 0",              "%i32",         "Not                  %sc_0",                                   -2,             0,              addZeroToSc,            outputColors2));
7104         cases.push_back(SpecConstantTwoIntGraphicsCase("logicalnot",                    "False %bool",  "False %bool",  "%bool",        "LogicalNot           %sc_0",                                   1,              0,              selectFalseUsingSc,     outputColors2));
7105         cases.push_back(SpecConstantTwoIntGraphicsCase("select",                                "False %bool",  " %i32 0",              "%i32",         "Select               %sc_0 %sc_1 %c_i32_0",    1,              1,              addZeroToSc,            outputColors2));
7106         cases.push_back(SpecConstantTwoIntGraphicsCase("sconvert",                              " %i32 0",              " %i32 0",              "%i16",         "SConvert             %sc_0",                                   -1,             0,              addZeroToSc32,          outputColors0));
7107         // -1082130432 stored as 32-bit two's complement is the binary representation of -1 as IEEE-754 Float
7108         cases.push_back(SpecConstantTwoIntGraphicsCase("fconvert",                              " %f32 0",              " %f32 0",              "%f64",         "FConvert             %sc_0",                                   -1082130432, 0, addZeroToSc32,          outputColors0));
7109         cases.push_back(SpecConstantTwoIntGraphicsCase("fconvert16",                    " %f16 0",              " %f16 0",              "%f32",         "FConvert             %sc_0",                                   m1AsFloat16, 0, addZeroToSc32,          outputColors0, sizeof(deFloat16)));
7110         // \todo[2015-12-1 antiagainst] OpQuantizeToF16
7111
7112         for (size_t caseNdx = 0; caseNdx < cases.size(); ++caseNdx)
7113         {
7114                 map<string, string>                     specializations;
7115                 map<string, string>                     fragments;
7116                 SpecConstants                           specConstants;
7117                 PushConstants                           noPushConstants;
7118                 GraphicsResources                       noResources;
7119                 GraphicsInterfaces                      noInterfaces;
7120                 vector<string>                          extensions;
7121                 VulkanFeatures                          requiredFeatures;
7122
7123                 // Special SPIR-V code for SConvert-case
7124                 if (strcmp(cases[caseNdx].caseName, "sconvert") == 0)
7125                 {
7126                         requiredFeatures.coreFeatures.shaderInt16 = VK_TRUE;
7127                         fragments["capability"]                                 = "OpCapability Int16\n";                                       // Adds 16-bit integer capability
7128                         specializations["OPTYPE_DEFINITIONS"]   = "%i16 = OpTypeInt 16 1\n";                            // Adds 16-bit integer type
7129                         specializations["TYPE_CONVERT"]                 = "%sc_op32 = OpSConvert %i32 %sc_op\n";        // Converts 16-bit integer to 32-bit integer
7130                 }
7131
7132                 // Special SPIR-V code for FConvert-case
7133                 if (strcmp(cases[caseNdx].caseName, "fconvert") == 0)
7134                 {
7135                         requiredFeatures.coreFeatures.shaderFloat64 = VK_TRUE;
7136                         fragments["capability"]                                 = "OpCapability Float64\n";                                     // Adds 64-bit float capability
7137                         specializations["OPTYPE_DEFINITIONS"]   = "%f64 = OpTypeFloat 64\n";                            // Adds 64-bit float type
7138                         specializations["TYPE_CONVERT"]                 = "%sc_op32 = OpConvertFToS %i32 %sc_op\n";     // Converts 64-bit float to 32-bit integer
7139                 }
7140
7141                 // Special SPIR-V code for FConvert-case for 16-bit floats
7142                 if (strcmp(cases[caseNdx].caseName, "fconvert16") == 0)
7143                 {
7144                         extensions.push_back("VK_KHR_shader_float16_int8");
7145                         requiredFeatures.extFloat16Int8 = EXTFLOAT16INT8FEATURES_FLOAT16;
7146                         fragments["capability"]                                 = "OpCapability Float16\n";                                     // Adds 16-bit float capability
7147                         specializations["OPTYPE_DEFINITIONS"]   = "%f16 = OpTypeFloat 16\n";                            // Adds 16-bit float type
7148                         specializations["TYPE_CONVERT"]                 = "%sc_op32 = OpConvertFToS %i32 %sc_op\n";     // Converts 16-bit float to 32-bit integer
7149                 }
7150
7151                 specializations["SC_DEF0"]                      = cases[caseNdx].scDefinition0;
7152                 specializations["SC_DEF1"]                      = cases[caseNdx].scDefinition1;
7153                 specializations["SC_RESULT_TYPE"]       = cases[caseNdx].scResultType;
7154                 specializations["SC_OP"]                        = cases[caseNdx].scOperation;
7155                 specializations["GEN_RESULT"]           = cases[caseNdx].resultOperation;
7156
7157                 fragments["decoration"]                         = tcu::StringTemplate(decorations1).specialize(specializations);
7158                 fragments["pre_main"]                           = tcu::StringTemplate(typesAndConstants1).specialize(specializations);
7159                 fragments["testfun"]                            = tcu::StringTemplate(function1).specialize(specializations);
7160
7161                 specConstants.append(&cases[caseNdx].scActualValue0, cases[caseNdx].scActualValueLength);
7162                 specConstants.append(&cases[caseNdx].scActualValue1, cases[caseNdx].scActualValueLength);
7163
7164                 createTestsForAllStages(
7165                         cases[caseNdx].caseName, inputColors, cases[caseNdx].expectedColors, fragments, specConstants,
7166                         noPushConstants, noResources, noInterfaces, extensions, requiredFeatures, group.get());
7167         }
7168
7169         const char      decorations2[]                  =
7170                 "OpDecorate %sc_0  SpecId 0\n"
7171                 "OpDecorate %sc_1  SpecId 1\n"
7172                 "OpDecorate %sc_2  SpecId 2\n";
7173
7174         const char      typesAndConstants2[]    =
7175                 "%vec3_0      = OpConstantComposite %v3i32 %c_i32_0 %c_i32_0 %c_i32_0\n"
7176                 "%vec3_undef  = OpUndef %v3i32\n"
7177
7178                 "%sc_0        = OpSpecConstant %i32 0\n"
7179                 "%sc_1        = OpSpecConstant %i32 0\n"
7180                 "%sc_2        = OpSpecConstant %i32 0\n"
7181                 "%sc_vec3_0   = OpSpecConstantOp %v3i32 CompositeInsert  %sc_0        %vec3_0      0\n"                                                 // (sc_0, 0,    0)
7182                 "%sc_vec3_1   = OpSpecConstantOp %v3i32 CompositeInsert  %sc_1        %vec3_0      1\n"                                                 // (0,    sc_1, 0)
7183                 "%sc_vec3_2   = OpSpecConstantOp %v3i32 CompositeInsert  %sc_2        %vec3_0      2\n"                                                 // (0,    0,    sc_2)
7184                 "%sc_vec3_0_s = OpSpecConstantOp %v3i32 VectorShuffle    %sc_vec3_0   %vec3_undef  0          0xFFFFFFFF 2\n"   // (sc_0, ???,  0)
7185                 "%sc_vec3_1_s = OpSpecConstantOp %v3i32 VectorShuffle    %sc_vec3_1   %vec3_undef  0xFFFFFFFF 1          0\n"   // (???,  sc_1, 0)
7186                 "%sc_vec3_2_s = OpSpecConstantOp %v3i32 VectorShuffle    %vec3_undef  %sc_vec3_2   5          0xFFFFFFFF 5\n"   // (sc_2, ???,  sc_2)
7187                 "%sc_vec3_01  = OpSpecConstantOp %v3i32 VectorShuffle    %sc_vec3_0_s %sc_vec3_1_s 1 0 4\n"                                             // (0,    sc_0, sc_1)
7188                 "%sc_vec3_012 = OpSpecConstantOp %v3i32 VectorShuffle    %sc_vec3_01  %sc_vec3_2_s 5 1 2\n"                                             // (sc_2, sc_0, sc_1)
7189                 "%sc_ext_0    = OpSpecConstantOp %i32   CompositeExtract %sc_vec3_012              0\n"                                                 // sc_2
7190                 "%sc_ext_1    = OpSpecConstantOp %i32   CompositeExtract %sc_vec3_012              1\n"                                                 // sc_0
7191                 "%sc_ext_2    = OpSpecConstantOp %i32   CompositeExtract %sc_vec3_012              2\n"                                                 // sc_1
7192                 "%sc_sub      = OpSpecConstantOp %i32   ISub             %sc_ext_0    %sc_ext_1\n"                                                              // (sc_2 - sc_0)
7193                 "%sc_final    = OpSpecConstantOp %i32   IMul             %sc_sub      %sc_ext_2\n";                                                             // (sc_2 - sc_0) * sc_1
7194
7195         const char      function2[]                             =
7196                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7197                 "%param     = OpFunctionParameter %v4f32\n"
7198                 "%label     = OpLabel\n"
7199                 "%result    = OpVariable %fp_v4f32 Function\n"
7200                 "             OpStore %result %param\n"
7201                 "%loc       = OpAccessChain %fp_f32 %result %sc_final\n"
7202                 "%val       = OpLoad %f32 %loc\n"
7203                 "%add       = OpFAdd %f32 %val %c_f32_0_5\n"
7204                 "             OpStore %loc %add\n"
7205                 "%ret       = OpLoad %v4f32 %result\n"
7206                 "             OpReturnValue %ret\n"
7207                 "             OpFunctionEnd\n";
7208
7209         map<string, string>     fragments;
7210         SpecConstants           specConstants;
7211
7212         fragments["decoration"] = decorations2;
7213         fragments["pre_main"]   = typesAndConstants2;
7214         fragments["testfun"]    = function2;
7215
7216         specConstants.append<deInt32>(56789);
7217         specConstants.append<deInt32>(-2);
7218         specConstants.append<deInt32>(56788);
7219
7220         createTestsForAllStages("vector_related", inputColors, outputColors2, fragments, specConstants, group.get());
7221
7222         return group.release();
7223 }
7224
7225 tcu::TestCaseGroup* createOpPhiTests(tcu::TestContext& testCtx)
7226 {
7227         de::MovePtr<tcu::TestCaseGroup> group                           (new tcu::TestCaseGroup(testCtx, "opphi", "Test the OpPhi instruction"));
7228         RGBA                                                    inputColors[4];
7229         RGBA                                                    outputColors1[4];
7230         RGBA                                                    outputColors2[4];
7231         RGBA                                                    outputColors3[4];
7232         RGBA                                                    outputColors4[4];
7233         map<string, string>                             fragments1;
7234         map<string, string>                             fragments2;
7235         map<string, string>                             fragments3;
7236         map<string, string>                             fragments4;
7237         std::vector<std::string>                extensions4;
7238         GraphicsResources                               resources4;
7239         VulkanFeatures                                  vulkanFeatures4;
7240
7241         const char      typesAndConstants1[]    =
7242                 "%c_f32_p2  = OpConstant %f32 0.2\n"
7243                 "%c_f32_p4  = OpConstant %f32 0.4\n"
7244                 "%c_f32_p5  = OpConstant %f32 0.5\n"
7245                 "%c_f32_p8  = OpConstant %f32 0.8\n";
7246
7247         // vec4 test_code(vec4 param) {
7248         //   vec4 result = param;
7249         //   for (int i = 0; i < 4; ++i) {
7250         //     float operand;
7251         //     switch (i) {
7252         //       case 0: operand = .2; break;
7253         //       case 1: operand = .5; break;
7254         //       case 2: operand = .4; break;
7255         //       case 3: operand = .0; break;
7256         //       default: break; // unreachable
7257         //     }
7258         //     result[i] += operand;
7259         //   }
7260         //   return result;
7261         // }
7262         const char      function1[]                             =
7263                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7264                 "%param1    = OpFunctionParameter %v4f32\n"
7265                 "%lbl       = OpLabel\n"
7266                 "%iptr      = OpVariable %fp_i32 Function\n"
7267                 "%result    = OpVariable %fp_v4f32 Function\n"
7268                 "             OpStore %iptr %c_i32_0\n"
7269                 "             OpStore %result %param1\n"
7270                 "             OpBranch %loop\n"
7271
7272                 "%loop      = OpLabel\n"
7273                 "%ival      = OpLoad %i32 %iptr\n"
7274                 "%lt_4      = OpSLessThan %bool %ival %c_i32_4\n"
7275                 "             OpLoopMerge %exit %phi None\n"
7276                 "             OpBranchConditional %lt_4 %entry %exit\n"
7277
7278                 "%entry     = OpLabel\n"
7279                 "%loc       = OpAccessChain %fp_f32 %result %ival\n"
7280                 "%val       = OpLoad %f32 %loc\n"
7281                 "             OpSelectionMerge %phi None\n"
7282                 "             OpSwitch %ival %default 0 %case0 1 %case1 2 %case2 3 %case3\n"
7283
7284                 "%case0     = OpLabel\n"
7285                 "             OpBranch %phi\n"
7286                 "%case1     = OpLabel\n"
7287                 "             OpBranch %phi\n"
7288                 "%case2     = OpLabel\n"
7289                 "             OpBranch %phi\n"
7290                 "%case3     = OpLabel\n"
7291                 "             OpBranch %phi\n"
7292
7293                 "%default   = OpLabel\n"
7294                 "             OpUnreachable\n"
7295
7296                 "%phi       = OpLabel\n"
7297                 "%operand   = OpPhi %f32 %c_f32_p4 %case2 %c_f32_p5 %case1 %c_f32_p2 %case0 %c_f32_0 %case3\n" // not in the order of blocks
7298                 "%add       = OpFAdd %f32 %val %operand\n"
7299                 "             OpStore %loc %add\n"
7300                 "%ival_next = OpIAdd %i32 %ival %c_i32_1\n"
7301                 "             OpStore %iptr %ival_next\n"
7302                 "             OpBranch %loop\n"
7303
7304                 "%exit      = OpLabel\n"
7305                 "%ret       = OpLoad %v4f32 %result\n"
7306                 "             OpReturnValue %ret\n"
7307
7308                 "             OpFunctionEnd\n";
7309
7310         fragments1["pre_main"]  = typesAndConstants1;
7311         fragments1["testfun"]   = function1;
7312
7313         getHalfColorsFullAlpha(inputColors);
7314
7315         outputColors1[0]                = RGBA(178, 255, 229, 255);
7316         outputColors1[1]                = RGBA(178, 127, 102, 255);
7317         outputColors1[2]                = RGBA(51,  255, 102, 255);
7318         outputColors1[3]                = RGBA(51,  127, 229, 255);
7319
7320         createTestsForAllStages("out_of_order", inputColors, outputColors1, fragments1, group.get());
7321
7322         const char      typesAndConstants2[]    =
7323                 "%c_f32_p2  = OpConstant %f32 0.2\n";
7324
7325         // Add .4 to the second element of the given parameter.
7326         const char      function2[]                             =
7327                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7328                 "%param     = OpFunctionParameter %v4f32\n"
7329                 "%entry     = OpLabel\n"
7330                 "%result    = OpVariable %fp_v4f32 Function\n"
7331                 "             OpStore %result %param\n"
7332                 "%loc       = OpAccessChain %fp_f32 %result %c_i32_1\n"
7333                 "%val       = OpLoad %f32 %loc\n"
7334                 "             OpBranch %phi\n"
7335
7336                 "%phi        = OpLabel\n"
7337                 "%step       = OpPhi %i32 %c_i32_0  %entry %step_next  %phi\n"
7338                 "%accum      = OpPhi %f32 %val      %entry %accum_next %phi\n"
7339                 "%step_next  = OpIAdd %i32 %step  %c_i32_1\n"
7340                 "%accum_next = OpFAdd %f32 %accum %c_f32_p2\n"
7341                 "%still_loop = OpSLessThan %bool %step %c_i32_2\n"
7342                 "              OpLoopMerge %exit %phi None\n"
7343                 "              OpBranchConditional %still_loop %phi %exit\n"
7344
7345                 "%exit       = OpLabel\n"
7346                 "              OpStore %loc %accum\n"
7347                 "%ret        = OpLoad %v4f32 %result\n"
7348                 "              OpReturnValue %ret\n"
7349
7350                 "              OpFunctionEnd\n";
7351
7352         fragments2["pre_main"]  = typesAndConstants2;
7353         fragments2["testfun"]   = function2;
7354
7355         outputColors2[0]                        = RGBA(127, 229, 127, 255);
7356         outputColors2[1]                        = RGBA(127, 102, 0,   255);
7357         outputColors2[2]                        = RGBA(0,   229, 0,   255);
7358         outputColors2[3]                        = RGBA(0,   102, 127, 255);
7359
7360         createTestsForAllStages("induction", inputColors, outputColors2, fragments2, group.get());
7361
7362         const char      typesAndConstants3[]    =
7363                 "%true      = OpConstantTrue %bool\n"
7364                 "%false     = OpConstantFalse %bool\n"
7365                 "%c_f32_p2  = OpConstant %f32 0.2\n";
7366
7367         // Swap the second and the third element of the given parameter.
7368         const char      function3[]                             =
7369                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7370                 "%param     = OpFunctionParameter %v4f32\n"
7371                 "%entry     = OpLabel\n"
7372                 "%result    = OpVariable %fp_v4f32 Function\n"
7373                 "             OpStore %result %param\n"
7374                 "%a_loc     = OpAccessChain %fp_f32 %result %c_i32_1\n"
7375                 "%a_init    = OpLoad %f32 %a_loc\n"
7376                 "%b_loc     = OpAccessChain %fp_f32 %result %c_i32_2\n"
7377                 "%b_init    = OpLoad %f32 %b_loc\n"
7378                 "             OpBranch %phi\n"
7379
7380                 "%phi        = OpLabel\n"
7381                 "%still_loop = OpPhi %bool %true   %entry %false  %phi\n"
7382                 "%a_next     = OpPhi %f32  %a_init %entry %b_next %phi\n"
7383                 "%b_next     = OpPhi %f32  %b_init %entry %a_next %phi\n"
7384                 "              OpLoopMerge %exit %phi None\n"
7385                 "              OpBranchConditional %still_loop %phi %exit\n"
7386
7387                 "%exit       = OpLabel\n"
7388                 "              OpStore %a_loc %a_next\n"
7389                 "              OpStore %b_loc %b_next\n"
7390                 "%ret        = OpLoad %v4f32 %result\n"
7391                 "              OpReturnValue %ret\n"
7392
7393                 "              OpFunctionEnd\n";
7394
7395         fragments3["pre_main"]  = typesAndConstants3;
7396         fragments3["testfun"]   = function3;
7397
7398         outputColors3[0]                        = RGBA(127, 127, 127, 255);
7399         outputColors3[1]                        = RGBA(127, 0,   0,   255);
7400         outputColors3[2]                        = RGBA(0,   0,   127, 255);
7401         outputColors3[3]                        = RGBA(0,   127, 0,   255);
7402
7403         createTestsForAllStages("swap", inputColors, outputColors3, fragments3, group.get());
7404
7405         const char      typesAndConstants4[]    =
7406                 "%f16        = OpTypeFloat 16\n"
7407                 "%v4f16      = OpTypeVector %f16 4\n"
7408                 "%fp_f16     = OpTypePointer Function %f16\n"
7409                 "%fp_v4f16   = OpTypePointer Function %v4f16\n"
7410                 "%true       = OpConstantTrue %bool\n"
7411                 "%false      = OpConstantFalse %bool\n"
7412                 "%c_f32_p2   = OpConstant %f32 0.2\n";
7413
7414         // Swap the second and the third element of the given parameter.
7415         const char      function4[]                             =
7416                 "%test_code  = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7417                 "%param      = OpFunctionParameter %v4f32\n"
7418                 "%entry      = OpLabel\n"
7419                 "%result     = OpVariable %fp_v4f16 Function\n"
7420                 "%param16    = OpFConvert %v4f16 %param\n"
7421                 "              OpStore %result %param16\n"
7422                 "%a_loc      = OpAccessChain %fp_f16 %result %c_i32_1\n"
7423                 "%a_init     = OpLoad %f16 %a_loc\n"
7424                 "%b_loc      = OpAccessChain %fp_f16 %result %c_i32_2\n"
7425                 "%b_init     = OpLoad %f16 %b_loc\n"
7426                 "              OpBranch %phi\n"
7427
7428                 "%phi        = OpLabel\n"
7429                 "%still_loop = OpPhi %bool %true   %entry %false  %phi\n"
7430                 "%a_next     = OpPhi %f16  %a_init %entry %b_next %phi\n"
7431                 "%b_next     = OpPhi %f16  %b_init %entry %a_next %phi\n"
7432                 "              OpLoopMerge %exit %phi None\n"
7433                 "              OpBranchConditional %still_loop %phi %exit\n"
7434
7435                 "%exit       = OpLabel\n"
7436                 "              OpStore %a_loc %a_next\n"
7437                 "              OpStore %b_loc %b_next\n"
7438                 "%ret16      = OpLoad %v4f16 %result\n"
7439                 "%ret        = OpFConvert %v4f32 %ret16\n"
7440                 "              OpReturnValue %ret\n"
7441
7442                 "              OpFunctionEnd\n";
7443
7444         fragments4["pre_main"]          = typesAndConstants4;
7445         fragments4["testfun"]           = function4;
7446         fragments4["capability"]        = "OpCapability StorageUniformBufferBlock16\n";
7447         fragments4["extension"]         = "OpExtension \"SPV_KHR_16bit_storage\"";
7448
7449         extensions4.push_back("VK_KHR_16bit_storage");
7450         extensions4.push_back("VK_KHR_shader_float16_int8");
7451
7452         vulkanFeatures4.ext16BitStorage = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
7453         vulkanFeatures4.extFloat16Int8  = EXTFLOAT16INT8FEATURES_FLOAT16;
7454
7455         outputColors4[0]                        = RGBA(127, 127, 127, 255);
7456         outputColors4[1]                        = RGBA(127, 0,   0,   255);
7457         outputColors4[2]                        = RGBA(0,   0,   127, 255);
7458         outputColors4[3]                        = RGBA(0,   127, 0,   255);
7459
7460         createTestsForAllStages("swap16", inputColors, outputColors4, fragments4, resources4, extensions4, group.get(), vulkanFeatures4);
7461
7462         return group.release();
7463 }
7464
7465 tcu::TestCaseGroup* createNoContractionTests(tcu::TestContext& testCtx)
7466 {
7467         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "nocontraction", "Test the NoContraction decoration"));
7468         RGBA                                                    inputColors[4];
7469         RGBA                                                    outputColors[4];
7470
7471         // With NoContraction, (1 + 2^-23) * (1 - 2^-23) - 1 should be conducted as a multiplication and an addition separately.
7472         // For the multiplication, the result is 1 - 2^-46, which is out of the precision range for 32-bit float. (32-bit float
7473         // only have 23-bit fraction.) So it will be rounded to 1. Or 0x1.fffffc. Then the final result is 0 or -0x1p-24.
7474         // On the contrary, the result will be 2^-46, which is a normalized number perfectly representable as 32-bit float.
7475         const char                                              constantsAndTypes[]      =
7476                 "%c_vec4_0       = OpConstantComposite %v4f32 %c_f32_0 %c_f32_0 %c_f32_0 %c_f32_1\n"
7477                 "%c_vec4_1       = OpConstantComposite %v4f32 %c_f32_1 %c_f32_1 %c_f32_1 %c_f32_1\n"
7478                 "%c_f32_1pl2_23  = OpConstant %f32 0x1.000002p+0\n" // 1 + 2^-23
7479                 "%c_f32_1mi2_23  = OpConstant %f32 0x1.fffffcp-1\n" // 1 - 2^-23
7480                 "%c_f32_n1pn24   = OpConstant %f32 -0x1p-24\n";
7481
7482         const char                                              function[]       =
7483                 "%test_code      = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7484                 "%param          = OpFunctionParameter %v4f32\n"
7485                 "%label          = OpLabel\n"
7486                 "%var1           = OpVariable %fp_f32 Function %c_f32_1pl2_23\n"
7487                 "%var2           = OpVariable %fp_f32 Function\n"
7488                 "%red            = OpCompositeExtract %f32 %param 0\n"
7489                 "%plus_red       = OpFAdd %f32 %c_f32_1mi2_23 %red\n"
7490                 "                  OpStore %var2 %plus_red\n"
7491                 "%val1           = OpLoad %f32 %var1\n"
7492                 "%val2           = OpLoad %f32 %var2\n"
7493                 "%mul            = OpFMul %f32 %val1 %val2\n"
7494                 "%add            = OpFAdd %f32 %mul %c_f32_n1\n"
7495                 "%is0            = OpFOrdEqual %bool %add %c_f32_0\n"
7496                 "%isn1n24         = OpFOrdEqual %bool %add %c_f32_n1pn24\n"
7497                 "%success        = OpLogicalOr %bool %is0 %isn1n24\n"
7498                 "%v4success      = OpCompositeConstruct %v4bool %success %success %success %success\n"
7499                 "%ret            = OpSelect %v4f32 %v4success %c_vec4_0 %c_vec4_1\n"
7500                 "                  OpReturnValue %ret\n"
7501                 "                  OpFunctionEnd\n";
7502
7503         struct CaseNameDecoration
7504         {
7505                 string name;
7506                 string decoration;
7507         };
7508
7509
7510         CaseNameDecoration tests[] = {
7511                 {"multiplication",      "OpDecorate %mul NoContraction"},
7512                 {"addition",            "OpDecorate %add NoContraction"},
7513                 {"both",                        "OpDecorate %mul NoContraction\nOpDecorate %add NoContraction"},
7514         };
7515
7516         getHalfColorsFullAlpha(inputColors);
7517
7518         for (deUint8 idx = 0; idx < 4; ++idx)
7519         {
7520                 inputColors[idx].setRed(0);
7521                 outputColors[idx] = RGBA(0, 0, 0, 255);
7522         }
7523
7524         for (size_t testNdx = 0; testNdx < sizeof(tests) / sizeof(CaseNameDecoration); ++testNdx)
7525         {
7526                 map<string, string> fragments;
7527
7528                 fragments["decoration"] = tests[testNdx].decoration;
7529                 fragments["pre_main"] = constantsAndTypes;
7530                 fragments["testfun"] = function;
7531
7532                 createTestsForAllStages(tests[testNdx].name, inputColors, outputColors, fragments, group.get());
7533         }
7534
7535         return group.release();
7536 }
7537
7538 tcu::TestCaseGroup* createMemoryAccessTests(tcu::TestContext& testCtx)
7539 {
7540         de::MovePtr<tcu::TestCaseGroup> memoryAccessTests (new tcu::TestCaseGroup(testCtx, "opmemoryaccess", "Memory Semantics"));
7541         RGBA                                                    colors[4];
7542
7543         const char                                              constantsAndTypes[]      =
7544                 "%c_a2f32_1         = OpConstantComposite %a2f32 %c_f32_1 %c_f32_1\n"
7545                 "%fp_a2f32          = OpTypePointer Function %a2f32\n"
7546                 "%stype             = OpTypeStruct  %v4f32 %a2f32 %f32\n"
7547                 "%fp_stype          = OpTypePointer Function %stype\n";
7548
7549         const char                                              function[]       =
7550                 "%test_code         = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7551                 "%param1            = OpFunctionParameter %v4f32\n"
7552                 "%lbl               = OpLabel\n"
7553                 "%v1                = OpVariable %fp_v4f32 Function\n"
7554                 "%v2                = OpVariable %fp_a2f32 Function\n"
7555                 "%v3                = OpVariable %fp_f32 Function\n"
7556                 "%v                 = OpVariable %fp_stype Function\n"
7557                 "%vv                = OpVariable %fp_stype Function\n"
7558                 "%vvv               = OpVariable %fp_f32 Function\n"
7559
7560                 "                     OpStore %v1 %c_v4f32_1_1_1_1\n"
7561                 "                     OpStore %v2 %c_a2f32_1\n"
7562                 "                     OpStore %v3 %c_f32_1\n"
7563
7564                 "%p_v4f32          = OpAccessChain %fp_v4f32 %v %c_u32_0\n"
7565                 "%p_a2f32          = OpAccessChain %fp_a2f32 %v %c_u32_1\n"
7566                 "%p_f32            = OpAccessChain %fp_f32 %v %c_u32_2\n"
7567                 "%v1_v             = OpLoad %v4f32 %v1 ${access_type}\n"
7568                 "%v2_v             = OpLoad %a2f32 %v2 ${access_type}\n"
7569                 "%v3_v             = OpLoad %f32 %v3 ${access_type}\n"
7570
7571                 "                    OpStore %p_v4f32 %v1_v ${access_type}\n"
7572                 "                    OpStore %p_a2f32 %v2_v ${access_type}\n"
7573                 "                    OpStore %p_f32 %v3_v ${access_type}\n"
7574
7575                 "                    OpCopyMemory %vv %v ${access_type}\n"
7576                 "                    OpCopyMemory %vvv %p_f32 ${access_type}\n"
7577
7578                 "%p_f32_2          = OpAccessChain %fp_f32 %vv %c_u32_2\n"
7579                 "%v_f32_2          = OpLoad %f32 %p_f32_2\n"
7580                 "%v_f32_3          = OpLoad %f32 %vvv\n"
7581
7582                 "%ret1             = OpVectorTimesScalar %v4f32 %param1 %v_f32_2\n"
7583                 "%ret2             = OpVectorTimesScalar %v4f32 %ret1 %v_f32_3\n"
7584                 "                    OpReturnValue %ret2\n"
7585                 "                    OpFunctionEnd\n";
7586
7587         struct NameMemoryAccess
7588         {
7589                 string name;
7590                 string accessType;
7591         };
7592
7593
7594         NameMemoryAccess tests[] =
7595         {
7596                 { "none", "" },
7597                 { "volatile", "Volatile" },
7598                 { "aligned",  "Aligned 1" },
7599                 { "volatile_aligned",  "Volatile|Aligned 1" },
7600                 { "nontemporal_aligned",  "Nontemporal|Aligned 1" },
7601                 { "volatile_nontemporal",  "Volatile|Nontemporal" },
7602                 { "volatile_nontermporal_aligned",  "Volatile|Nontemporal|Aligned 1" },
7603         };
7604
7605         getHalfColorsFullAlpha(colors);
7606
7607         for (size_t testNdx = 0; testNdx < sizeof(tests) / sizeof(NameMemoryAccess); ++testNdx)
7608         {
7609                 map<string, string> fragments;
7610                 map<string, string> memoryAccess;
7611                 memoryAccess["access_type"] = tests[testNdx].accessType;
7612
7613                 fragments["pre_main"] = constantsAndTypes;
7614                 fragments["testfun"] = tcu::StringTemplate(function).specialize(memoryAccess);
7615                 createTestsForAllStages(tests[testNdx].name, colors, colors, fragments, memoryAccessTests.get());
7616         }
7617         return memoryAccessTests.release();
7618 }
7619 tcu::TestCaseGroup* createOpUndefTests(tcu::TestContext& testCtx)
7620 {
7621         de::MovePtr<tcu::TestCaseGroup>         opUndefTests             (new tcu::TestCaseGroup(testCtx, "opundef", "Test OpUndef"));
7622         RGBA                                                            defaultColors[4];
7623         map<string, string>                                     fragments;
7624         getDefaultColors(defaultColors);
7625
7626         // First, simple cases that don't do anything with the OpUndef result.
7627         struct NameCodePair { string name, decl, type; };
7628         const NameCodePair tests[] =
7629         {
7630                 {"bool", "", "%bool"},
7631                 {"vec2uint32", "", "%v2u32"},
7632                 {"image", "%type = OpTypeImage %f32 2D 0 0 0 1 Unknown", "%type"},
7633                 {"sampler", "%type = OpTypeSampler", "%type"},
7634                 {"sampledimage", "%img = OpTypeImage %f32 2D 0 0 0 1 Unknown\n" "%type = OpTypeSampledImage %img", "%type"},
7635                 {"pointer", "", "%fp_i32"},
7636                 {"runtimearray", "%type = OpTypeRuntimeArray %f32", "%type"},
7637                 {"array", "%c_u32_100 = OpConstant %u32 100\n" "%type = OpTypeArray %i32 %c_u32_100", "%type"},
7638                 {"struct", "%type = OpTypeStruct %f32 %i32 %u32", "%type"}};
7639         for (size_t testNdx = 0; testNdx < sizeof(tests) / sizeof(NameCodePair); ++testNdx)
7640         {
7641                 fragments["undef_type"] = tests[testNdx].type;
7642                 fragments["testfun"] = StringTemplate(
7643                         "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7644                         "%param1 = OpFunctionParameter %v4f32\n"
7645                         "%label_testfun = OpLabel\n"
7646                         "%undef = OpUndef ${undef_type}\n"
7647                         "OpReturnValue %param1\n"
7648                         "OpFunctionEnd\n").specialize(fragments);
7649                 fragments["pre_main"] = tests[testNdx].decl;
7650                 createTestsForAllStages(tests[testNdx].name, defaultColors, defaultColors, fragments, opUndefTests.get());
7651         }
7652         fragments.clear();
7653
7654         fragments["testfun"] =
7655                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7656                 "%param1 = OpFunctionParameter %v4f32\n"
7657                 "%label_testfun = OpLabel\n"
7658                 "%undef = OpUndef %f32\n"
7659                 "%zero = OpFMul %f32 %undef %c_f32_0\n"
7660                 "%is_nan = OpIsNan %bool %zero\n" //OpUndef may result in NaN which may turn %zero into Nan.
7661                 "%actually_zero = OpSelect %f32 %is_nan %c_f32_0 %zero\n"
7662                 "%a = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
7663                 "%b = OpFAdd %f32 %a %actually_zero\n"
7664                 "%ret = OpVectorInsertDynamic %v4f32 %param1 %b %c_i32_0\n"
7665                 "OpReturnValue %ret\n"
7666                 "OpFunctionEnd\n";
7667
7668         createTestsForAllStages("float32", defaultColors, defaultColors, fragments, opUndefTests.get());
7669
7670         fragments["testfun"] =
7671                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7672                 "%param1 = OpFunctionParameter %v4f32\n"
7673                 "%label_testfun = OpLabel\n"
7674                 "%undef = OpUndef %i32\n"
7675                 "%zero = OpIMul %i32 %undef %c_i32_0\n"
7676                 "%a = OpVectorExtractDynamic %f32 %param1 %zero\n"
7677                 "%ret = OpVectorInsertDynamic %v4f32 %param1 %a %c_i32_0\n"
7678                 "OpReturnValue %ret\n"
7679                 "OpFunctionEnd\n";
7680
7681         createTestsForAllStages("sint32", defaultColors, defaultColors, fragments, opUndefTests.get());
7682
7683         fragments["testfun"] =
7684                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7685                 "%param1 = OpFunctionParameter %v4f32\n"
7686                 "%label_testfun = OpLabel\n"
7687                 "%undef = OpUndef %u32\n"
7688                 "%zero = OpIMul %u32 %undef %c_i32_0\n"
7689                 "%a = OpVectorExtractDynamic %f32 %param1 %zero\n"
7690                 "%ret = OpVectorInsertDynamic %v4f32 %param1 %a %c_i32_0\n"
7691                 "OpReturnValue %ret\n"
7692                 "OpFunctionEnd\n";
7693
7694         createTestsForAllStages("uint32", defaultColors, defaultColors, fragments, opUndefTests.get());
7695
7696         fragments["testfun"] =
7697                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7698                 "%param1 = OpFunctionParameter %v4f32\n"
7699                 "%label_testfun = OpLabel\n"
7700                 "%undef = OpUndef %v4f32\n"
7701                 "%vzero = OpVectorTimesScalar %v4f32 %undef %c_f32_0\n"
7702                 "%zero_0 = OpVectorExtractDynamic %f32 %vzero %c_i32_0\n"
7703                 "%zero_1 = OpVectorExtractDynamic %f32 %vzero %c_i32_1\n"
7704                 "%zero_2 = OpVectorExtractDynamic %f32 %vzero %c_i32_2\n"
7705                 "%zero_3 = OpVectorExtractDynamic %f32 %vzero %c_i32_3\n"
7706                 "%is_nan_0 = OpIsNan %bool %zero_0\n"
7707                 "%is_nan_1 = OpIsNan %bool %zero_1\n"
7708                 "%is_nan_2 = OpIsNan %bool %zero_2\n"
7709                 "%is_nan_3 = OpIsNan %bool %zero_3\n"
7710                 "%actually_zero_0 = OpSelect %f32 %is_nan_0 %c_f32_0 %zero_0\n"
7711                 "%actually_zero_1 = OpSelect %f32 %is_nan_1 %c_f32_0 %zero_1\n"
7712                 "%actually_zero_2 = OpSelect %f32 %is_nan_2 %c_f32_0 %zero_2\n"
7713                 "%actually_zero_3 = OpSelect %f32 %is_nan_3 %c_f32_0 %zero_3\n"
7714                 "%param1_0 = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
7715                 "%param1_1 = OpVectorExtractDynamic %f32 %param1 %c_i32_1\n"
7716                 "%param1_2 = OpVectorExtractDynamic %f32 %param1 %c_i32_2\n"
7717                 "%param1_3 = OpVectorExtractDynamic %f32 %param1 %c_i32_3\n"
7718                 "%sum_0 = OpFAdd %f32 %param1_0 %actually_zero_0\n"
7719                 "%sum_1 = OpFAdd %f32 %param1_1 %actually_zero_1\n"
7720                 "%sum_2 = OpFAdd %f32 %param1_2 %actually_zero_2\n"
7721                 "%sum_3 = OpFAdd %f32 %param1_3 %actually_zero_3\n"
7722                 "%ret3 = OpVectorInsertDynamic %v4f32 %param1 %sum_3 %c_i32_3\n"
7723                 "%ret2 = OpVectorInsertDynamic %v4f32 %ret3 %sum_2 %c_i32_2\n"
7724                 "%ret1 = OpVectorInsertDynamic %v4f32 %ret2 %sum_1 %c_i32_1\n"
7725                 "%ret = OpVectorInsertDynamic %v4f32 %ret1 %sum_0 %c_i32_0\n"
7726                 "OpReturnValue %ret\n"
7727                 "OpFunctionEnd\n";
7728
7729         createTestsForAllStages("vec4float32", defaultColors, defaultColors, fragments, opUndefTests.get());
7730
7731         fragments["pre_main"] =
7732                 "%m2x2f32 = OpTypeMatrix %v2f32 2\n";
7733         fragments["testfun"] =
7734                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7735                 "%param1 = OpFunctionParameter %v4f32\n"
7736                 "%label_testfun = OpLabel\n"
7737                 "%undef = OpUndef %m2x2f32\n"
7738                 "%mzero = OpMatrixTimesScalar %m2x2f32 %undef %c_f32_0\n"
7739                 "%zero_0 = OpCompositeExtract %f32 %mzero 0 0\n"
7740                 "%zero_1 = OpCompositeExtract %f32 %mzero 0 1\n"
7741                 "%zero_2 = OpCompositeExtract %f32 %mzero 1 0\n"
7742                 "%zero_3 = OpCompositeExtract %f32 %mzero 1 1\n"
7743                 "%is_nan_0 = OpIsNan %bool %zero_0\n"
7744                 "%is_nan_1 = OpIsNan %bool %zero_1\n"
7745                 "%is_nan_2 = OpIsNan %bool %zero_2\n"
7746                 "%is_nan_3 = OpIsNan %bool %zero_3\n"
7747                 "%actually_zero_0 = OpSelect %f32 %is_nan_0 %c_f32_0 %zero_0\n"
7748                 "%actually_zero_1 = OpSelect %f32 %is_nan_1 %c_f32_0 %zero_1\n"
7749                 "%actually_zero_2 = OpSelect %f32 %is_nan_2 %c_f32_0 %zero_2\n"
7750                 "%actually_zero_3 = OpSelect %f32 %is_nan_3 %c_f32_0 %zero_3\n"
7751                 "%param1_0 = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
7752                 "%param1_1 = OpVectorExtractDynamic %f32 %param1 %c_i32_1\n"
7753                 "%param1_2 = OpVectorExtractDynamic %f32 %param1 %c_i32_2\n"
7754                 "%param1_3 = OpVectorExtractDynamic %f32 %param1 %c_i32_3\n"
7755                 "%sum_0 = OpFAdd %f32 %param1_0 %actually_zero_0\n"
7756                 "%sum_1 = OpFAdd %f32 %param1_1 %actually_zero_1\n"
7757                 "%sum_2 = OpFAdd %f32 %param1_2 %actually_zero_2\n"
7758                 "%sum_3 = OpFAdd %f32 %param1_3 %actually_zero_3\n"
7759                 "%ret3 = OpVectorInsertDynamic %v4f32 %param1 %sum_3 %c_i32_3\n"
7760                 "%ret2 = OpVectorInsertDynamic %v4f32 %ret3 %sum_2 %c_i32_2\n"
7761                 "%ret1 = OpVectorInsertDynamic %v4f32 %ret2 %sum_1 %c_i32_1\n"
7762                 "%ret = OpVectorInsertDynamic %v4f32 %ret1 %sum_0 %c_i32_0\n"
7763                 "OpReturnValue %ret\n"
7764                 "OpFunctionEnd\n";
7765
7766         createTestsForAllStages("matrix", defaultColors, defaultColors, fragments, opUndefTests.get());
7767
7768         return opUndefTests.release();
7769 }
7770
7771 void createOpQuantizeSingleOptionTests(tcu::TestCaseGroup* testCtx)
7772 {
7773         const RGBA              inputColors[4]          =
7774         {
7775                 RGBA(0,         0,              0,              255),
7776                 RGBA(0,         0,              255,    255),
7777                 RGBA(0,         255,    0,              255),
7778                 RGBA(0,         255,    255,    255)
7779         };
7780
7781         const RGBA              expectedColors[4]       =
7782         {
7783                 RGBA(255,        0,              0,              255),
7784                 RGBA(255,        0,              0,              255),
7785                 RGBA(255,        0,              0,              255),
7786                 RGBA(255,        0,              0,              255)
7787         };
7788
7789         const struct SingleFP16Possibility
7790         {
7791                 const char* name;
7792                 const char* constant;  // Value to assign to %test_constant.
7793                 float           valueAsFloat;
7794                 const char* condition; // Must assign to %cond an expression that evaluates to true after %c = OpQuantizeToF16(%test_constant + 0).
7795         }                               tests[]                         =
7796         {
7797                 {
7798                         "negative",
7799                         "-0x1.3p1\n",
7800                         -constructNormalizedFloat(1, 0x300000),
7801                         "%cond = OpFOrdEqual %bool %c %test_constant\n"
7802                 }, // -19
7803                 {
7804                         "positive",
7805                         "0x1.0p7\n",
7806                         constructNormalizedFloat(7, 0x000000),
7807                         "%cond = OpFOrdEqual %bool %c %test_constant\n"
7808                 },  // +128
7809                 // SPIR-V requires that OpQuantizeToF16 flushes
7810                 // any numbers that would end up denormalized in F16 to zero.
7811                 {
7812                         "denorm",
7813                         "0x0.0006p-126\n",
7814                         std::ldexp(1.5f, -140),
7815                         "%cond = OpFOrdEqual %bool %c %c_f32_0\n"
7816                 },  // denorm
7817                 {
7818                         "negative_denorm",
7819                         "-0x0.0006p-126\n",
7820                         -std::ldexp(1.5f, -140),
7821                         "%cond = OpFOrdEqual %bool %c %c_f32_0\n"
7822                 }, // -denorm
7823                 {
7824                         "too_small",
7825                         "0x1.0p-16\n",
7826                         std::ldexp(1.0f, -16),
7827                         "%cond = OpFOrdEqual %bool %c %c_f32_0\n"
7828                 },     // too small positive
7829                 {
7830                         "negative_too_small",
7831                         "-0x1.0p-32\n",
7832                         -std::ldexp(1.0f, -32),
7833                         "%cond = OpFOrdEqual %bool %c %c_f32_0\n"
7834                 },      // too small negative
7835                 {
7836                         "negative_inf",
7837                         "-0x1.0p128\n",
7838                         -std::ldexp(1.0f, 128),
7839
7840                         "%gz = OpFOrdLessThan %bool %c %c_f32_0\n"
7841                         "%inf = OpIsInf %bool %c\n"
7842                         "%cond = OpLogicalAnd %bool %gz %inf\n"
7843                 },     // -inf to -inf
7844                 {
7845                         "inf",
7846                         "0x1.0p128\n",
7847                         std::ldexp(1.0f, 128),
7848
7849                         "%gz = OpFOrdGreaterThan %bool %c %c_f32_0\n"
7850                         "%inf = OpIsInf %bool %c\n"
7851                         "%cond = OpLogicalAnd %bool %gz %inf\n"
7852                 },     // +inf to +inf
7853                 {
7854                         "round_to_negative_inf",
7855                         "-0x1.0p32\n",
7856                         -std::ldexp(1.0f, 32),
7857
7858                         "%gz = OpFOrdLessThan %bool %c %c_f32_0\n"
7859                         "%inf = OpIsInf %bool %c\n"
7860                         "%cond = OpLogicalAnd %bool %gz %inf\n"
7861                 },     // round to -inf
7862                 {
7863                         "round_to_inf",
7864                         "0x1.0p16\n",
7865                         std::ldexp(1.0f, 16),
7866
7867                         "%gz = OpFOrdGreaterThan %bool %c %c_f32_0\n"
7868                         "%inf = OpIsInf %bool %c\n"
7869                         "%cond = OpLogicalAnd %bool %gz %inf\n"
7870                 },     // round to +inf
7871                 {
7872                         "nan",
7873                         "0x1.1p128\n",
7874                         std::numeric_limits<float>::quiet_NaN(),
7875
7876                         // Test for any NaN value, as NaNs are not preserved
7877                         "%direct_quant = OpQuantizeToF16 %f32 %test_constant\n"
7878                         "%cond = OpIsNan %bool %direct_quant\n"
7879                 }, // nan
7880                 {
7881                         "negative_nan",
7882                         "-0x1.0001p128\n",
7883                         std::numeric_limits<float>::quiet_NaN(),
7884
7885                         // Test for any NaN value, as NaNs are not preserved
7886                         "%direct_quant = OpQuantizeToF16 %f32 %test_constant\n"
7887                         "%cond = OpIsNan %bool %direct_quant\n"
7888                 } // -nan
7889         };
7890         const char*             constants                       =
7891                 "%test_constant = OpConstant %f32 ";  // The value will be test.constant.
7892
7893         StringTemplate  function                        (
7894                 "%test_code     = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7895                 "%param1        = OpFunctionParameter %v4f32\n"
7896                 "%label_testfun = OpLabel\n"
7897                 "%a             = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
7898                 "%b             = OpFAdd %f32 %test_constant %a\n"
7899                 "%c             = OpQuantizeToF16 %f32 %b\n"
7900                 "${condition}\n"
7901                 "%v4cond        = OpCompositeConstruct %v4bool %cond %cond %cond %cond\n"
7902                 "%retval        = OpSelect %v4f32 %v4cond %c_v4f32_1_0_0_1 %param1\n"
7903                 "                 OpReturnValue %retval\n"
7904                 "OpFunctionEnd\n"
7905         );
7906
7907         const char*             specDecorations         = "OpDecorate %test_constant SpecId 0\n";
7908         const char*             specConstants           =
7909                         "%test_constant = OpSpecConstant %f32 0.\n"
7910                         "%c             = OpSpecConstantOp %f32 QuantizeToF16 %test_constant\n";
7911
7912         StringTemplate  specConstantFunction(
7913                 "%test_code     = OpFunction %v4f32 None %v4f32_v4f32_function\n"
7914                 "%param1        = OpFunctionParameter %v4f32\n"
7915                 "%label_testfun = OpLabel\n"
7916                 "${condition}\n"
7917                 "%v4cond        = OpCompositeConstruct %v4bool %cond %cond %cond %cond\n"
7918                 "%retval        = OpSelect %v4f32 %v4cond %c_v4f32_1_0_0_1 %param1\n"
7919                 "                 OpReturnValue %retval\n"
7920                 "OpFunctionEnd\n"
7921         );
7922
7923         for (size_t idx = 0; idx < (sizeof(tests)/sizeof(tests[0])); ++idx)
7924         {
7925                 map<string, string>                                                             codeSpecialization;
7926                 map<string, string>                                                             fragments;
7927                 codeSpecialization["condition"]                                 = tests[idx].condition;
7928                 fragments["testfun"]                                                    = function.specialize(codeSpecialization);
7929                 fragments["pre_main"]                                                   = string(constants) + tests[idx].constant + "\n";
7930                 createTestsForAllStages(tests[idx].name, inputColors, expectedColors, fragments, testCtx);
7931         }
7932
7933         for (size_t idx = 0; idx < (sizeof(tests)/sizeof(tests[0])); ++idx)
7934         {
7935                 map<string, string>                                                             codeSpecialization;
7936                 map<string, string>                                                             fragments;
7937                 SpecConstants                                                                   passConstants;
7938
7939                 codeSpecialization["condition"]                                 = tests[idx].condition;
7940                 fragments["testfun"]                                                    = specConstantFunction.specialize(codeSpecialization);
7941                 fragments["decoration"]                                                 = specDecorations;
7942                 fragments["pre_main"]                                                   = specConstants;
7943
7944                 passConstants.append<float>(tests[idx].valueAsFloat);
7945
7946                 createTestsForAllStages(string("spec_const_") + tests[idx].name, inputColors, expectedColors, fragments, passConstants, testCtx);
7947         }
7948 }
7949
7950 void createOpQuantizeTwoPossibilityTests(tcu::TestCaseGroup* testCtx)
7951 {
7952         RGBA inputColors[4] =  {
7953                 RGBA(0,         0,              0,              255),
7954                 RGBA(0,         0,              255,    255),
7955                 RGBA(0,         255,    0,              255),
7956                 RGBA(0,         255,    255,    255)
7957         };
7958
7959         RGBA expectedColors[4] =
7960         {
7961                 RGBA(255,        0,              0,              255),
7962                 RGBA(255,        0,              0,              255),
7963                 RGBA(255,        0,              0,              255),
7964                 RGBA(255,        0,              0,              255)
7965         };
7966
7967         struct DualFP16Possibility
7968         {
7969                 const char* name;
7970                 const char* input;
7971                 float           inputAsFloat;
7972                 const char* possibleOutput1;
7973                 const char* possibleOutput2;
7974         } tests[] = {
7975                 {
7976                         "positive_round_up_or_round_down",
7977                         "0x1.3003p8",
7978                         constructNormalizedFloat(8, 0x300300),
7979                         "0x1.304p8",
7980                         "0x1.3p8"
7981                 },
7982                 {
7983                         "negative_round_up_or_round_down",
7984                         "-0x1.6008p-7",
7985                         -constructNormalizedFloat(-7, 0x600800),
7986                         "-0x1.6p-7",
7987                         "-0x1.604p-7"
7988                 },
7989                 {
7990                         "carry_bit",
7991                         "0x1.01ep2",
7992                         constructNormalizedFloat(2, 0x01e000),
7993                         "0x1.01cp2",
7994                         "0x1.02p2"
7995                 },
7996                 {
7997                         "carry_to_exponent",
7998                         "0x1.ffep1",
7999                         constructNormalizedFloat(1, 0xffe000),
8000                         "0x1.ffcp1",
8001                         "0x1.0p2"
8002                 },
8003         };
8004         StringTemplate constants (
8005                 "%input_const = OpConstant %f32 ${input}\n"
8006                 "%possible_solution1 = OpConstant %f32 ${output1}\n"
8007                 "%possible_solution2 = OpConstant %f32 ${output2}\n"
8008                 );
8009
8010         StringTemplate specConstants (
8011                 "%input_const = OpSpecConstant %f32 0.\n"
8012                 "%possible_solution1 = OpConstant %f32 ${output1}\n"
8013                 "%possible_solution2 = OpConstant %f32 ${output2}\n"
8014         );
8015
8016         const char* specDecorations = "OpDecorate %input_const  SpecId 0\n";
8017
8018         const char* function  =
8019                 "%test_code     = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8020                 "%param1        = OpFunctionParameter %v4f32\n"
8021                 "%label_testfun = OpLabel\n"
8022                 "%a             = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
8023                 // For the purposes of this test we assume that 0.f will always get
8024                 // faithfully passed through the pipeline stages.
8025                 "%b             = OpFAdd %f32 %input_const %a\n"
8026                 "%c             = OpQuantizeToF16 %f32 %b\n"
8027                 "%eq_1          = OpFOrdEqual %bool %c %possible_solution1\n"
8028                 "%eq_2          = OpFOrdEqual %bool %c %possible_solution2\n"
8029                 "%cond          = OpLogicalOr %bool %eq_1 %eq_2\n"
8030                 "%v4cond        = OpCompositeConstruct %v4bool %cond %cond %cond %cond\n"
8031                 "%retval        = OpSelect %v4f32 %v4cond %c_v4f32_1_0_0_1 %param1"
8032                 "                 OpReturnValue %retval\n"
8033                 "OpFunctionEnd\n";
8034
8035         for(size_t idx = 0; idx < (sizeof(tests)/sizeof(tests[0])); ++idx) {
8036                 map<string, string>                                                                     fragments;
8037                 map<string, string>                                                                     constantSpecialization;
8038
8039                 constantSpecialization["input"]                                         = tests[idx].input;
8040                 constantSpecialization["output1"]                                       = tests[idx].possibleOutput1;
8041                 constantSpecialization["output2"]                                       = tests[idx].possibleOutput2;
8042                 fragments["testfun"]                                                            = function;
8043                 fragments["pre_main"]                                                           = constants.specialize(constantSpecialization);
8044                 createTestsForAllStages(tests[idx].name, inputColors, expectedColors, fragments, testCtx);
8045         }
8046
8047         for(size_t idx = 0; idx < (sizeof(tests)/sizeof(tests[0])); ++idx) {
8048                 map<string, string>                                                                     fragments;
8049                 map<string, string>                                                                     constantSpecialization;
8050                 SpecConstants                                                                           passConstants;
8051
8052                 constantSpecialization["output1"]                                       = tests[idx].possibleOutput1;
8053                 constantSpecialization["output2"]                                       = tests[idx].possibleOutput2;
8054                 fragments["testfun"]                                                            = function;
8055                 fragments["decoration"]                                                         = specDecorations;
8056                 fragments["pre_main"]                                                           = specConstants.specialize(constantSpecialization);
8057
8058                 passConstants.append<float>(tests[idx].inputAsFloat);
8059
8060                 createTestsForAllStages(string("spec_const_") + tests[idx].name, inputColors, expectedColors, fragments, passConstants, testCtx);
8061         }
8062 }
8063
8064 tcu::TestCaseGroup* createOpQuantizeTests(tcu::TestContext& testCtx)
8065 {
8066         de::MovePtr<tcu::TestCaseGroup> opQuantizeTests (new tcu::TestCaseGroup(testCtx, "opquantize", "Test OpQuantizeToF16"));
8067         createOpQuantizeSingleOptionTests(opQuantizeTests.get());
8068         createOpQuantizeTwoPossibilityTests(opQuantizeTests.get());
8069         return opQuantizeTests.release();
8070 }
8071
8072 struct ShaderPermutation
8073 {
8074         deUint8 vertexPermutation;
8075         deUint8 geometryPermutation;
8076         deUint8 tesscPermutation;
8077         deUint8 tessePermutation;
8078         deUint8 fragmentPermutation;
8079 };
8080
8081 ShaderPermutation getShaderPermutation(deUint8 inputValue)
8082 {
8083         ShaderPermutation       permutation =
8084         {
8085                 static_cast<deUint8>(inputValue & 0x10? 1u: 0u),
8086                 static_cast<deUint8>(inputValue & 0x08? 1u: 0u),
8087                 static_cast<deUint8>(inputValue & 0x04? 1u: 0u),
8088                 static_cast<deUint8>(inputValue & 0x02? 1u: 0u),
8089                 static_cast<deUint8>(inputValue & 0x01? 1u: 0u)
8090         };
8091         return permutation;
8092 }
8093
8094 tcu::TestCaseGroup* createModuleTests(tcu::TestContext& testCtx)
8095 {
8096         RGBA                                                            defaultColors[4];
8097         RGBA                                                            invertedColors[4];
8098         de::MovePtr<tcu::TestCaseGroup>         moduleTests                     (new tcu::TestCaseGroup(testCtx, "module", "Multiple entry points into shaders"));
8099
8100         getDefaultColors(defaultColors);
8101         getInvertedDefaultColors(invertedColors);
8102
8103         // Combined module tests
8104         {
8105                 // Shader stages: vertex and fragment
8106                 {
8107                         const ShaderElement combinedPipeline[]  =
8108                         {
8109                                 ShaderElement("module", "main", VK_SHADER_STAGE_VERTEX_BIT),
8110                                 ShaderElement("module", "main", VK_SHADER_STAGE_FRAGMENT_BIT)
8111                         };
8112
8113                         addFunctionCaseWithPrograms<InstanceContext>(
8114                                 moduleTests.get(), "same_module", "", createCombinedModule, runAndVerifyDefaultPipeline,
8115                                 createInstanceContext(combinedPipeline, map<string, string>()));
8116                 }
8117
8118                 // Shader stages: vertex, geometry and fragment
8119                 {
8120                         const ShaderElement combinedPipeline[]  =
8121                         {
8122                                 ShaderElement("module", "main", VK_SHADER_STAGE_VERTEX_BIT),
8123                                 ShaderElement("module", "main", VK_SHADER_STAGE_GEOMETRY_BIT),
8124                                 ShaderElement("module", "main", VK_SHADER_STAGE_FRAGMENT_BIT)
8125                         };
8126
8127                         addFunctionCaseWithPrograms<InstanceContext>(
8128                                 moduleTests.get(), "same_module_geom", "", createCombinedModule, runAndVerifyDefaultPipeline,
8129                                 createInstanceContext(combinedPipeline, map<string, string>()));
8130                 }
8131
8132                 // Shader stages: vertex, tessellation control, tessellation evaluation and fragment
8133                 {
8134                         const ShaderElement combinedPipeline[]  =
8135                         {
8136                                 ShaderElement("module", "main", VK_SHADER_STAGE_VERTEX_BIT),
8137                                 ShaderElement("module", "main", VK_SHADER_STAGE_TESSELLATION_CONTROL_BIT),
8138                                 ShaderElement("module", "main", VK_SHADER_STAGE_TESSELLATION_EVALUATION_BIT),
8139                                 ShaderElement("module", "main", VK_SHADER_STAGE_FRAGMENT_BIT)
8140                         };
8141
8142                         addFunctionCaseWithPrograms<InstanceContext>(
8143                                 moduleTests.get(), "same_module_tessc_tesse", "", createCombinedModule, runAndVerifyDefaultPipeline,
8144                                 createInstanceContext(combinedPipeline, map<string, string>()));
8145                 }
8146
8147                 // Shader stages: vertex, tessellation control, tessellation evaluation, geometry and fragment
8148                 {
8149                         const ShaderElement combinedPipeline[]  =
8150                         {
8151                                 ShaderElement("module", "main", VK_SHADER_STAGE_VERTEX_BIT),
8152                                 ShaderElement("module", "main", VK_SHADER_STAGE_TESSELLATION_CONTROL_BIT),
8153                                 ShaderElement("module", "main", VK_SHADER_STAGE_TESSELLATION_EVALUATION_BIT),
8154                                 ShaderElement("module", "main", VK_SHADER_STAGE_GEOMETRY_BIT),
8155                                 ShaderElement("module", "main", VK_SHADER_STAGE_FRAGMENT_BIT)
8156                         };
8157
8158                         addFunctionCaseWithPrograms<InstanceContext>(
8159                                 moduleTests.get(), "same_module_tessc_tesse_geom", "", createCombinedModule, runAndVerifyDefaultPipeline,
8160                                 createInstanceContext(combinedPipeline, map<string, string>()));
8161                 }
8162         }
8163
8164         const char* numbers[] =
8165         {
8166                 "1", "2"
8167         };
8168
8169         for (deInt8 idx = 0; idx < 32; ++idx)
8170         {
8171                 ShaderPermutation                       permutation             = getShaderPermutation(idx);
8172                 string                                          name                    = string("vert") + numbers[permutation.vertexPermutation] + "_geom" + numbers[permutation.geometryPermutation] + "_tessc" + numbers[permutation.tesscPermutation] + "_tesse" + numbers[permutation.tessePermutation] + "_frag" + numbers[permutation.fragmentPermutation];
8173                 const ShaderElement                     pipeline[]              =
8174                 {
8175                         ShaderElement("vert",   string("vert") +        numbers[permutation.vertexPermutation],         VK_SHADER_STAGE_VERTEX_BIT),
8176                         ShaderElement("geom",   string("geom") +        numbers[permutation.geometryPermutation],       VK_SHADER_STAGE_GEOMETRY_BIT),
8177                         ShaderElement("tessc",  string("tessc") +       numbers[permutation.tesscPermutation],          VK_SHADER_STAGE_TESSELLATION_CONTROL_BIT),
8178                         ShaderElement("tesse",  string("tesse") +       numbers[permutation.tessePermutation],          VK_SHADER_STAGE_TESSELLATION_EVALUATION_BIT),
8179                         ShaderElement("frag",   string("frag") +        numbers[permutation.fragmentPermutation],       VK_SHADER_STAGE_FRAGMENT_BIT)
8180                 };
8181
8182                 // If there are an even number of swaps, then it should be no-op.
8183                 // If there are an odd number, the color should be flipped.
8184                 if ((permutation.vertexPermutation + permutation.geometryPermutation + permutation.tesscPermutation + permutation.tessePermutation + permutation.fragmentPermutation) % 2 == 0)
8185                 {
8186                         addFunctionCaseWithPrograms<InstanceContext>(
8187                                         moduleTests.get(), name, "", createMultipleEntries, runAndVerifyDefaultPipeline,
8188                                         createInstanceContext(pipeline, defaultColors, defaultColors, map<string, string>()));
8189                 }
8190                 else
8191                 {
8192                         addFunctionCaseWithPrograms<InstanceContext>(
8193                                         moduleTests.get(), name, "", createMultipleEntries, runAndVerifyDefaultPipeline,
8194                                         createInstanceContext(pipeline, defaultColors, invertedColors, map<string, string>()));
8195                 }
8196         }
8197         return moduleTests.release();
8198 }
8199
8200 tcu::TestCaseGroup* createLoopTests(tcu::TestContext& testCtx)
8201 {
8202         de::MovePtr<tcu::TestCaseGroup> testGroup(new tcu::TestCaseGroup(testCtx, "loop", "Looping control flow"));
8203         RGBA defaultColors[4];
8204         getDefaultColors(defaultColors);
8205         map<string, string> fragments;
8206         fragments["pre_main"] =
8207                 "%c_f32_5 = OpConstant %f32 5.\n";
8208
8209         // A loop with a single block. The Continue Target is the loop block
8210         // itself. In SPIR-V terms, the "loop construct" contains no blocks at all
8211         // -- the "continue construct" forms the entire loop.
8212         fragments["testfun"] =
8213                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8214                 "%param1 = OpFunctionParameter %v4f32\n"
8215
8216                 "%entry = OpLabel\n"
8217                 "%val0 = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
8218                 "OpBranch %loop\n"
8219
8220                 ";adds and subtracts 1.0 to %val in alternate iterations\n"
8221                 "%loop = OpLabel\n"
8222                 "%count = OpPhi %i32 %c_i32_4 %entry %count__ %loop\n"
8223                 "%delta = OpPhi %f32 %c_f32_1 %entry %minus_delta %loop\n"
8224                 "%val1 = OpPhi %f32 %val0 %entry %val %loop\n"
8225                 "%val = OpFAdd %f32 %val1 %delta\n"
8226                 "%minus_delta = OpFSub %f32 %c_f32_0 %delta\n"
8227                 "%count__ = OpISub %i32 %count %c_i32_1\n"
8228                 "%again = OpSGreaterThan %bool %count__ %c_i32_0\n"
8229                 "OpLoopMerge %exit %loop None\n"
8230                 "OpBranchConditional %again %loop %exit\n"
8231
8232                 "%exit = OpLabel\n"
8233                 "%result = OpVectorInsertDynamic %v4f32 %param1 %val %c_i32_0\n"
8234                 "OpReturnValue %result\n"
8235
8236                 "OpFunctionEnd\n";
8237
8238         createTestsForAllStages("single_block", defaultColors, defaultColors, fragments, testGroup.get());
8239
8240         // Body comprised of multiple basic blocks.
8241         const StringTemplate multiBlock(
8242                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8243                 "%param1 = OpFunctionParameter %v4f32\n"
8244
8245                 "%entry = OpLabel\n"
8246                 "%val0 = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
8247                 "OpBranch %loop\n"
8248
8249                 ";adds and subtracts 1.0 to %val in alternate iterations\n"
8250                 "%loop = OpLabel\n"
8251                 "%count = OpPhi %i32 %c_i32_4 %entry %count__ %gather\n"
8252                 "%delta = OpPhi %f32 %c_f32_1 %entry %delta_next %gather\n"
8253                 "%val1 = OpPhi %f32 %val0 %entry %val %gather\n"
8254                 // There are several possibilities for the Continue Target below.  Each
8255                 // will be specialized into a separate test case.
8256                 "OpLoopMerge %exit ${continue_target} None\n"
8257                 "OpBranch %if\n"
8258
8259                 "%if = OpLabel\n"
8260                 ";delta_next = (delta > 0) ? -1 : 1;\n"
8261                 "%gt0 = OpFOrdGreaterThan %bool %delta %c_f32_0\n"
8262                 "OpSelectionMerge %gather DontFlatten\n"
8263                 "OpBranchConditional %gt0 %even %odd ;tells us if %count is even or odd\n"
8264
8265                 "%odd = OpLabel\n"
8266                 "OpBranch %gather\n"
8267
8268                 "%even = OpLabel\n"
8269                 "OpBranch %gather\n"
8270
8271                 "%gather = OpLabel\n"
8272                 "%delta_next = OpPhi %f32 %c_f32_n1 %even %c_f32_1 %odd\n"
8273                 "%val = OpFAdd %f32 %val1 %delta\n"
8274                 "%count__ = OpISub %i32 %count %c_i32_1\n"
8275                 "%again = OpSGreaterThan %bool %count__ %c_i32_0\n"
8276                 "OpBranchConditional %again %loop %exit\n"
8277
8278                 "%exit = OpLabel\n"
8279                 "%result = OpVectorInsertDynamic %v4f32 %param1 %val %c_i32_0\n"
8280                 "OpReturnValue %result\n"
8281
8282                 "OpFunctionEnd\n");
8283
8284         map<string, string> continue_target;
8285
8286         // The Continue Target is the loop block itself.
8287         continue_target["continue_target"] = "%loop";
8288         fragments["testfun"] = multiBlock.specialize(continue_target);
8289         createTestsForAllStages("multi_block_continue_construct", defaultColors, defaultColors, fragments, testGroup.get());
8290
8291         // The Continue Target is at the end of the loop.
8292         continue_target["continue_target"] = "%gather";
8293         fragments["testfun"] = multiBlock.specialize(continue_target);
8294         createTestsForAllStages("multi_block_loop_construct", defaultColors, defaultColors, fragments, testGroup.get());
8295
8296         // A loop with continue statement.
8297         fragments["testfun"] =
8298                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8299                 "%param1 = OpFunctionParameter %v4f32\n"
8300
8301                 "%entry = OpLabel\n"
8302                 "%val0 = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
8303                 "OpBranch %loop\n"
8304
8305                 ";adds 4, 3, and 1 to %val0 (skips 2)\n"
8306                 "%loop = OpLabel\n"
8307                 "%count = OpPhi %i32 %c_i32_4 %entry %count__ %continue\n"
8308                 "%val1 = OpPhi %f32 %val0 %entry %val %continue\n"
8309                 "OpLoopMerge %exit %continue None\n"
8310                 "OpBranch %if\n"
8311
8312                 "%if = OpLabel\n"
8313                 ";skip if %count==2\n"
8314                 "%eq2 = OpIEqual %bool %count %c_i32_2\n"
8315                 "OpSelectionMerge %continue DontFlatten\n"
8316                 "OpBranchConditional %eq2 %continue %body\n"
8317
8318                 "%body = OpLabel\n"
8319                 "%fcount = OpConvertSToF %f32 %count\n"
8320                 "%val2 = OpFAdd %f32 %val1 %fcount\n"
8321                 "OpBranch %continue\n"
8322
8323                 "%continue = OpLabel\n"
8324                 "%val = OpPhi %f32 %val2 %body %val1 %if\n"
8325                 "%count__ = OpISub %i32 %count %c_i32_1\n"
8326                 "%again = OpSGreaterThan %bool %count__ %c_i32_0\n"
8327                 "OpBranchConditional %again %loop %exit\n"
8328
8329                 "%exit = OpLabel\n"
8330                 "%same = OpFSub %f32 %val %c_f32_8\n"
8331                 "%result = OpVectorInsertDynamic %v4f32 %param1 %same %c_i32_0\n"
8332                 "OpReturnValue %result\n"
8333                 "OpFunctionEnd\n";
8334         createTestsForAllStages("continue", defaultColors, defaultColors, fragments, testGroup.get());
8335
8336         // A loop with break.
8337         fragments["testfun"] =
8338                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8339                 "%param1 = OpFunctionParameter %v4f32\n"
8340
8341                 "%entry = OpLabel\n"
8342                 ";param1 components are between 0 and 1, so dot product is 4 or less\n"
8343                 "%dot = OpDot %f32 %param1 %param1\n"
8344                 "%div = OpFDiv %f32 %dot %c_f32_5\n"
8345                 "%zero = OpConvertFToU %u32 %div\n"
8346                 "%two = OpIAdd %i32 %zero %c_i32_2\n"
8347                 "%val0 = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
8348                 "OpBranch %loop\n"
8349
8350                 ";adds 4 and 3 to %val0 (exits early)\n"
8351                 "%loop = OpLabel\n"
8352                 "%count = OpPhi %i32 %c_i32_4 %entry %count__ %continue\n"
8353                 "%val1 = OpPhi %f32 %val0 %entry %val2 %continue\n"
8354                 "OpLoopMerge %exit %continue None\n"
8355                 "OpBranch %if\n"
8356
8357                 "%if = OpLabel\n"
8358                 ";end loop if %count==%two\n"
8359                 "%above2 = OpSGreaterThan %bool %count %two\n"
8360                 "OpSelectionMerge %continue DontFlatten\n"
8361                 "OpBranchConditional %above2 %body %exit\n"
8362
8363                 "%body = OpLabel\n"
8364                 "%fcount = OpConvertSToF %f32 %count\n"
8365                 "%val2 = OpFAdd %f32 %val1 %fcount\n"
8366                 "OpBranch %continue\n"
8367
8368                 "%continue = OpLabel\n"
8369                 "%count__ = OpISub %i32 %count %c_i32_1\n"
8370                 "%again = OpSGreaterThan %bool %count__ %c_i32_0\n"
8371                 "OpBranchConditional %again %loop %exit\n"
8372
8373                 "%exit = OpLabel\n"
8374                 "%val_post = OpPhi %f32 %val2 %continue %val1 %if\n"
8375                 "%same = OpFSub %f32 %val_post %c_f32_7\n"
8376                 "%result = OpVectorInsertDynamic %v4f32 %param1 %same %c_i32_0\n"
8377                 "OpReturnValue %result\n"
8378                 "OpFunctionEnd\n";
8379         createTestsForAllStages("break", defaultColors, defaultColors, fragments, testGroup.get());
8380
8381         // A loop with return.
8382         fragments["testfun"] =
8383                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8384                 "%param1 = OpFunctionParameter %v4f32\n"
8385
8386                 "%entry = OpLabel\n"
8387                 ";param1 components are between 0 and 1, so dot product is 4 or less\n"
8388                 "%dot = OpDot %f32 %param1 %param1\n"
8389                 "%div = OpFDiv %f32 %dot %c_f32_5\n"
8390                 "%zero = OpConvertFToU %u32 %div\n"
8391                 "%two = OpIAdd %i32 %zero %c_i32_2\n"
8392                 "%val0 = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
8393                 "OpBranch %loop\n"
8394
8395                 ";returns early without modifying %param1\n"
8396                 "%loop = OpLabel\n"
8397                 "%count = OpPhi %i32 %c_i32_4 %entry %count__ %continue\n"
8398                 "%val1 = OpPhi %f32 %val0 %entry %val2 %continue\n"
8399                 "OpLoopMerge %exit %continue None\n"
8400                 "OpBranch %if\n"
8401
8402                 "%if = OpLabel\n"
8403                 ";return if %count==%two\n"
8404                 "%above2 = OpSGreaterThan %bool %count %two\n"
8405                 "OpSelectionMerge %continue DontFlatten\n"
8406                 "OpBranchConditional %above2 %body %early_exit\n"
8407
8408                 "%early_exit = OpLabel\n"
8409                 "OpReturnValue %param1\n"
8410
8411                 "%body = OpLabel\n"
8412                 "%fcount = OpConvertSToF %f32 %count\n"
8413                 "%val2 = OpFAdd %f32 %val1 %fcount\n"
8414                 "OpBranch %continue\n"
8415
8416                 "%continue = OpLabel\n"
8417                 "%count__ = OpISub %i32 %count %c_i32_1\n"
8418                 "%again = OpSGreaterThan %bool %count__ %c_i32_0\n"
8419                 "OpBranchConditional %again %loop %exit\n"
8420
8421                 "%exit = OpLabel\n"
8422                 ";should never get here, so return an incorrect result\n"
8423                 "%result = OpVectorInsertDynamic %v4f32 %param1 %val2 %c_i32_0\n"
8424                 "OpReturnValue %result\n"
8425                 "OpFunctionEnd\n";
8426         createTestsForAllStages("return", defaultColors, defaultColors, fragments, testGroup.get());
8427
8428         // Continue inside a switch block to break to enclosing loop's merge block.
8429         // Matches roughly the following GLSL code:
8430         // for (; keep_going; keep_going = false)
8431         // {
8432         //     switch (int(param1.x))
8433         //     {
8434         //         case 0: continue;
8435         //         case 1: continue;
8436         //         default: continue;
8437         //     }
8438         //     dead code: modify return value to invalid result.
8439         // }
8440         fragments["pre_main"] =
8441                 "%fp_bool = OpTypePointer Function %bool\n"
8442                 "%true = OpConstantTrue %bool\n"
8443                 "%false = OpConstantFalse %bool\n";
8444
8445         fragments["testfun"] =
8446                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8447                 "%param1 = OpFunctionParameter %v4f32\n"
8448
8449                 "%entry = OpLabel\n"
8450                 "%keep_going = OpVariable %fp_bool Function\n"
8451                 "%val_ptr = OpVariable %fp_f32 Function\n"
8452                 "%param1_x = OpCompositeExtract %f32 %param1 0\n"
8453                 "OpStore %keep_going %true\n"
8454                 "OpBranch %forloop_begin\n"
8455
8456                 "%forloop_begin = OpLabel\n"
8457                 "OpLoopMerge %forloop_merge %forloop_continue None\n"
8458                 "OpBranch %forloop\n"
8459
8460                 "%forloop = OpLabel\n"
8461                 "%for_condition = OpLoad %bool %keep_going\n"
8462                 "OpBranchConditional %for_condition %forloop_body %forloop_merge\n"
8463
8464                 "%forloop_body = OpLabel\n"
8465                 "OpStore %val_ptr %param1_x\n"
8466                 "%param1_x_int = OpConvertFToS %i32 %param1_x\n"
8467
8468                 "OpSelectionMerge %switch_merge None\n"
8469                 "OpSwitch %param1_x_int %default 0 %case_0 1 %case_1\n"
8470                 "%case_0 = OpLabel\n"
8471                 "OpBranch %forloop_continue\n"
8472                 "%case_1 = OpLabel\n"
8473                 "OpBranch %forloop_continue\n"
8474                 "%default = OpLabel\n"
8475                 "OpBranch %forloop_continue\n"
8476                 "%switch_merge = OpLabel\n"
8477                 ";should never get here, so change the return value to invalid result\n"
8478                 "OpStore %val_ptr %c_f32_1\n"
8479                 "OpBranch %forloop_continue\n"
8480
8481                 "%forloop_continue = OpLabel\n"
8482                 "OpStore %keep_going %false\n"
8483                 "OpBranch %forloop_begin\n"
8484                 "%forloop_merge = OpLabel\n"
8485
8486                 "%val = OpLoad %f32 %val_ptr\n"
8487                 "%result = OpVectorInsertDynamic %v4f32 %param1 %val %c_i32_0\n"
8488                 "OpReturnValue %result\n"
8489                 "OpFunctionEnd\n";
8490         createTestsForAllStages("switch_continue", defaultColors, defaultColors, fragments, testGroup.get());
8491
8492         return testGroup.release();
8493 }
8494
8495 // A collection of tests putting OpControlBarrier in places GLSL forbids but SPIR-V allows.
8496 tcu::TestCaseGroup* createBarrierTests(tcu::TestContext& testCtx)
8497 {
8498         de::MovePtr<tcu::TestCaseGroup> testGroup(new tcu::TestCaseGroup(testCtx, "barrier", "OpControlBarrier"));
8499         map<string, string> fragments;
8500
8501         // A barrier inside a function body.
8502         fragments["pre_main"] =
8503                 "%Workgroup = OpConstant %i32 2\n"
8504                 "%WorkgroupAcquireRelease = OpConstant %i32 0x108\n";
8505         fragments["testfun"] =
8506                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8507                 "%param1 = OpFunctionParameter %v4f32\n"
8508                 "%label_testfun = OpLabel\n"
8509                 "OpControlBarrier %Workgroup %Workgroup %WorkgroupAcquireRelease\n"
8510                 "OpReturnValue %param1\n"
8511                 "OpFunctionEnd\n";
8512         addTessCtrlTest(testGroup.get(), "in_function", fragments);
8513
8514         // Common setup code for the following tests.
8515         fragments["pre_main"] =
8516                 "%Workgroup = OpConstant %i32 2\n"
8517                 "%WorkgroupAcquireRelease = OpConstant %i32 0x108\n"
8518                 "%c_f32_5 = OpConstant %f32 5.\n";
8519         const string setupPercentZero =  // Begins %test_code function with code that sets %zero to 0u but cannot be optimized away.
8520                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8521                 "%param1 = OpFunctionParameter %v4f32\n"
8522                 "%entry = OpLabel\n"
8523                 ";param1 components are between 0 and 1, so dot product is 4 or less\n"
8524                 "%dot = OpDot %f32 %param1 %param1\n"
8525                 "%div = OpFDiv %f32 %dot %c_f32_5\n"
8526                 "%zero = OpConvertFToU %u32 %div\n";
8527
8528         // Barriers inside OpSwitch branches.
8529         fragments["testfun"] =
8530                 setupPercentZero +
8531                 "OpSelectionMerge %switch_exit None\n"
8532                 "OpSwitch %zero %switch_default 0 %case0 1 %case1 ;should always go to %case0\n"
8533
8534                 "%case1 = OpLabel\n"
8535                 ";This barrier should never be executed, but its presence makes test failure more likely when there's a bug.\n"
8536                 "OpControlBarrier %Workgroup %Workgroup %WorkgroupAcquireRelease\n"
8537                 "%wrong_branch_alert1 = OpVectorInsertDynamic %v4f32 %param1 %c_f32_0_5 %c_i32_0\n"
8538                 "OpBranch %switch_exit\n"
8539
8540                 "%switch_default = OpLabel\n"
8541                 "%wrong_branch_alert2 = OpVectorInsertDynamic %v4f32 %param1 %c_f32_0_5 %c_i32_0\n"
8542                 ";This barrier should never be executed, but its presence makes test failure more likely when there's a bug.\n"
8543                 "OpControlBarrier %Workgroup %Workgroup %WorkgroupAcquireRelease\n"
8544                 "OpBranch %switch_exit\n"
8545
8546                 "%case0 = OpLabel\n"
8547                 "OpControlBarrier %Workgroup %Workgroup %WorkgroupAcquireRelease\n"
8548                 "OpBranch %switch_exit\n"
8549
8550                 "%switch_exit = OpLabel\n"
8551                 "%ret = OpPhi %v4f32 %param1 %case0 %wrong_branch_alert1 %case1 %wrong_branch_alert2 %switch_default\n"
8552                 "OpReturnValue %ret\n"
8553                 "OpFunctionEnd\n";
8554         addTessCtrlTest(testGroup.get(), "in_switch", fragments);
8555
8556         // Barriers inside if-then-else.
8557         fragments["testfun"] =
8558                 setupPercentZero +
8559                 "%eq0 = OpIEqual %bool %zero %c_u32_0\n"
8560                 "OpSelectionMerge %exit DontFlatten\n"
8561                 "OpBranchConditional %eq0 %then %else\n"
8562
8563                 "%else = OpLabel\n"
8564                 ";This barrier should never be executed, but its presence makes test failure more likely when there's a bug.\n"
8565                 "OpControlBarrier %Workgroup %Workgroup %WorkgroupAcquireRelease\n"
8566                 "%wrong_branch_alert = OpVectorInsertDynamic %v4f32 %param1 %c_f32_0_5 %c_i32_0\n"
8567                 "OpBranch %exit\n"
8568
8569                 "%then = OpLabel\n"
8570                 "OpControlBarrier %Workgroup %Workgroup %WorkgroupAcquireRelease\n"
8571                 "OpBranch %exit\n"
8572                 "%exit = OpLabel\n"
8573                 "%ret = OpPhi %v4f32 %param1 %then %wrong_branch_alert %else\n"
8574                 "OpReturnValue %ret\n"
8575                 "OpFunctionEnd\n";
8576         addTessCtrlTest(testGroup.get(), "in_if", fragments);
8577
8578         // A barrier after control-flow reconvergence, tempting the compiler to attempt something like this:
8579         // http://lists.llvm.org/pipermail/llvm-dev/2009-October/026317.html.
8580         fragments["testfun"] =
8581                 setupPercentZero +
8582                 "%thread_id = OpLoad %i32 %BP_gl_InvocationID\n"
8583                 "%thread0 = OpIEqual %bool %thread_id %c_i32_0\n"
8584                 "OpSelectionMerge %exit DontFlatten\n"
8585                 "OpBranchConditional %thread0 %then %else\n"
8586
8587                 "%else = OpLabel\n"
8588                 "%val0 = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
8589                 "OpBranch %exit\n"
8590
8591                 "%then = OpLabel\n"
8592                 "%val1 = OpVectorExtractDynamic %f32 %param1 %zero\n"
8593                 "OpBranch %exit\n"
8594
8595                 "%exit = OpLabel\n"
8596                 "%val = OpPhi %f32 %val0 %else %val1 %then\n"
8597                 "OpControlBarrier %Workgroup %Workgroup %WorkgroupAcquireRelease\n"
8598                 "%ret = OpVectorInsertDynamic %v4f32 %param1 %val %zero\n"
8599                 "OpReturnValue %ret\n"
8600                 "OpFunctionEnd\n";
8601         addTessCtrlTest(testGroup.get(), "after_divergent_if", fragments);
8602
8603         // A barrier inside a loop.
8604         fragments["pre_main"] =
8605                 "%Workgroup = OpConstant %i32 2\n"
8606                 "%WorkgroupAcquireRelease = OpConstant %i32 0x108\n"
8607                 "%c_f32_10 = OpConstant %f32 10.\n";
8608         fragments["testfun"] =
8609                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8610                 "%param1 = OpFunctionParameter %v4f32\n"
8611                 "%entry = OpLabel\n"
8612                 "%val0 = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
8613                 "OpBranch %loop\n"
8614
8615                 ";adds 4, 3, 2, and 1 to %val0\n"
8616                 "%loop = OpLabel\n"
8617                 "%count = OpPhi %i32 %c_i32_4 %entry %count__ %loop\n"
8618                 "%val1 = OpPhi %f32 %val0 %entry %val %loop\n"
8619                 "OpControlBarrier %Workgroup %Workgroup %WorkgroupAcquireRelease\n"
8620                 "%fcount = OpConvertSToF %f32 %count\n"
8621                 "%val = OpFAdd %f32 %val1 %fcount\n"
8622                 "%count__ = OpISub %i32 %count %c_i32_1\n"
8623                 "%again = OpSGreaterThan %bool %count__ %c_i32_0\n"
8624                 "OpLoopMerge %exit %loop None\n"
8625                 "OpBranchConditional %again %loop %exit\n"
8626
8627                 "%exit = OpLabel\n"
8628                 "%same = OpFSub %f32 %val %c_f32_10\n"
8629                 "%ret = OpVectorInsertDynamic %v4f32 %param1 %same %c_i32_0\n"
8630                 "OpReturnValue %ret\n"
8631                 "OpFunctionEnd\n";
8632         addTessCtrlTest(testGroup.get(), "in_loop", fragments);
8633
8634         return testGroup.release();
8635 }
8636
8637 // Test for the OpFRem instruction.
8638 tcu::TestCaseGroup* createFRemTests(tcu::TestContext& testCtx)
8639 {
8640         de::MovePtr<tcu::TestCaseGroup>         testGroup(new tcu::TestCaseGroup(testCtx, "frem", "OpFRem"));
8641         map<string, string>                                     fragments;
8642         RGBA                                                            inputColors[4];
8643         RGBA                                                            outputColors[4];
8644
8645         fragments["pre_main"]                            =
8646                 "%c_f32_3 = OpConstant %f32 3.0\n"
8647                 "%c_f32_n3 = OpConstant %f32 -3.0\n"
8648                 "%c_f32_4 = OpConstant %f32 4.0\n"
8649                 "%c_f32_p75 = OpConstant %f32 0.75\n"
8650                 "%c_v4f32_p75_p75_p75_p75 = OpConstantComposite %v4f32 %c_f32_p75 %c_f32_p75 %c_f32_p75 %c_f32_p75 \n"
8651                 "%c_v4f32_4_4_4_4 = OpConstantComposite %v4f32 %c_f32_4 %c_f32_4 %c_f32_4 %c_f32_4\n"
8652                 "%c_v4f32_3_n3_3_n3 = OpConstantComposite %v4f32 %c_f32_3 %c_f32_n3 %c_f32_3 %c_f32_n3\n";
8653
8654         // The test does the following.
8655         // vec4 result = (param1 * 8.0) - 4.0;
8656         // return (frem(result.x,3) + 0.75, frem(result.y, -3) + 0.75, 0, 1)
8657         fragments["testfun"]                             =
8658                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8659                 "%param1 = OpFunctionParameter %v4f32\n"
8660                 "%label_testfun = OpLabel\n"
8661                 "%v_times_8 = OpVectorTimesScalar %v4f32 %param1 %c_f32_8\n"
8662                 "%minus_4 = OpFSub %v4f32 %v_times_8 %c_v4f32_4_4_4_4\n"
8663                 "%frem = OpFRem %v4f32 %minus_4 %c_v4f32_3_n3_3_n3\n"
8664                 "%added = OpFAdd %v4f32 %frem %c_v4f32_p75_p75_p75_p75\n"
8665                 "%xyz_1 = OpVectorInsertDynamic %v4f32 %added %c_f32_1 %c_i32_3\n"
8666                 "%xy_0_1 = OpVectorInsertDynamic %v4f32 %xyz_1 %c_f32_0 %c_i32_2\n"
8667                 "OpReturnValue %xy_0_1\n"
8668                 "OpFunctionEnd\n";
8669
8670
8671         inputColors[0]          = RGBA(16,      16,             0, 255);
8672         inputColors[1]          = RGBA(232, 232,        0, 255);
8673         inputColors[2]          = RGBA(232, 16,         0, 255);
8674         inputColors[3]          = RGBA(16,      232,    0, 255);
8675
8676         outputColors[0]         = RGBA(64,      64,             0, 255);
8677         outputColors[1]         = RGBA(255, 255,        0, 255);
8678         outputColors[2]         = RGBA(255, 64,         0, 255);
8679         outputColors[3]         = RGBA(64,      255,    0, 255);
8680
8681         createTestsForAllStages("frem", inputColors, outputColors, fragments, testGroup.get());
8682         return testGroup.release();
8683 }
8684
8685 // Test for the OpSRem instruction.
8686 tcu::TestCaseGroup* createOpSRemGraphicsTests(tcu::TestContext& testCtx, qpTestResult negFailResult)
8687 {
8688         de::MovePtr<tcu::TestCaseGroup>         testGroup(new tcu::TestCaseGroup(testCtx, "srem", "OpSRem"));
8689         map<string, string>                                     fragments;
8690
8691         fragments["pre_main"]                            =
8692                 "%c_f32_255 = OpConstant %f32 255.0\n"
8693                 "%c_i32_128 = OpConstant %i32 128\n"
8694                 "%c_i32_255 = OpConstant %i32 255\n"
8695                 "%c_v4f32_255 = OpConstantComposite %v4f32 %c_f32_255 %c_f32_255 %c_f32_255 %c_f32_255 \n"
8696                 "%c_v4f32_0_5 = OpConstantComposite %v4f32 %c_f32_0_5 %c_f32_0_5 %c_f32_0_5 %c_f32_0_5 \n"
8697                 "%c_v4i32_128 = OpConstantComposite %v4i32 %c_i32_128 %c_i32_128 %c_i32_128 %c_i32_128 \n";
8698
8699         // The test does the following.
8700         // ivec4 ints = int(param1 * 255.0 + 0.5) - 128;
8701         // ivec4 result = ivec4(srem(ints.x, ints.y), srem(ints.y, ints.z), srem(ints.z, ints.x), 255);
8702         // return float(result + 128) / 255.0;
8703         fragments["testfun"]                             =
8704                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8705                 "%param1 = OpFunctionParameter %v4f32\n"
8706                 "%label_testfun = OpLabel\n"
8707                 "%div255 = OpFMul %v4f32 %param1 %c_v4f32_255\n"
8708                 "%add0_5 = OpFAdd %v4f32 %div255 %c_v4f32_0_5\n"
8709                 "%uints_in = OpConvertFToS %v4i32 %add0_5\n"
8710                 "%ints_in = OpISub %v4i32 %uints_in %c_v4i32_128\n"
8711                 "%x_in = OpCompositeExtract %i32 %ints_in 0\n"
8712                 "%y_in = OpCompositeExtract %i32 %ints_in 1\n"
8713                 "%z_in = OpCompositeExtract %i32 %ints_in 2\n"
8714                 "%x_out = OpSRem %i32 %x_in %y_in\n"
8715                 "%y_out = OpSRem %i32 %y_in %z_in\n"
8716                 "%z_out = OpSRem %i32 %z_in %x_in\n"
8717                 "%ints_out = OpCompositeConstruct %v4i32 %x_out %y_out %z_out %c_i32_255\n"
8718                 "%ints_offset = OpIAdd %v4i32 %ints_out %c_v4i32_128\n"
8719                 "%f_ints_offset = OpConvertSToF %v4f32 %ints_offset\n"
8720                 "%float_out = OpFDiv %v4f32 %f_ints_offset %c_v4f32_255\n"
8721                 "OpReturnValue %float_out\n"
8722                 "OpFunctionEnd\n";
8723
8724         const struct CaseParams
8725         {
8726                 const char*             name;
8727                 const char*             failMessageTemplate;    // customized status message
8728                 qpTestResult    failResult;                             // override status on failure
8729                 int                             operands[4][3];                 // four (x, y, z) vectors of operands
8730                 int                             results[4][3];                  // four (x, y, z) vectors of results
8731         } cases[] =
8732         {
8733                 {
8734                         "positive",
8735                         "${reason}",
8736                         QP_TEST_RESULT_FAIL,
8737                         { { 5, 12, 17 }, { 5, 5, 7 }, { 75, 8, 81 }, { 25, 60, 100 } },                 // operands
8738                         { { 5, 12,  2 }, { 0, 5, 2 }, {  3, 8,  6 }, { 25, 60,   0 } },                 // results
8739                 },
8740                 {
8741                         "all",
8742                         "Inconsistent results, but within specification: ${reason}",
8743                         negFailResult,                                                                                                                  // negative operands, not required by the spec
8744                         { { 5, 12, -17 }, { -5, -5, 7 }, { 75, 8, -81 }, { 25, -60, 100 } },    // operands
8745                         { { 5, 12,  -2 }, {  0, -5, 2 }, {  3, 8,  -6 }, { 25, -60,   0 } },    // results
8746                 },
8747         };
8748         // If either operand is negative the result is undefined. Some implementations may still return correct values.
8749
8750         for (int caseNdx = 0; caseNdx < DE_LENGTH_OF_ARRAY(cases); ++caseNdx)
8751         {
8752                 const CaseParams&       params                  = cases[caseNdx];
8753                 RGBA                            inputColors[4];
8754                 RGBA                            outputColors[4];
8755
8756                 for (int i = 0; i < 4; ++i)
8757                 {
8758                         inputColors [i] = RGBA(params.operands[i][0] + 128, params.operands[i][1] + 128, params.operands[i][2] + 128, 255);
8759                         outputColors[i] = RGBA(params.results [i][0] + 128, params.results [i][1] + 128, params.results [i][2] + 128, 255);
8760                 }
8761
8762                 createTestsForAllStages(params.name, inputColors, outputColors, fragments, testGroup.get(), params.failResult, params.failMessageTemplate);
8763         }
8764
8765         return testGroup.release();
8766 }
8767
8768 // Test for the OpSMod instruction.
8769 tcu::TestCaseGroup* createOpSModGraphicsTests(tcu::TestContext& testCtx, qpTestResult negFailResult)
8770 {
8771         de::MovePtr<tcu::TestCaseGroup>         testGroup(new tcu::TestCaseGroup(testCtx, "smod", "OpSMod"));
8772         map<string, string>                                     fragments;
8773
8774         fragments["pre_main"]                            =
8775                 "%c_f32_255 = OpConstant %f32 255.0\n"
8776                 "%c_i32_128 = OpConstant %i32 128\n"
8777                 "%c_i32_255 = OpConstant %i32 255\n"
8778                 "%c_v4f32_255 = OpConstantComposite %v4f32 %c_f32_255 %c_f32_255 %c_f32_255 %c_f32_255 \n"
8779                 "%c_v4f32_0_5 = OpConstantComposite %v4f32 %c_f32_0_5 %c_f32_0_5 %c_f32_0_5 %c_f32_0_5 \n"
8780                 "%c_v4i32_128 = OpConstantComposite %v4i32 %c_i32_128 %c_i32_128 %c_i32_128 %c_i32_128 \n";
8781
8782         // The test does the following.
8783         // ivec4 ints = int(param1 * 255.0 + 0.5) - 128;
8784         // ivec4 result = ivec4(smod(ints.x, ints.y), smod(ints.y, ints.z), smod(ints.z, ints.x), 255);
8785         // return float(result + 128) / 255.0;
8786         fragments["testfun"]                             =
8787                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
8788                 "%param1 = OpFunctionParameter %v4f32\n"
8789                 "%label_testfun = OpLabel\n"
8790                 "%div255 = OpFMul %v4f32 %param1 %c_v4f32_255\n"
8791                 "%add0_5 = OpFAdd %v4f32 %div255 %c_v4f32_0_5\n"
8792                 "%uints_in = OpConvertFToS %v4i32 %add0_5\n"
8793                 "%ints_in = OpISub %v4i32 %uints_in %c_v4i32_128\n"
8794                 "%x_in = OpCompositeExtract %i32 %ints_in 0\n"
8795                 "%y_in = OpCompositeExtract %i32 %ints_in 1\n"
8796                 "%z_in = OpCompositeExtract %i32 %ints_in 2\n"
8797                 "%x_out = OpSMod %i32 %x_in %y_in\n"
8798                 "%y_out = OpSMod %i32 %y_in %z_in\n"
8799                 "%z_out = OpSMod %i32 %z_in %x_in\n"
8800                 "%ints_out = OpCompositeConstruct %v4i32 %x_out %y_out %z_out %c_i32_255\n"
8801                 "%ints_offset = OpIAdd %v4i32 %ints_out %c_v4i32_128\n"
8802                 "%f_ints_offset = OpConvertSToF %v4f32 %ints_offset\n"
8803                 "%float_out = OpFDiv %v4f32 %f_ints_offset %c_v4f32_255\n"
8804                 "OpReturnValue %float_out\n"
8805                 "OpFunctionEnd\n";
8806
8807         const struct CaseParams
8808         {
8809                 const char*             name;
8810                 const char*             failMessageTemplate;    // customized status message
8811                 qpTestResult    failResult;                             // override status on failure
8812                 int                             operands[4][3];                 // four (x, y, z) vectors of operands
8813                 int                             results[4][3];                  // four (x, y, z) vectors of results
8814         } cases[] =
8815         {
8816                 {
8817                         "positive",
8818                         "${reason}",
8819                         QP_TEST_RESULT_FAIL,
8820                         { { 5, 12, 17 }, { 5, 5, 7 }, { 75, 8, 81 }, { 25, 60, 100 } },                         // operands
8821                         { { 5, 12,  2 }, { 0, 5, 2 }, {  3, 8,  6 }, { 25, 60,   0 } },                         // results
8822                 },
8823                 {
8824                         "all",
8825                         "Inconsistent results, but within specification: ${reason}",
8826                         negFailResult,                                                                                                                          // negative operands, not required by the spec
8827                         { { 5, 12, -17 }, { -5, -5,  7 }, { 75,   8, -81 }, {  25, -60, 100 } },        // operands
8828                         { { 5, -5,   3 }, {  0,  2, -3 }, {  3, -73,  69 }, { -35,  40,   0 } },        // results
8829                 },
8830         };
8831         // If either operand is negative the result is undefined. Some implementations may still return correct values.
8832
8833         for (int caseNdx = 0; caseNdx < DE_LENGTH_OF_ARRAY(cases); ++caseNdx)
8834         {
8835                 const CaseParams&       params                  = cases[caseNdx];
8836                 RGBA                            inputColors[4];
8837                 RGBA                            outputColors[4];
8838
8839                 for (int i = 0; i < 4; ++i)
8840                 {
8841                         inputColors [i] = RGBA(params.operands[i][0] + 128, params.operands[i][1] + 128, params.operands[i][2] + 128, 255);
8842                         outputColors[i] = RGBA(params.results [i][0] + 128, params.results [i][1] + 128, params.results [i][2] + 128, 255);
8843                 }
8844
8845                 createTestsForAllStages(params.name, inputColors, outputColors, fragments, testGroup.get(), params.failResult, params.failMessageTemplate);
8846         }
8847         return testGroup.release();
8848 }
8849
8850 enum ConversionDataType
8851 {
8852         DATA_TYPE_SIGNED_8,
8853         DATA_TYPE_SIGNED_16,
8854         DATA_TYPE_SIGNED_32,
8855         DATA_TYPE_SIGNED_64,
8856         DATA_TYPE_UNSIGNED_8,
8857         DATA_TYPE_UNSIGNED_16,
8858         DATA_TYPE_UNSIGNED_32,
8859         DATA_TYPE_UNSIGNED_64,
8860         DATA_TYPE_FLOAT_16,
8861         DATA_TYPE_FLOAT_32,
8862         DATA_TYPE_FLOAT_64,
8863         DATA_TYPE_VEC2_SIGNED_16,
8864         DATA_TYPE_VEC2_SIGNED_32
8865 };
8866
8867 const string getBitWidthStr (ConversionDataType type)
8868 {
8869         switch (type)
8870         {
8871                 case DATA_TYPE_SIGNED_8:
8872                 case DATA_TYPE_UNSIGNED_8:
8873                         return "8";
8874
8875                 case DATA_TYPE_SIGNED_16:
8876                 case DATA_TYPE_UNSIGNED_16:
8877                 case DATA_TYPE_FLOAT_16:
8878                         return "16";
8879
8880                 case DATA_TYPE_SIGNED_32:
8881                 case DATA_TYPE_UNSIGNED_32:
8882                 case DATA_TYPE_FLOAT_32:
8883                 case DATA_TYPE_VEC2_SIGNED_16:
8884                         return "32";
8885
8886                 case DATA_TYPE_SIGNED_64:
8887                 case DATA_TYPE_UNSIGNED_64:
8888                 case DATA_TYPE_FLOAT_64:
8889                 case DATA_TYPE_VEC2_SIGNED_32:
8890                         return "64";
8891
8892                 default:
8893                         DE_ASSERT(false);
8894         }
8895         return "";
8896 }
8897
8898 const string getByteWidthStr (ConversionDataType type)
8899 {
8900         switch (type)
8901         {
8902                 case DATA_TYPE_SIGNED_8:
8903                 case DATA_TYPE_UNSIGNED_8:
8904                         return "1";
8905
8906                 case DATA_TYPE_SIGNED_16:
8907                 case DATA_TYPE_UNSIGNED_16:
8908                 case DATA_TYPE_FLOAT_16:
8909                         return "2";
8910
8911                 case DATA_TYPE_SIGNED_32:
8912                 case DATA_TYPE_UNSIGNED_32:
8913                 case DATA_TYPE_FLOAT_32:
8914                 case DATA_TYPE_VEC2_SIGNED_16:
8915                         return "4";
8916
8917                 case DATA_TYPE_SIGNED_64:
8918                 case DATA_TYPE_UNSIGNED_64:
8919                 case DATA_TYPE_FLOAT_64:
8920                 case DATA_TYPE_VEC2_SIGNED_32:
8921                         return "8";
8922
8923                 default:
8924                         DE_ASSERT(false);
8925         }
8926         return "";
8927 }
8928
8929 bool isSigned (ConversionDataType type)
8930 {
8931         switch (type)
8932         {
8933                 case DATA_TYPE_SIGNED_8:
8934                 case DATA_TYPE_SIGNED_16:
8935                 case DATA_TYPE_SIGNED_32:
8936                 case DATA_TYPE_SIGNED_64:
8937                 case DATA_TYPE_FLOAT_16:
8938                 case DATA_TYPE_FLOAT_32:
8939                 case DATA_TYPE_FLOAT_64:
8940                 case DATA_TYPE_VEC2_SIGNED_16:
8941                 case DATA_TYPE_VEC2_SIGNED_32:
8942                         return true;
8943
8944                 case DATA_TYPE_UNSIGNED_8:
8945                 case DATA_TYPE_UNSIGNED_16:
8946                 case DATA_TYPE_UNSIGNED_32:
8947                 case DATA_TYPE_UNSIGNED_64:
8948                         return false;
8949
8950                 default:
8951                         DE_ASSERT(false);
8952         }
8953         return false;
8954 }
8955
8956 bool isInt (ConversionDataType type)
8957 {
8958         switch (type)
8959         {
8960                 case DATA_TYPE_SIGNED_8:
8961                 case DATA_TYPE_SIGNED_16:
8962                 case DATA_TYPE_SIGNED_32:
8963                 case DATA_TYPE_SIGNED_64:
8964                 case DATA_TYPE_UNSIGNED_8:
8965                 case DATA_TYPE_UNSIGNED_16:
8966                 case DATA_TYPE_UNSIGNED_32:
8967                 case DATA_TYPE_UNSIGNED_64:
8968                         return true;
8969
8970                 case DATA_TYPE_FLOAT_16:
8971                 case DATA_TYPE_FLOAT_32:
8972                 case DATA_TYPE_FLOAT_64:
8973                 case DATA_TYPE_VEC2_SIGNED_16:
8974                 case DATA_TYPE_VEC2_SIGNED_32:
8975                         return false;
8976
8977                 default:
8978                         DE_ASSERT(false);
8979         }
8980         return false;
8981 }
8982
8983 bool isFloat (ConversionDataType type)
8984 {
8985         switch (type)
8986         {
8987                 case DATA_TYPE_SIGNED_8:
8988                 case DATA_TYPE_SIGNED_16:
8989                 case DATA_TYPE_SIGNED_32:
8990                 case DATA_TYPE_SIGNED_64:
8991                 case DATA_TYPE_UNSIGNED_8:
8992                 case DATA_TYPE_UNSIGNED_16:
8993                 case DATA_TYPE_UNSIGNED_32:
8994                 case DATA_TYPE_UNSIGNED_64:
8995                 case DATA_TYPE_VEC2_SIGNED_16:
8996                 case DATA_TYPE_VEC2_SIGNED_32:
8997                         return false;
8998
8999                 case DATA_TYPE_FLOAT_16:
9000                 case DATA_TYPE_FLOAT_32:
9001                 case DATA_TYPE_FLOAT_64:
9002                         return true;
9003
9004                 default:
9005                         DE_ASSERT(false);
9006         }
9007         return false;
9008 }
9009
9010 const string getTypeName (ConversionDataType type)
9011 {
9012         string prefix = isSigned(type) ? "" : "u";
9013
9014         if              (isInt(type))                                           return prefix + "int"   + getBitWidthStr(type);
9015         else if (isFloat(type))                                         return prefix + "float" + getBitWidthStr(type);
9016         else if (type == DATA_TYPE_VEC2_SIGNED_16)      return "i16vec2";
9017         else if (type == DATA_TYPE_VEC2_SIGNED_32)      return "i32vec2";
9018         else                                                                            DE_ASSERT(false);
9019
9020         return "";
9021 }
9022
9023 const string getTestName (ConversionDataType from, ConversionDataType to, const char* suffix)
9024 {
9025         const string fullSuffix(suffix == DE_NULL ? "" : string("_") + string(suffix));
9026
9027         return getTypeName(from) + "_to_" + getTypeName(to) + fullSuffix;
9028 }
9029
9030 const string getAsmTypeName (ConversionDataType type)
9031 {
9032         string prefix;
9033
9034         if              (isInt(type))                                           prefix = isSigned(type) ? "i" : "u";
9035         else if (isFloat(type))                                         prefix = "f";
9036         else if (type == DATA_TYPE_VEC2_SIGNED_16)      return "i16vec2";
9037         else if (type == DATA_TYPE_VEC2_SIGNED_32)      return "v2i32";
9038         else                                                                            DE_ASSERT(false);
9039
9040         return prefix + getBitWidthStr(type);
9041 }
9042
9043 template<typename T>
9044 BufferSp getSpecializedBuffer (deInt64 number)
9045 {
9046         return BufferSp(new Buffer<T>(vector<T>(1, (T)number)));
9047 }
9048
9049 BufferSp getBuffer (ConversionDataType type, deInt64 number)
9050 {
9051         switch (type)
9052         {
9053                 case DATA_TYPE_SIGNED_8:                return getSpecializedBuffer<deInt8>(number);
9054                 case DATA_TYPE_SIGNED_16:               return getSpecializedBuffer<deInt16>(number);
9055                 case DATA_TYPE_SIGNED_32:               return getSpecializedBuffer<deInt32>(number);
9056                 case DATA_TYPE_SIGNED_64:               return getSpecializedBuffer<deInt64>(number);
9057                 case DATA_TYPE_UNSIGNED_8:              return getSpecializedBuffer<deUint8>(number);
9058                 case DATA_TYPE_UNSIGNED_16:             return getSpecializedBuffer<deUint16>(number);
9059                 case DATA_TYPE_UNSIGNED_32:             return getSpecializedBuffer<deUint32>(number);
9060                 case DATA_TYPE_UNSIGNED_64:             return getSpecializedBuffer<deUint64>(number);
9061                 case DATA_TYPE_FLOAT_16:                return getSpecializedBuffer<deUint16>(number);
9062                 case DATA_TYPE_FLOAT_32:                return getSpecializedBuffer<deUint32>(number);
9063                 case DATA_TYPE_FLOAT_64:                return getSpecializedBuffer<deUint64>(number);
9064                 case DATA_TYPE_VEC2_SIGNED_16:  return getSpecializedBuffer<deUint32>(number);
9065                 case DATA_TYPE_VEC2_SIGNED_32:  return getSpecializedBuffer<deUint64>(number);
9066
9067                 default:                                                TCU_THROW(InternalError, "Unimplemented type passed");
9068         }
9069 }
9070
9071 bool usesInt8 (ConversionDataType from, ConversionDataType to)
9072 {
9073         return (from == DATA_TYPE_SIGNED_8 || to == DATA_TYPE_SIGNED_8 ||
9074                         from == DATA_TYPE_UNSIGNED_8 || to == DATA_TYPE_UNSIGNED_8);
9075 }
9076
9077 bool usesInt16 (ConversionDataType from, ConversionDataType to)
9078 {
9079         return (from == DATA_TYPE_SIGNED_16 || to == DATA_TYPE_SIGNED_16 ||
9080                         from == DATA_TYPE_UNSIGNED_16 || to == DATA_TYPE_UNSIGNED_16 ||
9081                         from == DATA_TYPE_VEC2_SIGNED_16 || to == DATA_TYPE_VEC2_SIGNED_16);
9082 }
9083
9084 bool usesInt32 (ConversionDataType from, ConversionDataType to)
9085 {
9086         return (from == DATA_TYPE_SIGNED_32 || to == DATA_TYPE_SIGNED_32 ||
9087                         from == DATA_TYPE_UNSIGNED_32 || to == DATA_TYPE_UNSIGNED_32 ||
9088                         from == DATA_TYPE_VEC2_SIGNED_32|| to == DATA_TYPE_VEC2_SIGNED_32);
9089 }
9090
9091 bool usesInt64 (ConversionDataType from, ConversionDataType to)
9092 {
9093         return (from == DATA_TYPE_SIGNED_64 || to == DATA_TYPE_SIGNED_64 ||
9094                         from == DATA_TYPE_UNSIGNED_64 || to == DATA_TYPE_UNSIGNED_64);
9095 }
9096
9097 bool usesFloat16 (ConversionDataType from, ConversionDataType to)
9098 {
9099         return (from == DATA_TYPE_FLOAT_16 || to == DATA_TYPE_FLOAT_16);
9100 }
9101
9102 bool usesFloat32 (ConversionDataType from, ConversionDataType to)
9103 {
9104         return (from == DATA_TYPE_FLOAT_32 || to == DATA_TYPE_FLOAT_32);
9105 }
9106
9107 bool usesFloat64 (ConversionDataType from, ConversionDataType to)
9108 {
9109         return (from == DATA_TYPE_FLOAT_64 || to == DATA_TYPE_FLOAT_64);
9110 }
9111
9112 void getVulkanFeaturesAndExtensions (ConversionDataType from, ConversionDataType to, VulkanFeatures& vulkanFeatures, vector<string>& extensions)
9113 {
9114         if (usesInt16(from, to) && !usesInt32(from, to))
9115                 vulkanFeatures.coreFeatures.shaderInt16 = DE_TRUE;
9116
9117         if (usesInt64(from, to))
9118                 vulkanFeatures.coreFeatures.shaderInt64 = DE_TRUE;
9119
9120         if (usesFloat64(from, to))
9121                 vulkanFeatures.coreFeatures.shaderFloat64 = DE_TRUE;
9122
9123         if (usesInt16(from, to) || usesFloat16(from, to))
9124         {
9125                 extensions.push_back("VK_KHR_16bit_storage");
9126                 vulkanFeatures.ext16BitStorage |= EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
9127         }
9128
9129         if (usesFloat16(from, to) || usesInt8(from, to))
9130         {
9131                 extensions.push_back("VK_KHR_shader_float16_int8");
9132
9133                 if (usesFloat16(from, to))
9134                 {
9135                         vulkanFeatures.extFloat16Int8 |= EXTFLOAT16INT8FEATURES_FLOAT16;
9136                 }
9137
9138                 if (usesInt8(from, to))
9139                 {
9140                         vulkanFeatures.extFloat16Int8 |= EXTFLOAT16INT8FEATURES_INT8;
9141
9142                         extensions.push_back("VK_KHR_8bit_storage");
9143                         vulkanFeatures.ext8BitStorage |= EXT8BITSTORAGEFEATURES_STORAGE_BUFFER;
9144                 }
9145         }
9146 }
9147
9148 struct ConvertCase
9149 {
9150         ConvertCase (const string& instruction, ConversionDataType from, ConversionDataType to, deInt64 number, bool separateOutput = false, deInt64 outputNumber = 0, const char* suffix = DE_NULL)
9151         : m_fromType            (from)
9152         , m_toType                      (to)
9153         , m_name                        (getTestName(from, to, suffix))
9154         , m_inputBuffer         (getBuffer(from, number))
9155         {
9156                 string caps;
9157                 string decl;
9158                 string exts;
9159
9160                 m_asmTypes["inputType"]         = getAsmTypeName(from);
9161                 m_asmTypes["outputType"]        = getAsmTypeName(to);
9162
9163                 if (separateOutput)
9164                         m_outputBuffer = getBuffer(to, outputNumber);
9165                 else
9166                         m_outputBuffer = getBuffer(to, number);
9167
9168                 if (usesInt8(from, to))
9169                 {
9170                         bool requiresInt8Capability = true;
9171                         if (instruction == "OpUConvert" || instruction == "OpSConvert")
9172                         {
9173                                 // Conversions between 8 and 32 bit are provided by SPV_KHR_8bit_storage. The rest requires explicit Int8
9174                                 if (usesInt32(from, to))
9175                                         requiresInt8Capability = false;
9176                         }
9177
9178                         caps += "OpCapability StorageBuffer8BitAccess\n";
9179                         if (requiresInt8Capability)
9180                                 caps += "OpCapability Int8\n";
9181
9182                         decl += "%i8         = OpTypeInt 8 1\n"
9183                                         "%u8         = OpTypeInt 8 0\n";
9184                         exts += "OpExtension \"SPV_KHR_8bit_storage\"\n";
9185                 }
9186
9187                 if (usesInt16(from, to))
9188                 {
9189                         bool requiresInt16Capability = true;
9190
9191                         if (instruction == "OpUConvert" || instruction == "OpSConvert" || instruction == "OpFConvert")
9192                         {
9193                                 // Conversions between 16 and 32 bit are provided by SPV_KHR_16bit_storage. The rest requires explicit Int16
9194                                 if (usesInt32(from, to) || usesFloat32(from, to))
9195                                         requiresInt16Capability = false;
9196                         }
9197
9198                         decl += "%i16        = OpTypeInt 16 1\n"
9199                                         "%u16        = OpTypeInt 16 0\n"
9200                                         "%i16vec2    = OpTypeVector %i16 2\n";
9201
9202                         // Conversions between 16 and 32 bit are provided by SPV_KHR_16bit_storage. The rest requires explicit Int16
9203                         if (requiresInt16Capability)
9204                                 caps += "OpCapability Int16\n";
9205                 }
9206
9207                 if (usesFloat16(from, to))
9208                 {
9209                         decl += "%f16        = OpTypeFloat 16\n";
9210
9211                         // Conversions between 16 and 32 bit are provided by SPV_KHR_16bit_storage. The rest requires explicit Float16
9212                         if (!(usesInt32(from, to) || usesFloat32(from, to)))
9213                                 caps += "OpCapability Float16\n";
9214                 }
9215
9216                 if (usesInt16(from, to) || usesFloat16(from, to))
9217                 {
9218                         caps += "OpCapability StorageUniformBufferBlock16\n";
9219                         exts += "OpExtension \"SPV_KHR_16bit_storage\"\n";
9220                 }
9221
9222                 if (usesInt64(from, to))
9223                 {
9224                         caps += "OpCapability Int64\n";
9225                         decl += "%i64        = OpTypeInt 64 1\n"
9226                                         "%u64        = OpTypeInt 64 0\n";
9227                 }
9228
9229                 if (usesFloat64(from, to))
9230                 {
9231                         caps += "OpCapability Float64\n";
9232                         decl += "%f64        = OpTypeFloat 64\n";
9233                 }
9234
9235                 m_asmTypes["datatype_capabilities"]             = caps;
9236                 m_asmTypes["datatype_additional_decl"]  = decl;
9237                 m_asmTypes["datatype_extensions"]               = exts;
9238         }
9239
9240         ConversionDataType              m_fromType;
9241         ConversionDataType              m_toType;
9242         string                                  m_name;
9243         map<string, string>             m_asmTypes;
9244         BufferSp                                m_inputBuffer;
9245         BufferSp                                m_outputBuffer;
9246 };
9247
9248 const string getConvertCaseShaderStr (const string& instruction, const ConvertCase& convertCase)
9249 {
9250         map<string, string> params = convertCase.m_asmTypes;
9251
9252         params["instruction"]   = instruction;
9253         params["inDecorator"]   = getByteWidthStr(convertCase.m_fromType);
9254         params["outDecorator"]  = getByteWidthStr(convertCase.m_toType);
9255
9256         const StringTemplate shader (
9257                 "OpCapability Shader\n"
9258                 "${datatype_capabilities}"
9259                 "${datatype_extensions:opt}"
9260                 "OpMemoryModel Logical GLSL450\n"
9261                 "OpEntryPoint GLCompute %main \"main\"\n"
9262                 "OpExecutionMode %main LocalSize 1 1 1\n"
9263                 "OpSource GLSL 430\n"
9264                 "OpName %main           \"main\"\n"
9265                 // Decorators
9266                 "OpDecorate %indata DescriptorSet 0\n"
9267                 "OpDecorate %indata Binding 0\n"
9268                 "OpDecorate %outdata DescriptorSet 0\n"
9269                 "OpDecorate %outdata Binding 1\n"
9270                 "OpDecorate %in_buf BufferBlock\n"
9271                 "OpDecorate %out_buf BufferBlock\n"
9272                 "OpMemberDecorate %in_buf 0 Offset 0\n"
9273                 "OpMemberDecorate %out_buf 0 Offset 0\n"
9274                 // Base types
9275                 "%void       = OpTypeVoid\n"
9276                 "%voidf      = OpTypeFunction %void\n"
9277                 "%u32        = OpTypeInt 32 0\n"
9278                 "%i32        = OpTypeInt 32 1\n"
9279                 "%f32        = OpTypeFloat 32\n"
9280                 "%v2i32      = OpTypeVector %i32 2\n"
9281                 "${datatype_additional_decl}"
9282                 "%uvec3      = OpTypeVector %u32 3\n"
9283                 // Derived types
9284                 "%in_ptr     = OpTypePointer Uniform %${inputType}\n"
9285                 "%out_ptr    = OpTypePointer Uniform %${outputType}\n"
9286                 "%in_buf     = OpTypeStruct %${inputType}\n"
9287                 "%out_buf    = OpTypeStruct %${outputType}\n"
9288                 "%in_bufptr  = OpTypePointer Uniform %in_buf\n"
9289                 "%out_bufptr = OpTypePointer Uniform %out_buf\n"
9290                 "%indata     = OpVariable %in_bufptr Uniform\n"
9291                 "%outdata    = OpVariable %out_bufptr Uniform\n"
9292                 // Constants
9293                 "%zero       = OpConstant %i32 0\n"
9294                 // Main function
9295                 "%main       = OpFunction %void None %voidf\n"
9296                 "%label      = OpLabel\n"
9297                 "%inloc      = OpAccessChain %in_ptr %indata %zero\n"
9298                 "%outloc     = OpAccessChain %out_ptr %outdata %zero\n"
9299                 "%inval      = OpLoad %${inputType} %inloc\n"
9300                 "%conv       = ${instruction} %${outputType} %inval\n"
9301                 "              OpStore %outloc %conv\n"
9302                 "              OpReturn\n"
9303                 "              OpFunctionEnd\n"
9304         );
9305
9306         return shader.specialize(params);
9307 }
9308
9309 void createConvertCases (vector<ConvertCase>& testCases, const string& instruction)
9310 {
9311         if (instruction == "OpUConvert")
9312         {
9313                 // Convert unsigned int to unsigned int
9314                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_UNSIGNED_16,          42));
9315                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_UNSIGNED_32,          73));
9316                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_UNSIGNED_64,          121));
9317
9318                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_UNSIGNED_8,           33));
9319                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_UNSIGNED_32,          60653));
9320                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_UNSIGNED_64,          17991));
9321
9322                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_UNSIGNED_64,          904256275));
9323                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_UNSIGNED_16,          6275));
9324                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_UNSIGNED_8,           17));
9325
9326                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_UNSIGNED_32,          701256243));
9327                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_UNSIGNED_16,          4741));
9328                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_UNSIGNED_8,           65));
9329         }
9330         else if (instruction == "OpSConvert")
9331         {
9332                 // Sign extension int->int
9333                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_SIGNED_16,            -30));
9334                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_SIGNED_32,            55));
9335                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_SIGNED_64,            -3));
9336                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_SIGNED_32,            14669));
9337                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_SIGNED_64,            -3341));
9338                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_SIGNED_64,            973610259));
9339
9340                 // Truncate for int->int
9341                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_SIGNED_8,                     81));
9342                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_SIGNED_8,                     -93));
9343                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_SIGNED_8,                     3182748172687672ll,                                     true,   56));
9344                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_SIGNED_16,            12382));
9345                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_SIGNED_32,            -972812359));
9346                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_SIGNED_16,            -1067742499291926803ll,                         true,   -4371));
9347
9348                 // Sign extension for int->uint
9349                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_UNSIGNED_16,          56));
9350                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_UNSIGNED_32,          -47,                                                            true,   4294967249u));
9351                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_UNSIGNED_64,          -5,                                                                     true,   18446744073709551611ull));
9352                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_UNSIGNED_32,          14669));
9353                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_UNSIGNED_64,          -3341,                                                          true,   18446744073709548275ull));
9354                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_UNSIGNED_64,          973610259));
9355
9356                 // Truncate for int->uint
9357                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_UNSIGNED_8,           -25711,                                                         true,   145));
9358                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_UNSIGNED_8,           103));
9359                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_UNSIGNED_8,           -1067742499291926803ll,                         true,   61165));
9360                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_UNSIGNED_16,          12382));
9361                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_UNSIGNED_32,          -972812359,                                                     true,   3322154937u));
9362                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_UNSIGNED_16,          -1067742499291926803ll,                         true,   61165));
9363
9364                 // Sign extension for uint->int
9365                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_SIGNED_16,            71));
9366                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_SIGNED_32,            201,                                                            true,   -55));
9367                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_SIGNED_64,            188,                                                            true,   -68));
9368                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_SIGNED_32,            14669));
9369                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_SIGNED_64,            62195,                                                          true,   -3341));
9370                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_SIGNED_64,            973610259));
9371
9372                 // Truncate for uint->int
9373                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_SIGNED_8,                     67));
9374                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_SIGNED_8,                     133,                                                            true,   -123));
9375                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_SIGNED_8,                     836927654193256494ull,                          true,   46));
9376                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_SIGNED_16,            12382));
9377                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_SIGNED_32,            18446744072736739257ull,                        true,   -972812359));
9378                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_SIGNED_16,            17379001574417624813ull,                        true,   -4371));
9379
9380                 // Convert i16vec2 to i32vec2 and vice versa
9381                 // Unsigned values are used here to represent negative signed values and to allow defined shifting behaviour.
9382                 // The actual signed value -32123 is used here as uint16 value 33413 and uint32 value 4294935173
9383                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_VEC2_SIGNED_16,       DATA_TYPE_VEC2_SIGNED_32,       (33413u << 16)                  | 27593,        true,   (4294935173ull << 32)   | 27593));
9384                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_VEC2_SIGNED_32,       DATA_TYPE_VEC2_SIGNED_16,       (4294935173ull << 32)   | 27593,        true,   (33413u << 16)                  | 27593));
9385         }
9386         else if (instruction == "OpFConvert")
9387         {
9388                 // All hexadecimal values below represent 1234.0 as 16/32/64-bit IEEE 754 float
9389                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_FLOAT_64,                     0x449a4000,                                                     true,   0x4093480000000000));
9390                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_FLOAT_32,                     0x4093480000000000,                                     true,   0x449a4000));
9391
9392                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_FLOAT_16,                     0x449a4000,                                                     true,   0x64D2));
9393                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_FLOAT_32,                     0x64D2,                                                         true,   0x449a4000));
9394
9395                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_FLOAT_64,                     0x64D2,                                                         true,   0x4093480000000000));
9396                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_FLOAT_16,                     0x4093480000000000,                                     true,   0x64D2));
9397         }
9398         else if (instruction == "OpConvertFToU")
9399         {
9400                 // Normal numbers from uint8 range
9401                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_8,           0x5020,                                                         true,   33,                                                                     "33"));
9402                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_UNSIGNED_8,           0x42280000,                                                     true,   42,                                                                     "42"));
9403                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_UNSIGNED_8,           0x4067800000000000ull,                          true,   188,                                                            "188"));
9404
9405                 // Maximum uint8 value
9406                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_8,           0x5BF8,                                                         true,   255,                                                            "max"));
9407                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_UNSIGNED_8,           0x437F0000,                                                     true,   255,                                                            "max"));
9408                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_UNSIGNED_8,           0x406FE00000000000ull,                          true,   255,                                                            "max"));
9409
9410                 // +0
9411                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_8,           0x0000,                                                         true,   0,                                                                      "p0"));
9412                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_UNSIGNED_8,           0x00000000,                                                     true,   0,                                                                      "p0"));
9413                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_UNSIGNED_8,           0x0000000000000000ull,                          true,   0,                                                                      "p0"));
9414
9415                 // -0
9416                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_8,           0x8000,                                                         true,   0,                                                                      "m0"));
9417                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_UNSIGNED_8,           0x80000000,                                                     true,   0,                                                                      "m0"));
9418                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_UNSIGNED_8,           0x8000000000000000ull,                          true,   0,                                                                      "m0"));
9419
9420                 // All hexadecimal values below represent 1234.0 as 16/32/64-bit IEEE 754 float
9421                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_16,          0x64D2,                                                         true,   1234,                                                           "1234"));
9422                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_32,          0x64D2,                                                         true,   1234,                                                           "1234"));
9423                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_64,          0x64D2,                                                         true,   1234,                                                           "1234"));
9424
9425                 // 0x7BFF = 0111 1011 1111 1111 = 0 11110 1111111111 = 65504
9426                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_16,          0x7BFF,                                                         true,   65504,                                                          "max"));
9427                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_32,          0x7BFF,                                                         true,   65504,                                                          "max"));
9428                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_64,          0x7BFF,                                                         true,   65504,                                                          "max"));
9429
9430                 // +0
9431                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_32,          0x0000,                                                         true,   0,                                                                      "p0"));
9432                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_16,          0x0000,                                                         true,   0,                                                                      "p0"));
9433                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_64,          0x0000,                                                         true,   0,                                                                      "p0"));
9434
9435                 // -0
9436                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_16,          0x8000,                                                         true,   0,                                                                      "m0"));
9437                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_32,          0x8000,                                                         true,   0,                                                                      "m0"));
9438                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_UNSIGNED_64,          0x8000,                                                         true,   0,                                                                      "m0"));
9439
9440                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_UNSIGNED_16,          0x449a4000,                                                     true,   1234));
9441                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_UNSIGNED_32,          0x449a4000,                                                     true,   1234));
9442                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_UNSIGNED_64,          0x449a4000,                                                     true,   1234));
9443                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_UNSIGNED_16,          0x4093480000000000,                                     true,   1234));
9444                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_UNSIGNED_32,          0x4093480000000000,                                     true,   1234));
9445                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_UNSIGNED_64,          0x4093480000000000,                                     true,   1234));
9446         }
9447         else if (instruction == "OpConvertUToF")
9448         {
9449                 // Normal numbers from uint8 range
9450                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_FLOAT_16,                     116,                                                            true,   0x5740,                                                         "116"));
9451                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_FLOAT_32,                     232,                                                            true,   0x43680000,                                                     "232"));
9452                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_FLOAT_64,                     164,                                                            true,   0x4064800000000000ull,                          "164"));
9453
9454                 // Maximum uint8 value
9455                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_FLOAT_16,                     255,                                                            true,   0x5BF8,                                                         "max"));
9456                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_FLOAT_32,                     255,                                                            true,   0x437F0000,                                                     "max"));
9457                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_8,           DATA_TYPE_FLOAT_64,                     255,                                                            true,   0x406FE00000000000ull,                          "max"));
9458
9459                 // All hexadecimal values below represent 1234.0 as 32/64-bit IEEE 754 float
9460                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_FLOAT_16,                     1234,                                                           true,   0x64D2,                                                         "1234"));
9461                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_FLOAT_16,                     1234,                                                           true,   0x64D2,                                                         "1234"));
9462                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_FLOAT_16,                     1234,                                                           true,   0x64D2,                                                         "1234"));
9463
9464                 // 0x7BFF = 0111 1011 1111 1111 = 0 11110 1111111111 = 65504
9465                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_FLOAT_16,                     65504,                                                          true,   0x7BFF,                                                         "max"));
9466                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_FLOAT_16,                     65504,                                                          true,   0x7BFF,                                                         "max"));
9467                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_FLOAT_16,                     65504,                                                          true,   0x7BFF,                                                         "max"));
9468
9469                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_FLOAT_32,                     1234,                                                           true,   0x449a4000));
9470                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_16,          DATA_TYPE_FLOAT_64,                     1234,                                                           true,   0x4093480000000000));
9471                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_FLOAT_32,                     1234,                                                           true,   0x449a4000));
9472                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_32,          DATA_TYPE_FLOAT_64,                     1234,                                                           true,   0x4093480000000000));
9473                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_FLOAT_32,                     1234,                                                           true,   0x449a4000));
9474                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_UNSIGNED_64,          DATA_TYPE_FLOAT_64,                     1234,                                                           true,   0x4093480000000000));
9475         }
9476         else if (instruction == "OpConvertFToS")
9477         {
9478                 // Normal numbers from int8 range
9479                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_8,                     0xC980,                                                         true,   -11,                                                            "m11"));
9480                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_8,                     0xC2140000,                                                     true,   -37,                                                            "m37"));
9481                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_SIGNED_8,                     0xC050800000000000ull,                          true,   -66,                                                            "m66"));
9482
9483                 // Minimum int8 value
9484                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_8,                     0xD800,                                                         true,   -128,                                                           "min"));
9485                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_8,                     0xC3000000,                                                     true,   -128,                                                           "min"));
9486                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_SIGNED_8,                     0xC060000000000000ull,                          true,   -128,                                                           "min"));
9487
9488                 // Maximum int8 value
9489                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_8,                     0x57F0,                                                         true,   127,                                                            "max"));
9490                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_8,                     0x42FE0000,                                                     true,   127,                                                            "max"));
9491                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_SIGNED_8,                     0x405FC00000000000ull,                          true,   127,                                                            "max"));
9492
9493                 // +0
9494                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_8,                     0x0000,                                                         true,   0,                                                                      "p0"));
9495                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_8,                     0x00000000,                                                     true,   0,                                                                      "p0"));
9496                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_SIGNED_8,                     0x0000000000000000ull,                          true,   0,                                                                      "p0"));
9497
9498                 // -0
9499                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_8,                     0x8000,                                                         true,   0,                                                                      "m0"));
9500                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_8,                     0x80000000,                                                     true,   0,                                                                      "m0"));
9501                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_SIGNED_8,                     0x8000000000000000ull,                          true,   0,                                                                      "m0"));
9502
9503                 // All hexadecimal values below represent -1234.0 as 32/64-bit IEEE 754 float
9504                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_16,            0xE4D2,                                                         true,   -1234,                                                          "m1234"));
9505                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_32,            0xE4D2,                                                         true,   -1234,                                                          "m1234"));
9506                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_64,            0xE4D2,                                                         true,   -1234,                                                          "m1234"));
9507
9508                 // 0xF800 = 1111 1000 0000 0000 = 1 11110 0000000000 = -32768
9509                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_16,            0xF800,                                                         true,   -32768,                                                         "min"));
9510                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_32,            0xF800,                                                         true,   -32768,                                                         "min"));
9511                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_64,            0xF800,                                                         true,   -32768,                                                         "min"));
9512
9513                 // 0x77FF = 0111 0111 1111 1111 = 0 11101 1111111111 = 32752
9514                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_16,            0x77FF,                                                         true,   32752,                                                          "max"));
9515                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_32,            0x77FF,                                                         true,   32752,                                                          "max"));
9516                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_64,            0x77FF,                                                         true,   32752,                                                          "max"));
9517
9518                 // +0
9519                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_16,            0x0000,                                                         true,   0,                                                                      "p0"));
9520                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_32,            0x0000,                                                         true,   0,                                                                      "p0"));
9521                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_64,            0x0000,                                                         true,   0,                                                                      "p0"));
9522
9523                 // -0
9524                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_16,            0x8000,                                                         true,   0,                                                                      "m0"));
9525                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_32,            0x8000,                                                         true,   0,                                                                      "m0"));
9526                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_16,                     DATA_TYPE_SIGNED_64,            0x8000,                                                         true,   0,                                                                      "m0"));
9527
9528                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_16,            0xc49a4000,                                                     true,   -1234));
9529                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_32,            0xc49a4000,                                                     true,   -1234));
9530                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_64,            0xc49a4000,                                                     true,   -1234));
9531                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_SIGNED_16,            0xc093480000000000,                                     true,   -1234));
9532                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_SIGNED_32,            0xc093480000000000,                                     true,   -1234));
9533                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_64,                     DATA_TYPE_SIGNED_64,            0xc093480000000000,                                     true,   -1234));
9534                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_16,            0x453b9000,                                                     true,    3001,                                                          "p3001"));
9535                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_FLOAT_32,                     DATA_TYPE_SIGNED_16,            0xc53b9000,                                                     true,   -3001,                                                          "m3001"));
9536         }
9537         else if (instruction == "OpConvertSToF")
9538         {
9539                 // Normal numbers from int8 range
9540                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_FLOAT_16,                     -12,                                                            true,   0xCA00,                                                         "m21"));
9541                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_FLOAT_32,                     -21,                                                            true,   0xC1A80000,                                                     "m21"));
9542                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_FLOAT_64,                     -99,                                                            true,   0xC058C00000000000ull,                          "m99"));
9543
9544                 // Minimum int8 value
9545                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_FLOAT_16,                     -128,                                                           true,   0xD800,                                                         "min"));
9546                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_FLOAT_32,                     -128,                                                           true,   0xC3000000,                                                     "min"));
9547                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_FLOAT_64,                     -128,                                                           true,   0xC060000000000000ull,                          "min"));
9548
9549                 // Maximum int8 value
9550                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_FLOAT_16,                     127,                                                            true,   0x57F0,                                                         "max"));
9551                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_FLOAT_32,                     127,                                                            true,   0x42FE0000,                                                     "max"));
9552                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_8,                     DATA_TYPE_FLOAT_64,                     127,                                                            true,   0x405FC00000000000ull,                          "max"));
9553
9554                 // All hexadecimal values below represent 1234.0 as 32/64-bit IEEE 754 float
9555                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_FLOAT_16,                     -1234,                                                          true,   0xE4D2,                                                         "m1234"));
9556                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_FLOAT_16,                     -1234,                                                          true,   0xE4D2,                                                         "m1234"));
9557                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_FLOAT_16,                     -1234,                                                          true,   0xE4D2,                                                         "m1234"));
9558
9559                 // 0xF800 = 1111 1000 0000 0000 = 1 11110 0000000000 = -32768
9560                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_FLOAT_16,                     -32768,                                                         true,   0xF800,                                                         "min"));
9561                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_FLOAT_16,                     -32768,                                                         true,   0xF800,                                                         "min"));
9562                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_FLOAT_16,                     -32768,                                                         true,   0xF800,                                                         "min"));
9563
9564                 // 0x77FF = 0111 0111 1111 1111 = 0 11101 1111111111 = 32752
9565                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_FLOAT_16,                     32752,                                                          true,   0x77FF,                                                         "max"));
9566                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_FLOAT_16,                     32752,                                                          true,   0x77FF,                                                         "max"));
9567                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_FLOAT_16,                     32752,                                                          true,   0x77FF,                                                         "max"));
9568
9569                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_FLOAT_32,                     -1234,                                                          true,   0xc49a4000));
9570                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_16,            DATA_TYPE_FLOAT_64,                     -1234,                                                          true,   0xc093480000000000));
9571                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_FLOAT_32,                     -1234,                                                          true,   0xc49a4000));
9572                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_32,            DATA_TYPE_FLOAT_64,                     -1234,                                                          true,   0xc093480000000000));
9573                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_FLOAT_32,                     -1234,                                                          true,   0xc49a4000));
9574                 testCases.push_back(ConvertCase(instruction,    DATA_TYPE_SIGNED_64,            DATA_TYPE_FLOAT_64,                     -1234,                                                          true,   0xc093480000000000));
9575         }
9576         else
9577                 DE_FATAL("Unknown instruction");
9578 }
9579
9580 const map<string, string> getConvertCaseFragments (string instruction, const ConvertCase& convertCase)
9581 {
9582         map<string, string> params = convertCase.m_asmTypes;
9583         map<string, string> fragments;
9584
9585         params["instruction"] = instruction;
9586         params["inDecorator"] = getByteWidthStr(convertCase.m_fromType);
9587
9588         const StringTemplate decoration (
9589                 "      OpDecorate %SSBOi DescriptorSet 0\n"
9590                 "      OpDecorate %SSBOo DescriptorSet 0\n"
9591                 "      OpDecorate %SSBOi Binding 0\n"
9592                 "      OpDecorate %SSBOo Binding 1\n"
9593                 "      OpDecorate %s_SSBOi Block\n"
9594                 "      OpDecorate %s_SSBOo Block\n"
9595                 "OpMemberDecorate %s_SSBOi 0 Offset 0\n"
9596                 "OpMemberDecorate %s_SSBOo 0 Offset 0\n");
9597
9598         const StringTemplate pre_main (
9599                 "${datatype_additional_decl:opt}"
9600                 "    %ptr_in = OpTypePointer StorageBuffer %${inputType}\n"
9601                 "   %ptr_out = OpTypePointer StorageBuffer %${outputType}\n"
9602                 "   %s_SSBOi = OpTypeStruct %${inputType}\n"
9603                 "   %s_SSBOo = OpTypeStruct %${outputType}\n"
9604                 " %ptr_SSBOi = OpTypePointer StorageBuffer %s_SSBOi\n"
9605                 " %ptr_SSBOo = OpTypePointer StorageBuffer %s_SSBOo\n"
9606                 "     %SSBOi = OpVariable %ptr_SSBOi StorageBuffer\n"
9607                 "     %SSBOo = OpVariable %ptr_SSBOo StorageBuffer\n");
9608
9609         const StringTemplate testfun (
9610                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
9611                 "%param     = OpFunctionParameter %v4f32\n"
9612                 "%label     = OpLabel\n"
9613                 "%iLoc      = OpAccessChain %ptr_in %SSBOi %c_u32_0\n"
9614                 "%oLoc      = OpAccessChain %ptr_out %SSBOo %c_u32_0\n"
9615                 "%valIn     = OpLoad %${inputType} %iLoc\n"
9616                 "%valOut    = ${instruction} %${outputType} %valIn\n"
9617                 "             OpStore %oLoc %valOut\n"
9618                 "             OpReturnValue %param\n"
9619                 "             OpFunctionEnd\n");
9620
9621         params["datatype_extensions"] =
9622                 params["datatype_extensions"] +
9623                 "OpExtension \"SPV_KHR_storage_buffer_storage_class\"\n";
9624
9625         fragments["capability"] = params["datatype_capabilities"];
9626         fragments["extension"]  = params["datatype_extensions"];
9627         fragments["decoration"] = decoration.specialize(params);
9628         fragments["pre_main"]   = pre_main.specialize(params);
9629         fragments["testfun"]    = testfun.specialize(params);
9630
9631         return fragments;
9632 }
9633
9634 // Test for OpSConvert, OpUConvert, OpFConvert and OpConvert* in compute shaders
9635 tcu::TestCaseGroup* createConvertComputeTests (tcu::TestContext& testCtx, const string& instruction, const string& name)
9636 {
9637         de::MovePtr<tcu::TestCaseGroup>         group(new tcu::TestCaseGroup(testCtx, name.c_str(), instruction.c_str()));
9638         vector<ConvertCase>                                     testCases;
9639         createConvertCases(testCases, instruction);
9640
9641         for (vector<ConvertCase>::const_iterator test = testCases.begin(); test != testCases.end(); ++test)
9642         {
9643                 ComputeShaderSpec spec;
9644                 spec.assembly                   = getConvertCaseShaderStr(instruction, *test);
9645                 spec.numWorkGroups              = IVec3(1, 1, 1);
9646                 spec.inputs.push_back   (test->m_inputBuffer);
9647                 spec.outputs.push_back  (test->m_outputBuffer);
9648
9649                 getVulkanFeaturesAndExtensions(test->m_fromType, test->m_toType, spec.requestedVulkanFeatures, spec.extensions);
9650
9651                 group->addChild(new SpvAsmComputeShaderCase(testCtx, test->m_name.c_str(), "", spec));
9652         }
9653         return group.release();
9654 }
9655
9656 // Test for OpSConvert, OpUConvert, OpFConvert and OpConvert* in graphics shaders
9657 tcu::TestCaseGroup* createConvertGraphicsTests (tcu::TestContext& testCtx, const string& instruction, const string& name)
9658 {
9659         de::MovePtr<tcu::TestCaseGroup>         group(new tcu::TestCaseGroup(testCtx, name.c_str(), instruction.c_str()));
9660         vector<ConvertCase>                                     testCases;
9661         createConvertCases(testCases, instruction);
9662
9663         for (vector<ConvertCase>::const_iterator test = testCases.begin(); test != testCases.end(); ++test)
9664         {
9665                 map<string, string>     fragments               = getConvertCaseFragments(instruction, *test);
9666                 VulkanFeatures          vulkanFeatures;
9667                 GraphicsResources       resources;
9668                 vector<string>          extensions;
9669                 SpecConstants           noSpecConstants;
9670                 PushConstants           noPushConstants;
9671                 GraphicsInterfaces      noInterfaces;
9672                 tcu::RGBA                       defaultColors[4];
9673
9674                 getDefaultColors                        (defaultColors);
9675                 resources.inputs.push_back      (Resource(test->m_inputBuffer, VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
9676                 resources.outputs.push_back     (Resource(test->m_outputBuffer, VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
9677                 extensions.push_back            ("VK_KHR_storage_buffer_storage_class");
9678
9679                 getVulkanFeaturesAndExtensions(test->m_fromType, test->m_toType, vulkanFeatures, extensions);
9680
9681                 vulkanFeatures.coreFeatures.vertexPipelineStoresAndAtomics      = true;
9682                 vulkanFeatures.coreFeatures.fragmentStoresAndAtomics            = true;
9683
9684                 createTestsForAllStages(
9685                         test->m_name, defaultColors, defaultColors, fragments, noSpecConstants,
9686                         noPushConstants, resources, noInterfaces, extensions, vulkanFeatures, group.get());
9687         }
9688         return group.release();
9689 }
9690
9691 // Constant-Creation Instructions: OpConstant, OpConstantComposite
9692 tcu::TestCaseGroup* createOpConstantFloat16Tests(tcu::TestContext& testCtx)
9693 {
9694         de::MovePtr<tcu::TestCaseGroup> opConstantCompositeTests                (new tcu::TestCaseGroup(testCtx, "opconstant", "OpConstant and OpConstantComposite instruction"));
9695         RGBA                                                    inputColors[4];
9696         RGBA                                                    outputColors[4];
9697         vector<string>                                  extensions;
9698         GraphicsResources                               resources;
9699         VulkanFeatures                                  features;
9700
9701         const char                                              functionStart[]  =
9702                 "%test_code             = OpFunction %v4f32 None %v4f32_v4f32_function\n"
9703                 "%param1                = OpFunctionParameter %v4f32\n"
9704                 "%lbl                   = OpLabel\n";
9705
9706         const char                                              functionEnd[]           =
9707                 "%transformed_param_32  = OpFConvert %v4f32 %transformed_param\n"
9708                 "                         OpReturnValue %transformed_param_32\n"
9709                 "                         OpFunctionEnd\n";
9710
9711         struct NameConstantsCode
9712         {
9713                 string name;
9714                 string constants;
9715                 string code;
9716         };
9717
9718 #define FLOAT_16_COMMON_TYPES_AND_CONSTS \
9719                         "%f16                  = OpTypeFloat 16\n"                                                 \
9720                         "%c_f16_0              = OpConstant %f16 0.0\n"                                            \
9721                         "%c_f16_0_5            = OpConstant %f16 0.5\n"                                            \
9722                         "%c_f16_1              = OpConstant %f16 1.0\n"                                            \
9723                         "%v4f16                = OpTypeVector %f16 4\n"                                            \
9724                         "%fp_f16               = OpTypePointer Function %f16\n"                                    \
9725                         "%fp_v4f16             = OpTypePointer Function %v4f16\n"                                  \
9726                         "%c_v4f16_1_1_1_1      = OpConstantComposite %v4f16 %c_f16_1 %c_f16_1 %c_f16_1 %c_f16_1\n" \
9727                         "%a4f16                = OpTypeArray %f16 %c_u32_4\n"                                      \
9728
9729         NameConstantsCode                               tests[] =
9730         {
9731                 {
9732                         "vec4",
9733
9734                         FLOAT_16_COMMON_TYPES_AND_CONSTS
9735                         "%cval                 = OpConstantComposite %v4f16 %c_f16_0_5 %c_f16_0_5 %c_f16_0_5 %c_f16_0\n",
9736                         "%param1_16            = OpFConvert %v4f16 %param1\n"
9737                         "%transformed_param    = OpFAdd %v4f16 %param1_16 %cval\n"
9738                 },
9739                 {
9740                         "struct",
9741
9742                         FLOAT_16_COMMON_TYPES_AND_CONSTS
9743                         "%stype                = OpTypeStruct %v4f16 %f16\n"
9744                         "%fp_stype             = OpTypePointer Function %stype\n"
9745                         "%f16_n_1              = OpConstant %f16 -1.0\n"
9746                         "%f16_1_5              = OpConstant %f16 !0x3e00\n" // +1.5
9747                         "%cvec                 = OpConstantComposite %v4f16 %f16_1_5 %f16_1_5 %f16_1_5 %c_f16_1\n"
9748                         "%cval                 = OpConstantComposite %stype %cvec %f16_n_1\n",
9749
9750                         "%v                    = OpVariable %fp_stype Function %cval\n"
9751                         "%vec_ptr              = OpAccessChain %fp_v4f16 %v %c_u32_0\n"
9752                         "%f16_ptr              = OpAccessChain %fp_f16 %v %c_u32_1\n"
9753                         "%vec_val              = OpLoad %v4f16 %vec_ptr\n"
9754                         "%f16_val              = OpLoad %f16 %f16_ptr\n"
9755                         "%tmp1                 = OpVectorTimesScalar %v4f16 %c_v4f16_1_1_1_1 %f16_val\n" // vec4(-1)
9756                         "%param1_16            = OpFConvert %v4f16 %param1\n"
9757                         "%tmp2                 = OpFAdd %v4f16 %tmp1 %param1_16\n" // param1 + vec4(-1)
9758                         "%transformed_param    = OpFAdd %v4f16 %tmp2 %vec_val\n" // param1 + vec4(-1) + vec4(1.5, 1.5, 1.5, 1.0)
9759                 },
9760                 {
9761                         // [1|0|0|0.5] [x] = x + 0.5
9762                         // [0|1|0|0.5] [y] = y + 0.5
9763                         // [0|0|1|0.5] [z] = z + 0.5
9764                         // [0|0|0|1  ] [1] = 1
9765                         "matrix",
9766
9767                         FLOAT_16_COMMON_TYPES_AND_CONSTS
9768                         "%mat4x4_f16           = OpTypeMatrix %v4f16 4\n"
9769                         "%v4f16_1_0_0_0        = OpConstantComposite %v4f16 %c_f16_1 %c_f16_0 %c_f16_0 %c_f16_0\n"
9770                         "%v4f16_0_1_0_0        = OpConstantComposite %v4f16 %c_f16_0 %c_f16_1 %c_f16_0 %c_f16_0\n"
9771                         "%v4f16_0_0_1_0        = OpConstantComposite %v4f16 %c_f16_0 %c_f16_0 %c_f16_1 %c_f16_0\n"
9772                         "%v4f16_0_5_0_5_0_5_1  = OpConstantComposite %v4f16 %c_f16_0_5 %c_f16_0_5 %c_f16_0_5 %c_f16_1\n"
9773                         "%cval                 = OpConstantComposite %mat4x4_f16 %v4f16_1_0_0_0 %v4f16_0_1_0_0 %v4f16_0_0_1_0 %v4f16_0_5_0_5_0_5_1\n",
9774
9775                         "%param1_16            = OpFConvert %v4f16 %param1\n"
9776                         "%transformed_param    = OpMatrixTimesVector %v4f16 %cval %param1_16\n"
9777                 },
9778                 {
9779                         "array",
9780
9781                         FLOAT_16_COMMON_TYPES_AND_CONSTS
9782                         "%c_v4f16_1_1_1_0      = OpConstantComposite %v4f16 %c_f16_1 %c_f16_1 %c_f16_1 %c_f16_0\n"
9783                         "%fp_a4f16             = OpTypePointer Function %a4f16\n"
9784                         "%f16_n_1              = OpConstant %f16 -1.0\n"
9785                         "%f16_1_5              = OpConstant %f16 !0x3e00\n" // +1.5
9786                         "%carr                 = OpConstantComposite %a4f16 %c_f16_0 %f16_n_1 %f16_1_5 %c_f16_0\n",
9787
9788                         "%v                    = OpVariable %fp_a4f16 Function %carr\n"
9789                         "%f                    = OpAccessChain %fp_f16 %v %c_u32_0\n"
9790                         "%f1                   = OpAccessChain %fp_f16 %v %c_u32_1\n"
9791                         "%f2                   = OpAccessChain %fp_f16 %v %c_u32_2\n"
9792                         "%f3                   = OpAccessChain %fp_f16 %v %c_u32_3\n"
9793                         "%f_val                = OpLoad %f16 %f\n"
9794                         "%f1_val               = OpLoad %f16 %f1\n"
9795                         "%f2_val               = OpLoad %f16 %f2\n"
9796                         "%f3_val               = OpLoad %f16 %f3\n"
9797                         "%ftot1                = OpFAdd %f16 %f_val %f1_val\n"
9798                         "%ftot2                = OpFAdd %f16 %ftot1 %f2_val\n"
9799                         "%ftot3                = OpFAdd %f16 %ftot2 %f3_val\n"  // 0 - 1 + 1.5 + 0
9800                         "%add_vec              = OpVectorTimesScalar %v4f16 %c_v4f16_1_1_1_0 %ftot3\n"
9801                         "%param1_16            = OpFConvert %v4f16 %param1\n"
9802                         "%transformed_param    = OpFAdd %v4f16 %param1_16 %add_vec\n"
9803                 },
9804                 {
9805                         //
9806                         // [
9807                         //   {
9808                         //      0.0,
9809                         //      [ 1.0, 1.0, 1.0, 1.0]
9810                         //   },
9811                         //   {
9812                         //      1.0,
9813                         //      [ 0.0, 0.5, 0.0, 0.0]
9814                         //   }, //     ^^^
9815                         //   {
9816                         //      0.0,
9817                         //      [ 1.0, 1.0, 1.0, 1.0]
9818                         //   }
9819                         // ]
9820                         "array_of_struct_of_array",
9821
9822                         FLOAT_16_COMMON_TYPES_AND_CONSTS
9823                         "%c_v4f16_1_1_1_0      = OpConstantComposite %v4f16 %c_f16_1 %c_f16_1 %c_f16_1 %c_f16_0\n"
9824                         "%fp_a4f16             = OpTypePointer Function %a4f16\n"
9825                         "%stype                = OpTypeStruct %f16 %a4f16\n"
9826                         "%a3stype              = OpTypeArray %stype %c_u32_3\n"
9827                         "%fp_a3stype           = OpTypePointer Function %a3stype\n"
9828                         "%ca4f16_0             = OpConstantComposite %a4f16 %c_f16_0 %c_f16_0_5 %c_f16_0 %c_f16_0\n"
9829                         "%ca4f16_1             = OpConstantComposite %a4f16 %c_f16_1 %c_f16_1 %c_f16_1 %c_f16_1\n"
9830                         "%cstype1              = OpConstantComposite %stype %c_f16_0 %ca4f16_1\n"
9831                         "%cstype2              = OpConstantComposite %stype %c_f16_1 %ca4f16_0\n"
9832                         "%carr                 = OpConstantComposite %a3stype %cstype1 %cstype2 %cstype1",
9833
9834                         "%v                    = OpVariable %fp_a3stype Function %carr\n"
9835                         "%f                    = OpAccessChain %fp_f16 %v %c_u32_1 %c_u32_1 %c_u32_1\n"
9836                         "%f_l                  = OpLoad %f16 %f\n"
9837                         "%add_vec              = OpVectorTimesScalar %v4f16 %c_v4f16_1_1_1_0 %f_l\n"
9838                         "%param1_16            = OpFConvert %v4f16 %param1\n"
9839                         "%transformed_param    = OpFAdd %v4f16 %param1_16 %add_vec\n"
9840                 }
9841         };
9842
9843         getHalfColorsFullAlpha(inputColors);
9844         outputColors[0] = RGBA(255, 255, 255, 255);
9845         outputColors[1] = RGBA(255, 127, 127, 255);
9846         outputColors[2] = RGBA(127, 255, 127, 255);
9847         outputColors[3] = RGBA(127, 127, 255, 255);
9848
9849         extensions.push_back("VK_KHR_16bit_storage");
9850         extensions.push_back("VK_KHR_shader_float16_int8");
9851         features.extFloat16Int8 = EXTFLOAT16INT8FEATURES_FLOAT16;
9852
9853         for (size_t testNdx = 0; testNdx < sizeof(tests) / sizeof(NameConstantsCode); ++testNdx)
9854         {
9855                 map<string, string> fragments;
9856
9857                 fragments["extension"]  = "OpExtension \"SPV_KHR_16bit_storage\"";
9858                 fragments["capability"] = "OpCapability Float16\n";
9859                 fragments["pre_main"]   = tests[testNdx].constants;
9860                 fragments["testfun"]    = string(functionStart) + tests[testNdx].code + functionEnd;
9861
9862                 createTestsForAllStages(tests[testNdx].name, inputColors, outputColors, fragments, resources, extensions, opConstantCompositeTests.get(), features);
9863         }
9864         return opConstantCompositeTests.release();
9865 }
9866
9867 template<typename T>
9868 void finalizeTestsCreation (T&                                                  specResource,
9869                                                         const map<string, string>&      fragments,
9870                                                         tcu::TestContext&                       testCtx,
9871                                                         tcu::TestCaseGroup&                     testGroup,
9872                                                         const std::string&                      testName,
9873                                                         const VulkanFeatures&           vulkanFeatures,
9874                                                         const vector<string>&           extensions,
9875                                                         const IVec3&                            numWorkGroups);
9876
9877 template<>
9878 void finalizeTestsCreation (GraphicsResources&                  specResource,
9879                                                         const map<string, string>&      fragments,
9880                                                         tcu::TestContext&                       ,
9881                                                         tcu::TestCaseGroup&                     testGroup,
9882                                                         const std::string&                      testName,
9883                                                         const VulkanFeatures&           vulkanFeatures,
9884                                                         const vector<string>&           extensions,
9885                                                         const IVec3&                            )
9886 {
9887         RGBA defaultColors[4];
9888         getDefaultColors(defaultColors);
9889
9890         createTestsForAllStages(testName, defaultColors, defaultColors, fragments, specResource, extensions, &testGroup, vulkanFeatures);
9891 }
9892
9893 template<>
9894 void finalizeTestsCreation (ComputeShaderSpec&                  specResource,
9895                                                         const map<string, string>&      fragments,
9896                                                         tcu::TestContext&                       testCtx,
9897                                                         tcu::TestCaseGroup&                     testGroup,
9898                                                         const std::string&                      testName,
9899                                                         const VulkanFeatures&           vulkanFeatures,
9900                                                         const vector<string>&           extensions,
9901                                                         const IVec3&                            numWorkGroups)
9902 {
9903         specResource.numWorkGroups = numWorkGroups;
9904         specResource.requestedVulkanFeatures = vulkanFeatures;
9905         specResource.extensions = extensions;
9906
9907         specResource.assembly = makeComputeShaderAssembly(fragments);
9908
9909         testGroup.addChild(new SpvAsmComputeShaderCase(testCtx, testName.c_str(), "", specResource));
9910 }
9911
9912 template<class SpecResource>
9913 tcu::TestCaseGroup* createFloat16LogicalSet (tcu::TestContext& testCtx, const bool nanSupported)
9914 {
9915         const string                                            nan                                     = nanSupported ? "_nan" : "";
9916         const string                                            groupName                       = "logical" + nan;
9917         de::MovePtr<tcu::TestCaseGroup>         testGroup                       (new tcu::TestCaseGroup(testCtx, groupName.c_str(), "Float 16 logical tests"));
9918
9919         de::Random                                                      rnd                                     (deStringHash(testGroup->getName()));
9920         const string                                            spvCapabilities         = string("OpCapability StorageUniformBufferBlock16\n") + (nanSupported ? "OpCapability SignedZeroInfNanPreserve\n" : "");
9921         const string                                            spvExtensions           = string("OpExtension \"SPV_KHR_16bit_storage\"\n") + (nanSupported ? "OpExtension \"SPV_KHR_float_controls\"\n" : "");
9922         const string                                            spvExecutionMode        = nanSupported ? "OpExecutionMode %BP_main SignedZeroInfNanPreserve 16\n" : "";
9923         const deUint32                                          numDataPoints           = 16;
9924         const vector<deFloat16>                         float16Data                     = getFloat16s(rnd, numDataPoints);
9925         const vector<deFloat16>                         float16Data1            = squarize(float16Data, 0);
9926         const vector<deFloat16>                         float16Data2            = squarize(float16Data, 1);
9927         const vector<deFloat16>                         float16DataVec1         = squarizeVector(float16Data, 0);
9928         const vector<deFloat16>                         float16DataVec2         = squarizeVector(float16Data, 1);
9929         const vector<deFloat16>                         float16OutDummy         (float16Data1.size(), 0);
9930         const vector<deFloat16>                         float16OutVecDummy      (float16DataVec1.size(), 0);
9931
9932         struct TestOp
9933         {
9934                 const char*             opCode;
9935                 VerifyIOFunc    verifyFuncNan;
9936                 VerifyIOFunc    verifyFuncNonNan;
9937                 const deUint32  argCount;
9938         };
9939
9940         const TestOp    testOps[]       =
9941         {
9942                 { "OpIsNan"                                             ,       compareFP16Logical<fp16isNan,                           true,  false, true>,    compareFP16Logical<fp16isNan,                           true,  false, false>,   1       },
9943                 { "OpIsInf"                                             ,       compareFP16Logical<fp16isInf,                           true,  false, true>,    compareFP16Logical<fp16isInf,                           true,  false, false>,   1       },
9944                 { "OpFOrdEqual"                                 ,       compareFP16Logical<fp16isEqual,                         false, true,  true>,    compareFP16Logical<fp16isEqual,                         false, true,  false>,   2       },
9945                 { "OpFUnordEqual"                               ,       compareFP16Logical<fp16isEqual,                         false, false, true>,    compareFP16Logical<fp16isEqual,                         false, false, false>,   2       },
9946                 { "OpFOrdNotEqual"                              ,       compareFP16Logical<fp16isUnequal,                       false, true,  true>,    compareFP16Logical<fp16isUnequal,                       false, true,  false>,   2       },
9947                 { "OpFUnordNotEqual"                    ,       compareFP16Logical<fp16isUnequal,                       false, false, true>,    compareFP16Logical<fp16isUnequal,                       false, false, false>,   2       },
9948                 { "OpFOrdLessThan"                              ,       compareFP16Logical<fp16isLess,                          false, true,  true>,    compareFP16Logical<fp16isLess,                          false, true,  false>,   2       },
9949                 { "OpFUnordLessThan"                    ,       compareFP16Logical<fp16isLess,                          false, false, true>,    compareFP16Logical<fp16isLess,                          false, false, false>,   2       },
9950                 { "OpFOrdGreaterThan"                   ,       compareFP16Logical<fp16isGreater,                       false, true,  true>,    compareFP16Logical<fp16isGreater,                       false, true,  false>,   2       },
9951                 { "OpFUnordGreaterThan"                 ,       compareFP16Logical<fp16isGreater,                       false, false, true>,    compareFP16Logical<fp16isGreater,                       false, false, false>,   2       },
9952                 { "OpFOrdLessThanEqual"                 ,       compareFP16Logical<fp16isLessOrEqual,           false, true,  true>,    compareFP16Logical<fp16isLessOrEqual,           false, true,  false>,   2       },
9953                 { "OpFUnordLessThanEqual"               ,       compareFP16Logical<fp16isLessOrEqual,           false, false, true>,    compareFP16Logical<fp16isLessOrEqual,           false, false, false>,   2       },
9954                 { "OpFOrdGreaterThanEqual"              ,       compareFP16Logical<fp16isGreaterOrEqual,        false, true,  true>,    compareFP16Logical<fp16isGreaterOrEqual,        false, true,  false>,   2       },
9955                 { "OpFUnordGreaterThanEqual"    ,       compareFP16Logical<fp16isGreaterOrEqual,        false, false, true>,    compareFP16Logical<fp16isGreaterOrEqual,        false, false, false>,   2       },
9956         };
9957
9958         { // scalar cases
9959                 const StringTemplate preMain
9960                 (
9961                         "%c_i32_ndp = OpConstant %i32 ${num_data_points}\n"
9962                         "      %f16 = OpTypeFloat 16\n"
9963                         "  %c_f16_0 = OpConstant %f16 0.0\n"
9964                         "  %c_f16_1 = OpConstant %f16 1.0\n"
9965                         "   %up_f16 = OpTypePointer Uniform %f16\n"
9966                         "   %ra_f16 = OpTypeArray %f16 %c_i32_ndp\n"
9967                         "   %SSBO16 = OpTypeStruct %ra_f16\n"
9968                         "%up_SSBO16 = OpTypePointer Uniform %SSBO16\n"
9969                         "%ssbo_src0 = OpVariable %up_SSBO16 Uniform\n"
9970                         "%ssbo_src1 = OpVariable %up_SSBO16 Uniform\n"
9971                         " %ssbo_dst = OpVariable %up_SSBO16 Uniform\n"
9972                 );
9973
9974                 const StringTemplate decoration
9975                 (
9976                         "OpDecorate %ra_f16 ArrayStride 2\n"
9977                         "OpMemberDecorate %SSBO16 0 Offset 0\n"
9978                         "OpDecorate %SSBO16 BufferBlock\n"
9979                         "OpDecorate %ssbo_src0 DescriptorSet 0\n"
9980                         "OpDecorate %ssbo_src0 Binding 0\n"
9981                         "OpDecorate %ssbo_src1 DescriptorSet 0\n"
9982                         "OpDecorate %ssbo_src1 Binding 1\n"
9983                         "OpDecorate %ssbo_dst DescriptorSet 0\n"
9984                         "OpDecorate %ssbo_dst Binding 2\n"
9985                 );
9986
9987                 const StringTemplate testFun
9988                 (
9989                         "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
9990                         "    %param = OpFunctionParameter %v4f32\n"
9991
9992                         "    %entry = OpLabel\n"
9993                         "        %i = OpVariable %fp_i32 Function\n"
9994                         "             OpStore %i %c_i32_0\n"
9995                         "             OpBranch %loop\n"
9996
9997                         "     %loop = OpLabel\n"
9998                         "    %i_cmp = OpLoad %i32 %i\n"
9999                         "       %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
10000                         "             OpLoopMerge %merge %next None\n"
10001                         "             OpBranchConditional %lt %write %merge\n"
10002
10003                         "    %write = OpLabel\n"
10004                         "      %ndx = OpLoad %i32 %i\n"
10005
10006                         "     %src0 = OpAccessChain %up_f16 %ssbo_src0 %c_i32_0 %ndx\n"
10007                         " %val_src0 = OpLoad %f16 %src0\n"
10008
10009                         "${op_arg1_calc}"
10010
10011                         " %val_bdst = ${op_code} %bool %val_src0 ${op_arg1}\n"
10012                         "  %val_dst = OpSelect %f16 %val_bdst %c_f16_1 %c_f16_0\n"
10013                         "      %dst = OpAccessChain %up_f16 %ssbo_dst %c_i32_0 %ndx\n"
10014                         "             OpStore %dst %val_dst\n"
10015                         "             OpBranch %next\n"
10016
10017                         "     %next = OpLabel\n"
10018                         "    %i_cur = OpLoad %i32 %i\n"
10019                         "    %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
10020                         "             OpStore %i %i_new\n"
10021                         "             OpBranch %loop\n"
10022
10023                         "    %merge = OpLabel\n"
10024                         "             OpReturnValue %param\n"
10025
10026                         "             OpFunctionEnd\n"
10027                 );
10028
10029                 const StringTemplate arg1Calc
10030                 (
10031                         "     %src1 = OpAccessChain %up_f16 %ssbo_src1 %c_i32_0 %ndx\n"
10032                         " %val_src1 = OpLoad %f16 %src1\n"
10033                 );
10034
10035                 for (deUint32 testOpsIdx = 0; testOpsIdx < DE_LENGTH_OF_ARRAY(testOps); ++testOpsIdx)
10036                 {
10037                         const size_t            iterations              = float16Data1.size();
10038                         const TestOp&           testOp                  = testOps[testOpsIdx];
10039                         const string            testName                = de::toLower(string(testOp.opCode)) + "_scalar";
10040                         SpecResource            specResource;
10041                         map<string, string>     specs;
10042                         VulkanFeatures          features;
10043                         map<string, string>     fragments;
10044                         vector<string>          extensions;
10045
10046                         specs["num_data_points"]        = de::toString(iterations);
10047                         specs["op_code"]                        = testOp.opCode;
10048                         specs["op_arg1"]                        = (testOp.argCount == 1) ? "" : "%val_src1";
10049                         specs["op_arg1_calc"]           = (testOp.argCount == 1) ? "" : arg1Calc.specialize(specs);
10050
10051                         fragments["extension"]          = spvExtensions;
10052                         fragments["capability"]         = spvCapabilities;
10053                         fragments["execution_mode"]     = spvExecutionMode;
10054                         fragments["decoration"]         = decoration.specialize(specs);
10055                         fragments["pre_main"]           = preMain.specialize(specs);
10056                         fragments["testfun"]            = testFun.specialize(specs);
10057
10058                         specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(float16Data1)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10059                         specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(float16Data2)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10060                         specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(float16OutDummy)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10061                         specResource.verifyIO = nanSupported ? testOp.verifyFuncNan : testOp.verifyFuncNonNan;
10062
10063                         extensions.push_back("VK_KHR_16bit_storage");
10064                         extensions.push_back("VK_KHR_shader_float16_int8");
10065
10066                         if (nanSupported)
10067                         {
10068                                 extensions.push_back("VK_KHR_shader_float_controls");
10069
10070                                 features.floatControlsProperties.shaderSignedZeroInfNanPreserveFloat16 = DE_TRUE;
10071                         }
10072
10073                         features.ext16BitStorage = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
10074                         features.extFloat16Int8 = EXTFLOAT16INT8FEATURES_FLOAT16;
10075
10076                         finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
10077                 }
10078         }
10079         { // vector cases
10080                 const StringTemplate preMain
10081                 (
10082                         "  %c_i32_ndp = OpConstant %i32 ${num_data_points}\n"
10083                         "     %v2bool = OpTypeVector %bool 2\n"
10084                         "        %f16 = OpTypeFloat 16\n"
10085                         "    %c_f16_0 = OpConstant %f16 0.0\n"
10086                         "    %c_f16_1 = OpConstant %f16 1.0\n"
10087                         "      %v2f16 = OpTypeVector %f16 2\n"
10088                         "%c_v2f16_0_0 = OpConstantComposite %v2f16 %c_f16_0 %c_f16_0\n"
10089                         "%c_v2f16_1_1 = OpConstantComposite %v2f16 %c_f16_1 %c_f16_1\n"
10090                         "   %up_v2f16 = OpTypePointer Uniform %v2f16\n"
10091                         "   %ra_v2f16 = OpTypeArray %v2f16 %c_i32_ndp\n"
10092                         "     %SSBO16 = OpTypeStruct %ra_v2f16\n"
10093                         "  %up_SSBO16 = OpTypePointer Uniform %SSBO16\n"
10094                         "  %ssbo_src0 = OpVariable %up_SSBO16 Uniform\n"
10095                         "  %ssbo_src1 = OpVariable %up_SSBO16 Uniform\n"
10096                         "   %ssbo_dst = OpVariable %up_SSBO16 Uniform\n"
10097                 );
10098
10099                 const StringTemplate decoration
10100                 (
10101                         "OpDecorate %ra_v2f16 ArrayStride 4\n"
10102                         "OpMemberDecorate %SSBO16 0 Offset 0\n"
10103                         "OpDecorate %SSBO16 BufferBlock\n"
10104                         "OpDecorate %ssbo_src0 DescriptorSet 0\n"
10105                         "OpDecorate %ssbo_src0 Binding 0\n"
10106                         "OpDecorate %ssbo_src1 DescriptorSet 0\n"
10107                         "OpDecorate %ssbo_src1 Binding 1\n"
10108                         "OpDecorate %ssbo_dst DescriptorSet 0\n"
10109                         "OpDecorate %ssbo_dst Binding 2\n"
10110                 );
10111
10112                 const StringTemplate testFun
10113                 (
10114                         "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
10115                         "    %param = OpFunctionParameter %v4f32\n"
10116
10117                         "    %entry = OpLabel\n"
10118                         "        %i = OpVariable %fp_i32 Function\n"
10119                         "             OpStore %i %c_i32_0\n"
10120                         "             OpBranch %loop\n"
10121
10122                         "     %loop = OpLabel\n"
10123                         "    %i_cmp = OpLoad %i32 %i\n"
10124                         "       %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
10125                         "             OpLoopMerge %merge %next None\n"
10126                         "             OpBranchConditional %lt %write %merge\n"
10127
10128                         "    %write = OpLabel\n"
10129                         "      %ndx = OpLoad %i32 %i\n"
10130
10131                         "     %src0 = OpAccessChain %up_v2f16 %ssbo_src0 %c_i32_0 %ndx\n"
10132                         " %val_src0 = OpLoad %v2f16 %src0\n"
10133
10134                         "${op_arg1_calc}"
10135
10136                         " %val_bdst = ${op_code} %v2bool %val_src0 ${op_arg1}\n"
10137                         "  %val_dst = OpSelect %v2f16 %val_bdst %c_v2f16_1_1 %c_v2f16_0_0\n"
10138                         "      %dst = OpAccessChain %up_v2f16 %ssbo_dst %c_i32_0 %ndx\n"
10139                         "             OpStore %dst %val_dst\n"
10140                         "             OpBranch %next\n"
10141
10142                         "     %next = OpLabel\n"
10143                         "    %i_cur = OpLoad %i32 %i\n"
10144                         "    %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
10145                         "             OpStore %i %i_new\n"
10146                         "             OpBranch %loop\n"
10147
10148                         "    %merge = OpLabel\n"
10149                         "             OpReturnValue %param\n"
10150
10151                         "             OpFunctionEnd\n"
10152                 );
10153
10154                 const StringTemplate arg1Calc
10155                 (
10156                         "     %src1 = OpAccessChain %up_v2f16 %ssbo_src1 %c_i32_0 %ndx\n"
10157                         " %val_src1 = OpLoad %v2f16 %src1\n"
10158                 );
10159
10160                 for (deUint32 testOpsIdx = 0; testOpsIdx < DE_LENGTH_OF_ARRAY(testOps); ++testOpsIdx)
10161                 {
10162                         const deUint32          itemsPerVec     = 2;
10163                         const size_t            iterations      = float16DataVec1.size() / itemsPerVec;
10164                         const TestOp&           testOp          = testOps[testOpsIdx];
10165                         const string            testName        = de::toLower(string(testOp.opCode)) + "_vector";
10166                         SpecResource            specResource;
10167                         map<string, string>     specs;
10168                         vector<string>          extensions;
10169                         VulkanFeatures          features;
10170                         map<string, string>     fragments;
10171
10172                         specs["num_data_points"]        = de::toString(iterations);
10173                         specs["op_code"]                        = testOp.opCode;
10174                         specs["op_arg1"]                        = (testOp.argCount == 1) ? "" : "%val_src1";
10175                         specs["op_arg1_calc"]           = (testOp.argCount == 1) ? "" : arg1Calc.specialize(specs);
10176
10177                         fragments["extension"]          = spvExtensions;
10178                         fragments["capability"]         = spvCapabilities;
10179                         fragments["execution_mode"]     = spvExecutionMode;
10180                         fragments["decoration"]         = decoration.specialize(specs);
10181                         fragments["pre_main"]           = preMain.specialize(specs);
10182                         fragments["testfun"]            = testFun.specialize(specs);
10183
10184                         specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(float16DataVec1)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10185                         specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(float16DataVec2)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10186                         specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(float16OutVecDummy)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10187                         specResource.verifyIO = nanSupported ? testOp.verifyFuncNan : testOp.verifyFuncNonNan;
10188
10189                         extensions.push_back("VK_KHR_16bit_storage");
10190                         extensions.push_back("VK_KHR_shader_float16_int8");
10191
10192                         if (nanSupported)
10193                         {
10194                                 extensions.push_back("VK_KHR_shader_float_controls");
10195
10196                                 features.floatControlsProperties.shaderSignedZeroInfNanPreserveFloat16 = DE_TRUE;
10197                         }
10198
10199                         features.ext16BitStorage = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
10200                         features.extFloat16Int8 = EXTFLOAT16INT8FEATURES_FLOAT16;
10201
10202                         finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
10203                 }
10204         }
10205
10206         return testGroup.release();
10207 }
10208
10209 bool compareFP16FunctionSetFunc (const std::vector<Resource>& inputs, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>&, TestLog& log)
10210 {
10211         if (inputs.size() != 1 || outputAllocs.size() != 1)
10212                 return false;
10213
10214         vector<deUint8> input1Bytes;
10215
10216         inputs[0].getBytes(input1Bytes);
10217
10218         const deUint16* const   input1AsFP16    = (const deUint16*)&input1Bytes[0];
10219         const deUint16* const   outputAsFP16    = (const deUint16*)outputAllocs[0]->getHostPtr();
10220         std::string                             error;
10221
10222         for (size_t idx = 0; idx < input1Bytes.size() / sizeof(deUint16); ++idx)
10223         {
10224                 if (!compare16BitFloat(input1AsFP16[idx], outputAsFP16[idx], error))
10225                 {
10226                         log << TestLog::Message << error << TestLog::EndMessage;
10227
10228                         return false;
10229                 }
10230         }
10231
10232         return true;
10233 }
10234
10235 template<class SpecResource>
10236 tcu::TestCaseGroup* createFloat16FuncSet (tcu::TestContext& testCtx)
10237 {
10238         de::MovePtr<tcu::TestCaseGroup>         testGroup                       (new tcu::TestCaseGroup(testCtx, "function", "Float 16 function call related tests"));
10239
10240         de::Random                                                      rnd                                     (deStringHash(testGroup->getName()));
10241         const StringTemplate                            capabilities            ("OpCapability ${cap}\n");
10242         const deUint32                                          numDataPoints           = 256;
10243         const vector<deFloat16>                         float16InputData        = getFloat16s(rnd, numDataPoints);
10244         const vector<deFloat16>                         float16OutputDummy      (float16InputData.size(), 0);
10245         map<string, string>                                     fragments;
10246
10247         struct TestType
10248         {
10249                 const deUint32  typeComponents;
10250                 const char*             typeName;
10251                 const char*             typeDecls;
10252         };
10253
10254         const TestType  testTypes[]     =
10255         {
10256                 {
10257                         1,
10258                         "f16",
10259                         ""
10260                 },
10261                 {
10262                         2,
10263                         "v2f16",
10264                         "      %v2f16 = OpTypeVector %f16 2\n"
10265                         "  %c_v2f16_0 = OpConstantComposite %v2f16 %c_f16_0 %c_f16_0\n"
10266                 },
10267                 {
10268                         4,
10269                         "v4f16",
10270                         "      %v4f16 = OpTypeVector %f16 4\n"
10271                         "  %c_v4f16_0 = OpConstantComposite %v4f16 %c_f16_0 %c_f16_0 %c_f16_0 %c_f16_0\n"
10272                 },
10273         };
10274
10275         const StringTemplate preMain
10276         (
10277                 "  %c_i32_ndp = OpConstant %i32 ${num_data_points}\n"
10278                 "     %v2bool = OpTypeVector %bool 2\n"
10279                 "        %f16 = OpTypeFloat 16\n"
10280                 "    %c_f16_0 = OpConstant %f16 0.0\n"
10281
10282                 "${type_decls}"
10283
10284                 "  %${tt}_fun = OpTypeFunction %${tt} %${tt}\n"
10285                 "   %up_${tt} = OpTypePointer Uniform %${tt}\n"
10286                 "   %ra_${tt} = OpTypeArray %${tt} %c_i32_ndp\n"
10287                 "     %SSBO16 = OpTypeStruct %ra_${tt}\n"
10288                 "  %up_SSBO16 = OpTypePointer Uniform %SSBO16\n"
10289                 "   %ssbo_src = OpVariable %up_SSBO16 Uniform\n"
10290                 "   %ssbo_dst = OpVariable %up_SSBO16 Uniform\n"
10291         );
10292
10293         const StringTemplate decoration
10294         (
10295                 "OpDecorate %ra_${tt} ArrayStride ${tt_stride}\n"
10296                 "OpMemberDecorate %SSBO16 0 Offset 0\n"
10297                 "OpDecorate %SSBO16 BufferBlock\n"
10298                 "OpDecorate %ssbo_src DescriptorSet 0\n"
10299                 "OpDecorate %ssbo_src Binding 0\n"
10300                 "OpDecorate %ssbo_dst DescriptorSet 0\n"
10301                 "OpDecorate %ssbo_dst Binding 1\n"
10302         );
10303
10304         const StringTemplate testFun
10305         (
10306                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
10307                 "    %param = OpFunctionParameter %v4f32\n"
10308                 "    %entry = OpLabel\n"
10309
10310                 "        %i = OpVariable %fp_i32 Function\n"
10311                 "             OpStore %i %c_i32_0\n"
10312                 "             OpBranch %loop\n"
10313
10314                 "     %loop = OpLabel\n"
10315                 "    %i_cmp = OpLoad %i32 %i\n"
10316                 "       %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
10317                 "             OpLoopMerge %merge %next None\n"
10318                 "             OpBranchConditional %lt %write %merge\n"
10319
10320                 "    %write = OpLabel\n"
10321                 "      %ndx = OpLoad %i32 %i\n"
10322
10323                 "      %src = OpAccessChain %up_${tt} %ssbo_src %c_i32_0 %ndx\n"
10324                 "  %val_src = OpLoad %${tt} %src\n"
10325
10326                 "  %val_dst = OpFunctionCall %${tt} %pass_fun %val_src\n"
10327                 "      %dst = OpAccessChain %up_${tt} %ssbo_dst %c_i32_0 %ndx\n"
10328                 "             OpStore %dst %val_dst\n"
10329                 "             OpBranch %next\n"
10330
10331                 "     %next = OpLabel\n"
10332                 "    %i_cur = OpLoad %i32 %i\n"
10333                 "    %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
10334                 "             OpStore %i %i_new\n"
10335                 "             OpBranch %loop\n"
10336
10337                 "    %merge = OpLabel\n"
10338                 "             OpReturnValue %param\n"
10339
10340                 "             OpFunctionEnd\n"
10341
10342                 " %pass_fun = OpFunction %${tt} None %${tt}_fun\n"
10343                 "   %param0 = OpFunctionParameter %${tt}\n"
10344                 " %entry_pf = OpLabel\n"
10345                 "     %res0 = OpFAdd %${tt} %param0 %c_${tt}_0\n"
10346                 "             OpReturnValue %res0\n"
10347                 "             OpFunctionEnd\n"
10348         );
10349
10350         for (deUint32 testTypeIdx = 0; testTypeIdx < DE_LENGTH_OF_ARRAY(testTypes); ++testTypeIdx)
10351         {
10352                 const TestType&         testType                = testTypes[testTypeIdx];
10353                 const string            testName                = testType.typeName;
10354                 const deUint32          itemsPerType    = testType.typeComponents;
10355                 const size_t            iterations              = float16InputData.size() / itemsPerType;
10356                 const size_t            typeStride              = itemsPerType * sizeof(deFloat16);
10357                 SpecResource            specResource;
10358                 map<string, string>     specs;
10359                 VulkanFeatures          features;
10360                 vector<string>          extensions;
10361
10362                 specs["cap"]                            = "StorageUniformBufferBlock16";
10363                 specs["num_data_points"]        = de::toString(iterations);
10364                 specs["tt"]                                     = testType.typeName;
10365                 specs["tt_stride"]                      = de::toString(typeStride);
10366                 specs["type_decls"]                     = testType.typeDecls;
10367
10368                 fragments["extension"]          = "OpExtension \"SPV_KHR_16bit_storage\"";
10369                 fragments["capability"]         = capabilities.specialize(specs);
10370                 fragments["decoration"]         = decoration.specialize(specs);
10371                 fragments["pre_main"]           = preMain.specialize(specs);
10372                 fragments["testfun"]            = testFun.specialize(specs);
10373
10374                 specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(float16InputData)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10375                 specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(float16OutputDummy)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10376                 specResource.verifyIO = compareFP16FunctionSetFunc;
10377
10378                 extensions.push_back("VK_KHR_16bit_storage");
10379                 extensions.push_back("VK_KHR_shader_float16_int8");
10380
10381                 features.ext16BitStorage = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
10382                 features.extFloat16Int8 = EXTFLOAT16INT8FEATURES_FLOAT16;
10383
10384                 finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
10385         }
10386
10387         return testGroup.release();
10388 }
10389
10390 struct getV_    { deUint32 inline operator()(deUint32 v) const  { return v;        } getV_(){} };
10391 struct getV0    { deUint32 inline operator()(deUint32 v) const  { return v & (~1); } getV0(){} };
10392 struct getV1    { deUint32 inline operator()(deUint32 v) const  { return v | ( 1); } getV1(){} };
10393
10394 template<deUint32 R, deUint32 N>
10395 inline static deUint32 getOffset(deUint32 x, deUint32 y, deUint32 n)
10396 {
10397         return N * ((R * y) + x) + n;
10398 }
10399
10400 template<deUint32 R, deUint32 N, class X0, class X1, class Y0, class Y1>
10401 struct getFDelta
10402 {
10403         float operator() (const deFloat16* data, deUint32 x, deUint32 y, deUint32 n, deUint32 flavor) const
10404         {
10405                 DE_STATIC_ASSERT(R%2 == 0);
10406                 DE_ASSERT(flavor == 0);
10407                 DE_UNREF(flavor);
10408
10409                 const X0                        x0;
10410                 const X1                        x1;
10411                 const Y0                        y0;
10412                 const Y1                        y1;
10413                 const deFloat16         v0      = data[getOffset<R, N>(x0(x), y0(y), n)];
10414                 const deFloat16         v1      = data[getOffset<R, N>(x1(x), y1(y), n)];
10415                 const tcu::Float16      f0      = tcu::Float16(v0);
10416                 const tcu::Float16      f1      = tcu::Float16(v1);
10417                 const float                     d0      = f0.asFloat();
10418                 const float                     d1      = f1.asFloat();
10419                 const float                     d       = d1 - d0;
10420
10421                 return d;
10422         }
10423
10424         getFDelta(){}
10425 };
10426
10427 template<deUint32 F, class Class0, class Class1>
10428 struct getFOneOf
10429 {
10430         float operator() (const deFloat16* data, deUint32 x, deUint32 y, deUint32 n, deUint32 flavor) const
10431         {
10432                 DE_ASSERT(flavor < F);
10433
10434                 if (flavor == 0)
10435                 {
10436                         Class0 c;
10437
10438                         return c(data, x, y, n, flavor);
10439                 }
10440                 else
10441                 {
10442                         Class1 c;
10443
10444                         return c(data, x, y, n, flavor - 1);
10445                 }
10446         }
10447
10448         getFOneOf(){}
10449 };
10450
10451 template<class FineX0, class FineX1, class FineY0, class FineY1>
10452 struct calcWidthOf4
10453 {
10454         float operator() (const deFloat16* data, deUint32 x, deUint32 y, deUint32 n, deUint32 flavor) const
10455         {
10456                 DE_ASSERT(flavor < 4);
10457
10458                 const deUint32                                          flavorX = (flavor & 1) == 0 ? 0 : 1;
10459                 const deUint32                                          flavorY = (flavor & 2) == 0 ? 0 : 1;
10460                 const getFOneOf<2, FineX0, FineX1>      cx;
10461                 const getFOneOf<2, FineY0, FineY1>      cy;
10462                 float                                                           v               = 0;
10463
10464                 v += fabsf(cx(data, x, y, n, flavorX));
10465                 v += fabsf(cy(data, x, y, n, flavorY));
10466
10467                 return v;
10468         }
10469
10470         calcWidthOf4(){}
10471 };
10472
10473 template<deUint32 R, deUint32 N, class Derivative>
10474 bool compareDerivativeWithFlavor (const deFloat16* inputAsFP16, const deFloat16* outputAsFP16, deUint32 flavor, std::string& error)
10475 {
10476         const deUint32          numDataPointsByAxis     = R;
10477         const Derivative        derivativeFunc;
10478
10479         for (deUint32 y = 0; y < numDataPointsByAxis; ++y)
10480         for (deUint32 x = 0; x < numDataPointsByAxis; ++x)
10481         for (deUint32 n = 0; n < N; ++n)
10482         {
10483                 const float             expectedFloat   = derivativeFunc(inputAsFP16, x, y, n, flavor);
10484                 deFloat16               expected                = deFloat32To16Round(expectedFloat, DE_ROUNDINGMODE_TO_NEAREST_EVEN);
10485                 const deFloat16 output                  = outputAsFP16[getOffset<R, N>(x, y, n)];
10486
10487                 bool                    reportError             = !compare16BitFloat(expected, output, error);
10488
10489                 if (reportError)
10490                 {
10491                         expected        = deFloat32To16Round(expectedFloat, DE_ROUNDINGMODE_TO_ZERO);
10492                         reportError     = !compare16BitFloat(expected, output, error);
10493                 }
10494
10495                 if (reportError)
10496                 {
10497                         error = "subcase at " + de::toString(x) + "," + de::toString(y) + "," + de::toString(n) + ": " + error;
10498
10499                         return false;
10500                 }
10501         }
10502
10503         return true;
10504 }
10505
10506 template<deUint32 R, deUint32 N, deUint32 FLAVOUR_COUNT, class Derivative>
10507 bool compareDerivative (const std::vector<Resource>& inputs, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>&, TestLog& log)
10508 {
10509         if (inputs.size() != 1 || outputAllocs.size() != 1)
10510                 return false;
10511
10512         deUint32                        successfulRuns                  = FLAVOUR_COUNT;
10513         std::string                     results[FLAVOUR_COUNT];
10514         vector<deUint8>         inputBytes;
10515
10516         inputs[0].getBytes(inputBytes);
10517
10518         const deFloat16*        inputAsFP16             = reinterpret_cast<deFloat16* const>(&inputBytes.front());
10519         const deFloat16*        outputAsFP16    = static_cast<deFloat16*>(outputAllocs[0]->getHostPtr());
10520
10521         DE_ASSERT(inputBytes.size() ==  R * R * N * sizeof(deFloat16));
10522
10523         for (deUint32 flavor = 0; flavor < FLAVOUR_COUNT; ++flavor)
10524                 if (compareDerivativeWithFlavor<R, N, Derivative> (inputAsFP16, outputAsFP16, flavor, results[flavor]))
10525                 {
10526                         break;
10527                 }
10528                 else
10529                 {
10530                         successfulRuns--;
10531                 }
10532
10533         if (successfulRuns == 0)
10534                 for (deUint32 flavor = 0; flavor < FLAVOUR_COUNT; flavor++)
10535                         log << TestLog::Message << "At flavor #" << flavor << " " << results[flavor] << TestLog::EndMessage;
10536
10537         return successfulRuns > 0;
10538 }
10539
10540 template<deUint32 R, deUint32 N>
10541 tcu::TestCaseGroup* createDerivativeTests (tcu::TestContext& testCtx)
10542 {
10543         typedef getFDelta<R, N, getV0, getV1, getV_, getV_> getFDxFine;
10544         typedef getFDelta<R, N, getV_, getV_, getV0, getV1> getFDyFine;
10545
10546         typedef getFDelta<R, N, getV0, getV1, getV0, getV0> getFdxCoarse0;
10547         typedef getFDelta<R, N, getV0, getV1, getV1, getV1> getFdxCoarse1;
10548         typedef getFDelta<R, N, getV0, getV0, getV0, getV1> getFdyCoarse0;
10549         typedef getFDelta<R, N, getV1, getV1, getV0, getV1> getFdyCoarse1;
10550         typedef getFOneOf<2, getFdxCoarse0, getFdxCoarse1> getFDxCoarse;
10551         typedef getFOneOf<2, getFdyCoarse0, getFdyCoarse1> getFDyCoarse;
10552
10553         typedef calcWidthOf4<getFDxFine, getFDxFine, getFDyFine, getFDyFine> getFWidthFine;
10554         typedef calcWidthOf4<getFdxCoarse0, getFdxCoarse1, getFdyCoarse0, getFdyCoarse1> getFWidthCoarse;
10555
10556         typedef getFOneOf<3, getFDxFine, getFDxCoarse> getFDx;
10557         typedef getFOneOf<3, getFDyFine, getFDyCoarse> getFDy;
10558         typedef getFOneOf<5, getFWidthFine, getFWidthCoarse> getFWidth;
10559
10560         const std::string                                       testGroupName           (std::string("derivative_") + de::toString(N));
10561         de::MovePtr<tcu::TestCaseGroup>         testGroup                       (new tcu::TestCaseGroup(testCtx, testGroupName.c_str(), "Derivative instruction tests"));
10562
10563         de::Random                                                      rnd                                     (deStringHash(testGroup->getName()));
10564         const deUint32                                          numDataPointsByAxis     = R;
10565         const deUint32                                          numDataPoints           = N * numDataPointsByAxis * numDataPointsByAxis;
10566         vector<deFloat16>                                       float16InputX;
10567         vector<deFloat16>                                       float16InputY;
10568         vector<deFloat16>                                       float16InputW;
10569         vector<deFloat16>                                       float16OutputDummy      (numDataPoints, 0);
10570         RGBA                                                            defaultColors[4];
10571
10572         getDefaultColors(defaultColors);
10573
10574         float16InputX.reserve(numDataPoints);
10575         for (deUint32 y = 0; y < numDataPointsByAxis; ++y)
10576         for (deUint32 x = 0; x < numDataPointsByAxis; ++x)
10577         for (deUint32 n = 0; n < N; ++n)
10578         {
10579                 const float arg = static_cast<float>(2 * DE_PI) * static_cast<float>(x * (n + 1)) / static_cast<float>(1 * numDataPointsByAxis);
10580
10581                 if (y%2 == 0)
10582                         float16InputX.push_back(tcu::Float16(sin(arg)).bits());
10583                 else
10584                         float16InputX.push_back(tcu::Float16(cos(arg)).bits());
10585         }
10586
10587         float16InputY.reserve(numDataPoints);
10588         for (deUint32 y = 0; y < numDataPointsByAxis; ++y)
10589         for (deUint32 x = 0; x < numDataPointsByAxis; ++x)
10590         for (deUint32 n = 0; n < N; ++n)
10591         {
10592                 const float arg = static_cast<float>(2 * DE_PI) * static_cast<float>(y * (n + 1)) / static_cast<float>(1 * numDataPointsByAxis);
10593
10594                 if (x%2 == 0)
10595                         float16InputY.push_back(tcu::Float16(sin(arg)).bits());
10596                 else
10597                         float16InputY.push_back(tcu::Float16(cos(arg)).bits());
10598         }
10599
10600         const deFloat16 testNumbers[]   =
10601         {
10602                 tcu::Float16( 2.0  ).bits(),
10603                 tcu::Float16( 4.0  ).bits(),
10604                 tcu::Float16( 8.0  ).bits(),
10605                 tcu::Float16( 16.0 ).bits(),
10606                 tcu::Float16( 32.0 ).bits(),
10607                 tcu::Float16( 64.0 ).bits(),
10608                 tcu::Float16( 128.0).bits(),
10609                 tcu::Float16( 256.0).bits(),
10610                 tcu::Float16( 512.0).bits(),
10611                 tcu::Float16(-2.0  ).bits(),
10612                 tcu::Float16(-4.0  ).bits(),
10613                 tcu::Float16(-8.0  ).bits(),
10614                 tcu::Float16(-16.0 ).bits(),
10615                 tcu::Float16(-32.0 ).bits(),
10616                 tcu::Float16(-64.0 ).bits(),
10617                 tcu::Float16(-128.0).bits(),
10618                 tcu::Float16(-256.0).bits(),
10619                 tcu::Float16(-512.0).bits(),
10620         };
10621
10622         float16InputW.reserve(numDataPoints);
10623         for (deUint32 y = 0; y < numDataPointsByAxis; ++y)
10624         for (deUint32 x = 0; x < numDataPointsByAxis; ++x)
10625         for (deUint32 n = 0; n < N; ++n)
10626                 float16InputW.push_back(testNumbers[rnd.getInt(0, DE_LENGTH_OF_ARRAY(testNumbers) - 1)]);
10627
10628         struct TestOp
10629         {
10630                 const char*                     opCode;
10631                 vector<deFloat16>&      inputData;
10632                 VerifyIOFunc            verifyFunc;
10633         };
10634
10635         const TestOp    testOps[]       =
10636         {
10637                 { "OpDPdxFine"          ,       float16InputX   ,       compareDerivative<R, N, 1, getFDxFine           >       },
10638                 { "OpDPdyFine"          ,       float16InputY   ,       compareDerivative<R, N, 1, getFDyFine           >       },
10639                 { "OpFwidthFine"        ,       float16InputW   ,       compareDerivative<R, N, 1, getFWidthFine        >       },
10640                 { "OpDPdxCoarse"        ,       float16InputX   ,       compareDerivative<R, N, 3, getFDx                       >       },
10641                 { "OpDPdyCoarse"        ,       float16InputY   ,       compareDerivative<R, N, 3, getFDy                       >       },
10642                 { "OpFwidthCoarse"      ,       float16InputW   ,       compareDerivative<R, N, 5, getFWidth            >       },
10643                 { "OpDPdx"                      ,       float16InputX   ,       compareDerivative<R, N, 3, getFDx                       >       },
10644                 { "OpDPdy"                      ,       float16InputY   ,       compareDerivative<R, N, 3, getFDy                       >       },
10645                 { "OpFwidth"            ,       float16InputW   ,       compareDerivative<R, N, 5, getFWidth            >       },
10646         };
10647
10648         struct TestType
10649         {
10650                 const deUint32  typeComponents;
10651                 const char*             typeName;
10652                 const char*             typeDecls;
10653         };
10654
10655         const TestType  testTypes[]     =
10656         {
10657                 {
10658                         1,
10659                         "f16",
10660                         ""
10661                 },
10662                 {
10663                         2,
10664                         "v2f16",
10665                         "      %v2f16 = OpTypeVector %f16 2\n"
10666                 },
10667                 {
10668                         4,
10669                         "v4f16",
10670                         "      %v4f16 = OpTypeVector %f16 4\n"
10671                 },
10672         };
10673
10674         const deUint32  testTypeNdx     = (N == 1) ? 0
10675                                                                 : (N == 2) ? 1
10676                                                                 : (N == 4) ? 2
10677                                                                 : DE_LENGTH_OF_ARRAY(testTypes);
10678         const TestType& testType        =       testTypes[testTypeNdx];
10679
10680         DE_ASSERT(testTypeNdx < DE_LENGTH_OF_ARRAY(testTypes));
10681         DE_ASSERT(testType.typeComponents == N);
10682
10683         const StringTemplate preMain
10684         (
10685                 "%c_i32_ndp = OpConstant %i32 ${num_data_points}\n"
10686                 " %c_u32_xw = OpConstant %u32 ${items_by_x}\n"
10687                 "      %f16 = OpTypeFloat 16\n"
10688                 "${type_decls}"
10689                 " %up_${tt} = OpTypePointer Uniform %${tt}\n"
10690                 " %ra_${tt} = OpTypeArray %${tt} %c_i32_ndp\n"
10691                 "   %SSBO16 = OpTypeStruct %ra_${tt}\n"
10692                 "%up_SSBO16 = OpTypePointer Uniform %SSBO16\n"
10693                 " %ssbo_src = OpVariable %up_SSBO16 Uniform\n"
10694                 " %ssbo_dst = OpVariable %up_SSBO16 Uniform\n"
10695         );
10696
10697         const StringTemplate decoration
10698         (
10699                 "OpDecorate %ra_${tt} ArrayStride ${tt_stride}\n"
10700                 "OpMemberDecorate %SSBO16 0 Offset 0\n"
10701                 "OpDecorate %SSBO16 BufferBlock\n"
10702                 "OpDecorate %ssbo_src DescriptorSet 0\n"
10703                 "OpDecorate %ssbo_src Binding 0\n"
10704                 "OpDecorate %ssbo_dst DescriptorSet 0\n"
10705                 "OpDecorate %ssbo_dst Binding 1\n"
10706         );
10707
10708         const StringTemplate testFun
10709         (
10710                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
10711                 "    %param = OpFunctionParameter %v4f32\n"
10712                 "    %entry = OpLabel\n"
10713
10714                 "  %loc_x_c = OpAccessChain %ip_f32 %BP_gl_FragCoord %c_i32_0\n"
10715                 "  %loc_y_c = OpAccessChain %ip_f32 %BP_gl_FragCoord %c_i32_1\n"
10716                 "      %x_c = OpLoad %f32 %loc_x_c\n"
10717                 "      %y_c = OpLoad %f32 %loc_y_c\n"
10718                 "    %x_idx = OpConvertFToU %u32 %x_c\n"
10719                 "    %y_idx = OpConvertFToU %u32 %y_c\n"
10720                 "    %ndx_y = OpIMul %u32 %y_idx %c_u32_xw\n"
10721                 "      %ndx = OpIAdd %u32 %ndx_y %x_idx\n"
10722
10723                 "      %src = OpAccessChain %up_${tt} %ssbo_src %c_i32_0 %ndx\n"
10724                 "  %val_src = OpLoad %${tt} %src\n"
10725                 "  %val_dst = ${op_code} %${tt} %val_src\n"
10726                 "      %dst = OpAccessChain %up_${tt} %ssbo_dst %c_i32_0 %ndx\n"
10727                 "             OpStore %dst %val_dst\n"
10728                 "             OpBranch %merge\n"
10729
10730                 "    %merge = OpLabel\n"
10731                 "             OpReturnValue %param\n"
10732
10733                 "             OpFunctionEnd\n"
10734         );
10735
10736         for (deUint32 testOpsIdx = 0; testOpsIdx < DE_LENGTH_OF_ARRAY(testOps); ++testOpsIdx)
10737         {
10738                 const TestOp&           testOp                  = testOps[testOpsIdx];
10739                 const string            testName                = de::toLower(string(testOp.opCode));
10740                 const size_t            typeStride              = N * sizeof(deFloat16);
10741                 GraphicsResources       specResource;
10742                 map<string, string>     specs;
10743                 VulkanFeatures          features;
10744                 vector<string>          extensions;
10745                 map<string, string>     fragments;
10746                 SpecConstants           noSpecConstants;
10747                 PushConstants           noPushConstants;
10748                 GraphicsInterfaces      noInterfaces;
10749
10750                 specs["op_code"]                        = testOp.opCode;
10751                 specs["num_data_points"]        = de::toString(testOp.inputData.size() / N);
10752                 specs["items_by_x"]                     = de::toString(numDataPointsByAxis);
10753                 specs["tt"]                                     = testType.typeName;
10754                 specs["tt_stride"]                      = de::toString(typeStride);
10755                 specs["type_decls"]                     = testType.typeDecls;
10756
10757                 fragments["extension"]          = "OpExtension \"SPV_KHR_16bit_storage\"";
10758                 fragments["capability"]         = "OpCapability DerivativeControl\nOpCapability StorageUniformBufferBlock16\n";
10759                 fragments["decoration"]         = decoration.specialize(specs);
10760                 fragments["pre_main"]           = preMain.specialize(specs);
10761                 fragments["testfun"]            = testFun.specialize(specs);
10762
10763                 specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(testOp.inputData)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10764                 specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(float16OutputDummy)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10765                 specResource.verifyIO = testOp.verifyFunc;
10766
10767                 extensions.push_back("VK_KHR_16bit_storage");
10768                 extensions.push_back("VK_KHR_shader_float16_int8");
10769
10770                 features.extFloat16Int8         = EXTFLOAT16INT8FEATURES_FLOAT16;
10771                 features.ext16BitStorage        = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
10772
10773                 createTestForStage(VK_SHADER_STAGE_FRAGMENT_BIT, testName.c_str(), defaultColors, defaultColors, fragments, noSpecConstants,
10774                                                         noPushConstants, specResource, noInterfaces, extensions, features, testGroup.get(), QP_TEST_RESULT_FAIL, string(), true);
10775         }
10776
10777         return testGroup.release();
10778 }
10779
10780 bool compareFP16VectorExtractFunc (const std::vector<Resource>& inputs, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>&, TestLog& log)
10781 {
10782         if (inputs.size() != 2 || outputAllocs.size() != 1)
10783                 return false;
10784
10785         vector<deUint8> input1Bytes;
10786         vector<deUint8> input2Bytes;
10787
10788         inputs[0].getBytes(input1Bytes);
10789         inputs[1].getBytes(input2Bytes);
10790
10791         DE_ASSERT(input1Bytes.size() > 0);
10792         DE_ASSERT(input2Bytes.size() > 0);
10793         DE_ASSERT(input2Bytes.size() % sizeof(deUint32) == 0);
10794
10795         const size_t                    iterations              = input2Bytes.size() / sizeof(deUint32);
10796         const size_t                    components              = input1Bytes.size() / (sizeof(deFloat16) * iterations);
10797         const deFloat16* const  input1AsFP16    = (const deFloat16*)&input1Bytes[0];
10798         const deUint32* const   inputIndices    = (const deUint32*)&input2Bytes[0];
10799         const deFloat16* const  outputAsFP16    = (const deFloat16*)outputAllocs[0]->getHostPtr();
10800         std::string                             error;
10801
10802         DE_ASSERT(components == 2 || components == 4);
10803         DE_ASSERT(input1Bytes.size() == iterations * components * sizeof(deFloat16));
10804
10805         for (size_t idx = 0; idx < iterations; ++idx)
10806         {
10807                 const deUint32  componentNdx    = inputIndices[idx];
10808
10809                 DE_ASSERT(componentNdx < components);
10810
10811                 const deFloat16 expected                = input1AsFP16[components * idx + componentNdx];
10812
10813                 if (!compare16BitFloat(expected, outputAsFP16[idx], error))
10814                 {
10815                         log << TestLog::Message << "At " << idx << error << TestLog::EndMessage;
10816
10817                         return false;
10818                 }
10819         }
10820
10821         return true;
10822 }
10823
10824 template<class SpecResource>
10825 tcu::TestCaseGroup* createFloat16VectorExtractSet (tcu::TestContext& testCtx)
10826 {
10827         de::MovePtr<tcu::TestCaseGroup>         testGroup                       (new tcu::TestCaseGroup(testCtx, "opvectorextractdynamic", "OpVectorExtractDynamic tests"));
10828
10829         de::Random                                                      rnd                                     (deStringHash(testGroup->getName()));
10830         const deUint32                                          numDataPoints           = 256;
10831         const vector<deFloat16>                         float16InputData        = getFloat16s(rnd, numDataPoints);
10832         const vector<deFloat16>                         float16OutputDummy      (float16InputData.size(), 0);
10833
10834         struct TestType
10835         {
10836                 const deUint32  typeComponents;
10837                 const size_t    typeStride;
10838                 const char*             typeName;
10839                 const char*             typeDecls;
10840         };
10841
10842         const TestType  testTypes[]     =
10843         {
10844                 {
10845                         2,
10846                         2 * sizeof(deFloat16),
10847                         "v2f16",
10848                         "      %v2f16 = OpTypeVector %f16 2\n"
10849                 },
10850                 {
10851                         3,
10852                         4 * sizeof(deFloat16),
10853                         "v3f16",
10854                         "      %v3f16 = OpTypeVector %f16 3\n"
10855                 },
10856                 {
10857                         4,
10858                         4 * sizeof(deFloat16),
10859                         "v4f16",
10860                         "      %v4f16 = OpTypeVector %f16 4\n"
10861                 },
10862         };
10863
10864         const StringTemplate preMain
10865         (
10866                 "  %c_i32_ndp = OpConstant %i32 ${num_data_points}\n"
10867                 "        %f16 = OpTypeFloat 16\n"
10868
10869                 "${type_decl}"
10870
10871                 "   %up_${tt} = OpTypePointer Uniform %${tt}\n"
10872                 "   %ra_${tt} = OpTypeArray %${tt} %c_i32_ndp\n"
10873                 "   %SSBO_SRC = OpTypeStruct %ra_${tt}\n"
10874                 "%up_SSBO_SRC = OpTypePointer Uniform %SSBO_SRC\n"
10875
10876                 "     %up_u32 = OpTypePointer Uniform %u32\n"
10877                 "     %ra_u32 = OpTypeArray %u32 %c_i32_ndp\n"
10878                 "   %SSBO_IDX = OpTypeStruct %ra_u32\n"
10879                 "%up_SSBO_IDX = OpTypePointer Uniform %SSBO_IDX\n"
10880
10881                 "     %up_f16 = OpTypePointer Uniform %f16\n"
10882                 "     %ra_f16 = OpTypeArray %f16 %c_i32_ndp\n"
10883                 "   %SSBO_DST = OpTypeStruct %ra_f16\n"
10884                 "%up_SSBO_DST = OpTypePointer Uniform %SSBO_DST\n"
10885
10886                 "   %ssbo_src = OpVariable %up_SSBO_SRC Uniform\n"
10887                 "   %ssbo_idx = OpVariable %up_SSBO_IDX Uniform\n"
10888                 "   %ssbo_dst = OpVariable %up_SSBO_DST Uniform\n"
10889         );
10890
10891         const StringTemplate decoration
10892         (
10893                 "OpDecorate %ra_${tt} ArrayStride ${tt_stride}\n"
10894                 "OpMemberDecorate %SSBO_SRC 0 Offset 0\n"
10895                 "OpDecorate %SSBO_SRC BufferBlock\n"
10896                 "OpDecorate %ssbo_src DescriptorSet 0\n"
10897                 "OpDecorate %ssbo_src Binding 0\n"
10898
10899                 "OpDecorate %ra_u32 ArrayStride 4\n"
10900                 "OpMemberDecorate %SSBO_IDX 0 Offset 0\n"
10901                 "OpDecorate %SSBO_IDX BufferBlock\n"
10902                 "OpDecorate %ssbo_idx DescriptorSet 0\n"
10903                 "OpDecorate %ssbo_idx Binding 1\n"
10904
10905                 "OpDecorate %ra_f16 ArrayStride 2\n"
10906                 "OpMemberDecorate %SSBO_DST 0 Offset 0\n"
10907                 "OpDecorate %SSBO_DST BufferBlock\n"
10908                 "OpDecorate %ssbo_dst DescriptorSet 0\n"
10909                 "OpDecorate %ssbo_dst Binding 2\n"
10910         );
10911
10912         const StringTemplate testFun
10913         (
10914                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
10915                 "    %param = OpFunctionParameter %v4f32\n"
10916                 "    %entry = OpLabel\n"
10917
10918                 "        %i = OpVariable %fp_i32 Function\n"
10919                 "             OpStore %i %c_i32_0\n"
10920
10921                 " %will_run = OpFunctionCall %bool %isUniqueIdZero\n"
10922                 "             OpSelectionMerge %end_if None\n"
10923                 "             OpBranchConditional %will_run %run_test %end_if\n"
10924
10925                 " %run_test = OpLabel\n"
10926                 "             OpBranch %loop\n"
10927
10928                 "     %loop = OpLabel\n"
10929                 "    %i_cmp = OpLoad %i32 %i\n"
10930                 "       %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
10931                 "             OpLoopMerge %merge %next None\n"
10932                 "             OpBranchConditional %lt %write %merge\n"
10933
10934                 "    %write = OpLabel\n"
10935                 "      %ndx = OpLoad %i32 %i\n"
10936
10937                 "      %src = OpAccessChain %up_${tt} %ssbo_src %c_i32_0 %ndx\n"
10938                 "  %val_src = OpLoad %${tt} %src\n"
10939
10940                 "  %src_idx = OpAccessChain %up_u32 %ssbo_idx %c_i32_0 %ndx\n"
10941                 "  %val_idx = OpLoad %u32 %src_idx\n"
10942
10943                 "  %val_dst = OpVectorExtractDynamic %f16 %val_src %val_idx\n"
10944                 "      %dst = OpAccessChain %up_f16 %ssbo_dst %c_i32_0 %ndx\n"
10945
10946                 "             OpStore %dst %val_dst\n"
10947                 "             OpBranch %next\n"
10948
10949                 "     %next = OpLabel\n"
10950                 "    %i_cur = OpLoad %i32 %i\n"
10951                 "    %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
10952                 "             OpStore %i %i_new\n"
10953                 "             OpBranch %loop\n"
10954
10955                 "    %merge = OpLabel\n"
10956                 "             OpBranch %end_if\n"
10957                 "   %end_if = OpLabel\n"
10958                 "             OpReturnValue %param\n"
10959
10960                 "             OpFunctionEnd\n"
10961         );
10962
10963         for (deUint32 testTypeIdx = 0; testTypeIdx < DE_LENGTH_OF_ARRAY(testTypes); ++testTypeIdx)
10964         {
10965                 const TestType&         testType                = testTypes[testTypeIdx];
10966                 const string            testName                = testType.typeName;
10967                 const size_t            itemsPerType    = testType.typeStride / sizeof(deFloat16);
10968                 const size_t            iterations              = float16InputData.size() / itemsPerType;
10969                 SpecResource            specResource;
10970                 map<string, string>     specs;
10971                 VulkanFeatures          features;
10972                 vector<deUint32>        inputDataNdx;
10973                 map<string, string>     fragments;
10974                 vector<string>          extensions;
10975
10976                 for (deUint32 ndx = 0; ndx < iterations; ++ndx)
10977                         inputDataNdx.push_back(rnd.getUint32() % testType.typeComponents);
10978
10979                 specs["num_data_points"]        = de::toString(iterations);
10980                 specs["tt"]                                     = testType.typeName;
10981                 specs["tt_stride"]                      = de::toString(testType.typeStride);
10982                 specs["type_decl"]                      = testType.typeDecls;
10983
10984                 fragments["extension"]          = "OpExtension \"SPV_KHR_16bit_storage\"";
10985                 fragments["capability"]         = "OpCapability StorageUniformBufferBlock16\n";
10986                 fragments["decoration"]         = decoration.specialize(specs);
10987                 fragments["pre_main"]           = preMain.specialize(specs);
10988                 fragments["testfun"]            = testFun.specialize(specs);
10989
10990                 specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(float16InputData)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10991                 specResource.inputs.push_back(Resource(BufferSp(new Uint32Buffer(inputDataNdx)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10992                 specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(float16OutputDummy)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
10993                 specResource.verifyIO = compareFP16VectorExtractFunc;
10994
10995                 extensions.push_back("VK_KHR_16bit_storage");
10996                 extensions.push_back("VK_KHR_shader_float16_int8");
10997
10998                 features.extFloat16Int8         = EXTFLOAT16INT8FEATURES_FLOAT16;
10999                 features.ext16BitStorage        = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
11000
11001                 finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
11002         }
11003
11004         return testGroup.release();
11005 }
11006
11007 template<deUint32 COMPONENTS_COUNT, deUint32 REPLACEMENT>
11008 bool compareFP16VectorInsertFunc (const std::vector<Resource>& inputs, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>&, TestLog& log)
11009 {
11010         if (inputs.size() != 2 || outputAllocs.size() != 1)
11011                 return false;
11012
11013         vector<deUint8> input1Bytes;
11014         vector<deUint8> input2Bytes;
11015
11016         inputs[0].getBytes(input1Bytes);
11017         inputs[1].getBytes(input2Bytes);
11018
11019         DE_ASSERT(input1Bytes.size() > 0);
11020         DE_ASSERT(input2Bytes.size() > 0);
11021         DE_ASSERT(input2Bytes.size() % sizeof(deUint32) == 0);
11022
11023         const size_t                    iterations                      = input2Bytes.size() / sizeof(deUint32);
11024         const size_t                    componentsStride        = input1Bytes.size() / (sizeof(deFloat16) * iterations);
11025         const deFloat16* const  input1AsFP16            = (const deFloat16*)&input1Bytes[0];
11026         const deUint32* const   inputIndices            = (const deUint32*)&input2Bytes[0];
11027         const deFloat16* const  outputAsFP16            = (const deFloat16*)outputAllocs[0]->getHostPtr();
11028         const deFloat16                 magic                           = tcu::Float16(float(REPLACEMENT)).bits();
11029         std::string                             error;
11030
11031         DE_ASSERT(componentsStride == 2 || componentsStride == 4);
11032         DE_ASSERT(input1Bytes.size() == iterations * componentsStride * sizeof(deFloat16));
11033
11034         for (size_t idx = 0; idx < iterations; ++idx)
11035         {
11036                 const deFloat16*        inputVec                = &input1AsFP16[componentsStride * idx];
11037                 const deFloat16*        outputVec               = &outputAsFP16[componentsStride * idx];
11038                 const deUint32          replacedCompNdx = inputIndices[idx];
11039
11040                 DE_ASSERT(replacedCompNdx < COMPONENTS_COUNT);
11041
11042                 for (size_t compNdx = 0; compNdx < COMPONENTS_COUNT; ++compNdx)
11043                 {
11044                         const deFloat16 expected        = (compNdx == replacedCompNdx) ? magic : inputVec[compNdx];
11045
11046                         if (!compare16BitFloat(expected, outputVec[compNdx], error))
11047                         {
11048                                 log << TestLog::Message << "At " << idx << "[" << compNdx << "]: " << error << TestLog::EndMessage;
11049
11050                                 return false;
11051                         }
11052                 }
11053         }
11054
11055         return true;
11056 }
11057
11058 template<class SpecResource>
11059 tcu::TestCaseGroup* createFloat16VectorInsertSet (tcu::TestContext& testCtx)
11060 {
11061         de::MovePtr<tcu::TestCaseGroup>         testGroup                       (new tcu::TestCaseGroup(testCtx, "opvectorinsertdynamic", "OpVectorInsertDynamic tests"));
11062
11063         de::Random                                                      rnd                                     (deStringHash(testGroup->getName()));
11064         const deUint32                                          replacement                     = 42;
11065         const deUint32                                          numDataPoints           = 256;
11066         const vector<deFloat16>                         float16InputData        = getFloat16s(rnd, numDataPoints);
11067         const vector<deFloat16>                         float16OutputDummy      (float16InputData.size(), 0);
11068
11069         struct TestType
11070         {
11071                 const deUint32  typeComponents;
11072                 const size_t    typeStride;
11073                 const char*             typeName;
11074                 const char*             typeDecls;
11075                 VerifyIOFunc    verifyIOFunc;
11076         };
11077
11078         const TestType  testTypes[]     =
11079         {
11080                 {
11081                         2,
11082                         2 * sizeof(deFloat16),
11083                         "v2f16",
11084                         "      %v2f16 = OpTypeVector %f16 2\n",
11085                         compareFP16VectorInsertFunc<2, replacement>
11086                 },
11087                 {
11088                         3,
11089                         4 * sizeof(deFloat16),
11090                         "v3f16",
11091                         "      %v3f16 = OpTypeVector %f16 3\n",
11092                         compareFP16VectorInsertFunc<3, replacement>
11093                 },
11094                 {
11095                         4,
11096                         4 * sizeof(deFloat16),
11097                         "v4f16",
11098                         "      %v4f16 = OpTypeVector %f16 4\n",
11099                         compareFP16VectorInsertFunc<4, replacement>
11100                 },
11101         };
11102
11103         const StringTemplate preMain
11104         (
11105                 "  %c_i32_ndp = OpConstant %i32 ${num_data_points}\n"
11106                 "        %f16 = OpTypeFloat 16\n"
11107                 "  %c_f16_ins = OpConstant %f16 ${replacement}\n"
11108
11109                 "${type_decl}"
11110
11111                 "   %up_${tt} = OpTypePointer Uniform %${tt}\n"
11112                 "   %ra_${tt} = OpTypeArray %${tt} %c_i32_ndp\n"
11113                 "   %SSBO_SRC = OpTypeStruct %ra_${tt}\n"
11114                 "%up_SSBO_SRC = OpTypePointer Uniform %SSBO_SRC\n"
11115
11116                 "     %up_u32 = OpTypePointer Uniform %u32\n"
11117                 "     %ra_u32 = OpTypeArray %u32 %c_i32_ndp\n"
11118                 "   %SSBO_IDX = OpTypeStruct %ra_u32\n"
11119                 "%up_SSBO_IDX = OpTypePointer Uniform %SSBO_IDX\n"
11120
11121                 "   %SSBO_DST = OpTypeStruct %ra_${tt}\n"
11122                 "%up_SSBO_DST = OpTypePointer Uniform %SSBO_DST\n"
11123
11124                 "   %ssbo_src = OpVariable %up_SSBO_SRC Uniform\n"
11125                 "   %ssbo_idx = OpVariable %up_SSBO_IDX Uniform\n"
11126                 "   %ssbo_dst = OpVariable %up_SSBO_DST Uniform\n"
11127         );
11128
11129         const StringTemplate decoration
11130         (
11131                 "OpDecorate %ra_${tt} ArrayStride ${tt_stride}\n"
11132                 "OpMemberDecorate %SSBO_SRC 0 Offset 0\n"
11133                 "OpDecorate %SSBO_SRC BufferBlock\n"
11134                 "OpDecorate %ssbo_src DescriptorSet 0\n"
11135                 "OpDecorate %ssbo_src Binding 0\n"
11136
11137                 "OpDecorate %ra_u32 ArrayStride 4\n"
11138                 "OpMemberDecorate %SSBO_IDX 0 Offset 0\n"
11139                 "OpDecorate %SSBO_IDX BufferBlock\n"
11140                 "OpDecorate %ssbo_idx DescriptorSet 0\n"
11141                 "OpDecorate %ssbo_idx Binding 1\n"
11142
11143                 "OpMemberDecorate %SSBO_DST 0 Offset 0\n"
11144                 "OpDecorate %SSBO_DST BufferBlock\n"
11145                 "OpDecorate %ssbo_dst DescriptorSet 0\n"
11146                 "OpDecorate %ssbo_dst Binding 2\n"
11147         );
11148
11149         const StringTemplate testFun
11150         (
11151                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
11152                 "    %param = OpFunctionParameter %v4f32\n"
11153                 "    %entry = OpLabel\n"
11154
11155                 "        %i = OpVariable %fp_i32 Function\n"
11156                 "             OpStore %i %c_i32_0\n"
11157
11158                 " %will_run = OpFunctionCall %bool %isUniqueIdZero\n"
11159                 "             OpSelectionMerge %end_if None\n"
11160                 "             OpBranchConditional %will_run %run_test %end_if\n"
11161
11162                 " %run_test = OpLabel\n"
11163                 "             OpBranch %loop\n"
11164
11165                 "     %loop = OpLabel\n"
11166                 "    %i_cmp = OpLoad %i32 %i\n"
11167                 "       %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
11168                 "             OpLoopMerge %merge %next None\n"
11169                 "             OpBranchConditional %lt %write %merge\n"
11170
11171                 "    %write = OpLabel\n"
11172                 "      %ndx = OpLoad %i32 %i\n"
11173
11174                 "      %src = OpAccessChain %up_${tt} %ssbo_src %c_i32_0 %ndx\n"
11175                 "  %val_src = OpLoad %${tt} %src\n"
11176
11177                 "  %src_idx = OpAccessChain %up_u32 %ssbo_idx %c_i32_0 %ndx\n"
11178                 "  %val_idx = OpLoad %u32 %src_idx\n"
11179
11180                 "  %val_dst = OpVectorInsertDynamic %${tt} %val_src %c_f16_ins %val_idx\n"
11181                 "      %dst = OpAccessChain %up_${tt} %ssbo_dst %c_i32_0 %ndx\n"
11182
11183                 "             OpStore %dst %val_dst\n"
11184                 "             OpBranch %next\n"
11185
11186                 "     %next = OpLabel\n"
11187                 "    %i_cur = OpLoad %i32 %i\n"
11188                 "    %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
11189                 "             OpStore %i %i_new\n"
11190                 "             OpBranch %loop\n"
11191
11192                 "    %merge = OpLabel\n"
11193                 "             OpBranch %end_if\n"
11194                 "   %end_if = OpLabel\n"
11195                 "             OpReturnValue %param\n"
11196
11197                 "             OpFunctionEnd\n"
11198         );
11199
11200         for (deUint32 testTypeIdx = 0; testTypeIdx < DE_LENGTH_OF_ARRAY(testTypes); ++testTypeIdx)
11201         {
11202                 const TestType&         testType                = testTypes[testTypeIdx];
11203                 const string            testName                = testType.typeName;
11204                 const size_t            itemsPerType    = testType.typeStride / sizeof(deFloat16);
11205                 const size_t            iterations              = float16InputData.size() / itemsPerType;
11206                 SpecResource            specResource;
11207                 map<string, string>     specs;
11208                 VulkanFeatures          features;
11209                 vector<deUint32>        inputDataNdx;
11210                 map<string, string>     fragments;
11211                 vector<string>          extensions;
11212
11213                 for (deUint32 ndx = 0; ndx < iterations; ++ndx)
11214                         inputDataNdx.push_back(rnd.getUint32() % testType.typeComponents);
11215
11216                 specs["num_data_points"]        = de::toString(iterations);
11217                 specs["tt"]                                     = testType.typeName;
11218                 specs["tt_stride"]                      = de::toString(testType.typeStride);
11219                 specs["type_decl"]                      = testType.typeDecls;
11220                 specs["replacement"]            = de::toString(replacement);
11221
11222                 fragments["extension"]          = "OpExtension \"SPV_KHR_16bit_storage\"";
11223                 fragments["capability"]         = "OpCapability StorageUniformBufferBlock16\n";
11224                 fragments["decoration"]         = decoration.specialize(specs);
11225                 fragments["pre_main"]           = preMain.specialize(specs);
11226                 fragments["testfun"]            = testFun.specialize(specs);
11227
11228                 specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(float16InputData)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
11229                 specResource.inputs.push_back(Resource(BufferSp(new Uint32Buffer(inputDataNdx)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
11230                 specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(float16OutputDummy)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
11231                 specResource.verifyIO = testType.verifyIOFunc;
11232
11233                 extensions.push_back("VK_KHR_16bit_storage");
11234                 extensions.push_back("VK_KHR_shader_float16_int8");
11235
11236                 features.extFloat16Int8         = EXTFLOAT16INT8FEATURES_FLOAT16;
11237                 features.ext16BitStorage        = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
11238
11239                 finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
11240         }
11241
11242         return testGroup.release();
11243 }
11244
11245 inline deFloat16 getShuffledComponent (const size_t iteration, const size_t componentNdx, const deFloat16* input1Vec, const deFloat16* input2Vec, size_t vec1Len, size_t vec2Len, bool& validate)
11246 {
11247         const size_t    compNdxCount    = (vec1Len + vec2Len + 1);
11248         const size_t    compNdxLimited  = iteration % (compNdxCount * compNdxCount);
11249         size_t                  comp;
11250
11251         switch (componentNdx)
11252         {
11253                 case 0: comp = compNdxLimited / compNdxCount; break;
11254                 case 1: comp = compNdxLimited % compNdxCount; break;
11255                 case 2: comp = 0; break;
11256                 case 3: comp = 1; break;
11257                 default: TCU_THROW(InternalError, "Impossible");
11258         }
11259
11260         if (comp >= vec1Len + vec2Len)
11261         {
11262                 validate = false;
11263                 return 0;
11264         }
11265         else
11266         {
11267                 validate = true;
11268                 return (comp < vec1Len) ? input1Vec[comp] : input2Vec[comp - vec1Len];
11269         }
11270 }
11271
11272 template<deUint32 DST_COMPONENTS_COUNT, deUint32 SRC0_COMPONENTS_COUNT, deUint32 SRC1_COMPONENTS_COUNT>
11273 bool compareFP16VectorShuffleFunc (const std::vector<Resource>& inputs, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>&, TestLog& log)
11274 {
11275         DE_STATIC_ASSERT(DST_COMPONENTS_COUNT == 2 || DST_COMPONENTS_COUNT == 3 || DST_COMPONENTS_COUNT == 4);
11276         DE_STATIC_ASSERT(SRC0_COMPONENTS_COUNT == 2 || SRC0_COMPONENTS_COUNT == 3 || SRC0_COMPONENTS_COUNT == 4);
11277         DE_STATIC_ASSERT(SRC1_COMPONENTS_COUNT == 2 || SRC1_COMPONENTS_COUNT == 3 || SRC1_COMPONENTS_COUNT == 4);
11278
11279         if (inputs.size() != 2 || outputAllocs.size() != 1)
11280                 return false;
11281
11282         vector<deUint8> input1Bytes;
11283         vector<deUint8> input2Bytes;
11284
11285         inputs[0].getBytes(input1Bytes);
11286         inputs[1].getBytes(input2Bytes);
11287
11288         DE_ASSERT(input1Bytes.size() > 0);
11289         DE_ASSERT(input2Bytes.size() > 0);
11290         DE_ASSERT(input2Bytes.size() % sizeof(deFloat16) == 0);
11291
11292         const size_t                    componentsStrideDst             = (DST_COMPONENTS_COUNT == 3) ? 4 : DST_COMPONENTS_COUNT;
11293         const size_t                    componentsStrideSrc0    = (SRC0_COMPONENTS_COUNT == 3) ? 4 : SRC0_COMPONENTS_COUNT;
11294         const size_t                    componentsStrideSrc1    = (SRC1_COMPONENTS_COUNT == 3) ? 4 : SRC1_COMPONENTS_COUNT;
11295         const size_t                    iterations                              = input1Bytes.size() / (componentsStrideSrc0 * sizeof(deFloat16));
11296         const deFloat16* const  input1AsFP16                    = (const deFloat16*)&input1Bytes[0];
11297         const deFloat16* const  input2AsFP16                    = (const deFloat16*)&input2Bytes[0];
11298         const deFloat16* const  outputAsFP16                    = (const deFloat16*)outputAllocs[0]->getHostPtr();
11299         std::string                             error;
11300
11301         DE_ASSERT(input1Bytes.size() == iterations * componentsStrideSrc0 * sizeof(deFloat16));
11302         DE_ASSERT(input2Bytes.size() == iterations * componentsStrideSrc1 * sizeof(deFloat16));
11303
11304         for (size_t idx = 0; idx < iterations; ++idx)
11305         {
11306                 const deFloat16*        input1Vec       = &input1AsFP16[componentsStrideSrc0 * idx];
11307                 const deFloat16*        input2Vec       = &input2AsFP16[componentsStrideSrc1 * idx];
11308                 const deFloat16*        outputVec       = &outputAsFP16[componentsStrideDst * idx];
11309
11310                 for (size_t compNdx = 0; compNdx < DST_COMPONENTS_COUNT; ++compNdx)
11311                 {
11312                         bool            validate        = true;
11313                         deFloat16       expected        = getShuffledComponent(idx, compNdx, input1Vec, input2Vec, SRC0_COMPONENTS_COUNT, SRC1_COMPONENTS_COUNT, validate);
11314
11315                         if (validate && !compare16BitFloat(expected, outputVec[compNdx], error))
11316                         {
11317                                 log << TestLog::Message << "At " << idx << "[" << compNdx << "]: " << error << TestLog::EndMessage;
11318
11319                                 return false;
11320                         }
11321                 }
11322         }
11323
11324         return true;
11325 }
11326
11327 VerifyIOFunc getFloat16VectorShuffleVerifyIOFunc (deUint32 dstComponentsCount, deUint32 src0ComponentsCount, deUint32 src1ComponentsCount)
11328 {
11329         DE_ASSERT(dstComponentsCount <= 4);
11330         DE_ASSERT(src0ComponentsCount <= 4);
11331         DE_ASSERT(src1ComponentsCount <= 4);
11332         deUint32 funcCode = 100 * dstComponentsCount + 10 * src0ComponentsCount + src1ComponentsCount;
11333
11334         switch (funcCode)
11335         {
11336                 case 222:return compareFP16VectorShuffleFunc<2, 2, 2>;
11337                 case 223:return compareFP16VectorShuffleFunc<2, 2, 3>;
11338                 case 224:return compareFP16VectorShuffleFunc<2, 2, 4>;
11339                 case 232:return compareFP16VectorShuffleFunc<2, 3, 2>;
11340                 case 233:return compareFP16VectorShuffleFunc<2, 3, 3>;
11341                 case 234:return compareFP16VectorShuffleFunc<2, 3, 4>;
11342                 case 242:return compareFP16VectorShuffleFunc<2, 4, 2>;
11343                 case 243:return compareFP16VectorShuffleFunc<2, 4, 3>;
11344                 case 244:return compareFP16VectorShuffleFunc<2, 4, 4>;
11345                 case 322:return compareFP16VectorShuffleFunc<3, 2, 2>;
11346                 case 323:return compareFP16VectorShuffleFunc<3, 2, 3>;
11347                 case 324:return compareFP16VectorShuffleFunc<3, 2, 4>;
11348                 case 332:return compareFP16VectorShuffleFunc<3, 3, 2>;
11349                 case 333:return compareFP16VectorShuffleFunc<3, 3, 3>;
11350                 case 334:return compareFP16VectorShuffleFunc<3, 3, 4>;
11351                 case 342:return compareFP16VectorShuffleFunc<3, 4, 2>;
11352                 case 343:return compareFP16VectorShuffleFunc<3, 4, 3>;
11353                 case 344:return compareFP16VectorShuffleFunc<3, 4, 4>;
11354                 case 422:return compareFP16VectorShuffleFunc<4, 2, 2>;
11355                 case 423:return compareFP16VectorShuffleFunc<4, 2, 3>;
11356                 case 424:return compareFP16VectorShuffleFunc<4, 2, 4>;
11357                 case 432:return compareFP16VectorShuffleFunc<4, 3, 2>;
11358                 case 433:return compareFP16VectorShuffleFunc<4, 3, 3>;
11359                 case 434:return compareFP16VectorShuffleFunc<4, 3, 4>;
11360                 case 442:return compareFP16VectorShuffleFunc<4, 4, 2>;
11361                 case 443:return compareFP16VectorShuffleFunc<4, 4, 3>;
11362                 case 444:return compareFP16VectorShuffleFunc<4, 4, 4>;
11363                 default: TCU_THROW(InternalError, "Invalid number of components specified.");
11364         }
11365 }
11366
11367 template<class SpecResource>
11368 tcu::TestCaseGroup* createFloat16VectorShuffleSet (tcu::TestContext& testCtx)
11369 {
11370         de::MovePtr<tcu::TestCaseGroup>         testGroup                       (new tcu::TestCaseGroup(testCtx, "opvectorshuffle", "OpVectorShuffle tests"));
11371         const int                                                       testSpecificSeed        = deStringHash(testGroup->getName());
11372         const int                                                       seed                            = testCtx.getCommandLine().getBaseSeed() ^ testSpecificSeed;
11373         de::Random                                                      rnd                                     (seed);
11374         const deUint32                                          numDataPoints           = 128;
11375         map<string, string>                                     fragments;
11376
11377         struct TestType
11378         {
11379                 const deUint32  typeComponents;
11380                 const char*             typeName;
11381         };
11382
11383         const TestType  testTypes[]     =
11384         {
11385                 {
11386                         2,
11387                         "v2f16",
11388                 },
11389                 {
11390                         3,
11391                         "v3f16",
11392                 },
11393                 {
11394                         4,
11395                         "v4f16",
11396                 },
11397         };
11398
11399         const StringTemplate preMain
11400         (
11401                 "    %c_i32_ndp = OpConstant %i32 ${num_data_points}\n"
11402                 "     %c_i32_cc = OpConstant %i32 ${case_count}\n"
11403                 "          %f16 = OpTypeFloat 16\n"
11404                 "        %v2f16 = OpTypeVector %f16 2\n"
11405                 "        %v3f16 = OpTypeVector %f16 3\n"
11406                 "        %v4f16 = OpTypeVector %f16 4\n"
11407
11408                 "     %up_v2f16 = OpTypePointer Uniform %v2f16\n"
11409                 "     %ra_v2f16 = OpTypeArray %v2f16 %c_i32_ndp\n"
11410                 "   %SSBO_v2f16 = OpTypeStruct %ra_v2f16\n"
11411                 "%up_SSBO_v2f16 = OpTypePointer Uniform %SSBO_v2f16\n"
11412
11413                 "     %up_v3f16 = OpTypePointer Uniform %v3f16\n"
11414                 "     %ra_v3f16 = OpTypeArray %v3f16 %c_i32_ndp\n"
11415                 "   %SSBO_v3f16 = OpTypeStruct %ra_v3f16\n"
11416                 "%up_SSBO_v3f16 = OpTypePointer Uniform %SSBO_v3f16\n"
11417
11418                 "     %up_v4f16 = OpTypePointer Uniform %v4f16\n"
11419                 "     %ra_v4f16 = OpTypeArray %v4f16 %c_i32_ndp\n"
11420                 "   %SSBO_v4f16 = OpTypeStruct %ra_v4f16\n"
11421                 "%up_SSBO_v4f16 = OpTypePointer Uniform %SSBO_v4f16\n"
11422
11423                 "        %fun_t = OpTypeFunction %${tt_dst} %${tt_src0} %${tt_src1} %i32\n"
11424
11425                 "    %ssbo_src0 = OpVariable %up_SSBO_${tt_src0} Uniform\n"
11426                 "    %ssbo_src1 = OpVariable %up_SSBO_${tt_src1} Uniform\n"
11427                 "     %ssbo_dst = OpVariable %up_SSBO_${tt_dst} Uniform\n"
11428         );
11429
11430         const StringTemplate decoration
11431         (
11432                 "OpDecorate %ra_v2f16 ArrayStride 4\n"
11433                 "OpDecorate %ra_v3f16 ArrayStride 8\n"
11434                 "OpDecorate %ra_v4f16 ArrayStride 8\n"
11435
11436                 "OpMemberDecorate %SSBO_v2f16 0 Offset 0\n"
11437                 "OpDecorate %SSBO_v2f16 BufferBlock\n"
11438
11439                 "OpMemberDecorate %SSBO_v3f16 0 Offset 0\n"
11440                 "OpDecorate %SSBO_v3f16 BufferBlock\n"
11441
11442                 "OpMemberDecorate %SSBO_v4f16 0 Offset 0\n"
11443                 "OpDecorate %SSBO_v4f16 BufferBlock\n"
11444
11445                 "OpDecorate %ssbo_src0 DescriptorSet 0\n"
11446                 "OpDecorate %ssbo_src0 Binding 0\n"
11447                 "OpDecorate %ssbo_src1 DescriptorSet 0\n"
11448                 "OpDecorate %ssbo_src1 Binding 1\n"
11449                 "OpDecorate %ssbo_dst DescriptorSet 0\n"
11450                 "OpDecorate %ssbo_dst Binding 2\n"
11451         );
11452
11453         const StringTemplate testFun
11454         (
11455                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
11456                 "    %param = OpFunctionParameter %v4f32\n"
11457                 "    %entry = OpLabel\n"
11458
11459                 "        %i = OpVariable %fp_i32 Function\n"
11460                 "             OpStore %i %c_i32_0\n"
11461
11462                 " %will_run = OpFunctionCall %bool %isUniqueIdZero\n"
11463                 "             OpSelectionMerge %end_if None\n"
11464                 "             OpBranchConditional %will_run %run_test %end_if\n"
11465
11466                 " %run_test = OpLabel\n"
11467                 "             OpBranch %loop\n"
11468
11469                 "     %loop = OpLabel\n"
11470                 "    %i_cmp = OpLoad %i32 %i\n"
11471                 "       %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
11472                 "             OpLoopMerge %merge %next None\n"
11473                 "             OpBranchConditional %lt %write %merge\n"
11474
11475                 "    %write = OpLabel\n"
11476                 "      %ndx = OpLoad %i32 %i\n"
11477                 "     %src0 = OpAccessChain %up_${tt_src0} %ssbo_src0 %c_i32_0 %ndx\n"
11478                 " %val_src0 = OpLoad %${tt_src0} %src0\n"
11479                 "     %src1 = OpAccessChain %up_${tt_src1} %ssbo_src1 %c_i32_0 %ndx\n"
11480                 " %val_src1 = OpLoad %${tt_src1} %src1\n"
11481                 "  %val_dst = OpFunctionCall %${tt_dst} %sw_fun %val_src0 %val_src1 %ndx\n"
11482                 "      %dst = OpAccessChain %up_${tt_dst} %ssbo_dst %c_i32_0 %ndx\n"
11483                 "             OpStore %dst %val_dst\n"
11484                 "             OpBranch %next\n"
11485
11486                 "     %next = OpLabel\n"
11487                 "    %i_cur = OpLoad %i32 %i\n"
11488                 "    %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
11489                 "             OpStore %i %i_new\n"
11490                 "             OpBranch %loop\n"
11491
11492                 "    %merge = OpLabel\n"
11493                 "             OpBranch %end_if\n"
11494                 "   %end_if = OpLabel\n"
11495                 "             OpReturnValue %param\n"
11496                 "             OpFunctionEnd\n"
11497                 "\n"
11498
11499                 "   %sw_fun = OpFunction %${tt_dst} None %fun_t\n"
11500                 "%sw_param0 = OpFunctionParameter %${tt_src0}\n"
11501                 "%sw_param1 = OpFunctionParameter %${tt_src1}\n"
11502                 "%sw_paramn = OpFunctionParameter %i32\n"
11503                 " %sw_entry = OpLabel\n"
11504                 "   %modulo = OpSMod %i32 %sw_paramn %c_i32_cc\n"
11505                 "             OpSelectionMerge %switch_e None\n"
11506                 "             OpSwitch %modulo %default ${case_list}\n"
11507                 "${case_bodies}"
11508                 "%default   = OpLabel\n"
11509                 "             OpUnreachable\n" // Unreachable default case for switch statement
11510                 "%switch_e  = OpLabel\n"
11511                 "             OpUnreachable\n" // Unreachable merge block for switch statement
11512                 "             OpFunctionEnd\n"
11513         );
11514
11515         const StringTemplate testCaseBody
11516         (
11517                 "%case_${case_ndx}    = OpLabel\n"
11518                 "%val_dst_${case_ndx} = OpVectorShuffle %${tt_dst} %sw_param0 %sw_param1 ${shuffle}\n"
11519                 "             OpReturnValue %val_dst_${case_ndx}\n"
11520         );
11521
11522         for (deUint32 dstTypeIdx = 0; dstTypeIdx < DE_LENGTH_OF_ARRAY(testTypes); ++dstTypeIdx)
11523         {
11524                 const TestType& dstType                 = testTypes[dstTypeIdx];
11525
11526                 for (deUint32 comp0Idx = 0; comp0Idx < DE_LENGTH_OF_ARRAY(testTypes); ++comp0Idx)
11527                 {
11528                         const TestType& src0Type        = testTypes[comp0Idx];
11529
11530                         for (deUint32 comp1Idx = 0; comp1Idx < DE_LENGTH_OF_ARRAY(testTypes); ++comp1Idx)
11531                         {
11532                                 const TestType&                 src1Type                        = testTypes[comp1Idx];
11533                                 const deUint32                  input0Stride            = (src0Type.typeComponents == 3) ? 4 : src0Type.typeComponents;
11534                                 const deUint32                  input1Stride            = (src1Type.typeComponents == 3) ? 4 : src1Type.typeComponents;
11535                                 const deUint32                  outputStride            = (dstType.typeComponents == 3) ? 4 : dstType.typeComponents;
11536                                 const vector<deFloat16> float16Input0Data       = getFloat16s(rnd, input0Stride * numDataPoints);
11537                                 const vector<deFloat16> float16Input1Data       = getFloat16s(rnd, input1Stride * numDataPoints);
11538                                 const vector<deFloat16> float16OutputDummy      (outputStride * numDataPoints, 0);
11539                                 const string                    testName                        = de::toString(dstType.typeComponents) + de::toString(src0Type.typeComponents) + de::toString(src1Type.typeComponents);
11540                                 deUint32                                caseCount                       = 0;
11541                                 SpecResource                    specResource;
11542                                 map<string, string>             specs;
11543                                 vector<string>                  extensions;
11544                                 VulkanFeatures                  features;
11545                                 string                                  caseBodies;
11546                                 string                                  caseList;
11547
11548                                 // Generate case
11549                                 {
11550                                         vector<string>  componentList;
11551
11552                                         // Generate component possible indices for OpVectorShuffle for components 0 and 1 in output vector
11553                                         {
11554                                                 deUint32                caseNo          = 0;
11555
11556                                                 for (deUint32 comp0IdxLocal = 0; comp0IdxLocal < src0Type.typeComponents; ++comp0IdxLocal)
11557                                                         componentList.push_back(de::toString(caseNo++));
11558                                                 for (deUint32 comp1IdxLocal = 0; comp1IdxLocal < src1Type.typeComponents; ++comp1IdxLocal)
11559                                                         componentList.push_back(de::toString(caseNo++));
11560                                                 componentList.push_back("0xFFFFFFFF");
11561                                         }
11562
11563                                         for (deUint32 comp0IdxLocal = 0; comp0IdxLocal < componentList.size(); ++comp0IdxLocal)
11564                                         {
11565                                                 for (deUint32 comp1IdxLocal = 0; comp1IdxLocal < componentList.size(); ++comp1IdxLocal)
11566                                                 {
11567                                                         map<string, string>     specCase;
11568                                                         string                          shuffle         = componentList[comp0IdxLocal] + " " + componentList[comp1IdxLocal];
11569
11570                                                         for (deUint32 compIdx = 2; compIdx < dstType.typeComponents; ++compIdx)
11571                                                                 shuffle += " " + de::toString(compIdx - 2);
11572
11573                                                         specCase["case_ndx"]    = de::toString(caseCount);
11574                                                         specCase["shuffle"]             = shuffle;
11575                                                         specCase["tt_dst"]              = dstType.typeName;
11576
11577                                                         caseBodies      += testCaseBody.specialize(specCase);
11578                                                         caseList        += de::toString(caseCount) + " %case_" + de::toString(caseCount) + " ";
11579
11580                                                         caseCount++;
11581                                                 }
11582                                         }
11583                                 }
11584
11585                                 specs["num_data_points"]        = de::toString(numDataPoints);
11586                                 specs["tt_dst"]                         = dstType.typeName;
11587                                 specs["tt_src0"]                        = src0Type.typeName;
11588                                 specs["tt_src1"]                        = src1Type.typeName;
11589                                 specs["case_bodies"]            = caseBodies;
11590                                 specs["case_list"]                      = caseList;
11591                                 specs["case_count"]                     = de::toString(caseCount);
11592
11593                                 fragments["extension"]          = "OpExtension \"SPV_KHR_16bit_storage\"";
11594                                 fragments["capability"]         = "OpCapability StorageUniformBufferBlock16\n";
11595                                 fragments["decoration"]         = decoration.specialize(specs);
11596                                 fragments["pre_main"]           = preMain.specialize(specs);
11597                                 fragments["testfun"]            = testFun.specialize(specs);
11598
11599                                 specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(float16Input0Data)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
11600                                 specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(float16Input1Data)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
11601                                 specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(float16OutputDummy)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
11602                                 specResource.verifyIO = getFloat16VectorShuffleVerifyIOFunc(dstType.typeComponents, src0Type.typeComponents, src1Type.typeComponents);
11603
11604                                 extensions.push_back("VK_KHR_16bit_storage");
11605                                 extensions.push_back("VK_KHR_shader_float16_int8");
11606
11607                                 features.extFloat16Int8         = EXTFLOAT16INT8FEATURES_FLOAT16;
11608                                 features.ext16BitStorage        = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
11609
11610                                 finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
11611                         }
11612                 }
11613         }
11614
11615         return testGroup.release();
11616 }
11617
11618 bool compareFP16CompositeFunc (const std::vector<Resource>& inputs, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>&, TestLog& log)
11619 {
11620         if (inputs.size() != 1 || outputAllocs.size() != 1)
11621                 return false;
11622
11623         vector<deUint8> input1Bytes;
11624
11625         inputs[0].getBytes(input1Bytes);
11626
11627         DE_ASSERT(input1Bytes.size() > 0);
11628         DE_ASSERT(input1Bytes.size() % sizeof(deFloat16) == 0);
11629
11630         const size_t                    iterations              = input1Bytes.size() / sizeof(deFloat16);
11631         const deFloat16* const  input1AsFP16    = (const deFloat16*)&input1Bytes[0];
11632         const deFloat16* const  outputAsFP16    = (const deFloat16*)outputAllocs[0]->getHostPtr();
11633         const deFloat16                 exceptionValue  = tcu::Float16(-1.0).bits();
11634         std::string                             error;
11635
11636         for (size_t idx = 0; idx < iterations; ++idx)
11637         {
11638                 if (input1AsFP16[idx] == exceptionValue)
11639                         continue;
11640
11641                 if (!compare16BitFloat(input1AsFP16[idx], outputAsFP16[idx], error))
11642                 {
11643                         log << TestLog::Message << "At " << idx << ":" << error << TestLog::EndMessage;
11644
11645                         return false;
11646                 }
11647         }
11648
11649         return true;
11650 }
11651
11652 template<class SpecResource>
11653 tcu::TestCaseGroup* createFloat16CompositeConstructSet (tcu::TestContext& testCtx)
11654 {
11655         de::MovePtr<tcu::TestCaseGroup>         testGroup                               (new tcu::TestCaseGroup(testCtx, "opcompositeconstruct", "OpCompositeConstruct tests"));
11656         const deUint32                                          numElements                             = 8;
11657         const string                                            testName                                = "struct";
11658         const deUint32                                          structItemsCount                = 88;
11659         const deUint32                                          exceptionIndices[]              = { 1, 7, 15, 17, 25, 33, 51, 55, 59, 63, 67, 71, 84, 85, 86, 87 };
11660         const deFloat16                                         exceptionValue                  = tcu::Float16(-1.0).bits();
11661         const deUint32                                          fieldModifier                   = 2;
11662         const deUint32                                          fieldModifiedMulIndex   = 60;
11663         const deUint32                                          fieldModifiedAddIndex   = 66;
11664
11665         const StringTemplate preMain
11666         (
11667                 "    %c_i32_ndp = OpConstant %i32 ${num_elements}\n"
11668                 "          %f16 = OpTypeFloat 16\n"
11669                 "        %v2f16 = OpTypeVector %f16 2\n"
11670                 "        %v3f16 = OpTypeVector %f16 3\n"
11671                 "        %v4f16 = OpTypeVector %f16 4\n"
11672                 "    %c_f16_mod = OpConstant %f16 ${field_modifier}\n"
11673
11674                 "${consts}"
11675
11676                 "      %c_u32_5 = OpConstant %u32 5\n"
11677
11678                 " %f16arr3      = OpTypeArray %f16 %c_u32_3\n"
11679                 " %v2f16arr3    = OpTypeArray %v2f16 %c_u32_3\n"
11680                 " %v2f16arr5    = OpTypeArray %v2f16 %c_u32_5\n"
11681                 " %v3f16arr5    = OpTypeArray %v3f16 %c_u32_5\n"
11682                 " %v4f16arr3    = OpTypeArray %v4f16 %c_u32_3\n"
11683                 " %struct16     = OpTypeStruct %f16 %v2f16arr3\n"
11684                 " %struct16arr3 = OpTypeArray %struct16 %c_u32_3\n"
11685                 " %st_test      = OpTypeStruct %f16 %v2f16 %v3f16 %v4f16 %f16arr3 %struct16arr3 %v2f16arr5 %f16 %v3f16arr5 %v4f16arr3\n"
11686
11687                 "        %up_st = OpTypePointer Uniform %st_test\n"
11688                 "        %ra_st = OpTypeArray %st_test %c_i32_ndp\n"
11689                 "      %SSBO_st = OpTypeStruct %ra_st\n"
11690                 "   %up_SSBO_st = OpTypePointer Uniform %SSBO_st\n"
11691
11692                 "     %ssbo_dst = OpVariable %up_SSBO_st Uniform\n"
11693         );
11694
11695         const StringTemplate decoration
11696         (
11697                 "OpDecorate %SSBO_st BufferBlock\n"
11698                 "OpDecorate %ra_st ArrayStride ${struct_item_size}\n"
11699                 "OpDecorate %ssbo_dst DescriptorSet 0\n"
11700                 "OpDecorate %ssbo_dst Binding 1\n"
11701
11702                 "OpMemberDecorate %SSBO_st 0 Offset 0\n"
11703
11704                 "OpDecorate %v2f16arr3 ArrayStride 4\n"
11705                 "OpMemberDecorate %struct16 0 Offset 0\n"
11706                 "OpMemberDecorate %struct16 1 Offset 4\n"
11707                 "OpDecorate %struct16arr3 ArrayStride 16\n"
11708                 "OpDecorate %f16arr3 ArrayStride 2\n"
11709                 "OpDecorate %v2f16arr5 ArrayStride 4\n"
11710                 "OpDecorate %v3f16arr5 ArrayStride 8\n"
11711                 "OpDecorate %v4f16arr3 ArrayStride 8\n"
11712
11713                 "OpMemberDecorate %st_test 0 Offset 0\n"
11714                 "OpMemberDecorate %st_test 1 Offset 4\n"
11715                 "OpMemberDecorate %st_test 2 Offset 8\n"
11716                 "OpMemberDecorate %st_test 3 Offset 16\n"
11717                 "OpMemberDecorate %st_test 4 Offset 24\n"
11718                 "OpMemberDecorate %st_test 5 Offset 32\n"
11719                 "OpMemberDecorate %st_test 6 Offset 80\n"
11720                 "OpMemberDecorate %st_test 7 Offset 100\n"
11721                 "OpMemberDecorate %st_test 8 Offset 104\n"
11722                 "OpMemberDecorate %st_test 9 Offset 144\n"
11723         );
11724
11725         const StringTemplate testFun
11726         (
11727                 " %test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
11728                 "     %param = OpFunctionParameter %v4f32\n"
11729                 "     %entry = OpLabel\n"
11730
11731                 "         %i = OpVariable %fp_i32 Function\n"
11732                 "              OpStore %i %c_i32_0\n"
11733
11734                 "  %will_run = OpFunctionCall %bool %isUniqueIdZero\n"
11735                 "              OpSelectionMerge %end_if None\n"
11736                 "              OpBranchConditional %will_run %run_test %end_if\n"
11737
11738                 "  %run_test = OpLabel\n"
11739                 "              OpBranch %loop\n"
11740
11741                 "      %loop = OpLabel\n"
11742                 "     %i_cmp = OpLoad %i32 %i\n"
11743                 "        %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
11744                 "              OpLoopMerge %merge %next None\n"
11745                 "              OpBranchConditional %lt %write %merge\n"
11746
11747                 "     %write = OpLabel\n"
11748                 "       %ndx = OpLoad %i32 %i\n"
11749
11750                 "      %fld1 = OpCompositeConstruct %v2f16 %c_f16_2 %c_f16_3\n"
11751                 "      %fld2 = OpCompositeConstruct %v3f16 %c_f16_4 %c_f16_5 %c_f16_6\n"
11752                 "      %fld3 = OpCompositeConstruct %v4f16 %c_f16_8 %c_f16_9 %c_f16_10 %c_f16_11\n"
11753
11754                 "      %fld4 = OpCompositeConstruct %f16arr3 %c_f16_12 %c_f16_13 %c_f16_14\n"
11755
11756                 "%fld5_0_1_0 = OpCompositeConstruct %v2f16 %c_f16_18 %c_f16_19\n"
11757                 "%fld5_0_1_1 = OpCompositeConstruct %v2f16 %c_f16_20 %c_f16_21\n"
11758                 "%fld5_0_1_2 = OpCompositeConstruct %v2f16 %c_f16_22 %c_f16_23\n"
11759                 "  %fld5_0_1 = OpCompositeConstruct %v2f16arr3 %fld5_0_1_0 %fld5_0_1_1 %fld5_0_1_2\n"
11760                 "    %fld5_0 = OpCompositeConstruct %struct16 %c_f16_16 %fld5_0_1\n"
11761
11762                 "%fld5_1_1_0 = OpCompositeConstruct %v2f16 %c_f16_26 %c_f16_27\n"
11763                 "%fld5_1_1_1 = OpCompositeConstruct %v2f16 %c_f16_28 %c_f16_29\n"
11764                 "%fld5_1_1_2 = OpCompositeConstruct %v2f16 %c_f16_30 %c_f16_31\n"
11765                 "  %fld5_1_1 = OpCompositeConstruct %v2f16arr3 %fld5_1_1_0 %fld5_1_1_1 %fld5_1_1_2\n"
11766                 "    %fld5_1 = OpCompositeConstruct %struct16 %c_f16_24 %fld5_1_1\n"
11767
11768                 "%fld5_2_1_0 = OpCompositeConstruct %v2f16 %c_f16_34 %c_f16_35\n"
11769                 "%fld5_2_1_1 = OpCompositeConstruct %v2f16 %c_f16_36 %c_f16_37\n"
11770                 "%fld5_2_1_2 = OpCompositeConstruct %v2f16 %c_f16_38 %c_f16_39\n"
11771                 "  %fld5_2_1 = OpCompositeConstruct %v2f16arr3 %fld5_2_1_0 %fld5_2_1_1 %fld5_2_1_2\n"
11772                 "    %fld5_2 = OpCompositeConstruct %struct16 %c_f16_32 %fld5_2_1\n"
11773
11774                 "      %fld5 = OpCompositeConstruct %struct16arr3 %fld5_0 %fld5_1 %fld5_2\n"
11775
11776                 "    %fld6_0 = OpCompositeConstruct %v2f16 %c_f16_40 %c_f16_41\n"
11777                 "    %fld6_1 = OpCompositeConstruct %v2f16 %c_f16_42 %c_f16_43\n"
11778                 "    %fld6_2 = OpCompositeConstruct %v2f16 %c_f16_44 %c_f16_45\n"
11779                 "    %fld6_3 = OpCompositeConstruct %v2f16 %c_f16_46 %c_f16_47\n"
11780                 "    %fld6_4 = OpCompositeConstruct %v2f16 %c_f16_48 %c_f16_49\n"
11781                 "      %fld6 = OpCompositeConstruct %v2f16arr5 %fld6_0 %fld6_1 %fld6_2 %fld6_3 %fld6_4\n"
11782
11783                 "      %fndx = OpConvertSToF %f16 %ndx\n"
11784                 "  %fld8_2a0 = OpFMul %f16 %fndx %c_f16_mod\n"
11785                 "  %fld8_3b1 = OpFAdd %f16 %fndx %c_f16_mod\n"
11786
11787                 "   %fld8_2a = OpCompositeConstruct %v2f16 %fld8_2a0 %c_f16_61\n"
11788                 "   %fld8_3b = OpCompositeConstruct %v2f16 %c_f16_65 %fld8_3b1\n"
11789                 "    %fld8_0 = OpCompositeConstruct %v3f16 %c_f16_52 %c_f16_53 %c_f16_54\n"
11790                 "    %fld8_1 = OpCompositeConstruct %v3f16 %c_f16_56 %c_f16_57 %c_f16_58\n"
11791                 "    %fld8_2 = OpCompositeConstruct %v3f16 %fld8_2a %c_f16_62\n"
11792                 "    %fld8_3 = OpCompositeConstruct %v3f16 %c_f16_64 %fld8_3b\n"
11793                 "    %fld8_4 = OpCompositeConstruct %v3f16 %c_f16_68 %c_f16_69 %c_f16_70\n"
11794                 "      %fld8 = OpCompositeConstruct %v3f16arr5 %fld8_0 %fld8_1 %fld8_2 %fld8_3 %fld8_4\n"
11795
11796                 "    %fld9_0 = OpCompositeConstruct %v4f16 %c_f16_72 %c_f16_73 %c_f16_74 %c_f16_75\n"
11797                 "    %fld9_1 = OpCompositeConstruct %v4f16 %c_f16_76 %c_f16_77 %c_f16_78 %c_f16_79\n"
11798                 "    %fld9_2 = OpCompositeConstruct %v4f16 %c_f16_80 %c_f16_81 %c_f16_82 %c_f16_83\n"
11799                 "      %fld9 = OpCompositeConstruct %v4f16arr3 %fld9_0 %fld9_1 %fld9_2\n"
11800
11801                 "    %st_val = OpCompositeConstruct %st_test %c_f16_0 %fld1 %fld2 %fld3 %fld4 %fld5 %fld6 %c_f16_50 %fld8 %fld9\n"
11802                 "       %dst = OpAccessChain %up_st %ssbo_dst %c_i32_0 %ndx\n"
11803                 "              OpStore %dst %st_val\n"
11804
11805                 "              OpBranch %next\n"
11806
11807                 "      %next = OpLabel\n"
11808                 "     %i_cur = OpLoad %i32 %i\n"
11809                 "     %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
11810                 "              OpStore %i %i_new\n"
11811                 "              OpBranch %loop\n"
11812
11813                 "     %merge = OpLabel\n"
11814                 "              OpBranch %end_if\n"
11815                 "    %end_if = OpLabel\n"
11816                 "              OpReturnValue %param\n"
11817                 "              OpFunctionEnd\n"
11818         );
11819
11820         {
11821                 SpecResource            specResource;
11822                 map<string, string>     specs;
11823                 VulkanFeatures          features;
11824                 map<string, string>     fragments;
11825                 vector<string>          extensions;
11826                 vector<deFloat16>       expectedOutput;
11827                 string                          consts;
11828
11829                 for (deUint32 elementNdx = 0; elementNdx < numElements; ++elementNdx)
11830                 {
11831                         vector<deFloat16>       expectedIterationOutput;
11832
11833                         for (deUint32 structItemNdx = 0; structItemNdx < structItemsCount; ++structItemNdx)
11834                                 expectedIterationOutput.push_back(tcu::Float16(float(structItemNdx)).bits());
11835
11836                         for (deUint32 structItemNdx = 0; structItemNdx < DE_LENGTH_OF_ARRAY(exceptionIndices); ++structItemNdx)
11837                                 expectedIterationOutput[exceptionIndices[structItemNdx]] = exceptionValue;
11838
11839                         expectedIterationOutput[fieldModifiedMulIndex] = tcu::Float16(float(elementNdx * fieldModifier)).bits();
11840                         expectedIterationOutput[fieldModifiedAddIndex] = tcu::Float16(float(elementNdx + fieldModifier)).bits();
11841
11842                         expectedOutput.insert(expectedOutput.end(), expectedIterationOutput.begin(), expectedIterationOutput.end());
11843                 }
11844
11845                 for (deUint32 i = 0; i < structItemsCount; ++i)
11846                         consts += "     %c_f16_" + de::toString(i) + " = OpConstant %f16 "  + de::toString(i) + "\n";
11847
11848                 specs["num_elements"]           = de::toString(numElements);
11849                 specs["struct_item_size"]       = de::toString(structItemsCount * sizeof(deFloat16));
11850                 specs["field_modifier"]         = de::toString(fieldModifier);
11851                 specs["consts"]                         = consts;
11852
11853                 fragments["extension"]          = "OpExtension \"SPV_KHR_16bit_storage\"";
11854                 fragments["capability"]         = "OpCapability StorageUniformBufferBlock16\n";
11855                 fragments["decoration"]         = decoration.specialize(specs);
11856                 fragments["pre_main"]           = preMain.specialize(specs);
11857                 fragments["testfun"]            = testFun.specialize(specs);
11858
11859                 specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(expectedOutput)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
11860                 specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(expectedOutput)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
11861                 specResource.verifyIO = compareFP16CompositeFunc;
11862
11863                 extensions.push_back("VK_KHR_16bit_storage");
11864                 extensions.push_back("VK_KHR_shader_float16_int8");
11865
11866                 features.extFloat16Int8         = EXTFLOAT16INT8FEATURES_FLOAT16;
11867                 features.ext16BitStorage        = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
11868
11869                 finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
11870         }
11871
11872         return testGroup.release();
11873 }
11874
11875 template<class SpecResource>
11876 tcu::TestCaseGroup* createFloat16CompositeInsertExtractSet (tcu::TestContext& testCtx, const char* op)
11877 {
11878         de::MovePtr<tcu::TestCaseGroup>         testGroup               (new tcu::TestCaseGroup(testCtx, de::toLower(op).c_str(), op));
11879         const deFloat16                                         exceptionValue  = tcu::Float16(-1.0).bits();
11880         const string                                            opName                  (op);
11881         const deUint32                                          opIndex                 = (opName == "OpCompositeInsert") ? 0
11882                                                                                                                 : (opName == "OpCompositeExtract") ? 1
11883                                                                                                                 : -1;
11884
11885         const StringTemplate preMain
11886         (
11887                 "   %c_i32_ndp = OpConstant %i32 ${num_elements}\n"
11888                 "         %f16 = OpTypeFloat 16\n"
11889                 "       %v2f16 = OpTypeVector %f16 2\n"
11890                 "       %v3f16 = OpTypeVector %f16 3\n"
11891                 "       %v4f16 = OpTypeVector %f16 4\n"
11892                 "    %c_f16_na = OpConstant %f16 -1.0\n"
11893                 "     %c_u32_5 = OpConstant %u32 5\n"
11894
11895                 "%f16arr3      = OpTypeArray %f16 %c_u32_3\n"
11896                 "%v2f16arr3    = OpTypeArray %v2f16 %c_u32_3\n"
11897                 "%v2f16arr5    = OpTypeArray %v2f16 %c_u32_5\n"
11898                 "%v3f16arr5    = OpTypeArray %v3f16 %c_u32_5\n"
11899                 "%v4f16arr3    = OpTypeArray %v4f16 %c_u32_3\n"
11900                 "%struct16     = OpTypeStruct %f16 %v2f16arr3\n"
11901                 "%struct16arr3 = OpTypeArray %struct16 %c_u32_3\n"
11902                 "%st_test      = OpTypeStruct %${field_type}\n"
11903
11904                 "      %up_f16 = OpTypePointer Uniform %f16\n"
11905                 "       %up_st = OpTypePointer Uniform %st_test\n"
11906                 "      %ra_f16 = OpTypeArray %f16 %c_i32_ndp\n"
11907                 "       %ra_st = OpTypeArray %st_test %c_i32_1\n"
11908
11909                 "${op_premain_decls}"
11910
11911                 " %up_SSBO_src = OpTypePointer Uniform %SSBO_src\n"
11912                 " %up_SSBO_dst = OpTypePointer Uniform %SSBO_dst\n"
11913
11914                 "    %ssbo_src = OpVariable %up_SSBO_src Uniform\n"
11915                 "    %ssbo_dst = OpVariable %up_SSBO_dst Uniform\n"
11916         );
11917
11918         const StringTemplate decoration
11919         (
11920                 "OpDecorate %SSBO_src BufferBlock\n"
11921                 "OpDecorate %SSBO_dst BufferBlock\n"
11922                 "OpDecorate %ra_f16 ArrayStride 2\n"
11923                 "OpDecorate %ra_st ArrayStride ${struct_item_size}\n"
11924                 "OpDecorate %ssbo_src DescriptorSet 0\n"
11925                 "OpDecorate %ssbo_src Binding 0\n"
11926                 "OpDecorate %ssbo_dst DescriptorSet 0\n"
11927                 "OpDecorate %ssbo_dst Binding 1\n"
11928
11929                 "OpMemberDecorate %SSBO_src 0 Offset 0\n"
11930                 "OpMemberDecorate %SSBO_dst 0 Offset 0\n"
11931
11932                 "OpDecorate %v2f16arr3 ArrayStride 4\n"
11933                 "OpMemberDecorate %struct16 0 Offset 0\n"
11934                 "OpMemberDecorate %struct16 1 Offset 4\n"
11935                 "OpDecorate %struct16arr3 ArrayStride 16\n"
11936                 "OpDecorate %f16arr3 ArrayStride 2\n"
11937                 "OpDecorate %v2f16arr5 ArrayStride 4\n"
11938                 "OpDecorate %v3f16arr5 ArrayStride 8\n"
11939                 "OpDecorate %v4f16arr3 ArrayStride 8\n"
11940
11941                 "OpMemberDecorate %st_test 0 Offset 0\n"
11942         );
11943
11944         const StringTemplate testFun
11945         (
11946                 " %test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
11947                 "     %param = OpFunctionParameter %v4f32\n"
11948                 "     %entry = OpLabel\n"
11949
11950                 "         %i = OpVariable %fp_i32 Function\n"
11951                 "              OpStore %i %c_i32_0\n"
11952
11953                 "  %will_run = OpFunctionCall %bool %isUniqueIdZero\n"
11954                 "              OpSelectionMerge %end_if None\n"
11955                 "              OpBranchConditional %will_run %run_test %end_if\n"
11956
11957                 "  %run_test = OpLabel\n"
11958                 "              OpBranch %loop\n"
11959
11960                 "      %loop = OpLabel\n"
11961                 "     %i_cmp = OpLoad %i32 %i\n"
11962                 "        %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
11963                 "              OpLoopMerge %merge %next None\n"
11964                 "              OpBranchConditional %lt %write %merge\n"
11965
11966                 "     %write = OpLabel\n"
11967                 "       %ndx = OpLoad %i32 %i\n"
11968
11969                 "${op_sw_fun_call}"
11970
11971                 "              OpStore %dst %val_dst\n"
11972                 "              OpBranch %next\n"
11973
11974                 "      %next = OpLabel\n"
11975                 "     %i_cur = OpLoad %i32 %i\n"
11976                 "     %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
11977                 "              OpStore %i %i_new\n"
11978                 "              OpBranch %loop\n"
11979
11980                 "     %merge = OpLabel\n"
11981                 "              OpBranch %end_if\n"
11982                 "    %end_if = OpLabel\n"
11983                 "              OpReturnValue %param\n"
11984                 "              OpFunctionEnd\n"
11985
11986                 "${op_sw_fun_header}"
11987                 " %sw_param = OpFunctionParameter %st_test\n"
11988                 "%sw_paramn = OpFunctionParameter %i32\n"
11989                 " %sw_entry = OpLabel\n"
11990                 "             OpSelectionMerge %switch_e None\n"
11991                 "             OpSwitch %sw_paramn %default ${case_list}\n"
11992
11993                 "${case_bodies}"
11994
11995                 "%default   = OpLabel\n"
11996                 "             OpReturnValue ${op_case_default_value}\n"
11997                 "%switch_e  = OpLabel\n"
11998                 "             OpUnreachable\n" // Unreachable merge block for switch statement
11999                 "             OpFunctionEnd\n"
12000         );
12001
12002         const StringTemplate testCaseBody
12003         (
12004                 "%case_${case_ndx}    = OpLabel\n"
12005                 "%val_ret_${case_ndx} = ${op_name} ${op_args_part} ${access_path}\n"
12006                 "             OpReturnValue %val_ret_${case_ndx}\n"
12007         );
12008
12009         struct OpParts
12010         {
12011                 const char*     premainDecls;
12012                 const char*     swFunCall;
12013                 const char*     swFunHeader;
12014                 const char*     caseDefaultValue;
12015                 const char*     argsPartial;
12016         };
12017
12018         OpParts                                                         opPartsArray[]                  =
12019         {
12020                 // OpCompositeInsert
12021                 {
12022                         "       %fun_t = OpTypeFunction %st_test %f16 %st_test %i32\n"
12023                         "    %SSBO_src = OpTypeStruct %ra_f16\n"
12024                         "    %SSBO_dst = OpTypeStruct %ra_st\n",
12025
12026                         "       %src = OpAccessChain %up_f16 %ssbo_src %c_i32_0 %ndx\n"
12027                         "       %dst = OpAccessChain %up_st %ssbo_dst %c_i32_0 %c_i32_0\n"
12028                         "   %val_new = OpLoad %f16 %src\n"
12029                         "   %val_old = OpLoad %st_test %dst\n"
12030                         "   %val_dst = OpFunctionCall %st_test %sw_fun %val_new %val_old %ndx\n",
12031
12032                         "   %sw_fun = OpFunction %st_test None %fun_t\n"
12033                         "%sw_paramv = OpFunctionParameter %f16\n",
12034
12035                         "%sw_param",
12036
12037                         "%st_test %sw_paramv %sw_param",
12038                 },
12039                 // OpCompositeExtract
12040                 {
12041                         "       %fun_t = OpTypeFunction %f16 %st_test %i32\n"
12042                         "    %SSBO_src = OpTypeStruct %ra_st\n"
12043                         "    %SSBO_dst = OpTypeStruct %ra_f16\n",
12044
12045                         "       %src = OpAccessChain %up_st %ssbo_src %c_i32_0 %c_i32_0\n"
12046                         "       %dst = OpAccessChain %up_f16 %ssbo_dst %c_i32_0 %ndx\n"
12047                         "   %val_src = OpLoad %st_test %src\n"
12048                         "   %val_dst = OpFunctionCall %f16 %sw_fun %val_src %ndx\n",
12049
12050                         "   %sw_fun = OpFunction %f16 None %fun_t\n",
12051
12052                         "%c_f16_na",
12053
12054                         "%f16 %sw_param",
12055                 },
12056         };
12057
12058         DE_ASSERT(opIndex >= 0 && opIndex < DE_LENGTH_OF_ARRAY(opPartsArray));
12059
12060         const char*     accessPathF16[] =
12061         {
12062                 "0",                    // %f16
12063                 DE_NULL,
12064         };
12065         const char*     accessPathV2F16[] =
12066         {
12067                 "0 0",                  // %v2f16
12068                 "0 1",
12069         };
12070         const char*     accessPathV3F16[] =
12071         {
12072                 "0 0",                  // %v3f16
12073                 "0 1",
12074                 "0 2",
12075                 DE_NULL,
12076         };
12077         const char*     accessPathV4F16[] =
12078         {
12079                 "0 0",                  // %v4f16"
12080                 "0 1",
12081                 "0 2",
12082                 "0 3",
12083         };
12084         const char*     accessPathF16Arr3[] =
12085         {
12086                 "0 0",                  // %f16arr3
12087                 "0 1",
12088                 "0 2",
12089                 DE_NULL,
12090         };
12091         const char*     accessPathStruct16Arr3[] =
12092         {
12093                 "0 0 0",                // %struct16arr3
12094                 DE_NULL,
12095                 "0 0 1 0 0",
12096                 "0 0 1 0 1",
12097                 "0 0 1 1 0",
12098                 "0 0 1 1 1",
12099                 "0 0 1 2 0",
12100                 "0 0 1 2 1",
12101                 "0 1 0",
12102                 DE_NULL,
12103                 "0 1 1 0 0",
12104                 "0 1 1 0 1",
12105                 "0 1 1 1 0",
12106                 "0 1 1 1 1",
12107                 "0 1 1 2 0",
12108                 "0 1 1 2 1",
12109                 "0 2 0",
12110                 DE_NULL,
12111                 "0 2 1 0 0",
12112                 "0 2 1 0 1",
12113                 "0 2 1 1 0",
12114                 "0 2 1 1 1",
12115                 "0 2 1 2 0",
12116                 "0 2 1 2 1",
12117         };
12118         const char*     accessPathV2F16Arr5[] =
12119         {
12120                 "0 0 0",                // %v2f16arr5
12121                 "0 0 1",
12122                 "0 1 0",
12123                 "0 1 1",
12124                 "0 2 0",
12125                 "0 2 1",
12126                 "0 3 0",
12127                 "0 3 1",
12128                 "0 4 0",
12129                 "0 4 1",
12130         };
12131         const char*     accessPathV3F16Arr5[] =
12132         {
12133                 "0 0 0",                // %v3f16arr5
12134                 "0 0 1",
12135                 "0 0 2",
12136                 DE_NULL,
12137                 "0 1 0",
12138                 "0 1 1",
12139                 "0 1 2",
12140                 DE_NULL,
12141                 "0 2 0",
12142                 "0 2 1",
12143                 "0 2 2",
12144                 DE_NULL,
12145                 "0 3 0",
12146                 "0 3 1",
12147                 "0 3 2",
12148                 DE_NULL,
12149                 "0 4 0",
12150                 "0 4 1",
12151                 "0 4 2",
12152                 DE_NULL,
12153         };
12154         const char*     accessPathV4F16Arr3[] =
12155         {
12156                 "0 0 0",                // %v4f16arr3
12157                 "0 0 1",
12158                 "0 0 2",
12159                 "0 0 3",
12160                 "0 1 0",
12161                 "0 1 1",
12162                 "0 1 2",
12163                 "0 1 3",
12164                 "0 2 0",
12165                 "0 2 1",
12166                 "0 2 2",
12167                 "0 2 3",
12168                 DE_NULL,
12169                 DE_NULL,
12170                 DE_NULL,
12171                 DE_NULL,
12172         };
12173
12174         struct TypeTestParameters
12175         {
12176                 const char*             name;
12177                 size_t                  accessPathLength;
12178                 const char**    accessPath;
12179         };
12180
12181         const TypeTestParameters typeTestParameters[] =
12182         {
12183                 {       "f16",                  DE_LENGTH_OF_ARRAY(accessPathF16),                      accessPathF16                   },
12184                 {       "v2f16",                DE_LENGTH_OF_ARRAY(accessPathV2F16),            accessPathV2F16                 },
12185                 {       "v3f16",                DE_LENGTH_OF_ARRAY(accessPathV3F16),            accessPathV3F16                 },
12186                 {       "v4f16",                DE_LENGTH_OF_ARRAY(accessPathV4F16),            accessPathV4F16                 },
12187                 {       "f16arr3",              DE_LENGTH_OF_ARRAY(accessPathF16Arr3),          accessPathF16Arr3               },
12188                 {       "v2f16arr5",    DE_LENGTH_OF_ARRAY(accessPathV2F16Arr5),        accessPathV2F16Arr5             },
12189                 {       "v3f16arr5",    DE_LENGTH_OF_ARRAY(accessPathV3F16Arr5),        accessPathV3F16Arr5             },
12190                 {       "v4f16arr3",    DE_LENGTH_OF_ARRAY(accessPathV4F16Arr3),        accessPathV4F16Arr3             },
12191                 {       "struct16arr3", DE_LENGTH_OF_ARRAY(accessPathStruct16Arr3),     accessPathStruct16Arr3  },
12192         };
12193
12194         for (size_t typeTestNdx = 0; typeTestNdx < DE_LENGTH_OF_ARRAY(typeTestParameters); ++typeTestNdx)
12195         {
12196                 const OpParts           opParts                         = opPartsArray[opIndex];
12197                 const string            testName                        = typeTestParameters[typeTestNdx].name;
12198                 const size_t            structItemsCount        = typeTestParameters[typeTestNdx].accessPathLength;
12199                 const char**            accessPath                      = typeTestParameters[typeTestNdx].accessPath;
12200                 SpecResource            specResource;
12201                 map<string, string>     specs;
12202                 VulkanFeatures          features;
12203                 map<string, string>     fragments;
12204                 vector<string>          extensions;
12205                 vector<deFloat16>       inputFP16;
12206                 vector<deFloat16>       dummyFP16Output;
12207
12208                 // Generate values for input
12209                 inputFP16.reserve(structItemsCount);
12210                 for (deUint32 structItemNdx = 0; structItemNdx < structItemsCount; ++structItemNdx)
12211                         inputFP16.push_back((accessPath[structItemNdx] == DE_NULL) ? exceptionValue : tcu::Float16(float(structItemNdx)).bits());
12212
12213                 dummyFP16Output.resize(structItemsCount);
12214
12215                 // Generate cases for OpSwitch
12216                 {
12217                         string  caseBodies;
12218                         string  caseList;
12219
12220                         for (deUint32 caseNdx = 0; caseNdx < structItemsCount; ++caseNdx)
12221                                 if (accessPath[caseNdx] != DE_NULL)
12222                                 {
12223                                         map<string, string>     specCase;
12224
12225                                         specCase["case_ndx"]            = de::toString(caseNdx);
12226                                         specCase["access_path"]         = accessPath[caseNdx];
12227                                         specCase["op_args_part"]        = opParts.argsPartial;
12228                                         specCase["op_name"]                     = opName;
12229
12230                                         caseBodies      += testCaseBody.specialize(specCase);
12231                                         caseList        += de::toString(caseNdx) + " %case_" + de::toString(caseNdx) + " ";
12232                                 }
12233
12234                         specs["case_bodies"]    = caseBodies;
12235                         specs["case_list"]              = caseList;
12236                 }
12237
12238                 specs["num_elements"]                   = de::toString(structItemsCount);
12239                 specs["field_type"]                             = typeTestParameters[typeTestNdx].name;
12240                 specs["struct_item_size"]               = de::toString(structItemsCount * sizeof(deFloat16));
12241                 specs["op_premain_decls"]               = opParts.premainDecls;
12242                 specs["op_sw_fun_call"]                 = opParts.swFunCall;
12243                 specs["op_sw_fun_header"]               = opParts.swFunHeader;
12244                 specs["op_case_default_value"]  = opParts.caseDefaultValue;
12245
12246                 fragments["extension"]          = "OpExtension \"SPV_KHR_16bit_storage\"";
12247                 fragments["capability"]         = "OpCapability StorageUniformBufferBlock16\n";
12248                 fragments["decoration"]         = decoration.specialize(specs);
12249                 fragments["pre_main"]           = preMain.specialize(specs);
12250                 fragments["testfun"]            = testFun.specialize(specs);
12251
12252                 specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(inputFP16)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
12253                 specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(dummyFP16Output)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
12254                 specResource.verifyIO = compareFP16CompositeFunc;
12255
12256                 extensions.push_back("VK_KHR_16bit_storage");
12257                 extensions.push_back("VK_KHR_shader_float16_int8");
12258
12259                 features.extFloat16Int8         = EXTFLOAT16INT8FEATURES_FLOAT16;
12260                 features.ext16BitStorage        = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
12261
12262                 finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
12263         }
12264
12265         return testGroup.release();
12266 }
12267
12268 struct fp16PerComponent
12269 {
12270         fp16PerComponent()
12271                 : flavor(0)
12272                 , floatFormat16 (-14, 15, 10, true)
12273                 , outCompCount(0)
12274                 , argCompCount(3, 0)
12275         {
12276         }
12277
12278         bool                    callOncePerComponent    ()                                                                      { return true; }
12279         deUint32                getComponentValidity    ()                                                                      { return static_cast<deUint32>(-1); }
12280
12281         virtual double  getULPs                                 (vector<const deFloat16*>&)                     { return 1.0; }
12282         virtual double  getMin                                  (double value, double ulps)                     { return value - floatFormat16.ulp(deAbs(value), ulps); }
12283         virtual double  getMax                                  (double value, double ulps)                     { return value + floatFormat16.ulp(deAbs(value), ulps); }
12284
12285         virtual size_t  getFlavorCount                  ()                                                                      { return flavorNames.empty() ? 1 : flavorNames.size(); }
12286         virtual void    setFlavor                               (size_t flavorNo)                                       { DE_ASSERT(flavorNo < getFlavorCount()); flavor = flavorNo; }
12287         virtual size_t  getFlavor                               ()                                                                      { return flavor; }
12288         virtual string  getCurrentFlavorName    ()                                                                      { return flavorNames.empty() ? string("") : flavorNames[getFlavor()]; }
12289
12290         virtual void    setOutCompCount                 (size_t compCount)                                      { outCompCount = compCount; }
12291         virtual size_t  getOutCompCount                 ()                                                                      { return outCompCount; }
12292
12293         virtual void    setArgCompCount                 (size_t argNo, size_t compCount)        { argCompCount[argNo] = compCount; }
12294         virtual size_t  getArgCompCount                 (size_t argNo)                                          { return argCompCount[argNo]; }
12295
12296 protected:
12297         size_t                          flavor;
12298         tcu::FloatFormat        floatFormat16;
12299         size_t                          outCompCount;
12300         vector<size_t>          argCompCount;
12301         vector<string>          flavorNames;
12302 };
12303
12304 struct fp16OpFNegate : public fp16PerComponent
12305 {
12306         template <class fp16type>
12307         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12308         {
12309                 const fp16type  x               (*in[0]);
12310                 const double    d               (x.asDouble());
12311                 const double    result  (0.0 - d);
12312
12313                 out[0] = fp16type(result).bits();
12314                 min[0] = getMin(result, getULPs(in));
12315                 max[0] = getMax(result, getULPs(in));
12316
12317                 return true;
12318         }
12319 };
12320
12321 struct fp16Round : public fp16PerComponent
12322 {
12323         fp16Round() : fp16PerComponent()
12324         {
12325                 flavorNames.push_back("Floor(x+0.5)");
12326                 flavorNames.push_back("Floor(x-0.5)");
12327                 flavorNames.push_back("RoundEven");
12328         }
12329
12330         template<class fp16type>
12331         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12332         {
12333                 const fp16type  x               (*in[0]);
12334                 const double    d               (x.asDouble());
12335                 double                  result  (0.0);
12336
12337                 switch (flavor)
12338                 {
12339                         case 0:         result = deRound(d);            break;
12340                         case 1:         result = deFloor(d - 0.5);      break;
12341                         case 2:         result = deRoundEven(d);        break;
12342                         default:        TCU_THROW(InternalError, "Invalid flavor specified");
12343                 }
12344
12345                 out[0] = fp16type(result).bits();
12346                 min[0] = getMin(result, getULPs(in));
12347                 max[0] = getMax(result, getULPs(in));
12348
12349                 return true;
12350         }
12351 };
12352
12353 struct fp16RoundEven : public fp16PerComponent
12354 {
12355         template<class fp16type>
12356         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12357         {
12358                 const fp16type  x               (*in[0]);
12359                 const double    d               (x.asDouble());
12360                 const double    result  (deRoundEven(d));
12361
12362                 out[0] = fp16type(result).bits();
12363                 min[0] = getMin(result, getULPs(in));
12364                 max[0] = getMax(result, getULPs(in));
12365
12366                 return true;
12367         }
12368 };
12369
12370 struct fp16Trunc : public fp16PerComponent
12371 {
12372         template<class fp16type>
12373         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12374         {
12375                 const fp16type  x               (*in[0]);
12376                 const double    d               (x.asDouble());
12377                 const double    result  (deTrunc(d));
12378
12379                 out[0] = fp16type(result).bits();
12380                 min[0] = getMin(result, getULPs(in));
12381                 max[0] = getMax(result, getULPs(in));
12382
12383                 return true;
12384         }
12385 };
12386
12387 struct fp16FAbs : public fp16PerComponent
12388 {
12389         template<class fp16type>
12390         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12391         {
12392                 const fp16type  x               (*in[0]);
12393                 const double    d               (x.asDouble());
12394                 const double    result  (deAbs(d));
12395
12396                 out[0] = fp16type(result).bits();
12397                 min[0] = getMin(result, getULPs(in));
12398                 max[0] = getMax(result, getULPs(in));
12399
12400                 return true;
12401         }
12402 };
12403
12404 struct fp16FSign : public fp16PerComponent
12405 {
12406         template<class fp16type>
12407         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12408         {
12409                 const fp16type  x               (*in[0]);
12410                 const double    d               (x.asDouble());
12411                 const double    result  (deSign(d));
12412
12413                 if (x.isNaN())
12414                         return false;
12415
12416                 out[0] = fp16type(result).bits();
12417                 min[0] = getMin(result, getULPs(in));
12418                 max[0] = getMax(result, getULPs(in));
12419
12420                 return true;
12421         }
12422 };
12423
12424 struct fp16Floor : public fp16PerComponent
12425 {
12426         template<class fp16type>
12427         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12428         {
12429                 const fp16type  x               (*in[0]);
12430                 const double    d               (x.asDouble());
12431                 const double    result  (deFloor(d));
12432
12433                 out[0] = fp16type(result).bits();
12434                 min[0] = getMin(result, getULPs(in));
12435                 max[0] = getMax(result, getULPs(in));
12436
12437                 return true;
12438         }
12439 };
12440
12441 struct fp16Ceil : public fp16PerComponent
12442 {
12443         template<class fp16type>
12444         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12445         {
12446                 const fp16type  x               (*in[0]);
12447                 const double    d               (x.asDouble());
12448                 const double    result  (deCeil(d));
12449
12450                 out[0] = fp16type(result).bits();
12451                 min[0] = getMin(result, getULPs(in));
12452                 max[0] = getMax(result, getULPs(in));
12453
12454                 return true;
12455         }
12456 };
12457
12458 struct fp16Fract : public fp16PerComponent
12459 {
12460         template<class fp16type>
12461         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12462         {
12463                 const fp16type  x               (*in[0]);
12464                 const double    d               (x.asDouble());
12465                 const double    result  (deFrac(d));
12466
12467                 out[0] = fp16type(result).bits();
12468                 min[0] = getMin(result, getULPs(in));
12469                 max[0] = getMax(result, getULPs(in));
12470
12471                 return true;
12472         }
12473 };
12474
12475 struct fp16Radians : public fp16PerComponent
12476 {
12477         virtual double getULPs (vector<const deFloat16*>& in)
12478         {
12479                 DE_UNREF(in);
12480
12481                 return 2.5;
12482         }
12483
12484         template<class fp16type>
12485         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12486         {
12487                 const fp16type  x               (*in[0]);
12488                 const float             d               (x.asFloat());
12489                 const float             result  (deFloatRadians(d));
12490
12491                 out[0] = fp16type(result).bits();
12492                 min[0] = getMin(result, getULPs(in));
12493                 max[0] = getMax(result, getULPs(in));
12494
12495                 return true;
12496         }
12497 };
12498
12499 struct fp16Degrees : public fp16PerComponent
12500 {
12501         virtual double getULPs (vector<const deFloat16*>& in)
12502         {
12503                 DE_UNREF(in);
12504
12505                 return 2.5;
12506         }
12507
12508         template<class fp16type>
12509         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12510         {
12511                 const fp16type  x               (*in[0]);
12512                 const float             d               (x.asFloat());
12513                 const float             result  (deFloatDegrees(d));
12514
12515                 out[0] = fp16type(result).bits();
12516                 min[0] = getMin(result, getULPs(in));
12517                 max[0] = getMax(result, getULPs(in));
12518
12519                 return true;
12520         }
12521 };
12522
12523 struct fp16Sin : public fp16PerComponent
12524 {
12525         template<class fp16type>
12526         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12527         {
12528                 const fp16type  x                       (*in[0]);
12529                 const double    d                       (x.asDouble());
12530                 const double    result          (deSin(d));
12531                 const double    unspecUlp       (16.0);
12532                 const double    err                     (de::inRange(d, -DE_PI_DOUBLE, DE_PI_DOUBLE) ? deLdExp(1.0, -7) : floatFormat16.ulp(deAbs(result), unspecUlp));
12533
12534                 if (!de::inRange(d, -DE_PI_DOUBLE, DE_PI_DOUBLE))
12535                         return false;
12536
12537                 out[0] = fp16type(result).bits();
12538                 min[0] = result - err;
12539                 max[0] = result + err;
12540
12541                 return true;
12542         }
12543 };
12544
12545 struct fp16Cos : public fp16PerComponent
12546 {
12547         template<class fp16type>
12548         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12549         {
12550                 const fp16type  x                       (*in[0]);
12551                 const double    d                       (x.asDouble());
12552                 const double    result          (deCos(d));
12553                 const double    unspecUlp       (16.0);
12554                 const double    err                     (de::inRange(d, -DE_PI_DOUBLE, DE_PI_DOUBLE) ? deLdExp(1.0, -7) : floatFormat16.ulp(deAbs(result), unspecUlp));
12555
12556                 if (!de::inRange(d, -DE_PI_DOUBLE, DE_PI_DOUBLE))
12557                         return false;
12558
12559                 out[0] = fp16type(result).bits();
12560                 min[0] = result - err;
12561                 max[0] = result + err;
12562
12563                 return true;
12564         }
12565 };
12566
12567 struct fp16Tan : public fp16PerComponent
12568 {
12569         template<class fp16type>
12570         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12571         {
12572                 const fp16type  x               (*in[0]);
12573                 const double    d               (x.asDouble());
12574                 const double    result  (deTan(d));
12575
12576                 if (!de::inRange(d, -DE_PI_DOUBLE, DE_PI_DOUBLE))
12577                         return false;
12578
12579                 out[0] = fp16type(result).bits();
12580                 {
12581                         const double    err                     = deLdExp(1.0, -7);
12582                         const double    s1                      = deSin(d) + err;
12583                         const double    s2                      = deSin(d) - err;
12584                         const double    c1                      = deCos(d) + err;
12585                         const double    c2                      = deCos(d) - err;
12586                         const double    edgeVals[]      = {s1/c1, s1/c2, s2/c1, s2/c2};
12587                         double                  edgeLeft        = out[0];
12588                         double                  edgeRight       = out[0];
12589
12590                         if (deSign(c1 * c2) < 0.0)
12591                         {
12592                                 edgeLeft        = -std::numeric_limits<double>::infinity();
12593                                 edgeRight       = +std::numeric_limits<double>::infinity();
12594                         }
12595                         else
12596                         {
12597                                 edgeLeft        = *std::min_element(&edgeVals[0], &edgeVals[DE_LENGTH_OF_ARRAY(edgeVals)]);
12598                                 edgeRight       = *std::max_element(&edgeVals[0], &edgeVals[DE_LENGTH_OF_ARRAY(edgeVals)]);
12599                         }
12600
12601                         min[0] = edgeLeft;
12602                         max[0] = edgeRight;
12603                 }
12604
12605                 return true;
12606         }
12607 };
12608
12609 struct fp16Asin : public fp16PerComponent
12610 {
12611         template<class fp16type>
12612         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12613         {
12614                 const fp16type  x               (*in[0]);
12615                 const double    d               (x.asDouble());
12616                 const double    result  (deAsin(d));
12617                 const double    error   (deAtan2(d, sqrt(1.0 - d * d)));
12618
12619                 if (!x.isNaN() && deAbs(d) > 1.0)
12620                         return false;
12621
12622                 out[0] = fp16type(result).bits();
12623                 min[0] = result - floatFormat16.ulp(deAbs(error), 2 * 5.0); // This is not a precision test. Value is not from spec
12624                 max[0] = result + floatFormat16.ulp(deAbs(error), 2 * 5.0); // This is not a precision test. Value is not from spec
12625
12626                 return true;
12627         }
12628 };
12629
12630 struct fp16Acos : public fp16PerComponent
12631 {
12632         template<class fp16type>
12633         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12634         {
12635                 const fp16type  x               (*in[0]);
12636                 const double    d               (x.asDouble());
12637                 const double    result  (deAcos(d));
12638                 const double    error   (deAtan2(sqrt(1.0 - d * d), d));
12639
12640                 if (!x.isNaN() && deAbs(d) > 1.0)
12641                         return false;
12642
12643                 out[0] = fp16type(result).bits();
12644                 min[0] = result - floatFormat16.ulp(deAbs(error), 2 * 5.0); // This is not a precision test. Value is not from spec
12645                 max[0] = result + floatFormat16.ulp(deAbs(error), 2 * 5.0); // This is not a precision test. Value is not from spec
12646
12647                 return true;
12648         }
12649 };
12650
12651 struct fp16Atan : public fp16PerComponent
12652 {
12653         virtual double getULPs(vector<const deFloat16*>& in)
12654         {
12655                 DE_UNREF(in);
12656
12657                 return 2 * 5.0; // This is not a precision test. Value is not from spec
12658         }
12659
12660         template<class fp16type>
12661         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12662         {
12663                 const fp16type  x               (*in[0]);
12664                 const double    d               (x.asDouble());
12665                 const double    result  (deAtanOver(d));
12666
12667                 out[0] = fp16type(result).bits();
12668                 min[0] = getMin(result, getULPs(in));
12669                 max[0] = getMax(result, getULPs(in));
12670
12671                 return true;
12672         }
12673 };
12674
12675 struct fp16Sinh : public fp16PerComponent
12676 {
12677         fp16Sinh() : fp16PerComponent()
12678         {
12679                 flavorNames.push_back("Double");
12680                 flavorNames.push_back("ExpFP16");
12681         }
12682
12683         template<class fp16type>
12684         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12685         {
12686                 const fp16type  x               (*in[0]);
12687                 const double    d               (x.asDouble());
12688                 const double    ulps    (64 * (1.0 + 2 * deAbs(d))); // This is not a precision test. Value is not from spec
12689                 double                  result  (0.0);
12690                 double                  error   (0.0);
12691
12692                 if (getFlavor() == 0)
12693                 {
12694                         result  = deSinh(d);
12695                         error   = floatFormat16.ulp(deAbs(result), ulps);
12696                 }
12697                 else if (getFlavor() == 1)
12698                 {
12699                         const fp16type  epx     (deExp(d));
12700                         const fp16type  enx     (deExp(-d));
12701                         const fp16type  esx     (epx.asDouble() - enx.asDouble());
12702                         const fp16type  sx2     (esx.asDouble() / 2.0);
12703
12704                         result  = sx2.asDouble();
12705                         error   = deAbs(floatFormat16.ulp(epx.asDouble(), ulps)) + deAbs(floatFormat16.ulp(enx.asDouble(), ulps));
12706                 }
12707                 else
12708                 {
12709                         TCU_THROW(InternalError, "Unknown flavor");
12710                 }
12711
12712                 out[0] = fp16type(result).bits();
12713                 min[0] = result - error;
12714                 max[0] = result + error;
12715
12716                 return true;
12717         }
12718 };
12719
12720 struct fp16Cosh : public fp16PerComponent
12721 {
12722         fp16Cosh() : fp16PerComponent()
12723         {
12724                 flavorNames.push_back("Double");
12725                 flavorNames.push_back("ExpFP16");
12726         }
12727
12728         template<class fp16type>
12729         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12730         {
12731                 const fp16type  x               (*in[0]);
12732                 const double    d               (x.asDouble());
12733                 const double    ulps    (64 * (1.0 + 2 * deAbs(d))); // This is not a precision test. Value is not from spec
12734                 double                  result  (0.0);
12735
12736                 if (getFlavor() == 0)
12737                 {
12738                         result = deCosh(d);
12739                 }
12740                 else if (getFlavor() == 1)
12741                 {
12742                         const fp16type  epx     (deExp(d));
12743                         const fp16type  enx     (deExp(-d));
12744                         const fp16type  esx     (epx.asDouble() + enx.asDouble());
12745                         const fp16type  sx2     (esx.asDouble() / 2.0);
12746
12747                         result = sx2.asDouble();
12748                 }
12749                 else
12750                 {
12751                         TCU_THROW(InternalError, "Unknown flavor");
12752                 }
12753
12754                 out[0] = fp16type(result).bits();
12755                 min[0] = result - floatFormat16.ulp(deAbs(result), ulps);
12756                 max[0] = result + floatFormat16.ulp(deAbs(result), ulps);
12757
12758                 return true;
12759         }
12760 };
12761
12762 struct fp16Tanh : public fp16PerComponent
12763 {
12764         fp16Tanh() : fp16PerComponent()
12765         {
12766                 flavorNames.push_back("Tanh");
12767                 flavorNames.push_back("SinhCosh");
12768                 flavorNames.push_back("SinhCoshFP16");
12769                 flavorNames.push_back("PolyFP16");
12770         }
12771
12772         virtual double getULPs (vector<const deFloat16*>& in)
12773         {
12774                 const tcu::Float16      x       (*in[0]);
12775                 const double            d       (x.asDouble());
12776
12777                 return 2 * (1.0 + 2 * deAbs(d)); // This is not a precision test. Value is not from spec
12778         }
12779
12780         template<class fp16type>
12781         inline double calcPoly (const fp16type& espx, const fp16type& esnx, const fp16type& ecpx, const fp16type& ecnx)
12782         {
12783                 const fp16type  esx     (espx.asDouble() - esnx.asDouble());
12784                 const fp16type  sx2     (esx.asDouble() / 2.0);
12785                 const fp16type  ecx     (ecpx.asDouble() + ecnx.asDouble());
12786                 const fp16type  cx2     (ecx.asDouble() / 2.0);
12787                 const fp16type  tg      (sx2.asDouble() / cx2.asDouble());
12788                 const double    rez     (tg.asDouble());
12789
12790                 return rez;
12791         }
12792
12793         template<class fp16type>
12794         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12795         {
12796                 const fp16type  x               (*in[0]);
12797                 const double    d               (x.asDouble());
12798                 double                  result  (0.0);
12799
12800                 if (getFlavor() == 0)
12801                 {
12802                         result  = deTanh(d);
12803                         min[0]  = getMin(result, getULPs(in));
12804                         max[0]  = getMax(result, getULPs(in));
12805                 }
12806                 else if (getFlavor() == 1)
12807                 {
12808                         result  = deSinh(d) / deCosh(d);
12809                         min[0]  = getMin(result, getULPs(in));
12810                         max[0]  = getMax(result, getULPs(in));
12811                 }
12812                 else if (getFlavor() == 2)
12813                 {
12814                         const fp16type  s       (deSinh(d));
12815                         const fp16type  c       (deCosh(d));
12816
12817                         result  = s.asDouble() / c.asDouble();
12818                         min[0]  = getMin(result, getULPs(in));
12819                         max[0]  = getMax(result, getULPs(in));
12820                 }
12821                 else if (getFlavor() == 3)
12822                 {
12823                         const double    ulps    (getULPs(in));
12824                         const double    epxm    (deExp( d));
12825                         const double    enxm    (deExp(-d));
12826                         const double    epxmerr = floatFormat16.ulp(epxm, ulps);
12827                         const double    enxmerr = floatFormat16.ulp(enxm, ulps);
12828                         const fp16type  epx[]   = { fp16type(epxm - epxmerr), fp16type(epxm + epxmerr) };
12829                         const fp16type  enx[]   = { fp16type(enxm - enxmerr), fp16type(enxm + enxmerr) };
12830                         const fp16type  epxm16  (epxm);
12831                         const fp16type  enxm16  (enxm);
12832                         vector<double>  tgs;
12833
12834                         for (size_t spNdx = 0; spNdx < DE_LENGTH_OF_ARRAY(epx); ++spNdx)
12835                         for (size_t snNdx = 0; snNdx < DE_LENGTH_OF_ARRAY(enx); ++snNdx)
12836                         for (size_t cpNdx = 0; cpNdx < DE_LENGTH_OF_ARRAY(epx); ++cpNdx)
12837                         for (size_t cnNdx = 0; cnNdx < DE_LENGTH_OF_ARRAY(enx); ++cnNdx)
12838                         {
12839                                 const double tgh = calcPoly(epx[spNdx], enx[snNdx], epx[cpNdx], enx[cnNdx]);
12840
12841                                 tgs.push_back(tgh);
12842                         }
12843
12844                         result = calcPoly(epxm16, enxm16, epxm16, enxm16);
12845                         min[0] = *std::min_element(tgs.begin(), tgs.end());
12846                         max[0] = *std::max_element(tgs.begin(), tgs.end());
12847                 }
12848                 else
12849                 {
12850                         TCU_THROW(InternalError, "Unknown flavor");
12851                 }
12852
12853                 out[0] = fp16type(result).bits();
12854
12855                 return true;
12856         }
12857 };
12858
12859 struct fp16Asinh : public fp16PerComponent
12860 {
12861         fp16Asinh() : fp16PerComponent()
12862         {
12863                 flavorNames.push_back("Double");
12864                 flavorNames.push_back("PolyFP16Wiki");
12865                 flavorNames.push_back("PolyFP16Abs");
12866         }
12867
12868         virtual double getULPs (vector<const deFloat16*>& in)
12869         {
12870                 DE_UNREF(in);
12871
12872                 return 256.0; // This is not a precision test. Value is not from spec
12873         }
12874
12875         template<class fp16type>
12876         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12877         {
12878                 const fp16type  x               (*in[0]);
12879                 const double    d               (x.asDouble());
12880                 double                  result  (0.0);
12881
12882                 if (getFlavor() == 0)
12883                 {
12884                         result = deAsinh(d);
12885                 }
12886                 else if (getFlavor() == 1)
12887                 {
12888                         const fp16type  x2              (d * d);
12889                         const fp16type  x2p1    (x2.asDouble() + 1.0);
12890                         const fp16type  sq              (deSqrt(x2p1.asDouble()));
12891                         const fp16type  sxsq    (d + sq.asDouble());
12892                         const fp16type  lsxsq   (deLog(sxsq.asDouble()));
12893
12894                         if (lsxsq.isInf())
12895                                 return false;
12896
12897                         result = lsxsq.asDouble();
12898                 }
12899                 else if (getFlavor() == 2)
12900                 {
12901                         const fp16type  x2              (d * d);
12902                         const fp16type  x2p1    (x2.asDouble() + 1.0);
12903                         const fp16type  sq              (deSqrt(x2p1.asDouble()));
12904                         const fp16type  sxsq    (deAbs(d) + sq.asDouble());
12905                         const fp16type  lsxsq   (deLog(sxsq.asDouble()));
12906
12907                         result = deSign(d) * lsxsq.asDouble();
12908                 }
12909                 else
12910                 {
12911                         TCU_THROW(InternalError, "Unknown flavor");
12912                 }
12913
12914                 out[0] = fp16type(result).bits();
12915                 min[0] = getMin(result, getULPs(in));
12916                 max[0] = getMax(result, getULPs(in));
12917
12918                 return true;
12919         }
12920 };
12921
12922 struct fp16Acosh : public fp16PerComponent
12923 {
12924         fp16Acosh() : fp16PerComponent()
12925         {
12926                 flavorNames.push_back("Double");
12927                 flavorNames.push_back("PolyFP16");
12928         }
12929
12930         virtual double getULPs (vector<const deFloat16*>& in)
12931         {
12932                 DE_UNREF(in);
12933
12934                 return 16.0; // This is not a precision test. Value is not from spec
12935         }
12936
12937         template<class fp16type>
12938         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12939         {
12940                 const fp16type  x               (*in[0]);
12941                 const double    d               (x.asDouble());
12942                 double                  result  (0.0);
12943
12944                 if (!x.isNaN() && d < 1.0)
12945                         return false;
12946
12947                 if (getFlavor() == 0)
12948                 {
12949                         result = deAcosh(d);
12950                 }
12951                 else if (getFlavor() == 1)
12952                 {
12953                         const fp16type  x2              (d * d);
12954                         const fp16type  x2m1    (x2.asDouble() - 1.0);
12955                         const fp16type  sq              (deSqrt(x2m1.asDouble()));
12956                         const fp16type  sxsq    (d + sq.asDouble());
12957                         const fp16type  lsxsq   (deLog(sxsq.asDouble()));
12958
12959                         result = lsxsq.asDouble();
12960                 }
12961                 else
12962                 {
12963                         TCU_THROW(InternalError, "Unknown flavor");
12964                 }
12965
12966                 out[0] = fp16type(result).bits();
12967                 min[0] = getMin(result, getULPs(in));
12968                 max[0] = getMax(result, getULPs(in));
12969
12970                 return true;
12971         }
12972 };
12973
12974 struct fp16Atanh : public fp16PerComponent
12975 {
12976         fp16Atanh() : fp16PerComponent()
12977         {
12978                 flavorNames.push_back("Double");
12979                 flavorNames.push_back("PolyFP16");
12980         }
12981
12982         template<class fp16type>
12983         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
12984         {
12985                 const fp16type  x               (*in[0]);
12986                 const double    d               (x.asDouble());
12987                 double                  result  (0.0);
12988
12989                 if (deAbs(d) >= 1.0)
12990                         return false;
12991
12992                 if (getFlavor() == 0)
12993                 {
12994                         const double    ulps    (16.0); // This is not a precision test. Value is not from spec
12995
12996                         result = deAtanh(d);
12997                         min[0] = getMin(result, ulps);
12998                         max[0] = getMax(result, ulps);
12999                 }
13000                 else if (getFlavor() == 1)
13001                 {
13002                         const fp16type  x1a             (1.0 + d);
13003                         const fp16type  x1b             (1.0 - d);
13004                         const fp16type  x1d             (x1a.asDouble() / x1b.asDouble());
13005                         const fp16type  lx1d    (deLog(x1d.asDouble()));
13006                         const fp16type  lx1d2   (0.5 * lx1d.asDouble());
13007                         const double    error   (2 * (de::inRange(deAbs(x1d.asDouble()), 0.5, 2.0) ? deLdExp(2.0, -7) : floatFormat16.ulp(deAbs(x1d.asDouble()), 3.0)));
13008
13009                         result = lx1d2.asDouble();
13010                         min[0] = result - error;
13011                         max[0] = result + error;
13012                 }
13013                 else
13014                 {
13015                         TCU_THROW(InternalError, "Unknown flavor");
13016                 }
13017
13018                 out[0] = fp16type(result).bits();
13019
13020                 return true;
13021         }
13022 };
13023
13024 struct fp16Exp : public fp16PerComponent
13025 {
13026         template<class fp16type>
13027         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13028         {
13029                 const fp16type  x               (*in[0]);
13030                 const double    d               (x.asDouble());
13031                 const double    ulps    (10.0 * (1.0 + 2.0 * deAbs(d)));
13032                 const double    result  (deExp(d));
13033
13034                 out[0] = fp16type(result).bits();
13035                 min[0] = getMin(result, ulps);
13036                 max[0] = getMax(result, ulps);
13037
13038                 return true;
13039         }
13040 };
13041
13042 struct fp16Log : public fp16PerComponent
13043 {
13044         template<class fp16type>
13045         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13046         {
13047                 const fp16type  x               (*in[0]);
13048                 const double    d               (x.asDouble());
13049                 const double    result  (deLog(d));
13050                 const double    error   (de::inRange(deAbs(d), 0.5, 2.0) ? deLdExp(2.0, -7) : floatFormat16.ulp(deAbs(result), 3.0));
13051
13052                 if (d <= 0.0)
13053                         return false;
13054
13055                 out[0] = fp16type(result).bits();
13056                 min[0] = result - error;
13057                 max[0] = result + error;
13058
13059                 return true;
13060         }
13061 };
13062
13063 struct fp16Exp2 : public fp16PerComponent
13064 {
13065         template<class fp16type>
13066         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13067         {
13068                 const fp16type  x               (*in[0]);
13069                 const double    d               (x.asDouble());
13070                 const double    result  (deExp2(d));
13071                 const double    ulps    (1.0 + 2.0 * deAbs(fp16type(in[0][0]).asDouble()));
13072
13073                 out[0] = fp16type(result).bits();
13074                 min[0] = getMin(result, ulps);
13075                 max[0] = getMax(result, ulps);
13076
13077                 return true;
13078         }
13079 };
13080
13081 struct fp16Log2 : public fp16PerComponent
13082 {
13083         template<class fp16type>
13084         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13085         {
13086                 const fp16type  x               (*in[0]);
13087                 const double    d               (x.asDouble());
13088                 const double    result  (deLog2(d));
13089                 const double    error   (de::inRange(deAbs(d), 0.5, 2.0) ? deLdExp(2.0, -7) : floatFormat16.ulp(deAbs(result), 3.0));
13090
13091                 if (d <= 0.0)
13092                         return false;
13093
13094                 out[0] = fp16type(result).bits();
13095                 min[0] = result - error;
13096                 max[0] = result + error;
13097
13098                 return true;
13099         }
13100 };
13101
13102 struct fp16Sqrt : public fp16PerComponent
13103 {
13104         virtual double getULPs (vector<const deFloat16*>& in)
13105         {
13106                 DE_UNREF(in);
13107
13108                 return 6.0;
13109         }
13110
13111         template<class fp16type>
13112         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13113         {
13114                 const fp16type  x               (*in[0]);
13115                 const double    d               (x.asDouble());
13116                 const double    result  (deSqrt(d));
13117
13118                 if (!x.isNaN() && d < 0.0)
13119                         return false;
13120
13121                 out[0] = fp16type(result).bits();
13122                 min[0] = getMin(result, getULPs(in));
13123                 max[0] = getMax(result, getULPs(in));
13124
13125                 return true;
13126         }
13127 };
13128
13129 struct fp16InverseSqrt : public fp16PerComponent
13130 {
13131         virtual double getULPs (vector<const deFloat16*>& in)
13132         {
13133                 DE_UNREF(in);
13134
13135                 return 2.0;
13136         }
13137
13138         template<class fp16type>
13139         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13140         {
13141                 const fp16type  x               (*in[0]);
13142                 const double    d               (x.asDouble());
13143                 const double    result  (1.0/deSqrt(d));
13144
13145                 if (!x.isNaN() && d <= 0.0)
13146                         return false;
13147
13148                 out[0] = fp16type(result).bits();
13149                 min[0] = getMin(result, getULPs(in));
13150                 max[0] = getMax(result, getULPs(in));
13151
13152                 return true;
13153         }
13154 };
13155
13156 struct fp16ModfFrac : public fp16PerComponent
13157 {
13158         template<class fp16type>
13159         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13160         {
13161                 const fp16type  x               (*in[0]);
13162                 const double    d               (x.asDouble());
13163                 double                  i               (0.0);
13164                 const double    result  (deModf(d, &i));
13165
13166                 if (x.isInf() || x.isNaN())
13167                         return false;
13168
13169                 out[0] = fp16type(result).bits();
13170                 min[0] = getMin(result, getULPs(in));
13171                 max[0] = getMax(result, getULPs(in));
13172
13173                 return true;
13174         }
13175 };
13176
13177 struct fp16ModfInt : public fp16PerComponent
13178 {
13179         template<class fp16type>
13180         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13181         {
13182                 const fp16type  x               (*in[0]);
13183                 const double    d               (x.asDouble());
13184                 double                  i               (0.0);
13185                 const double    dummy   (deModf(d, &i));
13186                 const double    result  (i);
13187
13188                 DE_UNREF(dummy);
13189
13190                 if (x.isInf() || x.isNaN())
13191                         return false;
13192
13193                 out[0] = fp16type(result).bits();
13194                 min[0] = getMin(result, getULPs(in));
13195                 max[0] = getMax(result, getULPs(in));
13196
13197                 return true;
13198         }
13199 };
13200
13201 struct fp16FrexpS : public fp16PerComponent
13202 {
13203         template<class fp16type>
13204         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13205         {
13206                 const fp16type  x               (*in[0]);
13207                 const double    d               (x.asDouble());
13208                 int                             e               (0);
13209                 const double    result  (deFrExp(d, &e));
13210
13211                 if (x.isNaN() || x.isInf())
13212                         return false;
13213
13214                 out[0] = fp16type(result).bits();
13215                 min[0] = getMin(result, getULPs(in));
13216                 max[0] = getMax(result, getULPs(in));
13217
13218                 return true;
13219         }
13220 };
13221
13222 struct fp16FrexpE : public fp16PerComponent
13223 {
13224         template<class fp16type>
13225         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13226         {
13227                 const fp16type  x               (*in[0]);
13228                 const double    d               (x.asDouble());
13229                 int                             e               (0);
13230                 const double    dummy   (deFrExp(d, &e));
13231                 const double    result  (static_cast<double>(e));
13232
13233                 DE_UNREF(dummy);
13234
13235                 if (x.isNaN() || x.isInf())
13236                         return false;
13237
13238                 out[0] = fp16type(result).bits();
13239                 min[0] = getMin(result, getULPs(in));
13240                 max[0] = getMax(result, getULPs(in));
13241
13242                 return true;
13243         }
13244 };
13245
13246 struct fp16OpFAdd : public fp16PerComponent
13247 {
13248         template<class fp16type>
13249         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13250         {
13251                 const fp16type  x               (*in[0]);
13252                 const fp16type  y               (*in[1]);
13253                 const double    xd              (x.asDouble());
13254                 const double    yd              (y.asDouble());
13255                 const double    result  (xd + yd);
13256
13257                 out[0] = fp16type(result).bits();
13258                 min[0] = getMin(result, getULPs(in));
13259                 max[0] = getMax(result, getULPs(in));
13260
13261                 return true;
13262         }
13263 };
13264
13265 struct fp16OpFSub : public fp16PerComponent
13266 {
13267         template<class fp16type>
13268         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13269         {
13270                 const fp16type  x               (*in[0]);
13271                 const fp16type  y               (*in[1]);
13272                 const double    xd              (x.asDouble());
13273                 const double    yd              (y.asDouble());
13274                 const double    result  (xd - yd);
13275
13276                 out[0] = fp16type(result).bits();
13277                 min[0] = getMin(result, getULPs(in));
13278                 max[0] = getMax(result, getULPs(in));
13279
13280                 return true;
13281         }
13282 };
13283
13284 struct fp16OpFMul : public fp16PerComponent
13285 {
13286         template<class fp16type>
13287         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13288         {
13289                 const fp16type  x               (*in[0]);
13290                 const fp16type  y               (*in[1]);
13291                 const double    xd              (x.asDouble());
13292                 const double    yd              (y.asDouble());
13293                 const double    result  (xd * yd);
13294
13295                 out[0] = fp16type(result).bits();
13296                 min[0] = getMin(result, getULPs(in));
13297                 max[0] = getMax(result, getULPs(in));
13298
13299                 return true;
13300         }
13301 };
13302
13303 struct fp16OpFDiv : public fp16PerComponent
13304 {
13305         fp16OpFDiv() : fp16PerComponent()
13306         {
13307                 flavorNames.push_back("DirectDiv");
13308                 flavorNames.push_back("InverseDiv");
13309         }
13310
13311         template<class fp16type>
13312         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13313         {
13314                 const fp16type  x                       (*in[0]);
13315                 const fp16type  y                       (*in[1]);
13316                 const double    xd                      (x.asDouble());
13317                 const double    yd                      (y.asDouble());
13318                 const double    unspecUlp       (16.0);
13319                 const double    ulpCnt          (de::inRange(deAbs(yd), deLdExp(1, -14), deLdExp(1, 14)) ? 2.5 : unspecUlp);
13320                 double                  result          (0.0);
13321
13322                 if (y.isZero())
13323                         return false;
13324
13325                 if (getFlavor() == 0)
13326                 {
13327                         result = (xd / yd);
13328                 }
13329                 else if (getFlavor() == 1)
13330                 {
13331                         const double    invyd   (1.0 / yd);
13332                         const fp16type  invy    (invyd);
13333
13334                         result = (xd * invy.asDouble());
13335                 }
13336                 else
13337                 {
13338                         TCU_THROW(InternalError, "Unknown flavor");
13339                 }
13340
13341                 out[0] = fp16type(result).bits();
13342                 min[0] = getMin(result, ulpCnt);
13343                 max[0] = getMax(result, ulpCnt);
13344
13345                 return true;
13346         }
13347 };
13348
13349 struct fp16Atan2 : public fp16PerComponent
13350 {
13351         fp16Atan2() : fp16PerComponent()
13352         {
13353                 flavorNames.push_back("DoubleCalc");
13354                 flavorNames.push_back("DoubleCalc_PI");
13355         }
13356
13357         virtual double getULPs(vector<const deFloat16*>& in)
13358         {
13359                 DE_UNREF(in);
13360
13361                 return 2 * 5.0; // This is not a precision test. Value is not from spec
13362         }
13363
13364         template<class fp16type>
13365         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13366         {
13367                 const fp16type  x               (*in[0]);
13368                 const fp16type  y               (*in[1]);
13369                 const double    xd              (x.asDouble());
13370                 const double    yd              (y.asDouble());
13371                 double                  result  (0.0);
13372
13373                 if (x.isZero() && y.isZero())
13374                         return false;
13375
13376                 if (getFlavor() == 0)
13377                 {
13378                         result  = deAtan2(xd, yd);
13379                 }
13380                 else if (getFlavor() == 1)
13381                 {
13382                         const double    ulps    (2.0 * 5.0); // This is not a precision test. Value is not from spec
13383                         const double    eps             (floatFormat16.ulp(DE_PI_DOUBLE, ulps));
13384
13385                         result  = deAtan2(xd, yd);
13386
13387                         if (de::inRange(deAbs(result), DE_PI_DOUBLE - eps, DE_PI_DOUBLE + eps))
13388                                 result  = -result;
13389                 }
13390                 else
13391                 {
13392                         TCU_THROW(InternalError, "Unknown flavor");
13393                 }
13394
13395                 out[0] = fp16type(result).bits();
13396                 min[0] = getMin(result, getULPs(in));
13397                 max[0] = getMax(result, getULPs(in));
13398
13399                 return true;
13400         }
13401 };
13402
13403 struct fp16Pow : public fp16PerComponent
13404 {
13405         fp16Pow() : fp16PerComponent()
13406         {
13407                 flavorNames.push_back("Pow");
13408                 flavorNames.push_back("PowLog2");
13409                 flavorNames.push_back("PowLog2FP16");
13410         }
13411
13412         template<class fp16type>
13413         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13414         {
13415                 const fp16type  x               (*in[0]);
13416                 const fp16type  y               (*in[1]);
13417                 const double    xd              (x.asDouble());
13418                 const double    yd              (y.asDouble());
13419                 const double    logxeps (de::inRange(deAbs(xd), 0.5, 2.0) ? deLdExp(1.0, -7) : floatFormat16.ulp(deLog2(xd), 3.0));
13420                 const double    ulps1   (1.0 + 4.0 * deAbs(yd * (deLog2(xd) - logxeps)));
13421                 const double    ulps2   (1.0 + 4.0 * deAbs(yd * (deLog2(xd) + logxeps)));
13422                 const double    ulps    (deMax(deAbs(ulps1), deAbs(ulps2)));
13423                 double                  result  (0.0);
13424
13425                 if (xd < 0.0)
13426                         return false;
13427
13428                 if (x.isZero() && yd <= 0.0)
13429                         return false;
13430
13431                 if (getFlavor() == 0)
13432                 {
13433                         result = dePow(xd, yd);
13434                 }
13435                 else if (getFlavor() == 1)
13436                 {
13437                         const double    l2d     (deLog2(xd));
13438                         const double    e2d     (deExp2(yd * l2d));
13439
13440                         result = e2d;
13441                 }
13442                 else if (getFlavor() == 2)
13443                 {
13444                         const double    l2d     (deLog2(xd));
13445                         const fp16type  l2      (l2d);
13446                         const double    e2d     (deExp2(yd * l2.asDouble()));
13447                         const fp16type  e2      (e2d);
13448
13449                         result = e2.asDouble();
13450                 }
13451                 else
13452                 {
13453                         TCU_THROW(InternalError, "Unknown flavor");
13454                 }
13455
13456                 out[0] = fp16type(result).bits();
13457                 min[0] = getMin(result, ulps);
13458                 max[0] = getMax(result, ulps);
13459
13460                 return true;
13461         }
13462 };
13463
13464 struct fp16FMin : public fp16PerComponent
13465 {
13466         template<class fp16type>
13467         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13468         {
13469                 const fp16type  x               (*in[0]);
13470                 const fp16type  y               (*in[1]);
13471                 const double    xd              (x.asDouble());
13472                 const double    yd              (y.asDouble());
13473                 const double    result  (deMin(xd, yd));
13474
13475                 if (x.isNaN() || y.isNaN())
13476                         return false;
13477
13478                 out[0] = fp16type(result).bits();
13479                 min[0] = getMin(result, getULPs(in));
13480                 max[0] = getMax(result, getULPs(in));
13481
13482                 return true;
13483         }
13484 };
13485
13486 struct fp16FMax : public fp16PerComponent
13487 {
13488         template<class fp16type>
13489         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13490         {
13491                 const fp16type  x               (*in[0]);
13492                 const fp16type  y               (*in[1]);
13493                 const double    xd              (x.asDouble());
13494                 const double    yd              (y.asDouble());
13495                 const double    result  (deMax(xd, yd));
13496
13497                 if (x.isNaN() || y.isNaN())
13498                         return false;
13499
13500                 out[0] = fp16type(result).bits();
13501                 min[0] = getMin(result, getULPs(in));
13502                 max[0] = getMax(result, getULPs(in));
13503
13504                 return true;
13505         }
13506 };
13507
13508 struct fp16Step : public fp16PerComponent
13509 {
13510         template<class fp16type>
13511         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13512         {
13513                 const fp16type  edge    (*in[0]);
13514                 const fp16type  x               (*in[1]);
13515                 const double    edged   (edge.asDouble());
13516                 const double    xd              (x.asDouble());
13517                 const double    result  (deStep(edged, xd));
13518
13519                 out[0] = fp16type(result).bits();
13520                 min[0] = getMin(result, getULPs(in));
13521                 max[0] = getMax(result, getULPs(in));
13522
13523                 return true;
13524         }
13525 };
13526
13527 struct fp16Ldexp : public fp16PerComponent
13528 {
13529         template<class fp16type>
13530         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13531         {
13532                 const fp16type  x               (*in[0]);
13533                 const fp16type  y               (*in[1]);
13534                 const double    xd              (x.asDouble());
13535                 const int               yd              (static_cast<int>(deTrunc(y.asDouble())));
13536                 const double    result  (deLdExp(xd, yd));
13537
13538                 if (y.isNaN() || y.isInf() || y.isDenorm() || yd < -14 || yd > 15)
13539                         return false;
13540
13541                 // Spec: "If this product is too large to be represented in the floating-point type, the result is undefined."
13542                 if (fp16type(result).isInf())
13543                         return false;
13544
13545                 out[0] = fp16type(result).bits();
13546                 min[0] = getMin(result, getULPs(in));
13547                 max[0] = getMax(result, getULPs(in));
13548
13549                 return true;
13550         }
13551 };
13552
13553 struct fp16FClamp : public fp16PerComponent
13554 {
13555         template<class fp16type>
13556         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13557         {
13558                 const fp16type  x               (*in[0]);
13559                 const fp16type  minVal  (*in[1]);
13560                 const fp16type  maxVal  (*in[2]);
13561                 const double    xd              (x.asDouble());
13562                 const double    minVald (minVal.asDouble());
13563                 const double    maxVald (maxVal.asDouble());
13564                 const double    result  (deClamp(xd, minVald, maxVald));
13565
13566                 if (minVal.isNaN() || maxVal.isNaN() || minVald > maxVald)
13567                         return false;
13568
13569                 out[0] = fp16type(result).bits();
13570                 min[0] = getMin(result, getULPs(in));
13571                 max[0] = getMax(result, getULPs(in));
13572
13573                 return true;
13574         }
13575 };
13576
13577 struct fp16FMix : public fp16PerComponent
13578 {
13579         fp16FMix() : fp16PerComponent()
13580         {
13581                 flavorNames.push_back("DoubleCalc");
13582                 flavorNames.push_back("EmulatingFP16");
13583                 flavorNames.push_back("EmulatingFP16YminusX");
13584         }
13585
13586         template<class fp16type>
13587         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13588         {
13589                 const fp16type  x               (*in[0]);
13590                 const fp16type  y               (*in[1]);
13591                 const fp16type  a               (*in[2]);
13592                 const double    ulps    (8.0); // This is not a precision test. Value is not from spec
13593                 double                  result  (0.0);
13594
13595                 if (getFlavor() == 0)
13596                 {
13597                         const double    xd              (x.asDouble());
13598                         const double    yd              (y.asDouble());
13599                         const double    ad              (a.asDouble());
13600                         const double    xeps    (floatFormat16.ulp(deAbs(xd * (1.0 - ad)), ulps));
13601                         const double    yeps    (floatFormat16.ulp(deAbs(yd * ad), ulps));
13602                         const double    eps             (xeps + yeps);
13603
13604                         result = deMix(xd, yd, ad);
13605                         min[0] = result - eps;
13606                         max[0] = result + eps;
13607                 }
13608                 else if (getFlavor() == 1)
13609                 {
13610                         const double    xd              (x.asDouble());
13611                         const double    yd              (y.asDouble());
13612                         const double    ad              (a.asDouble());
13613                         const fp16type  am              (1.0 - ad);
13614                         const double    amd             (am.asDouble());
13615                         const fp16type  xam             (xd * amd);
13616                         const double    xamd    (xam.asDouble());
13617                         const fp16type  ya              (yd * ad);
13618                         const double    yad             (ya.asDouble());
13619                         const double    xeps    (floatFormat16.ulp(deAbs(xd * (1.0 - ad)), ulps));
13620                         const double    yeps    (floatFormat16.ulp(deAbs(yd * ad), ulps));
13621                         const double    eps             (xeps + yeps);
13622
13623                         result = xamd + yad;
13624                         min[0] = result - eps;
13625                         max[0] = result + eps;
13626                 }
13627                 else if (getFlavor() == 2)
13628                 {
13629                         const double    xd              (x.asDouble());
13630                         const double    yd              (y.asDouble());
13631                         const double    ad              (a.asDouble());
13632                         const fp16type  ymx             (yd - xd);
13633                         const double    ymxd    (ymx.asDouble());
13634                         const fp16type  ymxa    (ymxd * ad);
13635                         const double    ymxad   (ymxa.asDouble());
13636                         const double    xeps    (floatFormat16.ulp(deAbs(xd * (1.0 - ad)), ulps));
13637                         const double    yeps    (floatFormat16.ulp(deAbs(yd * ad), ulps));
13638                         const double    eps             (xeps + yeps);
13639
13640                         result = xd + ymxad;
13641                         min[0] = result - eps;
13642                         max[0] = result + eps;
13643                 }
13644                 else
13645                 {
13646                         TCU_THROW(InternalError, "Unknown flavor");
13647                 }
13648
13649                 out[0] = fp16type(result).bits();
13650
13651                 return true;
13652         }
13653 };
13654
13655 struct fp16SmoothStep : public fp16PerComponent
13656 {
13657         fp16SmoothStep() : fp16PerComponent()
13658         {
13659                 flavorNames.push_back("FloatCalc");
13660                 flavorNames.push_back("EmulatingFP16");
13661                 flavorNames.push_back("EmulatingFP16WClamp");
13662         }
13663
13664         virtual double getULPs(vector<const deFloat16*>& in)
13665         {
13666                 DE_UNREF(in);
13667
13668                 return 4.0; // This is not a precision test. Value is not from spec
13669         }
13670
13671         template<class fp16type>
13672         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13673         {
13674                 const fp16type  edge0   (*in[0]);
13675                 const fp16type  edge1   (*in[1]);
13676                 const fp16type  x               (*in[2]);
13677                 double                  result  (0.0);
13678
13679                 if (edge0.isNaN() || edge1.isNaN() || x.isNaN() || edge0.asDouble() >= edge1.asDouble())
13680                         return false;
13681
13682                 if (edge0.isInf() || edge1.isInf() || x.isInf())
13683                         return false;
13684
13685                 if (getFlavor() == 0)
13686                 {
13687                         const float     edge0d  (edge0.asFloat());
13688                         const float     edge1d  (edge1.asFloat());
13689                         const float     xd              (x.asFloat());
13690                         const float     sstep   (deFloatSmoothStep(edge0d, edge1d, xd));
13691
13692                         result = sstep;
13693                 }
13694                 else if (getFlavor() == 1)
13695                 {
13696                         const double    edge0d  (edge0.asDouble());
13697                         const double    edge1d  (edge1.asDouble());
13698                         const double    xd              (x.asDouble());
13699
13700                         if (xd <= edge0d)
13701                                 result = 0.0;
13702                         else if (xd >= edge1d)
13703                                 result = 1.0;
13704                         else
13705                         {
13706                                 const fp16type  a       (xd - edge0d);
13707                                 const fp16type  b       (edge1d - edge0d);
13708                                 const fp16type  t       (a.asDouble() / b.asDouble());
13709                                 const fp16type  t2      (2.0 * t.asDouble());
13710                                 const fp16type  t3      (3.0 - t2.asDouble());
13711                                 const fp16type  t4      (t.asDouble() * t3.asDouble());
13712                                 const fp16type  t5      (t.asDouble() * t4.asDouble());
13713
13714                                 result = t5.asDouble();
13715                         }
13716                 }
13717                 else if (getFlavor() == 2)
13718                 {
13719                         const double    edge0d  (edge0.asDouble());
13720                         const double    edge1d  (edge1.asDouble());
13721                         const double    xd              (x.asDouble());
13722                         const fp16type  a       (xd - edge0d);
13723                         const fp16type  b       (edge1d - edge0d);
13724                         const fp16type  bi      (1.0 / b.asDouble());
13725                         const fp16type  t0      (a.asDouble() * bi.asDouble());
13726                         const double    tc      (deClamp(t0.asDouble(), 0.0, 1.0));
13727                         const fp16type  t       (tc);
13728                         const fp16type  t2      (2.0 * t.asDouble());
13729                         const fp16type  t3      (3.0 - t2.asDouble());
13730                         const fp16type  t4      (t.asDouble() * t3.asDouble());
13731                         const fp16type  t5      (t.asDouble() * t4.asDouble());
13732
13733                         result = t5.asDouble();
13734                 }
13735                 else
13736                 {
13737                         TCU_THROW(InternalError, "Unknown flavor");
13738                 }
13739
13740                 out[0] = fp16type(result).bits();
13741                 min[0] = getMin(result, getULPs(in));
13742                 max[0] = getMax(result, getULPs(in));
13743
13744                 return true;
13745         }
13746 };
13747
13748 struct fp16Fma : public fp16PerComponent
13749 {
13750         fp16Fma()
13751         {
13752                 flavorNames.push_back("DoubleCalc");
13753                 flavorNames.push_back("EmulatingFP16");
13754         }
13755
13756         virtual double getULPs(vector<const deFloat16*>& in)
13757         {
13758                 DE_UNREF(in);
13759
13760                 return 16.0;
13761         }
13762
13763         template<class fp16type>
13764         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13765         {
13766                 DE_ASSERT(in.size() == 3);
13767                 DE_ASSERT(getArgCompCount(0) == getOutCompCount());
13768                 DE_ASSERT(getArgCompCount(1) == getOutCompCount());
13769                 DE_ASSERT(getArgCompCount(2) == getOutCompCount());
13770                 DE_ASSERT(getOutCompCount() > 0);
13771
13772                 const fp16type  a               (*in[0]);
13773                 const fp16type  b               (*in[1]);
13774                 const fp16type  c               (*in[2]);
13775                 double                  result  (0.0);
13776
13777                 if (getFlavor() == 0)
13778                 {
13779                         const double    ad      (a.asDouble());
13780                         const double    bd      (b.asDouble());
13781                         const double    cd      (c.asDouble());
13782
13783                         result  = deMadd(ad, bd, cd);
13784                 }
13785                 else if (getFlavor() == 1)
13786                 {
13787                         const double    ad      (a.asDouble());
13788                         const double    bd      (b.asDouble());
13789                         const double    cd      (c.asDouble());
13790                         const fp16type  ab      (ad * bd);
13791                         const fp16type  r       (ab.asDouble() + cd);
13792
13793                         result  = r.asDouble();
13794                 }
13795                 else
13796                 {
13797                         TCU_THROW(InternalError, "Unknown flavor");
13798                 }
13799
13800                 out[0] = fp16type(result).bits();
13801                 min[0] = getMin(result, getULPs(in));
13802                 max[0] = getMax(result, getULPs(in));
13803
13804                 return true;
13805         }
13806 };
13807
13808
13809 struct fp16AllComponents : public fp16PerComponent
13810 {
13811         bool            callOncePerComponent    ()      { return false; }
13812 };
13813
13814 struct fp16Length : public fp16AllComponents
13815 {
13816         fp16Length() : fp16AllComponents()
13817         {
13818                 flavorNames.push_back("EmulatingFP16");
13819                 flavorNames.push_back("DoubleCalc");
13820         }
13821
13822         virtual double getULPs(vector<const deFloat16*>& in)
13823         {
13824                 DE_UNREF(in);
13825
13826                 return 4.0;
13827         }
13828
13829         template<class fp16type>
13830         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13831         {
13832                 DE_ASSERT(getOutCompCount() == 1);
13833                 DE_ASSERT(in.size() == 1);
13834
13835                 double  result  (0.0);
13836
13837                 if (getFlavor() == 0)
13838                 {
13839                         fp16type        r       (0.0);
13840
13841                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(0); ++componentNdx)
13842                         {
13843                                 const fp16type  x       (in[0][componentNdx]);
13844                                 const fp16type  q       (x.asDouble() * x.asDouble());
13845
13846                                 r = fp16type(r.asDouble() + q.asDouble());
13847                         }
13848
13849                         result = deSqrt(r.asDouble());
13850
13851                         out[0] = fp16type(result).bits();
13852                 }
13853                 else if (getFlavor() == 1)
13854                 {
13855                         double  r       (0.0);
13856
13857                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(0); ++componentNdx)
13858                         {
13859                                 const fp16type  x       (in[0][componentNdx]);
13860                                 const double    q       (x.asDouble() * x.asDouble());
13861
13862                                 r += q;
13863                         }
13864
13865                         result = deSqrt(r);
13866
13867                         out[0] = fp16type(result).bits();
13868                 }
13869                 else
13870                 {
13871                         TCU_THROW(InternalError, "Unknown flavor");
13872                 }
13873
13874                 min[0] = getMin(result, getULPs(in));
13875                 max[0] = getMax(result, getULPs(in));
13876
13877                 return true;
13878         }
13879 };
13880
13881 struct fp16Distance : public fp16AllComponents
13882 {
13883         fp16Distance() : fp16AllComponents()
13884         {
13885                 flavorNames.push_back("EmulatingFP16");
13886                 flavorNames.push_back("DoubleCalc");
13887         }
13888
13889         virtual double getULPs(vector<const deFloat16*>& in)
13890         {
13891                 DE_UNREF(in);
13892
13893                 return 4.0;
13894         }
13895
13896         template<class fp16type>
13897         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13898         {
13899                 DE_ASSERT(getOutCompCount() == 1);
13900                 DE_ASSERT(in.size() == 2);
13901                 DE_ASSERT(getArgCompCount(0) == getArgCompCount(1));
13902
13903                 double  result  (0.0);
13904
13905                 if (getFlavor() == 0)
13906                 {
13907                         fp16type        r       (0.0);
13908
13909                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(0); ++componentNdx)
13910                         {
13911                                 const fp16type  x       (in[0][componentNdx]);
13912                                 const fp16type  y       (in[1][componentNdx]);
13913                                 const fp16type  d       (x.asDouble() - y.asDouble());
13914                                 const fp16type  q       (d.asDouble() * d.asDouble());
13915
13916                                 r = fp16type(r.asDouble() + q.asDouble());
13917                         }
13918
13919                         result = deSqrt(r.asDouble());
13920                 }
13921                 else if (getFlavor() == 1)
13922                 {
13923                         double  r       (0.0);
13924
13925                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(0); ++componentNdx)
13926                         {
13927                                 const fp16type  x       (in[0][componentNdx]);
13928                                 const fp16type  y       (in[1][componentNdx]);
13929                                 const double    d       (x.asDouble() - y.asDouble());
13930                                 const double    q       (d * d);
13931
13932                                 r += q;
13933                         }
13934
13935                         result = deSqrt(r);
13936                 }
13937                 else
13938                 {
13939                         TCU_THROW(InternalError, "Unknown flavor");
13940                 }
13941
13942                 out[0] = fp16type(result).bits();
13943                 min[0] = getMin(result, getULPs(in));
13944                 max[0] = getMax(result, getULPs(in));
13945
13946                 return true;
13947         }
13948 };
13949
13950 struct fp16Cross : public fp16AllComponents
13951 {
13952         fp16Cross() : fp16AllComponents()
13953         {
13954                 flavorNames.push_back("EmulatingFP16");
13955                 flavorNames.push_back("DoubleCalc");
13956         }
13957
13958         virtual double getULPs(vector<const deFloat16*>& in)
13959         {
13960                 DE_UNREF(in);
13961
13962                 return 4.0;
13963         }
13964
13965         template<class fp16type>
13966         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
13967         {
13968                 DE_ASSERT(getOutCompCount() == 3);
13969                 DE_ASSERT(in.size() == 2);
13970                 DE_ASSERT(getArgCompCount(0) == 3);
13971                 DE_ASSERT(getArgCompCount(1) == 3);
13972
13973                 if (getFlavor() == 0)
13974                 {
13975                         const fp16type  x0              (in[0][0]);
13976                         const fp16type  x1              (in[0][1]);
13977                         const fp16type  x2              (in[0][2]);
13978                         const fp16type  y0              (in[1][0]);
13979                         const fp16type  y1              (in[1][1]);
13980                         const fp16type  y2              (in[1][2]);
13981                         const fp16type  x1y2    (x1.asDouble() * y2.asDouble());
13982                         const fp16type  y1x2    (y1.asDouble() * x2.asDouble());
13983                         const fp16type  x2y0    (x2.asDouble() * y0.asDouble());
13984                         const fp16type  y2x0    (y2.asDouble() * x0.asDouble());
13985                         const fp16type  x0y1    (x0.asDouble() * y1.asDouble());
13986                         const fp16type  y0x1    (y0.asDouble() * x1.asDouble());
13987
13988                         out[0] = fp16type(x1y2.asDouble() - y1x2.asDouble()).bits();
13989                         out[1] = fp16type(x2y0.asDouble() - y2x0.asDouble()).bits();
13990                         out[2] = fp16type(x0y1.asDouble() - y0x1.asDouble()).bits();
13991                 }
13992                 else if (getFlavor() == 1)
13993                 {
13994                         const fp16type  x0              (in[0][0]);
13995                         const fp16type  x1              (in[0][1]);
13996                         const fp16type  x2              (in[0][2]);
13997                         const fp16type  y0              (in[1][0]);
13998                         const fp16type  y1              (in[1][1]);
13999                         const fp16type  y2              (in[1][2]);
14000                         const double    x1y2    (x1.asDouble() * y2.asDouble());
14001                         const double    y1x2    (y1.asDouble() * x2.asDouble());
14002                         const double    x2y0    (x2.asDouble() * y0.asDouble());
14003                         const double    y2x0    (y2.asDouble() * x0.asDouble());
14004                         const double    x0y1    (x0.asDouble() * y1.asDouble());
14005                         const double    y0x1    (y0.asDouble() * x1.asDouble());
14006
14007                         out[0] = fp16type(x1y2 - y1x2).bits();
14008                         out[1] = fp16type(x2y0 - y2x0).bits();
14009                         out[2] = fp16type(x0y1 - y0x1).bits();
14010                 }
14011                 else
14012                 {
14013                         TCU_THROW(InternalError, "Unknown flavor");
14014                 }
14015
14016                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14017                         min[ndx] = getMin(fp16type(out[ndx]).asDouble(), getULPs(in));
14018                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14019                         max[ndx] = getMax(fp16type(out[ndx]).asDouble(), getULPs(in));
14020
14021                 return true;
14022         }
14023 };
14024
14025 struct fp16Normalize : public fp16AllComponents
14026 {
14027         fp16Normalize() : fp16AllComponents()
14028         {
14029                 flavorNames.push_back("EmulatingFP16");
14030                 flavorNames.push_back("DoubleCalc");
14031
14032                 // flavorNames will be extended later
14033         }
14034
14035         virtual void    setArgCompCount                 (size_t argNo, size_t compCount)
14036         {
14037                 DE_ASSERT(argCompCount[argNo] == 0); // Once only
14038
14039                 if (argNo == 0 && argCompCount[argNo] == 0)
14040                 {
14041                         const size_t            maxPermutationsCount    = 24u; // Equal to 4!
14042                         std::vector<int>        indices;
14043
14044                         for (size_t componentNdx = 0; componentNdx < compCount; ++componentNdx)
14045                                 indices.push_back(static_cast<int>(componentNdx));
14046
14047                         m_permutations.reserve(maxPermutationsCount);
14048
14049                         permutationsFlavorStart = flavorNames.size();
14050
14051                         do
14052                         {
14053                                 tcu::UVec4      permutation;
14054                                 std::string     name            = "Permutted_";
14055
14056                                 for (size_t componentNdx = 0; componentNdx < compCount; ++componentNdx)
14057                                 {
14058                                         permutation[static_cast<int>(componentNdx)] = indices[componentNdx];
14059                                         name += de::toString(indices[componentNdx]);
14060                                 }
14061
14062                                 m_permutations.push_back(permutation);
14063                                 flavorNames.push_back(name);
14064
14065                         } while(std::next_permutation(indices.begin(), indices.end()));
14066
14067                         permutationsFlavorEnd = flavorNames.size();
14068                 }
14069
14070                 fp16AllComponents::setArgCompCount(argNo, compCount);
14071         }
14072         virtual double getULPs(vector<const deFloat16*>& in)
14073         {
14074                 DE_UNREF(in);
14075
14076                 return 8.0;
14077         }
14078
14079         template<class fp16type>
14080         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14081         {
14082                 DE_ASSERT(in.size() == 1);
14083                 DE_ASSERT(getArgCompCount(0) == getOutCompCount());
14084
14085                 if (getFlavor() == 0)
14086                 {
14087                         fp16type        r(0.0);
14088
14089                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(0); ++componentNdx)
14090                         {
14091                                 const fp16type  x       (in[0][componentNdx]);
14092                                 const fp16type  q       (x.asDouble() * x.asDouble());
14093
14094                                 r = fp16type(r.asDouble() + q.asDouble());
14095                         }
14096
14097                         r = fp16type(deSqrt(r.asDouble()));
14098
14099                         if (r.isZero())
14100                                 return false;
14101
14102                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(0); ++componentNdx)
14103                         {
14104                                 const fp16type  x       (in[0][componentNdx]);
14105
14106                                 out[componentNdx] = fp16type(x.asDouble() / r.asDouble()).bits();
14107                         }
14108                 }
14109                 else if (getFlavor() == 1)
14110                 {
14111                         double  r(0.0);
14112
14113                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(0); ++componentNdx)
14114                         {
14115                                 const fp16type  x       (in[0][componentNdx]);
14116                                 const double    q       (x.asDouble() * x.asDouble());
14117
14118                                 r += q;
14119                         }
14120
14121                         r = deSqrt(r);
14122
14123                         if (r == 0)
14124                                 return false;
14125
14126                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(0); ++componentNdx)
14127                         {
14128                                 const fp16type  x       (in[0][componentNdx]);
14129
14130                                 out[componentNdx] = fp16type(x.asDouble() / r).bits();
14131                         }
14132                 }
14133                 else if (de::inBounds<size_t>(getFlavor(), permutationsFlavorStart, permutationsFlavorEnd))
14134                 {
14135                         const int                       compCount               (static_cast<int>(getArgCompCount(0)));
14136                         const size_t            permutationNdx  (getFlavor() - permutationsFlavorStart);
14137                         const tcu::UVec4&       permutation             (m_permutations[permutationNdx]);
14138                         fp16type                        r                               (0.0);
14139
14140                         for (int permComponentNdx = 0; permComponentNdx < compCount; ++permComponentNdx)
14141                         {
14142                                 const size_t    componentNdx    (permutation[permComponentNdx]);
14143                                 const fp16type  x                               (in[0][componentNdx]);
14144                                 const fp16type  q                               (x.asDouble() * x.asDouble());
14145
14146                                 r = fp16type(r.asDouble() + q.asDouble());
14147                         }
14148
14149                         r = fp16type(deSqrt(r.asDouble()));
14150
14151                         if (r.isZero())
14152                                 return false;
14153
14154                         for (int permComponentNdx = 0; permComponentNdx < compCount; ++permComponentNdx)
14155                         {
14156                                 const size_t    componentNdx    (permutation[permComponentNdx]);
14157                                 const fp16type  x                               (in[0][componentNdx]);
14158
14159                                 out[componentNdx] = fp16type(x.asDouble() / r.asDouble()).bits();
14160                         }
14161                 }
14162                 else
14163                 {
14164                         TCU_THROW(InternalError, "Unknown flavor");
14165                 }
14166
14167                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14168                         min[ndx] = getMin(fp16type(out[ndx]).asDouble(), getULPs(in));
14169                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14170                         max[ndx] = getMax(fp16type(out[ndx]).asDouble(), getULPs(in));
14171
14172                 return true;
14173         }
14174
14175 private:
14176         std::vector<tcu::UVec4> m_permutations;
14177         size_t                                  permutationsFlavorStart;
14178         size_t                                  permutationsFlavorEnd;
14179 };
14180
14181 struct fp16FaceForward : public fp16AllComponents
14182 {
14183         virtual double getULPs(vector<const deFloat16*>& in)
14184         {
14185                 DE_UNREF(in);
14186
14187                 return 4.0;
14188         }
14189
14190         template<class fp16type>
14191         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14192         {
14193                 DE_ASSERT(in.size() == 3);
14194                 DE_ASSERT(getArgCompCount(0) == getOutCompCount());
14195                 DE_ASSERT(getArgCompCount(1) == getOutCompCount());
14196                 DE_ASSERT(getArgCompCount(2) == getOutCompCount());
14197
14198                 fp16type        dp(0.0);
14199
14200                 for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14201                 {
14202                         const fp16type  x       (in[1][componentNdx]);
14203                         const fp16type  y       (in[2][componentNdx]);
14204                         const double    xd      (x.asDouble());
14205                         const double    yd      (y.asDouble());
14206                         const fp16type  q       (xd * yd);
14207
14208                         dp = fp16type(dp.asDouble() + q.asDouble());
14209                 }
14210
14211                 if (dp.isNaN() || dp.isZero())
14212                         return false;
14213
14214                 for (size_t componentNdx = 0; componentNdx < getOutCompCount(); ++componentNdx)
14215                 {
14216                         const fp16type  n       (in[0][componentNdx]);
14217
14218                         out[componentNdx] = (dp.signBit() == 1) ? n.bits() : fp16type(-n.asDouble()).bits();
14219                 }
14220
14221                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14222                         min[ndx] = getMin(fp16type(out[ndx]).asDouble(), getULPs(in));
14223                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14224                         max[ndx] = getMax(fp16type(out[ndx]).asDouble(), getULPs(in));
14225
14226                 return true;
14227         }
14228 };
14229
14230 struct fp16Reflect : public fp16AllComponents
14231 {
14232         fp16Reflect() : fp16AllComponents()
14233         {
14234                 flavorNames.push_back("EmulatingFP16");
14235                 flavorNames.push_back("EmulatingFP16+KeepZeroSign");
14236                 flavorNames.push_back("FloatCalc");
14237                 flavorNames.push_back("FloatCalc+KeepZeroSign");
14238                 flavorNames.push_back("EmulatingFP16+2Nfirst");
14239                 flavorNames.push_back("EmulatingFP16+2Ifirst");
14240         }
14241
14242         virtual double getULPs(vector<const deFloat16*>& in)
14243         {
14244                 DE_UNREF(in);
14245
14246                 return 256.0; // This is not a precision test. Value is not from spec
14247         }
14248
14249         template<class fp16type>
14250         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14251         {
14252                 DE_ASSERT(in.size() == 2);
14253                 DE_ASSERT(getArgCompCount(0) == getOutCompCount());
14254                 DE_ASSERT(getArgCompCount(1) == getOutCompCount());
14255
14256                 if (getFlavor() < 4)
14257                 {
14258                         const bool      keepZeroSign    ((flavor & 1) != 0 ? true : false);
14259                         const bool      floatCalc               ((flavor & 2) != 0 ? true : false);
14260
14261                         if (floatCalc)
14262                         {
14263                                 float   dp(0.0f);
14264
14265                                 for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14266                                 {
14267                                         const fp16type  i       (in[0][componentNdx]);
14268                                         const fp16type  n       (in[1][componentNdx]);
14269                                         const float             id      (i.asFloat());
14270                                         const float             nd      (n.asFloat());
14271                                         const float             qd      (id * nd);
14272
14273                                         if (keepZeroSign)
14274                                                 dp = (componentNdx == 0) ? qd : dp + qd;
14275                                         else
14276                                                 dp = dp + qd;
14277                                 }
14278
14279                                 for (size_t componentNdx = 0; componentNdx < getOutCompCount(); ++componentNdx)
14280                                 {
14281                                         const fp16type  i               (in[0][componentNdx]);
14282                                         const fp16type  n               (in[1][componentNdx]);
14283                                         const float             dpnd    (dp * n.asFloat());
14284                                         const float             dpn2d   (2.0f * dpnd);
14285                                         const float             idpn2d  (i.asFloat() - dpn2d);
14286                                         const fp16type  result  (idpn2d);
14287
14288                                         out[componentNdx] = result.bits();
14289                                 }
14290                         }
14291                         else
14292                         {
14293                                 fp16type        dp(0.0);
14294
14295                                 for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14296                                 {
14297                                         const fp16type  i       (in[0][componentNdx]);
14298                                         const fp16type  n       (in[1][componentNdx]);
14299                                         const double    id      (i.asDouble());
14300                                         const double    nd      (n.asDouble());
14301                                         const fp16type  q       (id * nd);
14302
14303                                         if (keepZeroSign)
14304                                                 dp = (componentNdx == 0) ? q : fp16type(dp.asDouble() + q.asDouble());
14305                                         else
14306                                                 dp = fp16type(dp.asDouble() + q.asDouble());
14307                                 }
14308
14309                                 if (dp.isNaN())
14310                                         return false;
14311
14312                                 for (size_t componentNdx = 0; componentNdx < getOutCompCount(); ++componentNdx)
14313                                 {
14314                                         const fp16type  i               (in[0][componentNdx]);
14315                                         const fp16type  n               (in[1][componentNdx]);
14316                                         const fp16type  dpn             (dp.asDouble() * n.asDouble());
14317                                         const fp16type  dpn2    (2 * dpn.asDouble());
14318                                         const fp16type  idpn2   (i.asDouble() - dpn2.asDouble());
14319
14320                                         out[componentNdx] = idpn2.bits();
14321                                 }
14322                         }
14323                 }
14324                 else if (getFlavor() == 4)
14325                 {
14326                         fp16type        dp(0.0);
14327
14328                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14329                         {
14330                                 const fp16type  i       (in[0][componentNdx]);
14331                                 const fp16type  n       (in[1][componentNdx]);
14332                                 const double    id      (i.asDouble());
14333                                 const double    nd      (n.asDouble());
14334                                 const fp16type  q       (id * nd);
14335
14336                                 dp = fp16type(dp.asDouble() + q.asDouble());
14337                         }
14338
14339                         if (dp.isNaN())
14340                                 return false;
14341
14342                         for (size_t componentNdx = 0; componentNdx < getOutCompCount(); ++componentNdx)
14343                         {
14344                                 const fp16type  i               (in[0][componentNdx]);
14345                                 const fp16type  n               (in[1][componentNdx]);
14346                                 const fp16type  n2              (2 * n.asDouble());
14347                                 const fp16type  dpn2    (dp.asDouble() * n2.asDouble());
14348                                 const fp16type  idpn2   (i.asDouble() - dpn2.asDouble());
14349
14350                                 out[componentNdx] = idpn2.bits();
14351                         }
14352                 }
14353                 else if (getFlavor() == 5)
14354                 {
14355                         fp16type        dp2(0.0);
14356
14357                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14358                         {
14359                                 const fp16type  i       (in[0][componentNdx]);
14360                                 const fp16type  n       (in[1][componentNdx]);
14361                                 const fp16type  i2      (2.0 * i.asDouble());
14362                                 const double    i2d     (i2.asDouble());
14363                                 const double    nd      (n.asDouble());
14364                                 const fp16type  q       (i2d * nd);
14365
14366                                 dp2 = fp16type(dp2.asDouble() + q.asDouble());
14367                         }
14368
14369                         if (dp2.isNaN())
14370                                 return false;
14371
14372                         for (size_t componentNdx = 0; componentNdx < getOutCompCount(); ++componentNdx)
14373                         {
14374                                 const fp16type  i               (in[0][componentNdx]);
14375                                 const fp16type  n               (in[1][componentNdx]);
14376                                 const fp16type  dpn2    (dp2.asDouble() * n.asDouble());
14377                                 const fp16type  idpn2   (i.asDouble() - dpn2.asDouble());
14378
14379                                 out[componentNdx] = idpn2.bits();
14380                         }
14381                 }
14382                 else
14383                 {
14384                         TCU_THROW(InternalError, "Unknown flavor");
14385                 }
14386
14387                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14388                         min[ndx] = getMin(fp16type(out[ndx]).asDouble(), getULPs(in));
14389                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14390                         max[ndx] = getMax(fp16type(out[ndx]).asDouble(), getULPs(in));
14391
14392                 return true;
14393         }
14394 };
14395
14396 struct fp16Refract : public fp16AllComponents
14397 {
14398         fp16Refract() : fp16AllComponents()
14399         {
14400                 flavorNames.push_back("EmulatingFP16");
14401                 flavorNames.push_back("EmulatingFP16+KeepZeroSign");
14402                 flavorNames.push_back("FloatCalc");
14403                 flavorNames.push_back("FloatCalc+KeepZeroSign");
14404         }
14405
14406         virtual double getULPs(vector<const deFloat16*>& in)
14407         {
14408                 DE_UNREF(in);
14409
14410                 return 8192.0; // This is not a precision test. Value is not from spec
14411         }
14412
14413         template<class fp16type>
14414         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14415         {
14416                 DE_ASSERT(in.size() == 3);
14417                 DE_ASSERT(getArgCompCount(0) == getOutCompCount());
14418                 DE_ASSERT(getArgCompCount(1) == getOutCompCount());
14419                 DE_ASSERT(getArgCompCount(2) == 1);
14420
14421                 const bool              keepZeroSign    ((flavor & 1) != 0 ? true : false);
14422                 const bool              doubleCalc              ((flavor & 2) != 0 ? true : false);
14423                 const fp16type  eta                             (*in[2]);
14424
14425                 if (doubleCalc)
14426                 {
14427                         double  dp      (0.0);
14428
14429                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14430                         {
14431                                 const fp16type  i       (in[0][componentNdx]);
14432                                 const fp16type  n       (in[1][componentNdx]);
14433                                 const double    id      (i.asDouble());
14434                                 const double    nd      (n.asDouble());
14435                                 const double    qd      (id * nd);
14436
14437                                 if (keepZeroSign)
14438                                         dp = (componentNdx == 0) ? qd : dp + qd;
14439                                 else
14440                                         dp = dp + qd;
14441                         }
14442
14443                         const double    eta2    (eta.asDouble() * eta.asDouble());
14444                         const double    dp2             (dp * dp);
14445                         const double    dp1             (1.0 - dp2);
14446                         const double    dpe             (eta2 * dp1);
14447                         const double    k               (1.0 - dpe);
14448
14449                         if (k < 0.0)
14450                         {
14451                                 const fp16type  zero    (0.0);
14452
14453                                 for (size_t componentNdx = 0; componentNdx < getOutCompCount(); ++componentNdx)
14454                                         out[componentNdx] = zero.bits();
14455                         }
14456                         else
14457                         {
14458                                 const double    sk      (deSqrt(k));
14459
14460                                 for (size_t componentNdx = 0; componentNdx < getOutCompCount(); ++componentNdx)
14461                                 {
14462                                         const fp16type  i               (in[0][componentNdx]);
14463                                         const fp16type  n               (in[1][componentNdx]);
14464                                         const double    etai    (i.asDouble() * eta.asDouble());
14465                                         const double    etadp   (eta.asDouble() * dp);
14466                                         const double    etadpk  (etadp + sk);
14467                                         const double    etadpkn (etadpk * n.asDouble());
14468                                         const double    full    (etai - etadpkn);
14469                                         const fp16type  result  (full);
14470
14471                                         if (result.isInf())
14472                                                 return false;
14473
14474                                         out[componentNdx] = result.bits();
14475                                 }
14476                         }
14477                 }
14478                 else
14479                 {
14480                         fp16type        dp      (0.0);
14481
14482                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14483                         {
14484                                 const fp16type  i       (in[0][componentNdx]);
14485                                 const fp16type  n       (in[1][componentNdx]);
14486                                 const double    id      (i.asDouble());
14487                                 const double    nd      (n.asDouble());
14488                                 const fp16type  q       (id * nd);
14489
14490                                 if (keepZeroSign)
14491                                         dp = (componentNdx == 0) ? q : fp16type(dp.asDouble() + q.asDouble());
14492                                 else
14493                                         dp = fp16type(dp.asDouble() + q.asDouble());
14494                         }
14495
14496                         if (dp.isNaN())
14497                                 return false;
14498
14499                         const fp16type  eta2(eta.asDouble() * eta.asDouble());
14500                         const fp16type  dp2     (dp.asDouble() * dp.asDouble());
14501                         const fp16type  dp1     (1.0 - dp2.asDouble());
14502                         const fp16type  dpe     (eta2.asDouble() * dp1.asDouble());
14503                         const fp16type  k       (1.0 - dpe.asDouble());
14504
14505                         if (k.asDouble() < 0.0)
14506                         {
14507                                 const fp16type  zero    (0.0);
14508
14509                                 for (size_t componentNdx = 0; componentNdx < getOutCompCount(); ++componentNdx)
14510                                         out[componentNdx] = zero.bits();
14511                         }
14512                         else
14513                         {
14514                                 const fp16type  sk      (deSqrt(k.asDouble()));
14515
14516                                 for (size_t componentNdx = 0; componentNdx < getOutCompCount(); ++componentNdx)
14517                                 {
14518                                         const fp16type  i               (in[0][componentNdx]);
14519                                         const fp16type  n               (in[1][componentNdx]);
14520                                         const fp16type  etai    (i.asDouble() * eta.asDouble());
14521                                         const fp16type  etadp   (eta.asDouble() * dp.asDouble());
14522                                         const fp16type  etadpk  (etadp.asDouble() + sk.asDouble());
14523                                         const fp16type  etadpkn (etadpk.asDouble() * n.asDouble());
14524                                         const fp16type  full    (etai.asDouble() - etadpkn.asDouble());
14525
14526                                         if (full.isNaN() || full.isInf())
14527                                                 return false;
14528
14529                                         out[componentNdx] = full.bits();
14530                                 }
14531                         }
14532                 }
14533
14534                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14535                         min[ndx] = getMin(fp16type(out[ndx]).asDouble(), getULPs(in));
14536                 for (size_t ndx = 0; ndx < getOutCompCount(); ++ndx)
14537                         max[ndx] = getMax(fp16type(out[ndx]).asDouble(), getULPs(in));
14538
14539                 return true;
14540         }
14541 };
14542
14543 struct fp16Dot : public fp16AllComponents
14544 {
14545         fp16Dot() : fp16AllComponents()
14546         {
14547                 flavorNames.push_back("EmulatingFP16");
14548                 flavorNames.push_back("FloatCalc");
14549                 flavorNames.push_back("DoubleCalc");
14550
14551                 // flavorNames will be extended later
14552         }
14553
14554         virtual void    setArgCompCount                 (size_t argNo, size_t compCount)
14555         {
14556                 DE_ASSERT(argCompCount[argNo] == 0); // Once only
14557
14558                 if (argNo == 0 && argCompCount[argNo] == 0)
14559                 {
14560                         const size_t            maxPermutationsCount    = 24u; // Equal to 4!
14561                         std::vector<int>        indices;
14562
14563                         for (size_t componentNdx = 0; componentNdx < compCount; ++componentNdx)
14564                                 indices.push_back(static_cast<int>(componentNdx));
14565
14566                         m_permutations.reserve(maxPermutationsCount);
14567
14568                         permutationsFlavorStart = flavorNames.size();
14569
14570                         do
14571                         {
14572                                 tcu::UVec4      permutation;
14573                                 std::string     name            = "Permutted_";
14574
14575                                 for (size_t componentNdx = 0; componentNdx < compCount; ++componentNdx)
14576                                 {
14577                                         permutation[static_cast<int>(componentNdx)] = indices[componentNdx];
14578                                         name += de::toString(indices[componentNdx]);
14579                                 }
14580
14581                                 m_permutations.push_back(permutation);
14582                                 flavorNames.push_back(name);
14583
14584                         } while(std::next_permutation(indices.begin(), indices.end()));
14585
14586                         permutationsFlavorEnd = flavorNames.size();
14587                 }
14588
14589                 fp16AllComponents::setArgCompCount(argNo, compCount);
14590         }
14591
14592         virtual double  getULPs(vector<const deFloat16*>& in)
14593         {
14594                 DE_UNREF(in);
14595
14596                 return 16.0; // This is not a precision test. Value is not from spec
14597         }
14598
14599         template<class fp16type>
14600         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14601         {
14602                 DE_ASSERT(in.size() == 2);
14603                 DE_ASSERT(getArgCompCount(0) == getArgCompCount(1));
14604                 DE_ASSERT(getOutCompCount() == 1);
14605
14606                 double  result  (0.0);
14607                 double  eps             (0.0);
14608
14609                 if (getFlavor() == 0)
14610                 {
14611                         fp16type        dp      (0.0);
14612
14613                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14614                         {
14615                                 const fp16type  x       (in[0][componentNdx]);
14616                                 const fp16type  y       (in[1][componentNdx]);
14617                                 const fp16type  q       (x.asDouble() * y.asDouble());
14618
14619                                 dp = fp16type(dp.asDouble() + q.asDouble());
14620                                 eps += floatFormat16.ulp(q.asDouble(), 2.0);
14621                         }
14622
14623                         result = dp.asDouble();
14624                 }
14625                 else if (getFlavor() == 1)
14626                 {
14627                         float   dp      (0.0);
14628
14629                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14630                         {
14631                                 const fp16type  x       (in[0][componentNdx]);
14632                                 const fp16type  y       (in[1][componentNdx]);
14633                                 const float             q       (x.asFloat() * y.asFloat());
14634
14635                                 dp += q;
14636                                 eps += floatFormat16.ulp(static_cast<double>(q), 2.0);
14637                         }
14638
14639                         result = dp;
14640                 }
14641                 else if (getFlavor() == 2)
14642                 {
14643                         double  dp      (0.0);
14644
14645                         for (size_t componentNdx = 0; componentNdx < getArgCompCount(1); ++componentNdx)
14646                         {
14647                                 const fp16type  x       (in[0][componentNdx]);
14648                                 const fp16type  y       (in[1][componentNdx]);
14649                                 const double    q       (x.asDouble() * y.asDouble());
14650
14651                                 dp += q;
14652                                 eps += floatFormat16.ulp(q, 2.0);
14653                         }
14654
14655                         result = dp;
14656                 }
14657                 else if (de::inBounds<size_t>(getFlavor(), permutationsFlavorStart, permutationsFlavorEnd))
14658                 {
14659                         const int                       compCount               (static_cast<int>(getArgCompCount(1)));
14660                         const size_t            permutationNdx  (getFlavor() - permutationsFlavorStart);
14661                         const tcu::UVec4&       permutation             (m_permutations[permutationNdx]);
14662                         fp16type                        dp                              (0.0);
14663
14664                         for (int permComponentNdx = 0; permComponentNdx < compCount; ++permComponentNdx)
14665                         {
14666                                 const size_t            componentNdx    (permutation[permComponentNdx]);
14667                                 const fp16type          x                               (in[0][componentNdx]);
14668                                 const fp16type          y                               (in[1][componentNdx]);
14669                                 const fp16type          q                               (x.asDouble() * y.asDouble());
14670
14671                                 dp = fp16type(dp.asDouble() + q.asDouble());
14672                                 eps += floatFormat16.ulp(q.asDouble(), 2.0);
14673                         }
14674
14675                         result = dp.asDouble();
14676                 }
14677                 else
14678                 {
14679                         TCU_THROW(InternalError, "Unknown flavor");
14680                 }
14681
14682                 out[0] = fp16type(result).bits();
14683                 min[0] = result - eps;
14684                 max[0] = result + eps;
14685
14686                 return true;
14687         }
14688
14689 private:
14690         std::vector<tcu::UVec4> m_permutations;
14691         size_t                                  permutationsFlavorStart;
14692         size_t                                  permutationsFlavorEnd;
14693 };
14694
14695 struct fp16VectorTimesScalar : public fp16AllComponents
14696 {
14697         virtual double getULPs(vector<const deFloat16*>& in)
14698         {
14699                 DE_UNREF(in);
14700
14701                 return 2.0;
14702         }
14703
14704         template<class fp16type>
14705         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14706         {
14707                 DE_ASSERT(in.size() == 2);
14708                 DE_ASSERT(getArgCompCount(0) == getOutCompCount());
14709                 DE_ASSERT(getArgCompCount(1) == 1);
14710
14711                 fp16type        s       (*in[1]);
14712
14713                 for (size_t componentNdx = 0; componentNdx < getArgCompCount(0); ++componentNdx)
14714                 {
14715                         const fp16type  x          (in[0][componentNdx]);
14716                         const double    result (s.asDouble() * x.asDouble());
14717                         const fp16type  m          (result);
14718
14719                         out[componentNdx] = m.bits();
14720                         min[componentNdx] = getMin(result, getULPs(in));
14721                         max[componentNdx] = getMax(result, getULPs(in));
14722                 }
14723
14724                 return true;
14725         }
14726 };
14727
14728 struct fp16MatrixBase : public fp16AllComponents
14729 {
14730         deUint32                getComponentValidity                    ()
14731         {
14732                 return static_cast<deUint32>(-1);
14733         }
14734
14735         inline size_t   getNdx                                                  (const size_t rowCount, const size_t col, const size_t row)
14736         {
14737                 const size_t minComponentCount  = 0;
14738                 const size_t maxComponentCount  = 3;
14739                 const size_t alignedRowsCount   = (rowCount == 3) ? 4 : rowCount;
14740
14741                 DE_ASSERT(de::inRange(rowCount, minComponentCount + 1, maxComponentCount + 1));
14742                 DE_ASSERT(de::inRange(col, minComponentCount, maxComponentCount));
14743                 DE_ASSERT(de::inBounds(row, minComponentCount, rowCount));
14744                 DE_UNREF(minComponentCount);
14745                 DE_UNREF(maxComponentCount);
14746
14747                 return col * alignedRowsCount + row;
14748         }
14749
14750         deUint32                getComponentMatrixValidityMask  (size_t cols, size_t rows)
14751         {
14752                 deUint32        result  = 0u;
14753
14754                 for (size_t rowNdx = 0; rowNdx < rows; ++rowNdx)
14755                         for (size_t colNdx = 0; colNdx < cols; ++colNdx)
14756                         {
14757                                 const size_t bitNdx = getNdx(rows, colNdx, rowNdx);
14758
14759                                 DE_ASSERT(bitNdx < sizeof(result) * 8);
14760
14761                                 result |= (1<<bitNdx);
14762                         }
14763
14764                 return result;
14765         }
14766 };
14767
14768 template<size_t cols, size_t rows>
14769 struct fp16Transpose : public fp16MatrixBase
14770 {
14771         virtual double getULPs(vector<const deFloat16*>& in)
14772         {
14773                 DE_UNREF(in);
14774
14775                 return 1.0;
14776         }
14777
14778         deUint32        getComponentValidity    ()
14779         {
14780                 return getComponentMatrixValidityMask(rows, cols);
14781         }
14782
14783         template<class fp16type>
14784         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14785         {
14786                 DE_ASSERT(in.size() == 1);
14787
14788                 const size_t            alignedCols     = (cols == 3) ? 4 : cols;
14789                 const size_t            alignedRows     = (rows == 3) ? 4 : rows;
14790                 vector<deFloat16>       output          (alignedCols * alignedRows, 0);
14791
14792                 DE_ASSERT(output.size() == alignedCols * alignedRows);
14793
14794                 for (size_t rowNdx = 0; rowNdx < rows; ++rowNdx)
14795                         for (size_t colNdx = 0; colNdx < cols; ++colNdx)
14796                                 output[rowNdx * alignedCols + colNdx] = in[0][colNdx * alignedRows + rowNdx];
14797
14798                 deMemcpy(out, &output[0], sizeof(deFloat16) * output.size());
14799                 deMemcpy(min, &output[0], sizeof(deFloat16) * output.size());
14800                 deMemcpy(max, &output[0], sizeof(deFloat16) * output.size());
14801
14802                 return true;
14803         }
14804 };
14805
14806 template<size_t cols, size_t rows>
14807 struct fp16MatrixTimesScalar : public fp16MatrixBase
14808 {
14809         virtual double getULPs(vector<const deFloat16*>& in)
14810         {
14811                 DE_UNREF(in);
14812
14813                 return 4.0;
14814         }
14815
14816         deUint32        getComponentValidity    ()
14817         {
14818                 return getComponentMatrixValidityMask(cols, rows);
14819         }
14820
14821         template<class fp16type>
14822         bool calc(vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14823         {
14824                 DE_ASSERT(in.size() == 2);
14825                 DE_ASSERT(getArgCompCount(1) == 1);
14826
14827                 const fp16type  y                       (in[1][0]);
14828                 const float             scalar          (y.asFloat());
14829                 const size_t    alignedCols     = (cols == 3) ? 4 : cols;
14830                 const size_t    alignedRows     = (rows == 3) ? 4 : rows;
14831
14832                 DE_ASSERT(getArgCompCount(0) == alignedCols * alignedRows);
14833                 DE_ASSERT(getOutCompCount() == alignedCols * alignedRows);
14834                 DE_UNREF(alignedCols);
14835
14836                 for (size_t rowNdx = 0; rowNdx < rows; ++rowNdx)
14837                         for (size_t colNdx = 0; colNdx < cols; ++colNdx)
14838                         {
14839                                 const size_t    ndx     (colNdx * alignedRows + rowNdx);
14840                                 const fp16type  x       (in[0][ndx]);
14841                                 const double    result  (scalar * x.asFloat());
14842
14843                                 out[ndx] = fp16type(result).bits();
14844                                 min[ndx] = getMin(result, getULPs(in));
14845                                 max[ndx] = getMax(result, getULPs(in));
14846                         }
14847
14848                 return true;
14849         }
14850 };
14851
14852 template<size_t cols, size_t rows>
14853 struct fp16VectorTimesMatrix : public fp16MatrixBase
14854 {
14855         fp16VectorTimesMatrix() : fp16MatrixBase()
14856         {
14857                 flavorNames.push_back("EmulatingFP16");
14858                 flavorNames.push_back("FloatCalc");
14859         }
14860
14861         virtual double getULPs (vector<const deFloat16*>& in)
14862         {
14863                 DE_UNREF(in);
14864
14865                 return (8.0 * cols);
14866         }
14867
14868         deUint32 getComponentValidity ()
14869         {
14870                 return getComponentMatrixValidityMask(cols, 1);
14871         }
14872
14873         template<class fp16type>
14874         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14875         {
14876                 DE_ASSERT(in.size() == 2);
14877
14878                 const size_t    alignedCols     = (cols == 3) ? 4 : cols;
14879                 const size_t    alignedRows     = (rows == 3) ? 4 : rows;
14880
14881                 DE_ASSERT(getOutCompCount() == cols);
14882                 DE_ASSERT(getArgCompCount(0) == rows);
14883                 DE_ASSERT(getArgCompCount(1) == alignedCols * alignedRows);
14884                 DE_UNREF(alignedCols);
14885
14886                 if (getFlavor() == 0)
14887                 {
14888                         for (size_t colNdx = 0; colNdx < cols; ++colNdx)
14889                         {
14890                                 fp16type        s       (fp16type::zero(1));
14891
14892                                 for (size_t rowNdx = 0; rowNdx < rows; ++rowNdx)
14893                                 {
14894                                         const fp16type  v       (in[0][rowNdx]);
14895                                         const float             vf      (v.asFloat());
14896                                         const size_t    ndx     (colNdx * alignedRows + rowNdx);
14897                                         const fp16type  x       (in[1][ndx]);
14898                                         const float             xf      (x.asFloat());
14899                                         const fp16type  m       (vf * xf);
14900
14901                                         s = fp16type(s.asFloat() + m.asFloat());
14902                                 }
14903
14904                                 out[colNdx] = s.bits();
14905                                 min[colNdx] = getMin(s.asDouble(), getULPs(in));
14906                                 max[colNdx] = getMax(s.asDouble(), getULPs(in));
14907                         }
14908                 }
14909                 else if (getFlavor() == 1)
14910                 {
14911                         for (size_t colNdx = 0; colNdx < cols; ++colNdx)
14912                         {
14913                                 float   s       (0.0f);
14914
14915                                 for (size_t rowNdx = 0; rowNdx < rows; ++rowNdx)
14916                                 {
14917                                         const fp16type  v       (in[0][rowNdx]);
14918                                         const float             vf      (v.asFloat());
14919                                         const size_t    ndx     (colNdx * alignedRows + rowNdx);
14920                                         const fp16type  x       (in[1][ndx]);
14921                                         const float             xf      (x.asFloat());
14922                                         const float             m       (vf * xf);
14923
14924                                         s += m;
14925                                 }
14926
14927                                 out[colNdx] = fp16type(s).bits();
14928                                 min[colNdx] = getMin(static_cast<double>(s), getULPs(in));
14929                                 max[colNdx] = getMax(static_cast<double>(s), getULPs(in));
14930                         }
14931                 }
14932                 else
14933                 {
14934                         TCU_THROW(InternalError, "Unknown flavor");
14935                 }
14936
14937                 return true;
14938         }
14939 };
14940
14941 template<size_t cols, size_t rows>
14942 struct fp16MatrixTimesVector : public fp16MatrixBase
14943 {
14944         fp16MatrixTimesVector() : fp16MatrixBase()
14945         {
14946                 flavorNames.push_back("EmulatingFP16");
14947                 flavorNames.push_back("FloatCalc");
14948         }
14949
14950         virtual double getULPs (vector<const deFloat16*>& in)
14951         {
14952                 DE_UNREF(in);
14953
14954                 return (8.0 * rows);
14955         }
14956
14957         deUint32 getComponentValidity ()
14958         {
14959                 return getComponentMatrixValidityMask(rows, 1);
14960         }
14961
14962         template<class fp16type>
14963         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
14964         {
14965                 DE_ASSERT(in.size() == 2);
14966
14967                 const size_t    alignedCols     = (cols == 3) ? 4 : cols;
14968                 const size_t    alignedRows     = (rows == 3) ? 4 : rows;
14969
14970                 DE_ASSERT(getOutCompCount() == rows);
14971                 DE_ASSERT(getArgCompCount(0) == alignedCols * alignedRows);
14972                 DE_ASSERT(getArgCompCount(1) == cols);
14973                 DE_UNREF(alignedCols);
14974
14975                 if (getFlavor() == 0)
14976                 {
14977                         for (size_t rowNdx = 0; rowNdx < rows; ++rowNdx)
14978                         {
14979                                 fp16type        s       (fp16type::zero(1));
14980
14981                                 for (size_t colNdx = 0; colNdx < cols; ++colNdx)
14982                                 {
14983                                         const size_t    ndx     (colNdx * alignedRows + rowNdx);
14984                                         const fp16type  x       (in[0][ndx]);
14985                                         const float             xf      (x.asFloat());
14986                                         const fp16type  v       (in[1][colNdx]);
14987                                         const float             vf      (v.asFloat());
14988                                         const fp16type  m       (vf * xf);
14989
14990                                         s = fp16type(s.asFloat() + m.asFloat());
14991                                 }
14992
14993                                 out[rowNdx] = s.bits();
14994                                 min[rowNdx] = getMin(s.asDouble(), getULPs(in));
14995                                 max[rowNdx] = getMax(s.asDouble(), getULPs(in));
14996                         }
14997                 }
14998                 else if (getFlavor() == 1)
14999                 {
15000                         for (size_t rowNdx = 0; rowNdx < rows; ++rowNdx)
15001                         {
15002                                 float   s       (0.0f);
15003
15004                                 for (size_t colNdx = 0; colNdx < cols; ++colNdx)
15005                                 {
15006                                         const size_t    ndx     (colNdx * alignedRows + rowNdx);
15007                                         const fp16type  x       (in[0][ndx]);
15008                                         const float             xf      (x.asFloat());
15009                                         const fp16type  v       (in[1][colNdx]);
15010                                         const float             vf      (v.asFloat());
15011                                         const float             m       (vf * xf);
15012
15013                                         s += m;
15014                                 }
15015
15016                                 out[rowNdx] = fp16type(s).bits();
15017                                 min[rowNdx] = getMin(static_cast<double>(s), getULPs(in));
15018                                 max[rowNdx] = getMax(static_cast<double>(s), getULPs(in));
15019                         }
15020                 }
15021                 else
15022                 {
15023                         TCU_THROW(InternalError, "Unknown flavor");
15024                 }
15025
15026                 return true;
15027         }
15028 };
15029
15030 template<size_t colsL, size_t rowsL, size_t colsR, size_t rowsR>
15031 struct fp16MatrixTimesMatrix : public fp16MatrixBase
15032 {
15033         fp16MatrixTimesMatrix() : fp16MatrixBase()
15034         {
15035                 flavorNames.push_back("EmulatingFP16");
15036                 flavorNames.push_back("FloatCalc");
15037         }
15038
15039         virtual double getULPs (vector<const deFloat16*>& in)
15040         {
15041                 DE_UNREF(in);
15042
15043                 return 32.0;
15044         }
15045
15046         deUint32 getComponentValidity ()
15047         {
15048                 return getComponentMatrixValidityMask(colsR, rowsL);
15049         }
15050
15051         template<class fp16type>
15052         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
15053         {
15054                 DE_STATIC_ASSERT(colsL == rowsR);
15055
15056                 DE_ASSERT(in.size() == 2);
15057
15058                 const size_t    alignedColsL    = (colsL == 3) ? 4 : colsL;
15059                 const size_t    alignedRowsL    = (rowsL == 3) ? 4 : rowsL;
15060                 const size_t    alignedColsR    = (colsR == 3) ? 4 : colsR;
15061                 const size_t    alignedRowsR    = (rowsR == 3) ? 4 : rowsR;
15062
15063                 DE_ASSERT(getOutCompCount() == alignedColsR * alignedRowsL);
15064                 DE_ASSERT(getArgCompCount(0) == alignedColsL * alignedRowsL);
15065                 DE_ASSERT(getArgCompCount(1) == alignedColsR * alignedRowsR);
15066                 DE_UNREF(alignedColsL);
15067                 DE_UNREF(alignedColsR);
15068
15069                 if (getFlavor() == 0)
15070                 {
15071                         for (size_t rowNdx = 0; rowNdx < rowsL; ++rowNdx)
15072                         {
15073                                 for (size_t colNdx = 0; colNdx < colsR; ++colNdx)
15074                                 {
15075                                         const size_t    ndx     (colNdx * alignedRowsL + rowNdx);
15076                                         fp16type                s       (fp16type::zero(1));
15077
15078                                         for (size_t commonNdx = 0; commonNdx < colsL; ++commonNdx)
15079                                         {
15080                                                 const size_t    ndxl    (commonNdx * alignedRowsL + rowNdx);
15081                                                 const fp16type  l               (in[0][ndxl]);
15082                                                 const float             lf              (l.asFloat());
15083                                                 const size_t    ndxr    (colNdx * alignedRowsR + commonNdx);
15084                                                 const fp16type  r               (in[1][ndxr]);
15085                                                 const float             rf              (r.asFloat());
15086                                                 const fp16type  m               (lf * rf);
15087
15088                                                 s = fp16type(s.asFloat() + m.asFloat());
15089                                         }
15090
15091                                         out[ndx] = s.bits();
15092                                         min[ndx] = getMin(s.asDouble(), getULPs(in));
15093                                         max[ndx] = getMax(s.asDouble(), getULPs(in));
15094                                 }
15095                         }
15096                 }
15097                 else if (getFlavor() == 1)
15098                 {
15099                         for (size_t rowNdx = 0; rowNdx < rowsL; ++rowNdx)
15100                         {
15101                                 for (size_t colNdx = 0; colNdx < colsR; ++colNdx)
15102                                 {
15103                                         const size_t    ndx     (colNdx * alignedRowsL + rowNdx);
15104                                         float                   s       (0.0f);
15105
15106                                         for (size_t commonNdx = 0; commonNdx < colsL; ++commonNdx)
15107                                         {
15108                                                 const size_t    ndxl    (commonNdx * alignedRowsL + rowNdx);
15109                                                 const fp16type  l               (in[0][ndxl]);
15110                                                 const float             lf              (l.asFloat());
15111                                                 const size_t    ndxr    (colNdx * alignedRowsR + commonNdx);
15112                                                 const fp16type  r               (in[1][ndxr]);
15113                                                 const float             rf              (r.asFloat());
15114                                                 const float             m               (lf * rf);
15115
15116                                                 s += m;
15117                                         }
15118
15119                                         out[ndx] = fp16type(s).bits();
15120                                         min[ndx] = getMin(static_cast<double>(s), getULPs(in));
15121                                         max[ndx] = getMax(static_cast<double>(s), getULPs(in));
15122                                 }
15123                         }
15124                 }
15125                 else
15126                 {
15127                         TCU_THROW(InternalError, "Unknown flavor");
15128                 }
15129
15130                 return true;
15131         }
15132 };
15133
15134 template<size_t cols, size_t rows>
15135 struct fp16OuterProduct : public fp16MatrixBase
15136 {
15137         virtual double getULPs (vector<const deFloat16*>& in)
15138         {
15139                 DE_UNREF(in);
15140
15141                 return 2.0;
15142         }
15143
15144         deUint32 getComponentValidity ()
15145         {
15146                 return getComponentMatrixValidityMask(cols, rows);
15147         }
15148
15149         template<class fp16type>
15150         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
15151         {
15152                 DE_ASSERT(in.size() == 2);
15153
15154                 const size_t    alignedCols     = (cols == 3) ? 4 : cols;
15155                 const size_t    alignedRows     = (rows == 3) ? 4 : rows;
15156
15157                 DE_ASSERT(getArgCompCount(0) == rows);
15158                 DE_ASSERT(getArgCompCount(1) == cols);
15159                 DE_ASSERT(getOutCompCount() == alignedCols * alignedRows);
15160                 DE_UNREF(alignedCols);
15161
15162                 for (size_t rowNdx = 0; rowNdx < rows; ++rowNdx)
15163                 {
15164                         for (size_t colNdx = 0; colNdx < cols; ++colNdx)
15165                         {
15166                                 const size_t    ndx     (colNdx * alignedRows + rowNdx);
15167                                 const fp16type  x       (in[0][rowNdx]);
15168                                 const float             xf      (x.asFloat());
15169                                 const fp16type  y       (in[1][colNdx]);
15170                                 const float             yf      (y.asFloat());
15171                                 const fp16type  m       (xf * yf);
15172
15173                                 out[ndx] = m.bits();
15174                                 min[ndx] = getMin(m.asDouble(), getULPs(in));
15175                                 max[ndx] = getMax(m.asDouble(), getULPs(in));
15176                         }
15177                 }
15178
15179                 return true;
15180         }
15181 };
15182
15183 template<size_t size>
15184 struct fp16Determinant;
15185
15186 template<>
15187 struct fp16Determinant<2> : public fp16MatrixBase
15188 {
15189         virtual double getULPs (vector<const deFloat16*>& in)
15190         {
15191                 DE_UNREF(in);
15192
15193                 return 128.0; // This is not a precision test. Value is not from spec
15194         }
15195
15196         deUint32 getComponentValidity ()
15197         {
15198                 return 1;
15199         }
15200
15201         template<class fp16type>
15202         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
15203         {
15204                 const size_t    cols            = 2;
15205                 const size_t    rows            = 2;
15206                 const size_t    alignedCols     = (cols == 3) ? 4 : cols;
15207                 const size_t    alignedRows     = (rows == 3) ? 4 : rows;
15208
15209                 DE_ASSERT(in.size() == 1);
15210                 DE_ASSERT(getOutCompCount() == 1);
15211                 DE_ASSERT(getArgCompCount(0) == alignedRows * alignedCols);
15212                 DE_UNREF(alignedCols);
15213                 DE_UNREF(alignedRows);
15214
15215                 // [ a b ]
15216                 // [ c d ]
15217                 const float             a               (fp16type(in[0][getNdx(rows, 0, 0)]).asFloat());
15218                 const float             b               (fp16type(in[0][getNdx(rows, 1, 0)]).asFloat());
15219                 const float             c               (fp16type(in[0][getNdx(rows, 0, 1)]).asFloat());
15220                 const float             d               (fp16type(in[0][getNdx(rows, 1, 1)]).asFloat());
15221                 const float             ad              (a * d);
15222                 const fp16type  adf16   (ad);
15223                 const float             bc              (b * c);
15224                 const fp16type  bcf16   (bc);
15225                 const float             r               (adf16.asFloat() - bcf16.asFloat());
15226                 const fp16type  rf16    (r);
15227
15228                 out[0] = rf16.bits();
15229                 min[0] = getMin(r, getULPs(in));
15230                 max[0] = getMax(r, getULPs(in));
15231
15232                 return true;
15233         }
15234 };
15235
15236 template<>
15237 struct fp16Determinant<3> : public fp16MatrixBase
15238 {
15239         virtual double getULPs (vector<const deFloat16*>& in)
15240         {
15241                 DE_UNREF(in);
15242
15243                 return 128.0; // This is not a precision test. Value is not from spec
15244         }
15245
15246         deUint32 getComponentValidity ()
15247         {
15248                 return 1;
15249         }
15250
15251         template<class fp16type>
15252         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
15253         {
15254                 const size_t    cols            = 3;
15255                 const size_t    rows            = 3;
15256                 const size_t    alignedCols     = (cols == 3) ? 4 : cols;
15257                 const size_t    alignedRows     = (rows == 3) ? 4 : rows;
15258
15259                 DE_ASSERT(in.size() == 1);
15260                 DE_ASSERT(getOutCompCount() == 1);
15261                 DE_ASSERT(getArgCompCount(0) == alignedRows * alignedCols);
15262                 DE_UNREF(alignedCols);
15263                 DE_UNREF(alignedRows);
15264
15265                 // [ a b c ]
15266                 // [ d e f ]
15267                 // [ g h i ]
15268                 const float             a               (fp16type(in[0][getNdx(rows, 0, 0)]).asFloat());
15269                 const float             b               (fp16type(in[0][getNdx(rows, 1, 0)]).asFloat());
15270                 const float             c               (fp16type(in[0][getNdx(rows, 2, 0)]).asFloat());
15271                 const float             d               (fp16type(in[0][getNdx(rows, 0, 1)]).asFloat());
15272                 const float             e               (fp16type(in[0][getNdx(rows, 1, 1)]).asFloat());
15273                 const float             f               (fp16type(in[0][getNdx(rows, 2, 1)]).asFloat());
15274                 const float             g               (fp16type(in[0][getNdx(rows, 0, 2)]).asFloat());
15275                 const float             h               (fp16type(in[0][getNdx(rows, 1, 2)]).asFloat());
15276                 const float             i               (fp16type(in[0][getNdx(rows, 2, 2)]).asFloat());
15277                 const fp16type  aei             (a * e * i);
15278                 const fp16type  bfg             (b * f * g);
15279                 const fp16type  cdh             (c * d * h);
15280                 const fp16type  ceg             (c * e * g);
15281                 const fp16type  bdi             (b * d * i);
15282                 const fp16type  afh             (a * f * h);
15283                 const float             r               (aei.asFloat() + bfg.asFloat() + cdh.asFloat() - ceg.asFloat() - bdi.asFloat() - afh.asFloat());
15284                 const fp16type  rf16    (r);
15285
15286                 out[0] = rf16.bits();
15287                 min[0] = getMin(r, getULPs(in));
15288                 max[0] = getMax(r, getULPs(in));
15289
15290                 return true;
15291         }
15292 };
15293
15294 template<>
15295 struct fp16Determinant<4> : public fp16MatrixBase
15296 {
15297         virtual double getULPs (vector<const deFloat16*>& in)
15298         {
15299                 DE_UNREF(in);
15300
15301                 return 128.0; // This is not a precision test. Value is not from spec
15302         }
15303
15304         deUint32 getComponentValidity ()
15305         {
15306                 return 1;
15307         }
15308
15309         template<class fp16type>
15310         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
15311         {
15312                 const size_t    rows            = 4;
15313                 const size_t    cols            = 4;
15314                 const size_t    alignedCols     = (cols == 3) ? 4 : cols;
15315                 const size_t    alignedRows     = (rows == 3) ? 4 : rows;
15316
15317                 DE_ASSERT(in.size() == 1);
15318                 DE_ASSERT(getOutCompCount() == 1);
15319                 DE_ASSERT(getArgCompCount(0) == alignedRows * alignedCols);
15320                 DE_UNREF(alignedCols);
15321                 DE_UNREF(alignedRows);
15322
15323                 // [ a b c d ]
15324                 // [ e f g h ]
15325                 // [ i j k l ]
15326                 // [ m n o p ]
15327                 const float             a               (fp16type(in[0][getNdx(rows, 0, 0)]).asFloat());
15328                 const float             b               (fp16type(in[0][getNdx(rows, 1, 0)]).asFloat());
15329                 const float             c               (fp16type(in[0][getNdx(rows, 2, 0)]).asFloat());
15330                 const float             d               (fp16type(in[0][getNdx(rows, 3, 0)]).asFloat());
15331                 const float             e               (fp16type(in[0][getNdx(rows, 0, 1)]).asFloat());
15332                 const float             f               (fp16type(in[0][getNdx(rows, 1, 1)]).asFloat());
15333                 const float             g               (fp16type(in[0][getNdx(rows, 2, 1)]).asFloat());
15334                 const float             h               (fp16type(in[0][getNdx(rows, 3, 1)]).asFloat());
15335                 const float             i               (fp16type(in[0][getNdx(rows, 0, 2)]).asFloat());
15336                 const float             j               (fp16type(in[0][getNdx(rows, 1, 2)]).asFloat());
15337                 const float             k               (fp16type(in[0][getNdx(rows, 2, 2)]).asFloat());
15338                 const float             l               (fp16type(in[0][getNdx(rows, 3, 2)]).asFloat());
15339                 const float             m               (fp16type(in[0][getNdx(rows, 0, 3)]).asFloat());
15340                 const float             n               (fp16type(in[0][getNdx(rows, 1, 3)]).asFloat());
15341                 const float             o               (fp16type(in[0][getNdx(rows, 2, 3)]).asFloat());
15342                 const float             p               (fp16type(in[0][getNdx(rows, 3, 3)]).asFloat());
15343
15344                 // [ f g h ]
15345                 // [ j k l ]
15346                 // [ n o p ]
15347                 const fp16type  fkp             (f * k * p);
15348                 const fp16type  gln             (g * l * n);
15349                 const fp16type  hjo             (h * j * o);
15350                 const fp16type  hkn             (h * k * n);
15351                 const fp16type  gjp             (g * j * p);
15352                 const fp16type  flo             (f * l * o);
15353                 const fp16type  detA    (a * (fkp.asFloat() + gln.asFloat() + hjo.asFloat() - hkn.asFloat() - gjp.asFloat() - flo.asFloat()));
15354
15355                 // [ e g h ]
15356                 // [ i k l ]
15357                 // [ m o p ]
15358                 const fp16type  ekp             (e * k * p);
15359                 const fp16type  glm             (g * l * m);
15360                 const fp16type  hio             (h * i * o);
15361                 const fp16type  hkm             (h * k * m);
15362                 const fp16type  gip             (g * i * p);
15363                 const fp16type  elo             (e * l * o);
15364                 const fp16type  detB    (b * (ekp.asFloat() + glm.asFloat() + hio.asFloat() - hkm.asFloat() - gip.asFloat() - elo.asFloat()));
15365
15366                 // [ e f h ]
15367                 // [ i j l ]
15368                 // [ m n p ]
15369                 const fp16type  ejp             (e * j * p);
15370                 const fp16type  flm             (f * l * m);
15371                 const fp16type  hin             (h * i * n);
15372                 const fp16type  hjm             (h * j * m);
15373                 const fp16type  fip             (f * i * p);
15374                 const fp16type  eln             (e * l * n);
15375                 const fp16type  detC    (c * (ejp.asFloat() + flm.asFloat() + hin.asFloat() - hjm.asFloat() - fip.asFloat() - eln.asFloat()));
15376
15377                 // [ e f g ]
15378                 // [ i j k ]
15379                 // [ m n o ]
15380                 const fp16type  ejo             (e * j * o);
15381                 const fp16type  fkm             (f * k * m);
15382                 const fp16type  gin             (g * i * n);
15383                 const fp16type  gjm             (g * j * m);
15384                 const fp16type  fio             (f * i * o);
15385                 const fp16type  ekn             (e * k * n);
15386                 const fp16type  detD    (d * (ejo.asFloat() + fkm.asFloat() + gin.asFloat() - gjm.asFloat() - fio.asFloat() - ekn.asFloat()));
15387
15388                 const float             r               (detA.asFloat() - detB.asFloat() + detC.asFloat() - detD.asFloat());
15389                 const fp16type  rf16    (r);
15390
15391                 out[0] = rf16.bits();
15392                 min[0] = getMin(r, getULPs(in));
15393                 max[0] = getMax(r, getULPs(in));
15394
15395                 return true;
15396         }
15397 };
15398
15399 template<size_t size>
15400 struct fp16Inverse;
15401
15402 template<>
15403 struct fp16Inverse<2> : public fp16MatrixBase
15404 {
15405         virtual double getULPs (vector<const deFloat16*>& in)
15406         {
15407                 DE_UNREF(in);
15408
15409                 return 128.0; // This is not a precision test. Value is not from spec
15410         }
15411
15412         deUint32 getComponentValidity ()
15413         {
15414                 return getComponentMatrixValidityMask(2, 2);
15415         }
15416
15417         template<class fp16type>
15418         bool calc (vector<const deFloat16*>& in, deFloat16* out, double* min, double* max)
15419         {
15420                 const size_t    cols            = 2;
15421                 const size_t    rows            = 2;
15422                 const size_t    alignedCols     = (cols == 3) ? 4 : cols;
15423                 const size_t    alignedRows     = (rows == 3) ? 4 : rows;
15424
15425                 DE_ASSERT(in.size() == 1);
15426                 DE_ASSERT(getOutCompCount() == alignedRows * alignedCols);
15427                 DE_ASSERT(getArgCompCount(0) == alignedRows * alignedCols);
15428                 DE_UNREF(alignedCols);
15429
15430                 // [ a b ]
15431                 // [ c d ]
15432                 const float             a               (fp16type(in[0][getNdx(rows, 0, 0)]).asFloat());
15433                 const float             b               (fp16type(in[0][getNdx(rows, 1, 0)]).asFloat());
15434                 const float             c               (fp16type(in[0][getNdx(rows, 0, 1)]).asFloat());
15435                 const float             d               (fp16type(in[0][getNdx(rows, 1, 1)]).asFloat());
15436                 const float             ad              (a * d);
15437                 const fp16type  adf16   (ad);
15438                 const float             bc              (b * c);
15439                 const fp16type  bcf16   (bc);
15440                 const float             det             (adf16.asFloat() - bcf16.asFloat());
15441                 const fp16type  det16   (det);
15442
15443                 out[0] = fp16type( d / det16.asFloat()).bits();
15444                 out[1] = fp16type(-c / det16.asFloat()).bits();
15445                 out[2] = fp16type(-b / det16.asFloat()).bits();
15446                 out[3] = fp16type( a / det16.asFloat()).bits();
15447
15448                 for (size_t rowNdx = 0; rowNdx < rows; ++rowNdx)
15449                         for (size_t colNdx = 0; colNdx < cols; ++colNdx)
15450                         {
15451                                 const size_t    ndx     (colNdx * alignedRows + rowNdx);
15452                                 const fp16type  s       (out[ndx]);
15453
15454                                 min[ndx] = getMin(s.asDouble(), getULPs(in));
15455                                 max[ndx] = getMax(s.asDouble(), getULPs(in));
15456                         }
15457
15458                 return true;
15459         }
15460 };
15461
15462 inline std::string fp16ToString(deFloat16 val)
15463 {
15464         return tcu::toHex<4>(val).toString() + " (" + de::floatToString(tcu::Float16(val).asFloat(), 10) + ")";
15465 }
15466
15467 template <size_t RES_COMPONENTS, size_t ARG0_COMPONENTS, size_t ARG1_COMPONENTS, size_t ARG2_COMPONENTS, class TestedArithmeticFunction>
15468 bool compareFP16ArithmeticFunc (const std::vector<Resource>& inputs, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog& log)
15469 {
15470         if (inputs.size() < 1 || inputs.size() > 3 || outputAllocs.size() != 1 || expectedOutputs.size() != 1)
15471                 return false;
15472
15473         const size_t    resultStep                      = (RES_COMPONENTS == 3) ? 4 : RES_COMPONENTS;
15474         const size_t    iterationsCount         = expectedOutputs[0].getByteSize() / (sizeof(deFloat16) * resultStep);
15475         const size_t    inputsSteps[3]          =
15476         {
15477                 (ARG0_COMPONENTS == 3) ? 4 : ARG0_COMPONENTS,
15478                 (ARG1_COMPONENTS == 3) ? 4 : ARG1_COMPONENTS,
15479                 (ARG2_COMPONENTS == 3) ? 4 : ARG2_COMPONENTS,
15480         };
15481
15482         DE_ASSERT(expectedOutputs[0].getByteSize() > 0);
15483         DE_ASSERT(expectedOutputs[0].getByteSize() == sizeof(deFloat16) * iterationsCount * resultStep);
15484
15485         for (size_t inputNdx = 0; inputNdx < inputs.size(); ++inputNdx)
15486         {
15487                 DE_ASSERT(inputs[inputNdx].getByteSize() > 0);
15488                 DE_ASSERT(inputs[inputNdx].getByteSize() == sizeof(deFloat16) * iterationsCount * inputsSteps[inputNdx]);
15489         }
15490
15491         const deFloat16* const          outputAsFP16                                    = (const deFloat16*)outputAllocs[0]->getHostPtr();
15492         TestedArithmeticFunction        func;
15493
15494         func.setOutCompCount(RES_COMPONENTS);
15495         func.setArgCompCount(0, ARG0_COMPONENTS);
15496         func.setArgCompCount(1, ARG1_COMPONENTS);
15497         func.setArgCompCount(2, ARG2_COMPONENTS);
15498
15499         const bool                                      callOncePerComponent                    = func.callOncePerComponent();
15500         const deUint32                          componentValidityMask                   = func.getComponentValidity();
15501         const size_t                            denormModesCount                                = 2;
15502         const char*                                     denormModes[denormModesCount]   = { "keep denormal numbers", "flush to zero" };
15503         const size_t                            successfulRunsPerComponent              = denormModesCount * func.getFlavorCount();
15504         bool                                            success                                                 = true;
15505         size_t                                          validatedCount                                  = 0;
15506
15507         vector<deUint8> inputBytes[3];
15508
15509         for (size_t inputNdx = 0; inputNdx < inputs.size(); ++inputNdx)
15510                 inputs[inputNdx].getBytes(inputBytes[inputNdx]);
15511
15512         const deFloat16* const                  inputsAsFP16[3]                 =
15513         {
15514                 inputs.size() >= 1 ? (const deFloat16*)&inputBytes[0][0] : DE_NULL,
15515                 inputs.size() >= 2 ? (const deFloat16*)&inputBytes[1][0] : DE_NULL,
15516                 inputs.size() >= 3 ? (const deFloat16*)&inputBytes[2][0] : DE_NULL,
15517         };
15518
15519         for (size_t idx = 0; idx < iterationsCount; ++idx)
15520         {
15521                 std::vector<size_t>                     successfulRuns          (RES_COMPONENTS, successfulRunsPerComponent);
15522                 std::vector<std::string>        errors                          (RES_COMPONENTS);
15523                 bool                                            iterationValidated      (true);
15524
15525                 for (size_t denormNdx = 0; denormNdx < 2; ++denormNdx)
15526                 {
15527                         for (size_t flavorNdx = 0; flavorNdx < func.getFlavorCount(); ++flavorNdx)
15528                         {
15529                                 func.setFlavor(flavorNdx);
15530
15531                                 const deFloat16*                        iterationOutputFP16             = &outputAsFP16[idx * resultStep];
15532                                 vector<deFloat16>                       iterationCalculatedFP16 (resultStep, 0);
15533                                 vector<double>                          iterationEdgeMin                (resultStep, 0.0);
15534                                 vector<double>                          iterationEdgeMax                (resultStep, 0.0);
15535                                 vector<const deFloat16*>        arguments;
15536
15537                                 for (size_t componentNdx = 0; componentNdx < RES_COMPONENTS; ++componentNdx)
15538                                 {
15539                                         std::string     error;
15540                                         bool            reportError = false;
15541
15542                                         if (callOncePerComponent || componentNdx == 0)
15543                                         {
15544                                                 bool funcCallResult;
15545
15546                                                 arguments.clear();
15547
15548                                                 for (size_t inputNdx = 0; inputNdx < inputs.size(); ++inputNdx)
15549                                                         arguments.push_back(&inputsAsFP16[inputNdx][idx * inputsSteps[inputNdx] + componentNdx]);
15550
15551                                                 if (denormNdx == 0)
15552                                                         funcCallResult = func.template calc<tcu::Float16>(arguments, &iterationCalculatedFP16[componentNdx], &iterationEdgeMin[componentNdx], &iterationEdgeMax[componentNdx]);
15553                                                 else
15554                                                         funcCallResult = func.template calc<tcu::Float16Denormless>(arguments, &iterationCalculatedFP16[componentNdx], &iterationEdgeMin[componentNdx], &iterationEdgeMax[componentNdx]);
15555
15556                                                 if (!funcCallResult)
15557                                                 {
15558                                                         iterationValidated = false;
15559
15560                                                         if (callOncePerComponent)
15561                                                                 continue;
15562                                                         else
15563                                                                 break;
15564                                                 }
15565                                         }
15566
15567                                         if ((componentValidityMask != 0) && (componentValidityMask & (1<<componentNdx)) == 0)
15568                                                 continue;
15569
15570                                         reportError = !compare16BitFloat(iterationCalculatedFP16[componentNdx], iterationOutputFP16[componentNdx], error);
15571
15572                                         if (reportError)
15573                                         {
15574                                                 tcu::Float16 expected   (iterationCalculatedFP16[componentNdx]);
15575                                                 tcu::Float16 outputted  (iterationOutputFP16[componentNdx]);
15576
15577                                                 if (reportError && expected.isNaN())
15578                                                         reportError = false;
15579
15580                                                 if (reportError && !expected.isNaN() && !outputted.isNaN())
15581                                                 {
15582                                                         if (reportError && !expected.isInf() && !outputted.isInf())
15583                                                         {
15584                                                                 // Ignore rounding
15585                                                                 if (expected.bits() == outputted.bits() + 1 || expected.bits() + 1 == outputted.bits())
15586                                                                         reportError = false;
15587                                                         }
15588
15589                                                         if (reportError && expected.isInf())
15590                                                         {
15591                                                                 // RTZ rounding mode returns +/-65504 instead of Inf on overflow
15592                                                                 if (expected.sign() == 1 && outputted.bits() == 0x7bff && iterationEdgeMin[componentNdx] <= std::numeric_limits<double>::max())
15593                                                                         reportError = false;
15594                                                                 else if (expected.sign() == -1 && outputted.bits() == 0xfbff && iterationEdgeMax[componentNdx] >= -std::numeric_limits<double>::max())
15595                                                                         reportError = false;
15596                                                         }
15597
15598                                                         if (reportError)
15599                                                         {
15600                                                                 const double    outputtedDouble = outputted.asDouble();
15601
15602                                                                 DE_ASSERT(iterationEdgeMin[componentNdx] <= iterationEdgeMax[componentNdx]);
15603
15604                                                                 if (de::inRange(outputtedDouble, iterationEdgeMin[componentNdx], iterationEdgeMax[componentNdx]))
15605                                                                         reportError = false;
15606                                                         }
15607                                                 }
15608
15609                                                 if (reportError)
15610                                                 {
15611                                                         const size_t            inputsComps[3]  =
15612                                                         {
15613                                                                 ARG0_COMPONENTS,
15614                                                                 ARG1_COMPONENTS,
15615                                                                 ARG2_COMPONENTS,
15616                                                         };
15617                                                         string                          inputsValues    ("Inputs:");
15618                                                         string                          flavorName              (func.getFlavorCount() == 1 ? "" : string(" flavor ") + de::toString(flavorNdx) + " (" + func.getCurrentFlavorName() + ")");
15619                                                         std::stringstream       errStream;
15620
15621                                                         for (size_t inputNdx = 0; inputNdx < inputs.size(); ++inputNdx)
15622                                                         {
15623                                                                 const size_t    inputCompsCount = inputsComps[inputNdx];
15624
15625                                                                 inputsValues += " [" + de::toString(inputNdx) + "]=(";
15626
15627                                                                 for (size_t compNdx = 0; compNdx < inputCompsCount; ++compNdx)
15628                                                                 {
15629                                                                         const deFloat16 inputComponentValue = inputsAsFP16[inputNdx][idx * inputsSteps[inputNdx] + compNdx];
15630
15631                                                                         inputsValues += fp16ToString(inputComponentValue) + ((compNdx + 1 == inputCompsCount) ? ")": ", ");
15632                                                                 }
15633                                                         }
15634
15635                                                         errStream       << "At"
15636                                                                                 << " iteration " << de::toString(idx)
15637                                                                                 << " component " << de::toString(componentNdx)
15638                                                                                 << " denormMode " << de::toString(denormNdx)
15639                                                                                 << " (" << denormModes[denormNdx] << ")"
15640                                                                                 << " " << flavorName
15641                                                                                 << " " << inputsValues
15642                                                                                 << " outputted:" + fp16ToString(iterationOutputFP16[componentNdx])
15643                                                                                 << " expected:" + fp16ToString(iterationCalculatedFP16[componentNdx])
15644                                                                                 << " or in range: [" << iterationEdgeMin[componentNdx] << ", " << iterationEdgeMax[componentNdx] << "]."
15645                                                                                 << " " << error << "."
15646                                                                                 << std::endl;
15647
15648                                                         errors[componentNdx] += errStream.str();
15649
15650                                                         successfulRuns[componentNdx]--;
15651                                                 }
15652                                         }
15653                                 }
15654                         }
15655                 }
15656
15657                 for (size_t componentNdx = 0; componentNdx < RES_COMPONENTS; ++componentNdx)
15658                 {
15659                         // Check if any component has total failure
15660                         if (successfulRuns[componentNdx] == 0)
15661                         {
15662                                 // Test failed in all denorm modes and all flavors for certain component: dump errors
15663                                 log << TestLog::Message << errors[componentNdx] << TestLog::EndMessage;
15664
15665                                 success = false;
15666                         }
15667                 }
15668
15669                 if (iterationValidated)
15670                         validatedCount++;
15671         }
15672
15673         if (validatedCount < 16)
15674                 TCU_THROW(InternalError, "Too few samples has been validated.");
15675
15676         return success;
15677 }
15678
15679 // IEEE-754 floating point numbers:
15680 // +--------+------+----------+-------------+
15681 // | binary | sign | exponent | significand |
15682 // +--------+------+----------+-------------+
15683 // | 16-bit |  1   |    5     |     10      |
15684 // +--------+------+----------+-------------+
15685 // | 32-bit |  1   |    8     |     23      |
15686 // +--------+------+----------+-------------+
15687 //
15688 // 16-bit floats:
15689 //
15690 // 0   000 00   00 0000 0001 (0x0001: 2e-24:         minimum positive denormalized)
15691 // 0   000 00   11 1111 1111 (0x03ff: 2e-14 - 2e-24: maximum positive denormalized)
15692 // 0   000 01   00 0000 0000 (0x0400: 2e-14:         minimum positive normalized)
15693 // 0   111 10   11 1111 1111 (0x7bff: 65504:         maximum positive normalized)
15694 //
15695 // 0   000 00   00 0000 0000 (0x0000: +0)
15696 // 0   111 11   00 0000 0000 (0x7c00: +Inf)
15697 // 0   000 00   11 1111 0000 (0x03f0: +Denorm)
15698 // 0   000 01   00 0000 0001 (0x0401: +Norm)
15699 // 0   111 11   00 0000 1111 (0x7c0f: +SNaN)
15700 // 0   111 11   11 1111 0000 (0x7ff0: +QNaN)
15701 // Generate and return 16-bit floats and their corresponding 32-bit values.
15702 //
15703 // The first 14 number pairs are manually picked, while the rest are randomly generated.
15704 // Expected count to be at least 14 (numPicks).
15705 vector<deFloat16> getFloat16a (de::Random& rnd, deUint32 count)
15706 {
15707         vector<deFloat16>       float16;
15708
15709         float16.reserve(count);
15710
15711         // Zero
15712         float16.push_back(deUint16(0x0000));
15713         float16.push_back(deUint16(0x8000));
15714         // Infinity
15715         float16.push_back(deUint16(0x7c00));
15716         float16.push_back(deUint16(0xfc00));
15717         // Normalized
15718         float16.push_back(deUint16(0x0401));
15719         float16.push_back(deUint16(0x8401));
15720         // Some normal number
15721         float16.push_back(deUint16(0x14cb));
15722         float16.push_back(deUint16(0x94cb));
15723         // Min/max positive normal
15724         float16.push_back(deUint16(0x0400));
15725         float16.push_back(deUint16(0x7bff));
15726         // Min/max negative normal
15727         float16.push_back(deUint16(0x8400));
15728         float16.push_back(deUint16(0xfbff));
15729         // PI
15730         float16.push_back(deUint16(0x4248)); // 3.140625
15731         float16.push_back(deUint16(0xb248)); // -3.140625
15732         // PI/2
15733         float16.push_back(deUint16(0x3e48)); // 1.5703125
15734         float16.push_back(deUint16(0xbe48)); // -1.5703125
15735         float16.push_back(deUint16(0x3c00)); // 1.0
15736         float16.push_back(deUint16(0x3800)); // 0.5
15737         // Some useful constants
15738         float16.push_back(tcu::Float16(-2.5f).bits());
15739         float16.push_back(tcu::Float16(-1.0f).bits());
15740         float16.push_back(tcu::Float16( 0.4f).bits());
15741         float16.push_back(tcu::Float16( 2.5f).bits());
15742
15743         const deUint32          numPicks        = static_cast<deUint32>(float16.size());
15744
15745         DE_ASSERT(count >= numPicks);
15746         count -= numPicks;
15747
15748         for (deUint32 numIdx = 0; numIdx < count; ++numIdx)
15749         {
15750                 int                     sign            = (rnd.getUint16() % 2 == 0) ? +1 : -1;
15751                 int                     exponent        = (rnd.getUint16() % 29) - 14 + 1;
15752                 deUint16        mantissa        = static_cast<deUint16>(2 * (rnd.getUint16() % 512));
15753
15754                 // Exclude power of -14 to avoid denorms
15755                 DE_ASSERT(de::inRange(exponent, -13, 15));
15756
15757                 float16.push_back(tcu::Float16::constructBits(sign, exponent, mantissa).bits());
15758         }
15759
15760         return float16;
15761 }
15762
15763 static inline vector<deFloat16> getInputData1 (deUint32 seed, size_t count, size_t argNo)
15764 {
15765         DE_UNREF(argNo);
15766
15767         de::Random      rnd(seed);
15768
15769         return getFloat16a(rnd, static_cast<deUint32>(count));
15770 }
15771
15772 static inline vector<deFloat16> getInputData2 (deUint32 seed, size_t count, size_t argNo)
15773 {
15774         de::Random      rnd             (seed);
15775         size_t          newCount = static_cast<size_t>(deSqrt(double(count)));
15776
15777         DE_ASSERT(newCount * newCount == count);
15778
15779         vector<deFloat16>       float16 = getFloat16a(rnd, static_cast<deUint32>(newCount));
15780
15781         return squarize(float16, static_cast<deUint32>(argNo));
15782 }
15783
15784 static inline vector<deFloat16> getInputData3 (deUint32 seed, size_t count, size_t argNo)
15785 {
15786         if (argNo == 0 || argNo == 1)
15787                 return getInputData2(seed, count, argNo);
15788         else
15789                 return getInputData1(seed<<argNo, count, argNo);
15790 }
15791
15792 vector<deFloat16> getInputData (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
15793 {
15794         DE_UNREF(stride);
15795
15796         vector<deFloat16>       result;
15797
15798         switch (argCount)
15799         {
15800                 case 1:result = getInputData1(seed, count, argNo); break;
15801                 case 2:result = getInputData2(seed, count, argNo); break;
15802                 case 3:result = getInputData3(seed, count, argNo); break;
15803                 default: TCU_THROW(InternalError, "Invalid argument count specified");
15804         }
15805
15806         if (compCount == 3)
15807         {
15808                 const size_t            newCount = (3 * count) / 4;
15809                 vector<deFloat16>       newResult;
15810
15811                 newResult.reserve(result.size());
15812
15813                 for (size_t ndx = 0; ndx < newCount; ++ndx)
15814                 {
15815                         newResult.push_back(result[ndx]);
15816
15817                         if (ndx % 3 == 2)
15818                                 newResult.push_back(0);
15819                 }
15820
15821                 result = newResult;
15822         }
15823
15824         DE_ASSERT(result.size() == count);
15825
15826         return result;
15827 }
15828
15829 // Generator for functions requiring data in range [1, inf]
15830 vector<deFloat16> getInputDataAC (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
15831 {
15832         vector<deFloat16>       result;
15833
15834         result = getInputData(seed, count, compCount, stride, argCount, argNo);
15835
15836         // Filter out values below 1.0 from upper half of numbers
15837         for (size_t idx = result.size() / 2; idx < result.size(); ++idx)
15838         {
15839                 const float f = tcu::Float16(result[idx]).asFloat();
15840
15841                 if (f < 1.0f)
15842                         result[idx] = tcu::Float16(1.0f - f).bits();
15843         }
15844
15845         return result;
15846 }
15847
15848 // Generator for functions requiring data in range [-1, 1]
15849 vector<deFloat16> getInputDataA (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
15850 {
15851         vector<deFloat16>       result;
15852
15853         result = getInputData(seed, count, compCount, stride, argCount, argNo);
15854
15855         for (size_t idx = result.size() / 2; idx < result.size(); ++idx)
15856         {
15857                 const float f = tcu::Float16(result[idx]).asFloat();
15858
15859                 if (!de::inRange(f, -1.0f, 1.0f))
15860                         result[idx] = tcu::Float16(deFloatFrac(f)).bits();
15861         }
15862
15863         return result;
15864 }
15865
15866 // Generator for functions requiring data in range [-pi, pi]
15867 vector<deFloat16> getInputDataPI (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
15868 {
15869         vector<deFloat16>       result;
15870
15871         result = getInputData(seed, count, compCount, stride, argCount, argNo);
15872
15873         for (size_t idx = result.size() / 2; idx < result.size(); ++idx)
15874         {
15875                 const float f = tcu::Float16(result[idx]).asFloat();
15876
15877                 if (!de::inRange(f, -DE_PI, DE_PI))
15878                         result[idx] = tcu::Float16(fmodf(f, DE_PI)).bits();
15879         }
15880
15881         return result;
15882 }
15883
15884 // Generator for functions requiring data in range [0, inf]
15885 vector<deFloat16> getInputDataP (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
15886 {
15887         vector<deFloat16>       result;
15888
15889         result = getInputData(seed, count, compCount, stride, argCount, argNo);
15890
15891         if (argNo == 0)
15892         {
15893                 for (size_t idx = result.size() / 2; idx < result.size(); ++idx)
15894                         result[idx] &= static_cast<deFloat16>(~0x8000);
15895         }
15896
15897         return result;
15898 }
15899
15900 vector<deFloat16> getInputDataV (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
15901 {
15902         DE_UNREF(stride);
15903         DE_UNREF(argCount);
15904
15905         vector<deFloat16>       result;
15906
15907         if (argNo == 0)
15908                 result = getInputData2(seed, count, argNo);
15909         else
15910         {
15911                 const size_t            alignedCount    = (compCount == 3) ? 4 : compCount;
15912                 const size_t            newCountX               = static_cast<size_t>(deSqrt(double(count * alignedCount)));
15913                 const size_t            newCountY               = count / newCountX;
15914                 de::Random                      rnd                             (seed);
15915                 vector<deFloat16>       float16                 = getFloat16a(rnd, static_cast<deUint32>(newCountX));
15916
15917                 DE_ASSERT(newCountX * newCountX == alignedCount * count);
15918
15919                 for (size_t numIdx = 0; numIdx < newCountX; ++numIdx)
15920                 {
15921                         const vector<deFloat16> tmp(newCountY, float16[numIdx]);
15922
15923                         result.insert(result.end(), tmp.begin(), tmp.end());
15924                 }
15925         }
15926
15927         DE_ASSERT(result.size() == count);
15928
15929         return result;
15930 }
15931
15932 vector<deFloat16> getInputDataM (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
15933 {
15934         DE_UNREF(compCount);
15935         DE_UNREF(stride);
15936         DE_UNREF(argCount);
15937
15938         de::Random                      rnd             (seed << argNo);
15939         vector<deFloat16>       result;
15940
15941         result = getFloat16a(rnd, static_cast<deUint32>(count));
15942
15943         DE_ASSERT(result.size() == count);
15944
15945         return result;
15946 }
15947
15948 vector<deFloat16> getInputDataD (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
15949 {
15950         DE_UNREF(compCount);
15951         DE_UNREF(argCount);
15952
15953         de::Random                      rnd             (seed << argNo);
15954         vector<deFloat16>       result;
15955
15956         for (deUint32 numIdx = 0; numIdx < count; ++numIdx)
15957         {
15958                 int num = (rnd.getUint16() % 16) - 8;
15959
15960                 result.push_back(tcu::Float16(float(num)).bits());
15961         }
15962
15963         result[0 * stride] = deUint16(0x7c00); // +Inf
15964         result[1 * stride] = deUint16(0xfc00); // -Inf
15965
15966         DE_ASSERT(result.size() == count);
15967
15968         return result;
15969 }
15970
15971 // Generator for smoothstep function
15972 vector<deFloat16> getInputDataSS (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
15973 {
15974         vector<deFloat16>       result;
15975
15976         result = getInputDataD(seed, count, compCount, stride, argCount, argNo);
15977
15978         if (argNo == 0)
15979         {
15980                 for (size_t idx = result.size() / 2; idx < result.size(); ++idx)
15981                 {
15982                         const float f = tcu::Float16(result[idx]).asFloat();
15983
15984                         if (f > 4.0f)
15985                                 result[idx] = tcu::Float16(-f).bits();
15986                 }
15987         }
15988
15989         if (argNo == 1)
15990         {
15991                 for (size_t idx = result.size() / 2; idx < result.size(); ++idx)
15992                 {
15993                         const float f = tcu::Float16(result[idx]).asFloat();
15994
15995                         if (f < 4.0f)
15996                                 result[idx] = tcu::Float16(-f).bits();
15997                 }
15998         }
15999
16000         return result;
16001 }
16002
16003 // Generates normalized vectors for arguments 0 and 1
16004 vector<deFloat16> getInputDataN (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
16005 {
16006         DE_UNREF(compCount);
16007         DE_UNREF(argCount);
16008
16009         de::Random                      rnd             (seed << argNo);
16010         vector<deFloat16>       result;
16011
16012         if (argNo == 0 || argNo == 1)
16013         {
16014                 // The input parameters for the incident vector I and the surface normal N must already be normalized
16015                 for (size_t numIdx = 0; numIdx < count; numIdx += stride)
16016                 {
16017                         vector <float>  unnormolized;
16018                         float                   sum                             = 0;
16019
16020                         for (size_t compIdx = 0; compIdx < compCount; ++compIdx)
16021                                 unnormolized.push_back(float((rnd.getUint16() % 16) - 8));
16022
16023                         for (size_t compIdx = 0; compIdx < compCount; ++compIdx)
16024                                 sum += unnormolized[compIdx] * unnormolized[compIdx];
16025
16026                         sum = deFloatSqrt(sum);
16027                         if (sum == 0.0f)
16028                                 unnormolized[0] = sum = 1.0f;
16029
16030                         for (size_t compIdx = 0; compIdx < compCount; ++compIdx)
16031                                 result.push_back(tcu::Float16(unnormolized[compIdx] / sum).bits());
16032
16033                         for (size_t compIdx = compCount; compIdx < stride; ++compIdx)
16034                                 result.push_back(0);
16035                 }
16036         }
16037         else
16038         {
16039                 // Input parameter eta
16040                 for (deUint32 numIdx = 0; numIdx < count; ++numIdx)
16041                 {
16042                         int num = (rnd.getUint16() % 16) - 8;
16043
16044                         result.push_back(tcu::Float16(float(num)).bits());
16045                 }
16046         }
16047
16048         DE_ASSERT(result.size() == count);
16049
16050         return result;
16051 }
16052
16053 // Data generator for complex matrix functions like determinant and inverse
16054 vector<deFloat16> getInputDataC (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo)
16055 {
16056         DE_UNREF(compCount);
16057         DE_UNREF(stride);
16058         DE_UNREF(argCount);
16059
16060         de::Random                      rnd             (seed << argNo);
16061         vector<deFloat16>       result;
16062
16063         for (deUint32 numIdx = 0; numIdx < count; ++numIdx)
16064         {
16065                 int num = (rnd.getUint16() % 16) - 8;
16066
16067                 result.push_back(tcu::Float16(float(num)).bits());
16068         }
16069
16070         DE_ASSERT(result.size() == count);
16071
16072         return result;
16073 }
16074
16075 struct Math16TestType
16076 {
16077         const char*             typePrefix;
16078         const size_t    typeComponents;
16079         const size_t    typeArrayStride;
16080         const size_t    typeStructStride;
16081 };
16082
16083 enum Math16DataTypes
16084 {
16085         NONE    = 0,
16086         SCALAR  = 1,
16087         VEC2    = 2,
16088         VEC3    = 3,
16089         VEC4    = 4,
16090         MAT2X2,
16091         MAT2X3,
16092         MAT2X4,
16093         MAT3X2,
16094         MAT3X3,
16095         MAT3X4,
16096         MAT4X2,
16097         MAT4X3,
16098         MAT4X4,
16099         MATH16_TYPE_LAST
16100 };
16101
16102 struct Math16ArgFragments
16103 {
16104         const char*     bodies;
16105         const char*     variables;
16106         const char*     decorations;
16107         const char*     funcVariables;
16108 };
16109
16110 typedef vector<deFloat16> Math16GetInputData (deUint32 seed, size_t count, size_t compCount, size_t stride, size_t argCount, size_t argNo);
16111
16112 struct Math16TestFunc
16113 {
16114         const char*                                     funcName;
16115         const char*                                     funcSuffix;
16116         size_t                                          funcArgsCount;
16117         size_t                                          typeResult;
16118         size_t                                          typeArg0;
16119         size_t                                          typeArg1;
16120         size_t                                          typeArg2;
16121         Math16GetInputData*                     getInputDataFunc;
16122         VerifyIOFunc                            verifyFunc;
16123 };
16124
16125 template<class SpecResource>
16126 void createFloat16ArithmeticFuncTest (tcu::TestContext& testCtx, tcu::TestCaseGroup& testGroup, const size_t testTypeIdx, const Math16TestFunc& testFunc)
16127 {
16128         const int                                       testSpecificSeed                        = deStringHash(testGroup.getName());
16129         const int                                       seed                                            = testCtx.getCommandLine().getBaseSeed() ^ testSpecificSeed;
16130         const size_t                            numDataPointsByAxis                     = 32;
16131         const size_t                            numDataPoints                           = numDataPointsByAxis * numDataPointsByAxis;
16132         const char*                                     componentType                           = "f16";
16133         const Math16TestType            testTypes[MATH16_TYPE_LAST]     =
16134         {
16135                 { "",           0,       0,                                              0,                                             },
16136                 { "",           1,       1 * sizeof(deFloat16),  2 * sizeof(deFloat16)  },
16137                 { "v2",         2,       2 * sizeof(deFloat16),  2 * sizeof(deFloat16)  },
16138                 { "v3",         3,       4 * sizeof(deFloat16),  4 * sizeof(deFloat16)  },
16139                 { "v4",         4,       4 * sizeof(deFloat16),  4 * sizeof(deFloat16)  },
16140                 { "m2x2",       0,       4 * sizeof(deFloat16),  4 * sizeof(deFloat16)  },
16141                 { "m2x3",       0,       8 * sizeof(deFloat16),  8 * sizeof(deFloat16)  },
16142                 { "m2x4",       0,       8 * sizeof(deFloat16),  8 * sizeof(deFloat16)  },
16143                 { "m3x2",       0,       8 * sizeof(deFloat16),  8 * sizeof(deFloat16)  },
16144                 { "m3x3",       0,      16 * sizeof(deFloat16), 16 * sizeof(deFloat16)  },
16145                 { "m3x4",       0,      16 * sizeof(deFloat16), 16 * sizeof(deFloat16)  },
16146                 { "m4x2",       0,       8 * sizeof(deFloat16),  8 * sizeof(deFloat16)  },
16147                 { "m4x3",       0,      16 * sizeof(deFloat16), 16 * sizeof(deFloat16)  },
16148                 { "m4x4",       0,      16 * sizeof(deFloat16), 16 * sizeof(deFloat16)  },
16149         };
16150
16151         DE_ASSERT(testTypeIdx == testTypes[testTypeIdx].typeComponents);
16152
16153
16154         const StringTemplate preMain
16155         (
16156                 "     %c_i32_ndp  = OpConstant %i32 ${num_data_points}\n"
16157
16158                 "        %f16     = OpTypeFloat 16\n"
16159                 "        %v2f16   = OpTypeVector %f16 2\n"
16160                 "        %v3f16   = OpTypeVector %f16 3\n"
16161                 "        %v4f16   = OpTypeVector %f16 4\n"
16162                 "        %m2x2f16 = OpTypeMatrix %v2f16 2\n"
16163                 "        %m2x3f16 = OpTypeMatrix %v3f16 2\n"
16164                 "        %m2x4f16 = OpTypeMatrix %v4f16 2\n"
16165                 "        %m3x2f16 = OpTypeMatrix %v2f16 3\n"
16166                 "        %m3x3f16 = OpTypeMatrix %v3f16 3\n"
16167                 "        %m3x4f16 = OpTypeMatrix %v4f16 3\n"
16168                 "        %m4x2f16 = OpTypeMatrix %v2f16 4\n"
16169                 "        %m4x3f16 = OpTypeMatrix %v3f16 4\n"
16170                 "        %m4x4f16 = OpTypeMatrix %v4f16 4\n"
16171
16172                 "     %up_f16     = OpTypePointer Uniform %f16    \n"
16173                 "     %up_v2f16   = OpTypePointer Uniform %v2f16  \n"
16174                 "     %up_v3f16   = OpTypePointer Uniform %v3f16  \n"
16175                 "     %up_v4f16   = OpTypePointer Uniform %v4f16  \n"
16176                 "     %up_m2x2f16 = OpTypePointer Uniform %m2x2f16\n"
16177                 "     %up_m2x3f16 = OpTypePointer Uniform %m2x3f16\n"
16178                 "     %up_m2x4f16 = OpTypePointer Uniform %m2x4f16\n"
16179                 "     %up_m3x2f16 = OpTypePointer Uniform %m3x2f16\n"
16180                 "     %up_m3x3f16 = OpTypePointer Uniform %m3x3f16\n"
16181                 "     %up_m3x4f16 = OpTypePointer Uniform %m3x4f16\n"
16182                 "     %up_m4x2f16 = OpTypePointer Uniform %m4x2f16\n"
16183                 "     %up_m4x3f16 = OpTypePointer Uniform %m4x3f16\n"
16184                 "     %up_m4x4f16 = OpTypePointer Uniform %m4x4f16\n"
16185
16186                 "     %ra_f16     = OpTypeArray %f16     %c_i32_ndp\n"
16187                 "     %ra_v2f16   = OpTypeArray %v2f16   %c_i32_ndp\n"
16188                 "     %ra_v3f16   = OpTypeArray %v3f16   %c_i32_ndp\n"
16189                 "     %ra_v4f16   = OpTypeArray %v4f16   %c_i32_ndp\n"
16190                 "     %ra_m2x2f16 = OpTypeArray %m2x2f16 %c_i32_ndp\n"
16191                 "     %ra_m2x3f16 = OpTypeArray %m2x3f16 %c_i32_ndp\n"
16192                 "     %ra_m2x4f16 = OpTypeArray %m2x4f16 %c_i32_ndp\n"
16193                 "     %ra_m3x2f16 = OpTypeArray %m3x2f16 %c_i32_ndp\n"
16194                 "     %ra_m3x3f16 = OpTypeArray %m3x3f16 %c_i32_ndp\n"
16195                 "     %ra_m3x4f16 = OpTypeArray %m3x4f16 %c_i32_ndp\n"
16196                 "     %ra_m4x2f16 = OpTypeArray %m4x2f16 %c_i32_ndp\n"
16197                 "     %ra_m4x3f16 = OpTypeArray %m4x3f16 %c_i32_ndp\n"
16198                 "     %ra_m4x4f16 = OpTypeArray %m4x4f16 %c_i32_ndp\n"
16199
16200                 "   %SSBO_f16     = OpTypeStruct %ra_f16    \n"
16201                 "   %SSBO_v2f16   = OpTypeStruct %ra_v2f16  \n"
16202                 "   %SSBO_v3f16   = OpTypeStruct %ra_v3f16  \n"
16203                 "   %SSBO_v4f16   = OpTypeStruct %ra_v4f16  \n"
16204                 "   %SSBO_m2x2f16 = OpTypeStruct %ra_m2x2f16\n"
16205                 "   %SSBO_m2x3f16 = OpTypeStruct %ra_m2x3f16\n"
16206                 "   %SSBO_m2x4f16 = OpTypeStruct %ra_m2x4f16\n"
16207                 "   %SSBO_m3x2f16 = OpTypeStruct %ra_m3x2f16\n"
16208                 "   %SSBO_m3x3f16 = OpTypeStruct %ra_m3x3f16\n"
16209                 "   %SSBO_m3x4f16 = OpTypeStruct %ra_m3x4f16\n"
16210                 "   %SSBO_m4x2f16 = OpTypeStruct %ra_m4x2f16\n"
16211                 "   %SSBO_m4x3f16 = OpTypeStruct %ra_m4x3f16\n"
16212                 "   %SSBO_m4x4f16 = OpTypeStruct %ra_m4x4f16\n"
16213
16214                 "%up_SSBO_f16     = OpTypePointer Uniform %SSBO_f16    \n"
16215                 "%up_SSBO_v2f16   = OpTypePointer Uniform %SSBO_v2f16  \n"
16216                 "%up_SSBO_v3f16   = OpTypePointer Uniform %SSBO_v3f16  \n"
16217                 "%up_SSBO_v4f16   = OpTypePointer Uniform %SSBO_v4f16  \n"
16218                 "%up_SSBO_m2x2f16 = OpTypePointer Uniform %SSBO_m2x2f16\n"
16219                 "%up_SSBO_m2x3f16 = OpTypePointer Uniform %SSBO_m2x3f16\n"
16220                 "%up_SSBO_m2x4f16 = OpTypePointer Uniform %SSBO_m2x4f16\n"
16221                 "%up_SSBO_m3x2f16 = OpTypePointer Uniform %SSBO_m3x2f16\n"
16222                 "%up_SSBO_m3x3f16 = OpTypePointer Uniform %SSBO_m3x3f16\n"
16223                 "%up_SSBO_m3x4f16 = OpTypePointer Uniform %SSBO_m3x4f16\n"
16224                 "%up_SSBO_m4x2f16 = OpTypePointer Uniform %SSBO_m4x2f16\n"
16225                 "%up_SSBO_m4x3f16 = OpTypePointer Uniform %SSBO_m4x3f16\n"
16226                 "%up_SSBO_m4x4f16 = OpTypePointer Uniform %SSBO_m4x4f16\n"
16227
16228                 "       %fp_v2i32 = OpTypePointer Function %v2i32\n"
16229                 "       %fp_v3i32 = OpTypePointer Function %v3i32\n"
16230                 "       %fp_v4i32 = OpTypePointer Function %v4i32\n"
16231                 "${arg_vars}"
16232         );
16233
16234         const StringTemplate decoration
16235         (
16236                 "OpDecorate %ra_f16     ArrayStride 2 \n"
16237                 "OpDecorate %ra_v2f16   ArrayStride 4 \n"
16238                 "OpDecorate %ra_v3f16   ArrayStride 8 \n"
16239                 "OpDecorate %ra_v4f16   ArrayStride 8 \n"
16240                 "OpDecorate %ra_m2x2f16 ArrayStride 8 \n"
16241                 "OpDecorate %ra_m2x3f16 ArrayStride 16\n"
16242                 "OpDecorate %ra_m2x4f16 ArrayStride 16\n"
16243                 "OpDecorate %ra_m3x2f16 ArrayStride 16\n"
16244                 "OpDecorate %ra_m3x3f16 ArrayStride 32\n"
16245                 "OpDecorate %ra_m3x4f16 ArrayStride 32\n"
16246                 "OpDecorate %ra_m4x2f16 ArrayStride 16\n"
16247                 "OpDecorate %ra_m4x3f16 ArrayStride 32\n"
16248                 "OpDecorate %ra_m4x4f16 ArrayStride 32\n"
16249
16250                 "OpMemberDecorate %SSBO_f16     0 Offset 0\n"
16251                 "OpMemberDecorate %SSBO_v2f16   0 Offset 0\n"
16252                 "OpMemberDecorate %SSBO_v3f16   0 Offset 0\n"
16253                 "OpMemberDecorate %SSBO_v4f16   0 Offset 0\n"
16254                 "OpMemberDecorate %SSBO_m2x2f16 0 Offset 0\n"
16255                 "OpMemberDecorate %SSBO_m2x3f16 0 Offset 0\n"
16256                 "OpMemberDecorate %SSBO_m2x4f16 0 Offset 0\n"
16257                 "OpMemberDecorate %SSBO_m3x2f16 0 Offset 0\n"
16258                 "OpMemberDecorate %SSBO_m3x3f16 0 Offset 0\n"
16259                 "OpMemberDecorate %SSBO_m3x4f16 0 Offset 0\n"
16260                 "OpMemberDecorate %SSBO_m4x2f16 0 Offset 0\n"
16261                 "OpMemberDecorate %SSBO_m4x3f16 0 Offset 0\n"
16262                 "OpMemberDecorate %SSBO_m4x4f16 0 Offset 0\n"
16263
16264                 "OpDecorate %SSBO_f16     BufferBlock\n"
16265                 "OpDecorate %SSBO_v2f16   BufferBlock\n"
16266                 "OpDecorate %SSBO_v3f16   BufferBlock\n"
16267                 "OpDecorate %SSBO_v4f16   BufferBlock\n"
16268                 "OpDecorate %SSBO_m2x2f16 BufferBlock\n"
16269                 "OpDecorate %SSBO_m2x3f16 BufferBlock\n"
16270                 "OpDecorate %SSBO_m2x4f16 BufferBlock\n"
16271                 "OpDecorate %SSBO_m3x2f16 BufferBlock\n"
16272                 "OpDecorate %SSBO_m3x3f16 BufferBlock\n"
16273                 "OpDecorate %SSBO_m3x4f16 BufferBlock\n"
16274                 "OpDecorate %SSBO_m4x2f16 BufferBlock\n"
16275                 "OpDecorate %SSBO_m4x3f16 BufferBlock\n"
16276                 "OpDecorate %SSBO_m4x4f16 BufferBlock\n"
16277
16278                 "OpMemberDecorate %SSBO_m2x2f16 0 ColMajor\n"
16279                 "OpMemberDecorate %SSBO_m2x3f16 0 ColMajor\n"
16280                 "OpMemberDecorate %SSBO_m2x4f16 0 ColMajor\n"
16281                 "OpMemberDecorate %SSBO_m3x2f16 0 ColMajor\n"
16282                 "OpMemberDecorate %SSBO_m3x3f16 0 ColMajor\n"
16283                 "OpMemberDecorate %SSBO_m3x4f16 0 ColMajor\n"
16284                 "OpMemberDecorate %SSBO_m4x2f16 0 ColMajor\n"
16285                 "OpMemberDecorate %SSBO_m4x3f16 0 ColMajor\n"
16286                 "OpMemberDecorate %SSBO_m4x4f16 0 ColMajor\n"
16287
16288                 "OpMemberDecorate %SSBO_m2x2f16 0 MatrixStride 4\n"
16289                 "OpMemberDecorate %SSBO_m2x3f16 0 MatrixStride 8\n"
16290                 "OpMemberDecorate %SSBO_m2x4f16 0 MatrixStride 8\n"
16291                 "OpMemberDecorate %SSBO_m3x2f16 0 MatrixStride 4\n"
16292                 "OpMemberDecorate %SSBO_m3x3f16 0 MatrixStride 8\n"
16293                 "OpMemberDecorate %SSBO_m3x4f16 0 MatrixStride 8\n"
16294                 "OpMemberDecorate %SSBO_m4x2f16 0 MatrixStride 4\n"
16295                 "OpMemberDecorate %SSBO_m4x3f16 0 MatrixStride 8\n"
16296                 "OpMemberDecorate %SSBO_m4x4f16 0 MatrixStride 8\n"
16297
16298                 "${arg_decorations}"
16299         );
16300
16301         const StringTemplate testFun
16302         (
16303                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
16304                 "    %param = OpFunctionParameter %v4f32\n"
16305                 "    %entry = OpLabel\n"
16306
16307                 "        %i = OpVariable %fp_i32 Function\n"
16308                 "${arg_infunc_vars}"
16309                 "             OpStore %i %c_i32_0\n"
16310                 "             OpBranch %loop\n"
16311
16312                 "     %loop = OpLabel\n"
16313                 "    %i_cmp = OpLoad %i32 %i\n"
16314                 "       %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
16315                 "             OpLoopMerge %merge %next None\n"
16316                 "             OpBranchConditional %lt %write %merge\n"
16317
16318                 "    %write = OpLabel\n"
16319                 "      %ndx = OpLoad %i32 %i\n"
16320
16321                 "${arg_func_call}"
16322
16323                 "             OpBranch %next\n"
16324
16325                 "     %next = OpLabel\n"
16326                 "    %i_cur = OpLoad %i32 %i\n"
16327                 "    %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
16328                 "             OpStore %i %i_new\n"
16329                 "             OpBranch %loop\n"
16330
16331                 "    %merge = OpLabel\n"
16332                 "             OpReturnValue %param\n"
16333                 "             OpFunctionEnd\n"
16334         );
16335
16336         const Math16ArgFragments        argFragment1    =
16337         {
16338                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16339                 " %val_src0 = OpLoad %${t0} %src0\n"
16340                 "  %val_dst = ${op} %${tr} ${ext_inst} %val_src0\n"
16341                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16342                 "             OpStore %dst %val_dst\n",
16343                 "",
16344                 "",
16345                 "",
16346         };
16347
16348         const Math16ArgFragments        argFragment2    =
16349         {
16350                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16351                 " %val_src0 = OpLoad %${t0} %src0\n"
16352                 "     %src1 = OpAccessChain %up_${t1} %ssbo_src1 %c_i32_0 %ndx\n"
16353                 " %val_src1 = OpLoad %${t1} %src1\n"
16354                 "  %val_dst = ${op} %${tr} ${ext_inst} %val_src0 %val_src1\n"
16355                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16356                 "             OpStore %dst %val_dst\n",
16357                 "",
16358                 "",
16359                 "",
16360         };
16361
16362         const Math16ArgFragments        argFragment3    =
16363         {
16364                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16365                 " %val_src0 = OpLoad %${t0} %src0\n"
16366                 "     %src1 = OpAccessChain %up_${t1} %ssbo_src1 %c_i32_0 %ndx\n"
16367                 " %val_src1 = OpLoad %${t1} %src1\n"
16368                 "     %src2 = OpAccessChain %up_${t2} %ssbo_src2 %c_i32_0 %ndx\n"
16369                 " %val_src2 = OpLoad %${t2} %src2\n"
16370                 "  %val_dst = ${op} %${tr} ${ext_inst} %val_src0 %val_src1 %val_src2\n"
16371                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16372                 "             OpStore %dst %val_dst\n",
16373                 "",
16374                 "",
16375                 "",
16376         };
16377
16378         const Math16ArgFragments        argFragmentLdExp        =
16379         {
16380                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16381                 " %val_src0 = OpLoad %${t0} %src0\n"
16382                 "     %src1 = OpAccessChain %up_${t1} %ssbo_src1 %c_i32_0 %ndx\n"
16383                 " %val_src1 = OpLoad %${t1} %src1\n"
16384                 "%val_src1i = OpConvertFToS %${dr}i32 %val_src1\n"
16385                 "  %val_dst = ${op} %${tr} ${ext_inst} %val_src0 %val_src1i\n"
16386                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16387                 "             OpStore %dst %val_dst\n",
16388
16389                 "",
16390
16391                 "",
16392
16393                 "",
16394         };
16395
16396         const Math16ArgFragments        argFragmentModfFrac     =
16397         {
16398                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16399                 " %val_src0 = OpLoad %${t0} %src0\n"
16400                 "  %val_dst = ${op} %${tr} ${ext_inst} %val_src0 %tmp\n"
16401                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16402                 "             OpStore %dst %val_dst\n",
16403
16404                 "   %fp_tmp = OpTypePointer Function %${tr}\n",
16405
16406                 "",
16407
16408                 "      %tmp = OpVariable %fp_tmp Function\n",
16409         };
16410
16411         const Math16ArgFragments        argFragmentModfInt      =
16412         {
16413                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16414                 " %val_src0 = OpLoad %${t0} %src0\n"
16415                 "%val_dummy = ${op} %${tr} ${ext_inst} %val_src0 %tmp\n"
16416                 "     %tmp0 = OpAccessChain %fp_tmp %tmp\n"
16417                 "  %val_dst = OpLoad %${tr} %tmp0\n"
16418                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16419                 "             OpStore %dst %val_dst\n",
16420
16421                 "   %fp_tmp = OpTypePointer Function %${tr}\n",
16422
16423                 "",
16424
16425                 "      %tmp = OpVariable %fp_tmp Function\n",
16426         };
16427
16428         const Math16ArgFragments        argFragmentModfStruct   =
16429         {
16430                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16431                 " %val_src0 = OpLoad %${t0} %src0\n"
16432                 "  %val_tmp = ${op} %st_tmp ${ext_inst} %val_src0\n"
16433                 "%tmp_ptr_s = OpAccessChain %fp_tmp %tmp\n"
16434                 "             OpStore %tmp_ptr_s %val_tmp\n"
16435                 "%tmp_ptr_l = OpAccessChain %fp_${tr} %tmp %c_${struct_member}\n"
16436                 "  %val_dst = OpLoad %${tr} %tmp_ptr_l\n"
16437                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16438                 "             OpStore %dst %val_dst\n",
16439
16440                 "  %fp_${tr} = OpTypePointer Function %${tr}\n"
16441                 "   %st_tmp = OpTypeStruct %${tr} %${tr}\n"
16442                 "   %fp_tmp = OpTypePointer Function %st_tmp\n"
16443                 "   %c_frac = OpConstant %i32 0\n"
16444                 "    %c_int = OpConstant %i32 1\n",
16445
16446                 "OpMemberDecorate %st_tmp 0 Offset 0\n"
16447                 "OpMemberDecorate %st_tmp 1 Offset ${struct_stride}\n",
16448
16449                 "      %tmp = OpVariable %fp_tmp Function\n",
16450         };
16451
16452         const Math16ArgFragments        argFragmentFrexpStructS =
16453         {
16454                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16455                 " %val_src0 = OpLoad %${t0} %src0\n"
16456                 "  %val_tmp = ${op} %st_tmp ${ext_inst} %val_src0\n"
16457                 "%tmp_ptr_s = OpAccessChain %fp_tmp %tmp\n"
16458                 "             OpStore %tmp_ptr_s %val_tmp\n"
16459                 "%tmp_ptr_l = OpAccessChain %fp_${tr} %tmp %c_i32_0\n"
16460                 "  %val_dst = OpLoad %${tr} %tmp_ptr_l\n"
16461                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16462                 "             OpStore %dst %val_dst\n",
16463
16464                 "  %fp_${tr} = OpTypePointer Function %${tr}\n"
16465                 "   %st_tmp = OpTypeStruct %${tr} %${dr}i32\n"
16466                 "   %fp_tmp = OpTypePointer Function %st_tmp\n",
16467
16468                 "OpMemberDecorate %st_tmp 0 Offset 0\n"
16469                 "OpMemberDecorate %st_tmp 1 Offset ${struct_stride}\n",
16470
16471                 "      %tmp = OpVariable %fp_tmp Function\n",
16472         };
16473
16474         const Math16ArgFragments        argFragmentFrexpStructE =
16475         {
16476                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16477                 " %val_src0 = OpLoad %${t0} %src0\n"
16478                 "  %val_tmp = ${op} %st_tmp ${ext_inst} %val_src0\n"
16479                 "%tmp_ptr_s = OpAccessChain %fp_tmp %tmp\n"
16480                 "             OpStore %tmp_ptr_s %val_tmp\n"
16481                 "%tmp_ptr_l = OpAccessChain %fp_${dr}i32 %tmp %c_i32_1\n"
16482                 "%val_dst_i = OpLoad %${dr}i32 %tmp_ptr_l\n"
16483                 "  %val_dst = OpConvertSToF %${tr} %val_dst_i\n"
16484                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16485                 "             OpStore %dst %val_dst\n",
16486
16487                 "   %st_tmp = OpTypeStruct %${tr} %${dr}i32\n"
16488                 "   %fp_tmp = OpTypePointer Function %st_tmp\n",
16489
16490                 "OpMemberDecorate %st_tmp 0 Offset 0\n"
16491                 "OpMemberDecorate %st_tmp 1 Offset ${struct_stride}\n",
16492
16493                 "      %tmp = OpVariable %fp_tmp Function\n",
16494         };
16495
16496         const Math16ArgFragments        argFragmentFrexpS               =
16497         {
16498                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16499                 " %val_src0 = OpLoad %${t0} %src0\n"
16500                 "  %out_exp = OpAccessChain %fp_${dr}i32 %tmp\n"
16501                 "  %val_dst = ${op} %${tr} ${ext_inst} %val_src0 %out_exp\n"
16502                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16503                 "             OpStore %dst %val_dst\n",
16504
16505                 "",
16506
16507                 "",
16508
16509                 "      %tmp = OpVariable %fp_${dr}i32 Function\n",
16510         };
16511
16512         const Math16ArgFragments        argFragmentFrexpE               =
16513         {
16514                 "     %src0 = OpAccessChain %up_${t0} %ssbo_src0 %c_i32_0 %ndx\n"
16515                 " %val_src0 = OpLoad %${t0} %src0\n"
16516                 "  %out_exp = OpAccessChain %fp_${dr}i32 %tmp\n"
16517                 "%val_dummy = ${op} %${tr} ${ext_inst} %val_src0 %out_exp\n"
16518                 "%val_dst_i = OpLoad %${dr}i32 %out_exp\n"
16519                 "  %val_dst = OpConvertSToF %${tr} %val_dst_i\n"
16520                 "      %dst = OpAccessChain %up_${tr} %ssbo_dst %c_i32_0 %ndx\n"
16521                 "             OpStore %dst %val_dst\n",
16522
16523                 "",
16524
16525                 "",
16526
16527                 "      %tmp = OpVariable %fp_${dr}i32 Function\n",
16528         };
16529
16530         const Math16TestType&           testType                                = testTypes[testTypeIdx];
16531         const string                            funcNameString                  = string(testFunc.funcName) + string(testFunc.funcSuffix);
16532         const string                            testName                                = de::toLower(funcNameString);
16533         const Math16ArgFragments*       argFragments                    = DE_NULL;
16534         const size_t                            typeStructStride                = testType.typeStructStride;
16535         const bool                                      extInst                                 = !(testFunc.funcName[0] == 'O' && testFunc.funcName[1] == 'p');
16536         const size_t                            numFloatsPerArg0Type    = testTypes[testFunc.typeArg0].typeArrayStride / sizeof(deFloat16);
16537         const size_t                            iterations                              = numDataPoints / numFloatsPerArg0Type;
16538         const size_t                            numFloatsPerResultType  = testTypes[testFunc.typeResult].typeArrayStride / sizeof(deFloat16);
16539         const vector<deFloat16>         float16DummyOutput              (iterations * numFloatsPerResultType, 0);
16540         VulkanFeatures                          features;
16541         SpecResource                            specResource;
16542         map<string, string>                     specs;
16543         map<string, string>                     fragments;
16544         vector<string>                          extensions;
16545         string                                          funcCall;
16546         string                                          funcVariables;
16547         string                                          variables;
16548         string                                          declarations;
16549         string                                          decorations;
16550
16551         switch (testFunc.funcArgsCount)
16552         {
16553                 case 1:
16554                 {
16555                         argFragments = &argFragment1;
16556
16557                         if (funcNameString == "ModfFrac")               argFragments = &argFragmentModfFrac;
16558                         if (funcNameString == "ModfInt")                argFragments = &argFragmentModfInt;
16559                         if (funcNameString == "ModfStructFrac") argFragments = &argFragmentModfStruct;
16560                         if (funcNameString == "ModfStructInt")  argFragments = &argFragmentModfStruct;
16561                         if (funcNameString == "FrexpS")                 argFragments = &argFragmentFrexpS;
16562                         if (funcNameString == "FrexpE")                 argFragments = &argFragmentFrexpE;
16563                         if (funcNameString == "FrexpStructS")   argFragments = &argFragmentFrexpStructS;
16564                         if (funcNameString == "FrexpStructE")   argFragments = &argFragmentFrexpStructE;
16565
16566                         break;
16567                 }
16568                 case 2:
16569                 {
16570                         argFragments = &argFragment2;
16571
16572                         if (funcNameString == "Ldexp")                  argFragments = &argFragmentLdExp;
16573
16574                         break;
16575                 }
16576                 case 3:
16577                 {
16578                         argFragments = &argFragment3;
16579
16580                         break;
16581                 }
16582                 default:
16583                 {
16584                         TCU_THROW(InternalError, "Invalid number of arguments");
16585                 }
16586         }
16587
16588         if (testFunc.funcArgsCount == 1)
16589         {
16590                 variables +=
16591                         " %ssbo_src0 = OpVariable %up_SSBO_${t0} Uniform\n"
16592                         "  %ssbo_dst = OpVariable %up_SSBO_${tr} Uniform\n";
16593
16594                 decorations +=
16595                         "OpDecorate %ssbo_src0 DescriptorSet 0\n"
16596                         "OpDecorate %ssbo_src0 Binding 0\n"
16597                         "OpDecorate %ssbo_dst DescriptorSet 0\n"
16598                         "OpDecorate %ssbo_dst Binding 1\n";
16599         }
16600         else if (testFunc.funcArgsCount == 2)
16601         {
16602                 variables +=
16603                         " %ssbo_src0 = OpVariable %up_SSBO_${t0} Uniform\n"
16604                         " %ssbo_src1 = OpVariable %up_SSBO_${t1} Uniform\n"
16605                         "  %ssbo_dst = OpVariable %up_SSBO_${tr} Uniform\n";
16606
16607                 decorations +=
16608                         "OpDecorate %ssbo_src0 DescriptorSet 0\n"
16609                         "OpDecorate %ssbo_src0 Binding 0\n"
16610                         "OpDecorate %ssbo_src1 DescriptorSet 0\n"
16611                         "OpDecorate %ssbo_src1 Binding 1\n"
16612                         "OpDecorate %ssbo_dst DescriptorSet 0\n"
16613                         "OpDecorate %ssbo_dst Binding 2\n";
16614         }
16615         else if (testFunc.funcArgsCount == 3)
16616         {
16617                 variables +=
16618                         " %ssbo_src0 = OpVariable %up_SSBO_${t0} Uniform\n"
16619                         " %ssbo_src1 = OpVariable %up_SSBO_${t1} Uniform\n"
16620                         " %ssbo_src2 = OpVariable %up_SSBO_${t2} Uniform\n"
16621                         "  %ssbo_dst = OpVariable %up_SSBO_${tr} Uniform\n";
16622
16623                 decorations +=
16624                         "OpDecorate %ssbo_src0 DescriptorSet 0\n"
16625                         "OpDecorate %ssbo_src0 Binding 0\n"
16626                         "OpDecorate %ssbo_src1 DescriptorSet 0\n"
16627                         "OpDecorate %ssbo_src1 Binding 1\n"
16628                         "OpDecorate %ssbo_src2 DescriptorSet 0\n"
16629                         "OpDecorate %ssbo_src2 Binding 2\n"
16630                         "OpDecorate %ssbo_dst DescriptorSet 0\n"
16631                         "OpDecorate %ssbo_dst Binding 3\n";
16632         }
16633         else
16634         {
16635                 TCU_THROW(InternalError, "Invalid number of function arguments");
16636         }
16637
16638         variables       += argFragments->variables;
16639         decorations     += argFragments->decorations;
16640
16641         specs["dr"]                                     = testTypes[testFunc.typeResult].typePrefix;
16642         specs["d0"]                                     = testTypes[testFunc.typeArg0].typePrefix;
16643         specs["d1"]                                     = testTypes[testFunc.typeArg1].typePrefix;
16644         specs["d2"]                                     = testTypes[testFunc.typeArg2].typePrefix;
16645         specs["tr"]                                     = string(testTypes[testFunc.typeResult].typePrefix) + componentType;
16646         specs["t0"]                                     = string(testTypes[testFunc.typeArg0].typePrefix) + componentType;
16647         specs["t1"]                                     = string(testTypes[testFunc.typeArg1].typePrefix) + componentType;
16648         specs["t2"]                                     = string(testTypes[testFunc.typeArg2].typePrefix) + componentType;
16649         specs["struct_stride"]          = de::toString(typeStructStride);
16650         specs["op"]                                     = extInst ? "OpExtInst" : testFunc.funcName;
16651         specs["ext_inst"]                       = extInst ? string("%ext_import ") + testFunc.funcName : "";
16652         specs["struct_member"]          = de::toLower(testFunc.funcSuffix);
16653
16654         variables                                       = StringTemplate(variables).specialize(specs);
16655         decorations                                     = StringTemplate(decorations).specialize(specs);
16656         funcVariables                           = StringTemplate(argFragments->funcVariables).specialize(specs);
16657         funcCall                                        = StringTemplate(argFragments->bodies).specialize(specs);
16658
16659         specs["num_data_points"]        = de::toString(iterations);
16660         specs["arg_vars"]                       = variables;
16661         specs["arg_decorations"]        = decorations;
16662         specs["arg_infunc_vars"]        = funcVariables;
16663         specs["arg_func_call"]          = funcCall;
16664
16665         fragments["extension"]          = "OpExtension \"SPV_KHR_16bit_storage\"\n%ext_import = OpExtInstImport \"GLSL.std.450\"";
16666         fragments["capability"]         = "OpCapability Matrix\nOpCapability StorageUniformBufferBlock16";
16667         fragments["decoration"]         = decoration.specialize(specs);
16668         fragments["pre_main"]           = preMain.specialize(specs);
16669         fragments["testfun"]            = testFun.specialize(specs);
16670
16671         for (size_t inputArgNdx = 0; inputArgNdx < testFunc.funcArgsCount; ++inputArgNdx)
16672         {
16673                 const size_t                    numFloatsPerItem        = (inputArgNdx == 0) ? testTypes[testFunc.typeArg0].typeArrayStride / sizeof(deFloat16)
16674                                                                                                         : (inputArgNdx == 1) ? testTypes[testFunc.typeArg1].typeArrayStride / sizeof(deFloat16)
16675                                                                                                         : (inputArgNdx == 2) ? testTypes[testFunc.typeArg2].typeArrayStride / sizeof(deFloat16)
16676                                                                                                         : -1;
16677                 const vector<deFloat16> inputData                       = testFunc.getInputDataFunc(seed, numFloatsPerItem * iterations, testTypeIdx, numFloatsPerItem, testFunc.funcArgsCount, inputArgNdx);
16678
16679                 specResource.inputs.push_back(Resource(BufferSp(new Float16Buffer(inputData)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
16680         }
16681
16682         specResource.outputs.push_back(Resource(BufferSp(new Float16Buffer(float16DummyOutput)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
16683         specResource.verifyIO = testFunc.verifyFunc;
16684
16685         extensions.push_back("VK_KHR_16bit_storage");
16686         extensions.push_back("VK_KHR_shader_float16_int8");
16687
16688         features.ext16BitStorage        = EXT16BITSTORAGEFEATURES_UNIFORM_BUFFER_BLOCK;
16689         features.extFloat16Int8         = EXTFLOAT16INT8FEATURES_FLOAT16;
16690
16691         finalizeTestsCreation(specResource, fragments, testCtx, testGroup, testName, features, extensions, IVec3(1, 1, 1));
16692 }
16693
16694 template<size_t C, class SpecResource>
16695 tcu::TestCaseGroup* createFloat16ArithmeticSet (tcu::TestContext& testCtx)
16696 {
16697         DE_STATIC_ASSERT(C >= 1 && C <= 4);
16698
16699         const std::string                               testGroupName   (string("arithmetic_") + de::toString(C));
16700         de::MovePtr<tcu::TestCaseGroup> testGroup               (new tcu::TestCaseGroup(testCtx, testGroupName.c_str(), "Float 16 arithmetic and related tests"));
16701         const Math16TestFunc                    testFuncs[]             =
16702         {
16703                 {       "OpFNegate",                    "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16OpFNegate>                                       },
16704                 {       "Round",                                "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Round>                                           },
16705                 {       "RoundEven",                    "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16RoundEven>                                       },
16706                 {       "Trunc",                                "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Trunc>                                           },
16707                 {       "FAbs",                                 "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16FAbs>                                            },
16708                 {       "FSign",                                "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16FSign>                                           },
16709                 {       "Floor",                                "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Floor>                                           },
16710                 {       "Ceil",                                 "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Ceil>                                            },
16711                 {       "Fract",                                "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Fract>                                           },
16712                 {       "Radians",                              "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Radians>                                         },
16713                 {       "Degrees",                              "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Degrees>                                         },
16714                 {       "Sin",                                  "",                     1,      C,              C,              0,              0, &getInputDataPI,     compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Sin>                                                     },
16715                 {       "Cos",                                  "",                     1,      C,              C,              0,              0, &getInputDataPI,     compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Cos>                                                     },
16716                 {       "Tan",                                  "",                     1,      C,              C,              0,              0, &getInputDataPI,     compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Tan>                                                     },
16717                 {       "Asin",                                 "",                     1,      C,              C,              0,              0, &getInputDataA,      compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Asin>                                            },
16718                 {       "Acos",                                 "",                     1,      C,              C,              0,              0, &getInputDataA,      compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Acos>                                            },
16719                 {       "Atan",                                 "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Atan>                                            },
16720                 {       "Sinh",                                 "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Sinh>                                            },
16721                 {       "Cosh",                                 "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Cosh>                                            },
16722                 {       "Tanh",                                 "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Tanh>                                            },
16723                 {       "Asinh",                                "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Asinh>                                           },
16724                 {       "Acosh",                                "",                     1,      C,              C,              0,              0, &getInputDataAC,     compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Acosh>                                           },
16725                 {       "Atanh",                                "",                     1,      C,              C,              0,              0, &getInputDataA,      compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Atanh>                                           },
16726                 {       "Exp",                                  "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Exp>                                                     },
16727                 {       "Log",                                  "",                     1,      C,              C,              0,              0, &getInputDataP,      compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Log>                                                     },
16728                 {       "Exp2",                                 "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Exp2>                                            },
16729                 {       "Log2",                                 "",                     1,      C,              C,              0,              0, &getInputDataP,      compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Log2>                                            },
16730                 {       "Sqrt",                                 "",                     1,      C,              C,              0,              0, &getInputDataP,      compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Sqrt>                                            },
16731                 {       "InverseSqrt",                  "",                     1,      C,              C,              0,              0, &getInputDataP,      compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16InverseSqrt>                                     },
16732                 {       "Modf",                                 "Frac",         1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16ModfFrac>                                        },
16733                 {       "Modf",                                 "Int",          1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16ModfInt>                                         },
16734                 {       "ModfStruct",                   "Frac",         1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16ModfFrac>                                        },
16735                 {       "ModfStruct",                   "Int",          1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16ModfInt>                                         },
16736                 {       "Frexp",                                "S",            1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16FrexpS>                                          },
16737                 {       "Frexp",                                "E",            1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16FrexpE>                                          },
16738                 {       "FrexpStruct",                  "S",            1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16FrexpS>                                          },
16739                 {       "FrexpStruct",                  "E",            1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16FrexpE>                                          },
16740                 {       "OpFAdd",                               "",                     2,      C,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16OpFAdd>                                          },
16741                 {       "OpFSub",                               "",                     2,      C,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16OpFSub>                                          },
16742                 {       "OpFMul",                               "",                     2,      C,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16OpFMul>                                          },
16743                 {       "OpFDiv",                               "",                     2,      C,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16OpFDiv>                                          },
16744                 {       "Atan2",                                "",                     2,      C,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16Atan2>                                           },
16745                 {       "Pow",                                  "",                     2,      C,              C,              C,              0, &getInputDataP,      compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16Pow>                                                     },
16746                 {       "FMin",                                 "",                     2,      C,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16FMin>                                            },
16747                 {       "FMax",                                 "",                     2,      C,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16FMax>                                            },
16748                 {       "Step",                                 "",                     2,      C,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16Step>                                            },
16749                 {       "Ldexp",                                "",                     2,      C,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16Ldexp>                                           },
16750                 {       "FClamp",                               "",                     3,      C,              C,              C,              C, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  C, fp16FClamp>                                          },
16751                 {       "FMix",                                 "",                     3,      C,              C,              C,              C, &getInputDataD,      compareFP16ArithmeticFunc<  C,  C,  C,  C, fp16FMix>                                            },
16752                 {       "SmoothStep",                   "",                     3,      C,              C,              C,              C, &getInputDataSS,     compareFP16ArithmeticFunc<  C,  C,  C,  C, fp16SmoothStep>                                      },
16753                 {       "Fma",                                  "",                     3,      C,              C,              C,              C, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  C,  C, fp16Fma>                                                     },
16754                 {       "Length",                               "",                     1,      1,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  1,  C,  0,  0, fp16Length>                                          },
16755                 {       "Distance",                             "",                     2,      1,              C,              C,              0, &getInputData,       compareFP16ArithmeticFunc<  1,  C,  C,  0, fp16Distance>                                        },
16756                 {       "Cross",                                "",                     2,      C,              C,              C,              0, &getInputDataD,      compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16Cross>                                           },
16757                 {       "Normalize",                    "",                     1,      C,              C,              0,              0, &getInputData,       compareFP16ArithmeticFunc<  C,  C,  0,  0, fp16Normalize>                                       },
16758                 {       "FaceForward",                  "",                     3,      C,              C,              C,              C, &getInputDataD,      compareFP16ArithmeticFunc<  C,  C,  C,  C, fp16FaceForward>                                     },
16759                 {       "Reflect",                              "",                     2,      C,              C,              C,              0, &getInputDataD,      compareFP16ArithmeticFunc<  C,  C,  C,  0, fp16Reflect>                                         },
16760                 {       "Refract",                              "",                     3,      C,              C,              C,              1, &getInputDataN,      compareFP16ArithmeticFunc<  C,  C,  C,  1, fp16Refract>                                         },
16761                 {       "OpDot",                                "",                     2,      1,              C,              C,              0, &getInputDataD,      compareFP16ArithmeticFunc<  1,  C,  C,  0, fp16Dot>                                                     },
16762                 {       "OpVectorTimesScalar",  "",                     2,      C,              C,              1,              0, &getInputDataV,      compareFP16ArithmeticFunc<  C,  C,  1,  0, fp16VectorTimesScalar>                       },
16763         };
16764
16765         for (deUint32 testFuncIdx = 0; testFuncIdx < DE_LENGTH_OF_ARRAY(testFuncs); ++testFuncIdx)
16766         {
16767                 const Math16TestFunc&   testFunc                = testFuncs[testFuncIdx];
16768                 const string                    funcNameString  = testFunc.funcName;
16769
16770                 if ((C != 3) && funcNameString == "Cross")
16771                         continue;
16772
16773                 if ((C < 2) && funcNameString == "OpDot")
16774                         continue;
16775
16776                 if ((C < 2) && funcNameString == "OpVectorTimesScalar")
16777                         continue;
16778
16779                 createFloat16ArithmeticFuncTest<SpecResource>(testCtx, *testGroup.get(), C, testFunc);
16780         }
16781
16782         return testGroup.release();
16783 }
16784
16785 template<class SpecResource>
16786 tcu::TestCaseGroup* createFloat16ArithmeticSet (tcu::TestContext& testCtx)
16787 {
16788         const std::string                               testGroupName   ("arithmetic");
16789         de::MovePtr<tcu::TestCaseGroup> testGroup               (new tcu::TestCaseGroup(testCtx, testGroupName.c_str(), "Float 16 arithmetic and related tests"));
16790         const Math16TestFunc                    testFuncs[]             =
16791         {
16792                 {       "OpTranspose",                  "2x2",          1,      MAT2X2, MAT2X2, 0,              0, &getInputDataM,      compareFP16ArithmeticFunc<  4,  4,  0,  0, fp16Transpose<2,2> >                         },
16793                 {       "OpTranspose",                  "3x2",          1,      MAT2X3, MAT3X2, 0,              0, &getInputDataM,      compareFP16ArithmeticFunc<  8,  8,  0,  0, fp16Transpose<3,2> >                         },
16794                 {       "OpTranspose",                  "4x2",          1,      MAT2X4, MAT4X2, 0,              0, &getInputDataM,      compareFP16ArithmeticFunc<  8,  8,  0,  0, fp16Transpose<4,2> >                         },
16795                 {       "OpTranspose",                  "2x3",          1,      MAT3X2, MAT2X3, 0,              0, &getInputDataM,      compareFP16ArithmeticFunc<  8,  8,  0,  0, fp16Transpose<2,3> >                         },
16796                 {       "OpTranspose",                  "3x3",          1,      MAT3X3, MAT3X3, 0,              0, &getInputDataM,      compareFP16ArithmeticFunc< 16, 16,  0,  0, fp16Transpose<3,3> >                         },
16797                 {       "OpTranspose",                  "4x3",          1,      MAT3X4, MAT4X3, 0,              0, &getInputDataM,      compareFP16ArithmeticFunc< 16, 16,  0,  0, fp16Transpose<4,3> >                         },
16798                 {       "OpTranspose",                  "2x4",          1,      MAT4X2, MAT2X4, 0,              0, &getInputDataM,      compareFP16ArithmeticFunc<  8,  8,  0,  0, fp16Transpose<2,4> >                         },
16799                 {       "OpTranspose",                  "3x4",          1,      MAT4X3, MAT3X4, 0,              0, &getInputDataM,      compareFP16ArithmeticFunc< 16, 16,  0,  0, fp16Transpose<3,4> >                         },
16800                 {       "OpTranspose",                  "4x4",          1,      MAT4X4, MAT4X4, 0,              0, &getInputDataM,      compareFP16ArithmeticFunc< 16, 16,  0,  0, fp16Transpose<4,4> >                         },
16801                 {       "OpMatrixTimesScalar",  "2x2",          2,      MAT2X2, MAT2X2, 1,              0, &getInputDataD,      compareFP16ArithmeticFunc<  4,  4,  1,  0, fp16MatrixTimesScalar<2,2> >         },
16802                 {       "OpMatrixTimesScalar",  "2x3",          2,      MAT2X3, MAT2X3, 1,              0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8,  1,  0, fp16MatrixTimesScalar<2,3> >         },
16803                 {       "OpMatrixTimesScalar",  "2x4",          2,      MAT2X4, MAT2X4, 1,              0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8,  1,  0, fp16MatrixTimesScalar<2,4> >         },
16804                 {       "OpMatrixTimesScalar",  "3x2",          2,      MAT3X2, MAT3X2, 1,              0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8,  1,  0, fp16MatrixTimesScalar<3,2> >         },
16805                 {       "OpMatrixTimesScalar",  "3x3",          2,      MAT3X3, MAT3X3, 1,              0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16,  1,  0, fp16MatrixTimesScalar<3,3> >         },
16806                 {       "OpMatrixTimesScalar",  "3x4",          2,      MAT3X4, MAT3X4, 1,              0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16,  1,  0, fp16MatrixTimesScalar<3,4> >         },
16807                 {       "OpMatrixTimesScalar",  "4x2",          2,      MAT4X2, MAT4X2, 1,              0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8,  1,  0, fp16MatrixTimesScalar<4,2> >         },
16808                 {       "OpMatrixTimesScalar",  "4x3",          2,      MAT4X3, MAT4X3, 1,              0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16,  1,  0, fp16MatrixTimesScalar<4,3> >         },
16809                 {       "OpMatrixTimesScalar",  "4x4",          2,      MAT4X4, MAT4X4, 1,              0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16,  1,  0, fp16MatrixTimesScalar<4,4> >         },
16810                 {       "OpVectorTimesMatrix",  "2x2",          2,      VEC2,   VEC2,   MAT2X2, 0, &getInputDataD,      compareFP16ArithmeticFunc<  2,  2,  4,  0, fp16VectorTimesMatrix<2,2> >         },
16811                 {       "OpVectorTimesMatrix",  "2x3",          2,      VEC2,   VEC3,   MAT2X3, 0, &getInputDataD,      compareFP16ArithmeticFunc<  2,  3,  8,  0, fp16VectorTimesMatrix<2,3> >         },
16812                 {       "OpVectorTimesMatrix",  "2x4",          2,      VEC2,   VEC4,   MAT2X4, 0, &getInputDataD,      compareFP16ArithmeticFunc<  2,  4,  8,  0, fp16VectorTimesMatrix<2,4> >         },
16813                 {       "OpVectorTimesMatrix",  "3x2",          2,      VEC3,   VEC2,   MAT3X2, 0, &getInputDataD,      compareFP16ArithmeticFunc<  3,  2,  8,  0, fp16VectorTimesMatrix<3,2> >         },
16814                 {       "OpVectorTimesMatrix",  "3x3",          2,      VEC3,   VEC3,   MAT3X3, 0, &getInputDataD,      compareFP16ArithmeticFunc<  3,  3, 16,  0, fp16VectorTimesMatrix<3,3> >         },
16815                 {       "OpVectorTimesMatrix",  "3x4",          2,      VEC3,   VEC4,   MAT3X4, 0, &getInputDataD,      compareFP16ArithmeticFunc<  3,  4, 16,  0, fp16VectorTimesMatrix<3,4> >         },
16816                 {       "OpVectorTimesMatrix",  "4x2",          2,      VEC4,   VEC2,   MAT4X2, 0, &getInputDataD,      compareFP16ArithmeticFunc<  4,  2,  8,  0, fp16VectorTimesMatrix<4,2> >         },
16817                 {       "OpVectorTimesMatrix",  "4x3",          2,      VEC4,   VEC3,   MAT4X3, 0, &getInputDataD,      compareFP16ArithmeticFunc<  4,  3, 16,  0, fp16VectorTimesMatrix<4,3> >         },
16818                 {       "OpVectorTimesMatrix",  "4x4",          2,      VEC4,   VEC4,   MAT4X4, 0, &getInputDataD,      compareFP16ArithmeticFunc<  4,  4, 16,  0, fp16VectorTimesMatrix<4,4> >         },
16819                 {       "OpMatrixTimesVector",  "2x2",          2,      VEC2,   MAT2X2, VEC2,   0, &getInputDataD,      compareFP16ArithmeticFunc<  2,  4,  2,  0, fp16MatrixTimesVector<2,2> >         },
16820                 {       "OpMatrixTimesVector",  "2x3",          2,      VEC3,   MAT2X3, VEC2,   0, &getInputDataD,      compareFP16ArithmeticFunc<  3,  8,  2,  0, fp16MatrixTimesVector<2,3> >         },
16821                 {       "OpMatrixTimesVector",  "2x4",          2,      VEC4,   MAT2X4, VEC2,   0, &getInputDataD,      compareFP16ArithmeticFunc<  4,  8,  2,  0, fp16MatrixTimesVector<2,4> >         },
16822                 {       "OpMatrixTimesVector",  "3x2",          2,      VEC2,   MAT3X2, VEC3,   0, &getInputDataD,      compareFP16ArithmeticFunc<  2,  8,  3,  0, fp16MatrixTimesVector<3,2> >         },
16823                 {       "OpMatrixTimesVector",  "3x3",          2,      VEC3,   MAT3X3, VEC3,   0, &getInputDataD,      compareFP16ArithmeticFunc<  3, 16,  3,  0, fp16MatrixTimesVector<3,3> >         },
16824                 {       "OpMatrixTimesVector",  "3x4",          2,      VEC4,   MAT3X4, VEC3,   0, &getInputDataD,      compareFP16ArithmeticFunc<  4, 16,  3,  0, fp16MatrixTimesVector<3,4> >         },
16825                 {       "OpMatrixTimesVector",  "4x2",          2,      VEC2,   MAT4X2, VEC4,   0, &getInputDataD,      compareFP16ArithmeticFunc<  2,  8,  4,  0, fp16MatrixTimesVector<4,2> >         },
16826                 {       "OpMatrixTimesVector",  "4x3",          2,      VEC3,   MAT4X3, VEC4,   0, &getInputDataD,      compareFP16ArithmeticFunc<  3, 16,  4,  0, fp16MatrixTimesVector<4,3> >         },
16827                 {       "OpMatrixTimesVector",  "4x4",          2,      VEC4,   MAT4X4, VEC4,   0, &getInputDataD,      compareFP16ArithmeticFunc<  4, 16,  4,  0, fp16MatrixTimesVector<4,4> >         },
16828                 {       "OpMatrixTimesMatrix",  "2x2_2x2",      2,      MAT2X2, MAT2X2, MAT2X2, 0, &getInputDataD,      compareFP16ArithmeticFunc<  4,  4,  4,  0, fp16MatrixTimesMatrix<2,2,2,2> >     },
16829                 {       "OpMatrixTimesMatrix",  "2x2_3x2",      2,      MAT3X2, MAT2X2, MAT3X2, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  4,  8,  0, fp16MatrixTimesMatrix<2,2,3,2> >     },
16830                 {       "OpMatrixTimesMatrix",  "2x2_4x2",      2,      MAT4X2, MAT2X2, MAT4X2, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  4,  8,  0, fp16MatrixTimesMatrix<2,2,4,2> >     },
16831                 {       "OpMatrixTimesMatrix",  "2x3_2x2",      2,      MAT2X3, MAT2X3, MAT2X2, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8,  4,  0, fp16MatrixTimesMatrix<2,3,2,2> >     },
16832                 {       "OpMatrixTimesMatrix",  "2x3_3x2",      2,      MAT3X3, MAT2X3, MAT3X2, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16,  8,  8,  0, fp16MatrixTimesMatrix<2,3,3,2> >     },
16833                 {       "OpMatrixTimesMatrix",  "2x3_4x2",      2,      MAT4X3, MAT2X3, MAT4X2, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16,  8,  8,  0, fp16MatrixTimesMatrix<2,3,4,2> >     },
16834                 {       "OpMatrixTimesMatrix",  "2x4_2x2",      2,      MAT2X4, MAT2X4, MAT2X2, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8,  4,  0, fp16MatrixTimesMatrix<2,4,2,2> >     },
16835                 {       "OpMatrixTimesMatrix",  "2x4_3x2",      2,      MAT3X4, MAT2X4, MAT3X2, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16,  8,  8,  0, fp16MatrixTimesMatrix<2,4,3,2> >     },
16836                 {       "OpMatrixTimesMatrix",  "2x4_4x2",      2,      MAT4X4, MAT2X4, MAT4X2, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16,  8,  8,  0, fp16MatrixTimesMatrix<2,4,4,2> >     },
16837                 {       "OpMatrixTimesMatrix",  "3x2_2x3",      2,      MAT2X2, MAT3X2, MAT2X3, 0, &getInputDataD,      compareFP16ArithmeticFunc<  4,  8,  8,  0, fp16MatrixTimesMatrix<3,2,2,3> >     },
16838                 {       "OpMatrixTimesMatrix",  "3x2_3x3",      2,      MAT3X2, MAT3X2, MAT3X3, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8, 16,  0, fp16MatrixTimesMatrix<3,2,3,3> >     },
16839                 {       "OpMatrixTimesMatrix",  "3x2_4x3",      2,      MAT4X2, MAT3X2, MAT4X3, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8, 16,  0, fp16MatrixTimesMatrix<3,2,4,3> >     },
16840                 {       "OpMatrixTimesMatrix",  "3x3_2x3",      2,      MAT2X3, MAT3X3, MAT2X3, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8, 16,  8,  0, fp16MatrixTimesMatrix<3,3,2,3> >     },
16841                 {       "OpMatrixTimesMatrix",  "3x3_3x3",      2,      MAT3X3, MAT3X3, MAT3X3, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16, 16,  0, fp16MatrixTimesMatrix<3,3,3,3> >     },
16842                 {       "OpMatrixTimesMatrix",  "3x3_4x3",      2,      MAT4X3, MAT3X3, MAT4X3, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16, 16,  0, fp16MatrixTimesMatrix<3,3,4,3> >     },
16843                 {       "OpMatrixTimesMatrix",  "3x4_2x3",      2,      MAT2X4, MAT3X4, MAT2X3, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8, 16,  8,  0, fp16MatrixTimesMatrix<3,4,2,3> >     },
16844                 {       "OpMatrixTimesMatrix",  "3x4_3x3",      2,      MAT3X4, MAT3X4, MAT3X3, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16, 16,  0, fp16MatrixTimesMatrix<3,4,3,3> >     },
16845                 {       "OpMatrixTimesMatrix",  "3x4_4x3",      2,      MAT4X4, MAT3X4, MAT4X3, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16, 16,  0, fp16MatrixTimesMatrix<3,4,4,3> >     },
16846                 {       "OpMatrixTimesMatrix",  "4x2_2x4",      2,      MAT2X2, MAT4X2, MAT2X4, 0, &getInputDataD,      compareFP16ArithmeticFunc<  4,  8,  8,  0, fp16MatrixTimesMatrix<4,2,2,4> >     },
16847                 {       "OpMatrixTimesMatrix",  "4x2_3x4",      2,      MAT3X2, MAT4X2, MAT3X4, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8, 16,  0, fp16MatrixTimesMatrix<4,2,3,4> >     },
16848                 {       "OpMatrixTimesMatrix",  "4x2_4x4",      2,      MAT4X2, MAT4X2, MAT4X4, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  8, 16,  0, fp16MatrixTimesMatrix<4,2,4,4> >     },
16849                 {       "OpMatrixTimesMatrix",  "4x3_2x4",      2,      MAT2X3, MAT4X3, MAT2X4, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8, 16,  8,  0, fp16MatrixTimesMatrix<4,3,2,4> >     },
16850                 {       "OpMatrixTimesMatrix",  "4x3_3x4",      2,      MAT3X3, MAT4X3, MAT3X4, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16, 16,  0, fp16MatrixTimesMatrix<4,3,3,4> >     },
16851                 {       "OpMatrixTimesMatrix",  "4x3_4x4",      2,      MAT4X3, MAT4X3, MAT4X4, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16, 16,  0, fp16MatrixTimesMatrix<4,3,4,4> >     },
16852                 {       "OpMatrixTimesMatrix",  "4x4_2x4",      2,      MAT2X4, MAT4X4, MAT2X4, 0, &getInputDataD,      compareFP16ArithmeticFunc<  8, 16,  8,  0, fp16MatrixTimesMatrix<4,4,2,4> >     },
16853                 {       "OpMatrixTimesMatrix",  "4x4_3x4",      2,      MAT3X4, MAT4X4, MAT3X4, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16, 16,  0, fp16MatrixTimesMatrix<4,4,3,4> >     },
16854                 {       "OpMatrixTimesMatrix",  "4x4_4x4",      2,      MAT4X4, MAT4X4, MAT4X4, 0, &getInputDataD,      compareFP16ArithmeticFunc< 16, 16, 16,  0, fp16MatrixTimesMatrix<4,4,4,4> >     },
16855                 {       "OpOuterProduct",               "2x2",          2,      MAT2X2, VEC2,   VEC2,   0, &getInputDataD,      compareFP16ArithmeticFunc<  4,  2,  2,  0, fp16OuterProduct<2,2> >                      },
16856                 {       "OpOuterProduct",               "2x3",          2,      MAT2X3, VEC3,   VEC2,   0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  3,  2,  0, fp16OuterProduct<2,3> >                      },
16857                 {       "OpOuterProduct",               "2x4",          2,      MAT2X4, VEC4,   VEC2,   0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  4,  2,  0, fp16OuterProduct<2,4> >                      },
16858                 {       "OpOuterProduct",               "3x2",          2,      MAT3X2, VEC2,   VEC3,   0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  2,  3,  0, fp16OuterProduct<3,2> >                      },
16859                 {       "OpOuterProduct",               "3x3",          2,      MAT3X3, VEC3,   VEC3,   0, &getInputDataD,      compareFP16ArithmeticFunc< 16,  3,  3,  0, fp16OuterProduct<3,3> >                      },
16860                 {       "OpOuterProduct",               "3x4",          2,      MAT3X4, VEC4,   VEC3,   0, &getInputDataD,      compareFP16ArithmeticFunc< 16,  4,  3,  0, fp16OuterProduct<3,4> >                      },
16861                 {       "OpOuterProduct",               "4x2",          2,      MAT4X2, VEC2,   VEC4,   0, &getInputDataD,      compareFP16ArithmeticFunc<  8,  2,  4,  0, fp16OuterProduct<4,2> >                      },
16862                 {       "OpOuterProduct",               "4x3",          2,      MAT4X3, VEC3,   VEC4,   0, &getInputDataD,      compareFP16ArithmeticFunc< 16,  3,  4,  0, fp16OuterProduct<4,3> >                      },
16863                 {       "OpOuterProduct",               "4x4",          2,      MAT4X4, VEC4,   VEC4,   0, &getInputDataD,      compareFP16ArithmeticFunc< 16,  4,  4,  0, fp16OuterProduct<4,4> >                      },
16864                 {       "Determinant",                  "2x2",          1,      SCALAR, MAT2X2, NONE,   0, &getInputDataC,      compareFP16ArithmeticFunc<  1,  4,  0,  0, fp16Determinant<2> >                         },
16865                 {       "Determinant",                  "3x3",          1,      SCALAR, MAT3X3, NONE,   0, &getInputDataC,      compareFP16ArithmeticFunc<  1, 16,  0,  0, fp16Determinant<3> >                         },
16866                 {       "Determinant",                  "4x4",          1,      SCALAR, MAT4X4, NONE,   0, &getInputDataC,      compareFP16ArithmeticFunc<  1, 16,  0,  0, fp16Determinant<4> >                         },
16867                 {       "MatrixInverse",                "2x2",          1,      MAT2X2, MAT2X2, NONE,   0, &getInputDataC,      compareFP16ArithmeticFunc<  4,  4,  0,  0, fp16Inverse<2> >                                     },
16868         };
16869
16870         for (deUint32 testFuncIdx = 0; testFuncIdx < DE_LENGTH_OF_ARRAY(testFuncs); ++testFuncIdx)
16871         {
16872                 const Math16TestFunc&   testFunc        = testFuncs[testFuncIdx];
16873
16874                 createFloat16ArithmeticFuncTest<SpecResource>(testCtx, *testGroup.get(), 0, testFunc);
16875         }
16876
16877         return testGroup.release();
16878 }
16879
16880 const string getNumberTypeName (const NumberType type)
16881 {
16882         if (type == NUMBERTYPE_INT32)
16883         {
16884                 return "int";
16885         }
16886         else if (type == NUMBERTYPE_UINT32)
16887         {
16888                 return "uint";
16889         }
16890         else if (type == NUMBERTYPE_FLOAT32)
16891         {
16892                 return "float";
16893         }
16894         else
16895         {
16896                 DE_ASSERT(false);
16897                 return "";
16898         }
16899 }
16900
16901 deInt32 getInt(de::Random& rnd)
16902 {
16903         return rnd.getInt(std::numeric_limits<int>::min(), std::numeric_limits<int>::max());
16904 }
16905
16906 const string repeatString (const string& str, int times)
16907 {
16908         string filler;
16909         for (int i = 0; i < times; ++i)
16910         {
16911                 filler += str;
16912         }
16913         return filler;
16914 }
16915
16916 const string getRandomConstantString (const NumberType type, de::Random& rnd)
16917 {
16918         if (type == NUMBERTYPE_INT32)
16919         {
16920                 return numberToString<deInt32>(getInt(rnd));
16921         }
16922         else if (type == NUMBERTYPE_UINT32)
16923         {
16924                 return numberToString<deUint32>(rnd.getUint32());
16925         }
16926         else if (type == NUMBERTYPE_FLOAT32)
16927         {
16928                 return numberToString<float>(rnd.getFloat());
16929         }
16930         else
16931         {
16932                 DE_ASSERT(false);
16933                 return "";
16934         }
16935 }
16936
16937 void createVectorCompositeCases (vector<map<string, string> >& testCases, de::Random& rnd, const NumberType type)
16938 {
16939         map<string, string> params;
16940
16941         // Vec2 to Vec4
16942         for (int width = 2; width <= 4; ++width)
16943         {
16944                 const string randomConst = numberToString(getInt(rnd));
16945                 const string widthStr = numberToString(width);
16946                 const string composite_type = "${customType}vec" + widthStr;
16947                 const int index = rnd.getInt(0, width-1);
16948
16949                 params["type"]                  = "vec";
16950                 params["name"]                  = params["type"] + "_" + widthStr;
16951                 params["compositeDecl"]         = composite_type + " = OpTypeVector ${customType} " + widthStr +"\n";
16952                 params["compositeType"]         = composite_type;
16953                 params["filler"]                = string("%filler    = OpConstant ${customType} ") + getRandomConstantString(type, rnd) + "\n";
16954                 params["compositeConstruct"]    = "%instance  = OpCompositeConstruct " + composite_type + repeatString(" %filler", width) + "\n";
16955                 params["indexes"]               = numberToString(index);
16956                 testCases.push_back(params);
16957         }
16958 }
16959
16960 void createArrayCompositeCases (vector<map<string, string> >& testCases, de::Random& rnd, const NumberType type)
16961 {
16962         const int limit = 10;
16963         map<string, string> params;
16964
16965         for (int width = 2; width <= limit; ++width)
16966         {
16967                 string randomConst = numberToString(getInt(rnd));
16968                 string widthStr = numberToString(width);
16969                 int index = rnd.getInt(0, width-1);
16970
16971                 params["type"]                  = "array";
16972                 params["name"]                  = params["type"] + "_" + widthStr;
16973                 params["compositeDecl"]         = string("%arraywidth = OpConstant %u32 " + widthStr + "\n")
16974                                                                                         +        "%composite = OpTypeArray ${customType} %arraywidth\n";
16975                 params["compositeType"]         = "%composite";
16976                 params["filler"]                = string("%filler    = OpConstant ${customType} ") + getRandomConstantString(type, rnd) + "\n";
16977                 params["compositeConstruct"]    = "%instance  = OpCompositeConstruct %composite" + repeatString(" %filler", width) + "\n";
16978                 params["indexes"]               = numberToString(index);
16979                 testCases.push_back(params);
16980         }
16981 }
16982
16983 void createStructCompositeCases (vector<map<string, string> >& testCases, de::Random& rnd, const NumberType type)
16984 {
16985         const int limit = 10;
16986         map<string, string> params;
16987
16988         for (int width = 2; width <= limit; ++width)
16989         {
16990                 string randomConst = numberToString(getInt(rnd));
16991                 int index = rnd.getInt(0, width-1);
16992
16993                 params["type"]                  = "struct";
16994                 params["name"]                  = params["type"] + "_" + numberToString(width);
16995                 params["compositeDecl"]         = "%composite = OpTypeStruct" + repeatString(" ${customType}", width) + "\n";
16996                 params["compositeType"]         = "%composite";
16997                 params["filler"]                = string("%filler    = OpConstant ${customType} ") + getRandomConstantString(type, rnd) + "\n";
16998                 params["compositeConstruct"]    = "%instance  = OpCompositeConstruct %composite" + repeatString(" %filler", width) + "\n";
16999                 params["indexes"]               = numberToString(index);
17000                 testCases.push_back(params);
17001         }
17002 }
17003
17004 void createMatrixCompositeCases (vector<map<string, string> >& testCases, de::Random& rnd, const NumberType type)
17005 {
17006         map<string, string> params;
17007
17008         // Vec2 to Vec4
17009         for (int width = 2; width <= 4; ++width)
17010         {
17011                 string widthStr = numberToString(width);
17012
17013                 for (int column = 2 ; column <= 4; ++column)
17014                 {
17015                         int index_0 = rnd.getInt(0, column-1);
17016                         int index_1 = rnd.getInt(0, width-1);
17017                         string columnStr = numberToString(column);
17018
17019                         params["type"]          = "matrix";
17020                         params["name"]          = params["type"] + "_" + widthStr + "x" + columnStr;
17021                         params["compositeDecl"] = string("%vectype   = OpTypeVector ${customType} " + widthStr + "\n")
17022                                                                                                 +        "%composite = OpTypeMatrix %vectype " + columnStr + "\n";
17023                         params["compositeType"] = "%composite";
17024
17025                         params["filler"]        = string("%filler    = OpConstant ${customType} ") + getRandomConstantString(type, rnd) + "\n"
17026                                                                                                 +        "%fillerVec = OpConstantComposite %vectype" + repeatString(" %filler", width) + "\n";
17027
17028                         params["compositeConstruct"]    = "%instance  = OpCompositeConstruct %composite" + repeatString(" %fillerVec", column) + "\n";
17029                         params["indexes"]       = numberToString(index_0) + " " + numberToString(index_1);
17030                         testCases.push_back(params);
17031                 }
17032         }
17033 }
17034
17035 void createCompositeCases (vector<map<string, string> >& testCases, de::Random& rnd, const NumberType type)
17036 {
17037         createVectorCompositeCases(testCases, rnd, type);
17038         createArrayCompositeCases(testCases, rnd, type);
17039         createStructCompositeCases(testCases, rnd, type);
17040         // Matrix only supports float types
17041         if (type == NUMBERTYPE_FLOAT32)
17042         {
17043                 createMatrixCompositeCases(testCases, rnd, type);
17044         }
17045 }
17046
17047 const string getAssemblyTypeDeclaration (const NumberType type)
17048 {
17049         switch (type)
17050         {
17051                 case NUMBERTYPE_INT32:          return "OpTypeInt 32 1";
17052                 case NUMBERTYPE_UINT32:         return "OpTypeInt 32 0";
17053                 case NUMBERTYPE_FLOAT32:        return "OpTypeFloat 32";
17054                 default:                        DE_ASSERT(false); return "";
17055         }
17056 }
17057
17058 const string getAssemblyTypeName (const NumberType type)
17059 {
17060         switch (type)
17061         {
17062                 case NUMBERTYPE_INT32:          return "%i32";
17063                 case NUMBERTYPE_UINT32:         return "%u32";
17064                 case NUMBERTYPE_FLOAT32:        return "%f32";
17065                 default:                        DE_ASSERT(false); return "";
17066         }
17067 }
17068
17069 const string specializeCompositeInsertShaderTemplate (const NumberType type, const map<string, string>& params)
17070 {
17071         map<string, string>     parameters(params);
17072
17073         const string customType = getAssemblyTypeName(type);
17074         map<string, string> substCustomType;
17075         substCustomType["customType"] = customType;
17076         parameters["compositeDecl"] = StringTemplate(parameters.at("compositeDecl")).specialize(substCustomType);
17077         parameters["compositeType"] = StringTemplate(parameters.at("compositeType")).specialize(substCustomType);
17078         parameters["compositeConstruct"] = StringTemplate(parameters.at("compositeConstruct")).specialize(substCustomType);
17079         parameters["filler"] = StringTemplate(parameters.at("filler")).specialize(substCustomType);
17080         parameters["customType"] = customType;
17081         parameters["compositeDecorator"] = (parameters["type"] == "array") ? "OpDecorate %composite ArrayStride 4\n" : "";
17082
17083         if (parameters.at("compositeType") != "%u32vec3")
17084         {
17085                 parameters["u32vec3Decl"] = "%u32vec3   = OpTypeVector %u32 3\n";
17086         }
17087
17088         return StringTemplate(
17089                 "OpCapability Shader\n"
17090                 "OpCapability Matrix\n"
17091                 "OpMemoryModel Logical GLSL450\n"
17092                 "OpEntryPoint GLCompute %main \"main\" %id\n"
17093                 "OpExecutionMode %main LocalSize 1 1 1\n"
17094
17095                 "OpSource GLSL 430\n"
17096                 "OpName %main           \"main\"\n"
17097                 "OpName %id             \"gl_GlobalInvocationID\"\n"
17098
17099                 // Decorators
17100                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
17101                 "OpDecorate %buf BufferBlock\n"
17102                 "OpDecorate %indata DescriptorSet 0\n"
17103                 "OpDecorate %indata Binding 0\n"
17104                 "OpDecorate %outdata DescriptorSet 0\n"
17105                 "OpDecorate %outdata Binding 1\n"
17106                 "OpDecorate %customarr ArrayStride 4\n"
17107                 "${compositeDecorator}"
17108                 "OpMemberDecorate %buf 0 Offset 0\n"
17109
17110                 // General types
17111                 "%void      = OpTypeVoid\n"
17112                 "%voidf     = OpTypeFunction %void\n"
17113                 "%u32       = OpTypeInt 32 0\n"
17114                 "%i32       = OpTypeInt 32 1\n"
17115                 "%f32       = OpTypeFloat 32\n"
17116
17117                 // Composite declaration
17118                 "${compositeDecl}"
17119
17120                 // Constants
17121                 "${filler}"
17122
17123                 "${u32vec3Decl:opt}"
17124                 "%uvec3ptr  = OpTypePointer Input %u32vec3\n"
17125
17126                 // Inherited from custom
17127                 "%customptr = OpTypePointer Uniform ${customType}\n"
17128                 "%customarr = OpTypeRuntimeArray ${customType}\n"
17129                 "%buf       = OpTypeStruct %customarr\n"
17130                 "%bufptr    = OpTypePointer Uniform %buf\n"
17131
17132                 "%indata    = OpVariable %bufptr Uniform\n"
17133                 "%outdata   = OpVariable %bufptr Uniform\n"
17134
17135                 "%id        = OpVariable %uvec3ptr Input\n"
17136                 "%zero      = OpConstant %i32 0\n"
17137
17138                 "%main      = OpFunction %void None %voidf\n"
17139                 "%label     = OpLabel\n"
17140                 "%idval     = OpLoad %u32vec3 %id\n"
17141                 "%x         = OpCompositeExtract %u32 %idval 0\n"
17142
17143                 "%inloc     = OpAccessChain %customptr %indata %zero %x\n"
17144                 "%outloc    = OpAccessChain %customptr %outdata %zero %x\n"
17145                 // Read the input value
17146                 "%inval     = OpLoad ${customType} %inloc\n"
17147                 // Create the composite and fill it
17148                 "${compositeConstruct}"
17149                 // Insert the input value to a place
17150                 "%instance2 = OpCompositeInsert ${compositeType} %inval %instance ${indexes}\n"
17151                 // Read back the value from the position
17152                 "%out_val   = OpCompositeExtract ${customType} %instance2 ${indexes}\n"
17153                 // Store it in the output position
17154                 "             OpStore %outloc %out_val\n"
17155                 "             OpReturn\n"
17156                 "             OpFunctionEnd\n"
17157         ).specialize(parameters);
17158 }
17159
17160 template<typename T>
17161 BufferSp createCompositeBuffer(T number)
17162 {
17163         return BufferSp(new Buffer<T>(vector<T>(1, number)));
17164 }
17165
17166 tcu::TestCaseGroup* createOpCompositeInsertGroup (tcu::TestContext& testCtx)
17167 {
17168         de::MovePtr<tcu::TestCaseGroup> group   (new tcu::TestCaseGroup(testCtx, "opcompositeinsert", "Test the OpCompositeInsert instruction"));
17169         de::Random                                              rnd             (deStringHash(group->getName()));
17170
17171         for (int type = NUMBERTYPE_INT32; type != NUMBERTYPE_END32; ++type)
17172         {
17173                 NumberType                                              numberType              = NumberType(type);
17174                 const string                                    typeName                = getNumberTypeName(numberType);
17175                 const string                                    description             = "Test the OpCompositeInsert instruction with " + typeName + "s";
17176                 de::MovePtr<tcu::TestCaseGroup> subGroup                (new tcu::TestCaseGroup(testCtx, typeName.c_str(), description.c_str()));
17177                 vector<map<string, string> >    testCases;
17178
17179                 createCompositeCases(testCases, rnd, numberType);
17180
17181                 for (vector<map<string, string> >::const_iterator test = testCases.begin(); test != testCases.end(); ++test)
17182                 {
17183                         ComputeShaderSpec       spec;
17184
17185                         spec.assembly = specializeCompositeInsertShaderTemplate(numberType, *test);
17186
17187                         switch (numberType)
17188                         {
17189                                 case NUMBERTYPE_INT32:
17190                                 {
17191                                         deInt32 number = getInt(rnd);
17192                                         spec.inputs.push_back(createCompositeBuffer<deInt32>(number));
17193                                         spec.outputs.push_back(createCompositeBuffer<deInt32>(number));
17194                                         break;
17195                                 }
17196                                 case NUMBERTYPE_UINT32:
17197                                 {
17198                                         deUint32 number = rnd.getUint32();
17199                                         spec.inputs.push_back(createCompositeBuffer<deUint32>(number));
17200                                         spec.outputs.push_back(createCompositeBuffer<deUint32>(number));
17201                                         break;
17202                                 }
17203                                 case NUMBERTYPE_FLOAT32:
17204                                 {
17205                                         float number = rnd.getFloat();
17206                                         spec.inputs.push_back(createCompositeBuffer<float>(number));
17207                                         spec.outputs.push_back(createCompositeBuffer<float>(number));
17208                                         break;
17209                                 }
17210                                 default:
17211                                         DE_ASSERT(false);
17212                         }
17213
17214                         spec.numWorkGroups = IVec3(1, 1, 1);
17215                         subGroup->addChild(new SpvAsmComputeShaderCase(testCtx, test->at("name").c_str(), "OpCompositeInsert test", spec));
17216                 }
17217                 group->addChild(subGroup.release());
17218         }
17219         return group.release();
17220 }
17221
17222 struct AssemblyStructInfo
17223 {
17224         AssemblyStructInfo (const deUint32 comp, const deUint32 idx)
17225         : components    (comp)
17226         , index                 (idx)
17227         {}
17228
17229         deUint32 components;
17230         deUint32 index;
17231 };
17232
17233 const string specializeInBoundsShaderTemplate (const NumberType type, const AssemblyStructInfo& structInfo, const map<string, string>& params)
17234 {
17235         // Create the full index string
17236         string                          fullIndex       = numberToString(structInfo.index) + " " + params.at("indexes");
17237         // Convert it to list of indexes
17238         vector<string>          indexes         = de::splitString(fullIndex, ' ');
17239
17240         map<string, string>     parameters      (params);
17241         parameters["structType"]        = repeatString(" ${compositeType}", structInfo.components);
17242         parameters["structConstruct"]   = repeatString(" %instance", structInfo.components);
17243         parameters["insertIndexes"]     = fullIndex;
17244
17245         // In matrix cases the last two index is the CompositeExtract indexes
17246         const deUint32 extractIndexes = (parameters["type"] == "matrix") ? 2 : 1;
17247
17248         // Construct the extractIndex
17249         for (vector<string>::const_iterator index = indexes.end() - extractIndexes; index != indexes.end(); ++index)
17250         {
17251                 parameters["extractIndexes"] += " " + *index;
17252         }
17253
17254         // Remove the last 1 or 2 element depends on matrix case or not
17255         indexes.erase(indexes.end() - extractIndexes, indexes.end());
17256
17257         deUint32 id = 0;
17258         // Generate AccessChain index expressions (except for the last one, because we use ptr to the composite)
17259         for (vector<string>::const_iterator index = indexes.begin(); index != indexes.end(); ++index)
17260         {
17261                 string indexId = "%index_" + numberToString(id++);
17262                 parameters["accessChainConstDeclaration"] += indexId + "   = OpConstant %u32 " + *index + "\n";
17263                 parameters["accessChainIndexes"] += " " + indexId;
17264         }
17265
17266         parameters["compositeDecorator"] = (parameters["type"] == "array") ? "OpDecorate %composite ArrayStride 4\n" : "";
17267
17268         const string customType = getAssemblyTypeName(type);
17269         map<string, string> substCustomType;
17270         substCustomType["customType"] = customType;
17271         parameters["compositeDecl"] = StringTemplate(parameters.at("compositeDecl")).specialize(substCustomType);
17272         parameters["compositeType"] = StringTemplate(parameters.at("compositeType")).specialize(substCustomType);
17273         parameters["compositeConstruct"] = StringTemplate(parameters.at("compositeConstruct")).specialize(substCustomType);
17274         parameters["filler"] = StringTemplate(parameters.at("filler")).specialize(substCustomType);
17275         parameters["customType"] = customType;
17276
17277         const string compositeType = parameters.at("compositeType");
17278         map<string, string> substCompositeType;
17279         substCompositeType["compositeType"] = compositeType;
17280         parameters["structType"] = StringTemplate(parameters.at("structType")).specialize(substCompositeType);
17281         if (compositeType != "%u32vec3")
17282         {
17283                 parameters["u32vec3Decl"] = "%u32vec3   = OpTypeVector %u32 3\n";
17284         }
17285
17286         return StringTemplate(
17287                 "OpCapability Shader\n"
17288                 "OpCapability Matrix\n"
17289                 "OpMemoryModel Logical GLSL450\n"
17290                 "OpEntryPoint GLCompute %main \"main\" %id\n"
17291                 "OpExecutionMode %main LocalSize 1 1 1\n"
17292
17293                 "OpSource GLSL 430\n"
17294                 "OpName %main           \"main\"\n"
17295                 "OpName %id             \"gl_GlobalInvocationID\"\n"
17296                 // Decorators
17297                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
17298                 "OpDecorate %buf BufferBlock\n"
17299                 "OpDecorate %indata DescriptorSet 0\n"
17300                 "OpDecorate %indata Binding 0\n"
17301                 "OpDecorate %outdata DescriptorSet 0\n"
17302                 "OpDecorate %outdata Binding 1\n"
17303                 "OpDecorate %customarr ArrayStride 4\n"
17304                 "${compositeDecorator}"
17305                 "OpMemberDecorate %buf 0 Offset 0\n"
17306                 // General types
17307                 "%void      = OpTypeVoid\n"
17308                 "%voidf     = OpTypeFunction %void\n"
17309                 "%i32       = OpTypeInt 32 1\n"
17310                 "%u32       = OpTypeInt 32 0\n"
17311                 "%f32       = OpTypeFloat 32\n"
17312                 // Custom types
17313                 "${compositeDecl}"
17314                 // %u32vec3 if not already declared in ${compositeDecl}
17315                 "${u32vec3Decl:opt}"
17316                 "%uvec3ptr  = OpTypePointer Input %u32vec3\n"
17317                 // Inherited from composite
17318                 "%composite_p = OpTypePointer Function ${compositeType}\n"
17319                 "%struct_t  = OpTypeStruct${structType}\n"
17320                 "%struct_p  = OpTypePointer Function %struct_t\n"
17321                 // Constants
17322                 "${filler}"
17323                 "${accessChainConstDeclaration}"
17324                 // Inherited from custom
17325                 "%customptr = OpTypePointer Uniform ${customType}\n"
17326                 "%customarr = OpTypeRuntimeArray ${customType}\n"
17327                 "%buf       = OpTypeStruct %customarr\n"
17328                 "%bufptr    = OpTypePointer Uniform %buf\n"
17329                 "%indata    = OpVariable %bufptr Uniform\n"
17330                 "%outdata   = OpVariable %bufptr Uniform\n"
17331
17332                 "%id        = OpVariable %uvec3ptr Input\n"
17333                 "%zero      = OpConstant %u32 0\n"
17334                 "%main      = OpFunction %void None %voidf\n"
17335                 "%label     = OpLabel\n"
17336                 "%struct_v  = OpVariable %struct_p Function\n"
17337                 "%idval     = OpLoad %u32vec3 %id\n"
17338                 "%x         = OpCompositeExtract %u32 %idval 0\n"
17339                 // Create the input/output type
17340                 "%inloc     = OpInBoundsAccessChain %customptr %indata %zero %x\n"
17341                 "%outloc    = OpInBoundsAccessChain %customptr %outdata %zero %x\n"
17342                 // Read the input value
17343                 "%inval     = OpLoad ${customType} %inloc\n"
17344                 // Create the composite and fill it
17345                 "${compositeConstruct}"
17346                 // Create the struct and fill it with the composite
17347                 "%struct    = OpCompositeConstruct %struct_t${structConstruct}\n"
17348                 // Insert the value
17349                 "%comp_obj  = OpCompositeInsert %struct_t %inval %struct ${insertIndexes}\n"
17350                 // Store the object
17351                 "             OpStore %struct_v %comp_obj\n"
17352                 // Get deepest possible composite pointer
17353                 "%inner_ptr = OpInBoundsAccessChain %composite_p %struct_v${accessChainIndexes}\n"
17354                 "%read_obj  = OpLoad ${compositeType} %inner_ptr\n"
17355                 // Read back the stored value
17356                 "%read_val  = OpCompositeExtract ${customType} %read_obj${extractIndexes}\n"
17357                 "             OpStore %outloc %read_val\n"
17358                 "             OpReturn\n"
17359                 "             OpFunctionEnd\n"
17360         ).specialize(parameters);
17361 }
17362
17363 tcu::TestCaseGroup* createOpInBoundsAccessChainGroup (tcu::TestContext& testCtx)
17364 {
17365         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "opinboundsaccesschain", "Test the OpInBoundsAccessChain instruction"));
17366         de::Random                                              rnd                             (deStringHash(group->getName()));
17367
17368         for (int type = NUMBERTYPE_INT32; type != NUMBERTYPE_END32; ++type)
17369         {
17370                 NumberType                                              numberType      = NumberType(type);
17371                 const string                                    typeName        = getNumberTypeName(numberType);
17372                 const string                                    description     = "Test the OpInBoundsAccessChain instruction with " + typeName + "s";
17373                 de::MovePtr<tcu::TestCaseGroup> subGroup        (new tcu::TestCaseGroup(testCtx, typeName.c_str(), description.c_str()));
17374
17375                 vector<map<string, string> >    testCases;
17376                 createCompositeCases(testCases, rnd, numberType);
17377
17378                 for (vector<map<string, string> >::const_iterator test = testCases.begin(); test != testCases.end(); ++test)
17379                 {
17380                         ComputeShaderSpec       spec;
17381
17382                         // Number of components inside of a struct
17383                         deUint32 structComponents = rnd.getInt(2, 8);
17384                         // Component index value
17385                         deUint32 structIndex = rnd.getInt(0, structComponents - 1);
17386                         AssemblyStructInfo structInfo(structComponents, structIndex);
17387
17388                         spec.assembly = specializeInBoundsShaderTemplate(numberType, structInfo, *test);
17389
17390                         switch (numberType)
17391                         {
17392                                 case NUMBERTYPE_INT32:
17393                                 {
17394                                         deInt32 number = getInt(rnd);
17395                                         spec.inputs.push_back(createCompositeBuffer<deInt32>(number));
17396                                         spec.outputs.push_back(createCompositeBuffer<deInt32>(number));
17397                                         break;
17398                                 }
17399                                 case NUMBERTYPE_UINT32:
17400                                 {
17401                                         deUint32 number = rnd.getUint32();
17402                                         spec.inputs.push_back(createCompositeBuffer<deUint32>(number));
17403                                         spec.outputs.push_back(createCompositeBuffer<deUint32>(number));
17404                                         break;
17405                                 }
17406                                 case NUMBERTYPE_FLOAT32:
17407                                 {
17408                                         float number = rnd.getFloat();
17409                                         spec.inputs.push_back(createCompositeBuffer<float>(number));
17410                                         spec.outputs.push_back(createCompositeBuffer<float>(number));
17411                                         break;
17412                                 }
17413                                 default:
17414                                         DE_ASSERT(false);
17415                         }
17416                         spec.numWorkGroups = IVec3(1, 1, 1);
17417                         subGroup->addChild(new SpvAsmComputeShaderCase(testCtx, test->at("name").c_str(), "OpInBoundsAccessChain test", spec));
17418                 }
17419                 group->addChild(subGroup.release());
17420         }
17421         return group.release();
17422 }
17423
17424 // If the params missing, uninitialized case
17425 const string specializeDefaultOutputShaderTemplate (const NumberType type, const map<string, string>& params = map<string, string>())
17426 {
17427         map<string, string> parameters(params);
17428
17429         parameters["customType"]        = getAssemblyTypeName(type);
17430
17431         // Declare the const value, and use it in the initializer
17432         if (params.find("constValue") != params.end())
17433         {
17434                 parameters["variableInitializer"]       = " %const";
17435         }
17436         // Uninitialized case
17437         else
17438         {
17439                 parameters["commentDecl"]       = ";";
17440         }
17441
17442         return StringTemplate(
17443                 "OpCapability Shader\n"
17444                 "OpMemoryModel Logical GLSL450\n"
17445                 "OpEntryPoint GLCompute %main \"main\" %id\n"
17446                 "OpExecutionMode %main LocalSize 1 1 1\n"
17447                 "OpSource GLSL 430\n"
17448                 "OpName %main           \"main\"\n"
17449                 "OpName %id             \"gl_GlobalInvocationID\"\n"
17450                 // Decorators
17451                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
17452                 "OpDecorate %indata DescriptorSet 0\n"
17453                 "OpDecorate %indata Binding 0\n"
17454                 "OpDecorate %outdata DescriptorSet 0\n"
17455                 "OpDecorate %outdata Binding 1\n"
17456                 "OpDecorate %in_arr ArrayStride 4\n"
17457                 "OpDecorate %in_buf BufferBlock\n"
17458                 "OpMemberDecorate %in_buf 0 Offset 0\n"
17459                 // Base types
17460                 "%void       = OpTypeVoid\n"
17461                 "%voidf      = OpTypeFunction %void\n"
17462                 "%u32        = OpTypeInt 32 0\n"
17463                 "%i32        = OpTypeInt 32 1\n"
17464                 "%f32        = OpTypeFloat 32\n"
17465                 "%uvec3      = OpTypeVector %u32 3\n"
17466                 "%uvec3ptr   = OpTypePointer Input %uvec3\n"
17467                 "${commentDecl:opt}%const      = OpConstant ${customType} ${constValue:opt}\n"
17468                 // Derived types
17469                 "%in_ptr     = OpTypePointer Uniform ${customType}\n"
17470                 "%in_arr     = OpTypeRuntimeArray ${customType}\n"
17471                 "%in_buf     = OpTypeStruct %in_arr\n"
17472                 "%in_bufptr  = OpTypePointer Uniform %in_buf\n"
17473                 "%indata     = OpVariable %in_bufptr Uniform\n"
17474                 "%outdata    = OpVariable %in_bufptr Uniform\n"
17475                 "%id         = OpVariable %uvec3ptr Input\n"
17476                 "%var_ptr    = OpTypePointer Function ${customType}\n"
17477                 // Constants
17478                 "%zero       = OpConstant %i32 0\n"
17479                 // Main function
17480                 "%main       = OpFunction %void None %voidf\n"
17481                 "%label      = OpLabel\n"
17482                 "%out_var    = OpVariable %var_ptr Function${variableInitializer:opt}\n"
17483                 "%idval      = OpLoad %uvec3 %id\n"
17484                 "%x          = OpCompositeExtract %u32 %idval 0\n"
17485                 "%inloc      = OpAccessChain %in_ptr %indata %zero %x\n"
17486                 "%outloc     = OpAccessChain %in_ptr %outdata %zero %x\n"
17487
17488                 "%outval     = OpLoad ${customType} %out_var\n"
17489                 "              OpStore %outloc %outval\n"
17490                 "              OpReturn\n"
17491                 "              OpFunctionEnd\n"
17492         ).specialize(parameters);
17493 }
17494
17495 bool compareFloats (const std::vector<Resource>&, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog& log)
17496 {
17497         DE_ASSERT(outputAllocs.size() != 0);
17498         DE_ASSERT(outputAllocs.size() == expectedOutputs.size());
17499
17500         // Use custom epsilon because of the float->string conversion
17501         const float     epsilon = 0.00001f;
17502
17503         for (size_t outputNdx = 0; outputNdx < outputAllocs.size(); ++outputNdx)
17504         {
17505                 vector<deUint8> expectedBytes;
17506                 float                   expected;
17507                 float                   actual;
17508
17509                 expectedOutputs[outputNdx].getBytes(expectedBytes);
17510                 memcpy(&expected, &expectedBytes.front(), expectedBytes.size());
17511                 memcpy(&actual, outputAllocs[outputNdx]->getHostPtr(), expectedBytes.size());
17512
17513                 // Test with epsilon
17514                 if (fabs(expected - actual) > epsilon)
17515                 {
17516                         log << TestLog::Message << "Error: The actual and expected values not matching."
17517                                 << " Expected: " << expected << " Actual: " << actual << " Epsilon: " << epsilon << TestLog::EndMessage;
17518                         return false;
17519                 }
17520         }
17521         return true;
17522 }
17523
17524 // Checks if the driver crash with uninitialized cases
17525 bool passthruVerify (const std::vector<Resource>&, const vector<AllocationSp>& outputAllocs, const std::vector<Resource>& expectedOutputs, TestLog&)
17526 {
17527         DE_ASSERT(outputAllocs.size() != 0);
17528         DE_ASSERT(outputAllocs.size() == expectedOutputs.size());
17529
17530         // Copy and discard the result.
17531         for (size_t outputNdx = 0; outputNdx < outputAllocs.size(); ++outputNdx)
17532         {
17533                 vector<deUint8> expectedBytes;
17534                 expectedOutputs[outputNdx].getBytes(expectedBytes);
17535
17536                 const size_t    width                   = expectedBytes.size();
17537                 vector<char>    data                    (width);
17538
17539                 memcpy(&data[0], outputAllocs[outputNdx]->getHostPtr(), width);
17540         }
17541         return true;
17542 }
17543
17544 tcu::TestCaseGroup* createShaderDefaultOutputGroup (tcu::TestContext& testCtx)
17545 {
17546         de::MovePtr<tcu::TestCaseGroup> group   (new tcu::TestCaseGroup(testCtx, "shader_default_output", "Test shader default output."));
17547         de::Random                                              rnd             (deStringHash(group->getName()));
17548
17549         for (int type = NUMBERTYPE_INT32; type != NUMBERTYPE_END32; ++type)
17550         {
17551                 NumberType                                              numberType      = NumberType(type);
17552                 const string                                    typeName        = getNumberTypeName(numberType);
17553                 const string                                    description     = "Test the OpVariable initializer with " + typeName + ".";
17554                 de::MovePtr<tcu::TestCaseGroup> subGroup        (new tcu::TestCaseGroup(testCtx, typeName.c_str(), description.c_str()));
17555
17556                 // 2 similar subcases (initialized and uninitialized)
17557                 for (int subCase = 0; subCase < 2; ++subCase)
17558                 {
17559                         ComputeShaderSpec spec;
17560                         spec.numWorkGroups = IVec3(1, 1, 1);
17561
17562                         map<string, string>                             params;
17563
17564                         switch (numberType)
17565                         {
17566                                 case NUMBERTYPE_INT32:
17567                                 {
17568                                         deInt32 number = getInt(rnd);
17569                                         spec.inputs.push_back(createCompositeBuffer<deInt32>(number));
17570                                         spec.outputs.push_back(createCompositeBuffer<deInt32>(number));
17571                                         params["constValue"] = numberToString(number);
17572                                         break;
17573                                 }
17574                                 case NUMBERTYPE_UINT32:
17575                                 {
17576                                         deUint32 number = rnd.getUint32();
17577                                         spec.inputs.push_back(createCompositeBuffer<deUint32>(number));
17578                                         spec.outputs.push_back(createCompositeBuffer<deUint32>(number));
17579                                         params["constValue"] = numberToString(number);
17580                                         break;
17581                                 }
17582                                 case NUMBERTYPE_FLOAT32:
17583                                 {
17584                                         float number = rnd.getFloat();
17585                                         spec.inputs.push_back(createCompositeBuffer<float>(number));
17586                                         spec.outputs.push_back(createCompositeBuffer<float>(number));
17587                                         spec.verifyIO = &compareFloats;
17588                                         params["constValue"] = numberToString(number);
17589                                         break;
17590                                 }
17591                                 default:
17592                                         DE_ASSERT(false);
17593                         }
17594
17595                         // Initialized subcase
17596                         if (!subCase)
17597                         {
17598                                 spec.assembly = specializeDefaultOutputShaderTemplate(numberType, params);
17599                                 subGroup->addChild(new SpvAsmComputeShaderCase(testCtx, "initialized", "OpVariable initializer tests.", spec));
17600                         }
17601                         // Uninitialized subcase
17602                         else
17603                         {
17604                                 spec.assembly = specializeDefaultOutputShaderTemplate(numberType);
17605                                 spec.verifyIO = &passthruVerify;
17606                                 subGroup->addChild(new SpvAsmComputeShaderCase(testCtx, "uninitialized", "OpVariable initializer tests.", spec));
17607                         }
17608                 }
17609                 group->addChild(subGroup.release());
17610         }
17611         return group.release();
17612 }
17613
17614 tcu::TestCaseGroup* createOpNopTests (tcu::TestContext& testCtx)
17615 {
17616         de::MovePtr<tcu::TestCaseGroup> testGroup (new tcu::TestCaseGroup(testCtx, "opnop", "Test OpNop"));
17617         RGBA                                                    defaultColors[4];
17618         map<string, string>                             opNopFragments;
17619
17620         getDefaultColors(defaultColors);
17621
17622         opNopFragments["testfun"]               =
17623                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
17624                 "%param1 = OpFunctionParameter %v4f32\n"
17625                 "%label_testfun = OpLabel\n"
17626                 "OpNop\n"
17627                 "OpNop\n"
17628                 "OpNop\n"
17629                 "OpNop\n"
17630                 "OpNop\n"
17631                 "OpNop\n"
17632                 "OpNop\n"
17633                 "OpNop\n"
17634                 "%a = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
17635                 "%b = OpFAdd %f32 %a %a\n"
17636                 "OpNop\n"
17637                 "%c = OpFSub %f32 %b %a\n"
17638                 "%ret = OpVectorInsertDynamic %v4f32 %param1 %c %c_i32_0\n"
17639                 "OpNop\n"
17640                 "OpNop\n"
17641                 "OpReturnValue %ret\n"
17642                 "OpFunctionEnd\n";
17643
17644         createTestsForAllStages("opnop", defaultColors, defaultColors, opNopFragments, testGroup.get());
17645
17646         return testGroup.release();
17647 }
17648
17649 tcu::TestCaseGroup* createOpNameTests (tcu::TestContext& testCtx)
17650 {
17651         de::MovePtr<tcu::TestCaseGroup> testGroup       (new tcu::TestCaseGroup(testCtx, "opname","Test OpName"));
17652         RGBA                                                    defaultColors[4];
17653         map<string, string>                             opNameFragments;
17654
17655         getDefaultColors(defaultColors);
17656
17657         opNameFragments["testfun"] =
17658                 "%test_code  = OpFunction %v4f32 None %v4f32_v4f32_function\n"
17659                 "%param1     = OpFunctionParameter %v4f32\n"
17660                 "%label_func = OpLabel\n"
17661                 "%a          = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
17662                 "%b          = OpFAdd %f32 %a %a\n"
17663                 "%c          = OpFSub %f32 %b %a\n"
17664                 "%ret        = OpVectorInsertDynamic %v4f32 %param1 %c %c_i32_0\n"
17665                 "OpReturnValue %ret\n"
17666                 "OpFunctionEnd\n";
17667
17668         opNameFragments["debug"] =
17669                 "OpName %BP_main \"not_main\"";
17670
17671         createTestsForAllStages("opname", defaultColors, defaultColors, opNameFragments, testGroup.get());
17672
17673         return testGroup.release();
17674 }
17675
17676 tcu::TestCaseGroup* createFloat16Tests (tcu::TestContext& testCtx)
17677 {
17678         de::MovePtr<tcu::TestCaseGroup>         testGroup                       (new tcu::TestCaseGroup(testCtx, "float16", "Float 16 tests"));
17679
17680         testGroup->addChild(createOpConstantFloat16Tests(testCtx));
17681         testGroup->addChild(createFloat16LogicalSet<GraphicsResources>(testCtx, TEST_WITH_NAN));
17682         testGroup->addChild(createFloat16LogicalSet<GraphicsResources>(testCtx, TEST_WITHOUT_NAN));
17683         testGroup->addChild(createFloat16FuncSet<GraphicsResources>(testCtx));
17684         testGroup->addChild(createDerivativeTests<256, 1>(testCtx));
17685         testGroup->addChild(createDerivativeTests<256, 2>(testCtx));
17686         testGroup->addChild(createDerivativeTests<256, 4>(testCtx));
17687         testGroup->addChild(createFloat16VectorExtractSet<GraphicsResources>(testCtx));
17688         testGroup->addChild(createFloat16VectorInsertSet<GraphicsResources>(testCtx));
17689         testGroup->addChild(createFloat16VectorShuffleSet<GraphicsResources>(testCtx));
17690         testGroup->addChild(createFloat16CompositeConstructSet<GraphicsResources>(testCtx));
17691         testGroup->addChild(createFloat16CompositeInsertExtractSet<GraphicsResources>(testCtx, "OpCompositeExtract"));
17692         testGroup->addChild(createFloat16CompositeInsertExtractSet<GraphicsResources>(testCtx, "OpCompositeInsert"));
17693         testGroup->addChild(createFloat16ArithmeticSet<GraphicsResources>(testCtx));
17694         testGroup->addChild(createFloat16ArithmeticSet<1, GraphicsResources>(testCtx));
17695         testGroup->addChild(createFloat16ArithmeticSet<2, GraphicsResources>(testCtx));
17696         testGroup->addChild(createFloat16ArithmeticSet<3, GraphicsResources>(testCtx));
17697         testGroup->addChild(createFloat16ArithmeticSet<4, GraphicsResources>(testCtx));
17698
17699         return testGroup.release();
17700 }
17701
17702 tcu::TestCaseGroup* createFloat16Group (tcu::TestContext& testCtx)
17703 {
17704         de::MovePtr<tcu::TestCaseGroup>         testGroup                       (new tcu::TestCaseGroup(testCtx, "float16", "Float 16 tests"));
17705
17706         testGroup->addChild(createFloat16OpConstantCompositeGroup(testCtx));
17707         testGroup->addChild(createFloat16LogicalSet<ComputeShaderSpec>(testCtx, TEST_WITH_NAN));
17708         testGroup->addChild(createFloat16LogicalSet<ComputeShaderSpec>(testCtx, TEST_WITHOUT_NAN));
17709         testGroup->addChild(createFloat16FuncSet<ComputeShaderSpec>(testCtx));
17710         testGroup->addChild(createFloat16VectorExtractSet<ComputeShaderSpec>(testCtx));
17711         testGroup->addChild(createFloat16VectorInsertSet<ComputeShaderSpec>(testCtx));
17712         testGroup->addChild(createFloat16VectorShuffleSet<ComputeShaderSpec>(testCtx));
17713         testGroup->addChild(createFloat16CompositeConstructSet<ComputeShaderSpec>(testCtx));
17714         testGroup->addChild(createFloat16CompositeInsertExtractSet<ComputeShaderSpec>(testCtx, "OpCompositeExtract"));
17715         testGroup->addChild(createFloat16CompositeInsertExtractSet<ComputeShaderSpec>(testCtx, "OpCompositeInsert"));
17716         testGroup->addChild(createFloat16ArithmeticSet<ComputeShaderSpec>(testCtx));
17717         testGroup->addChild(createFloat16ArithmeticSet<1, ComputeShaderSpec>(testCtx));
17718         testGroup->addChild(createFloat16ArithmeticSet<2, ComputeShaderSpec>(testCtx));
17719         testGroup->addChild(createFloat16ArithmeticSet<3, ComputeShaderSpec>(testCtx));
17720         testGroup->addChild(createFloat16ArithmeticSet<4, ComputeShaderSpec>(testCtx));
17721
17722         return testGroup.release();
17723 }
17724
17725 tcu::TestCaseGroup* createBoolMixedBitSizeGroup (tcu::TestContext& testCtx)
17726 {
17727         de::MovePtr<tcu::TestCaseGroup> group                   (new tcu::TestCaseGroup(testCtx, "mixed_bitsize", "Tests boolean operands produced from instructions of different bit-sizes"));
17728
17729         de::Random                                              rnd                             (deStringHash(group->getName()));
17730         const int               numElements             = 100;
17731         vector<float>   inputData               (numElements, 0);
17732         vector<float>   outputData              (numElements, 0);
17733         fillRandomScalars(rnd, 0.0f, 100.0f, &inputData[0], 100);
17734
17735         const StringTemplate                    shaderTemplate  (
17736                 "${CAPS}\n"
17737                 "OpMemoryModel Logical GLSL450\n"
17738                 "OpEntryPoint GLCompute %main \"main\" %id\n"
17739                 "OpExecutionMode %main LocalSize 1 1 1\n"
17740                 "OpSource GLSL 430\n"
17741                 "OpName %main           \"main\"\n"
17742                 "OpName %id             \"gl_GlobalInvocationID\"\n"
17743
17744                 "OpDecorate %id BuiltIn GlobalInvocationId\n"
17745
17746                 + string(getComputeAsmInputOutputBufferTraits()) + string(getComputeAsmCommonTypes()) + string(getComputeAsmInputOutputBuffer()) +
17747
17748                 "%id        = OpVariable %uvec3ptr Input\n"
17749                 "${CONST}\n"
17750                 "%main      = OpFunction %void None %voidf\n"
17751                 "%label     = OpLabel\n"
17752                 "%idval     = OpLoad %uvec3 %id\n"
17753                 "%x         = OpCompositeExtract %u32 %idval 0\n"
17754                 "%inloc     = OpAccessChain %f32ptr %indata %c0i32 %x\n"
17755
17756                 "${TEST}\n"
17757
17758                 "%outloc    = OpAccessChain %f32ptr %outdata %c0i32 %x\n"
17759                 "             OpStore %outloc %res\n"
17760                 "             OpReturn\n"
17761                 "             OpFunctionEnd\n"
17762         );
17763
17764         // Each test case produces 4 boolean values, and we want each of these values
17765         // to come froma different combination of the available bit-sizes, so compute
17766         // all possible combinations here.
17767         vector<deUint32>        widths;
17768         widths.push_back(32);
17769         widths.push_back(16);
17770         widths.push_back(8);
17771
17772         vector<IVec4>   cases;
17773         for (size_t width0 = 0; width0 < widths.size(); width0++)
17774         {
17775                 for (size_t width1 = 0; width1 < widths.size(); width1++)
17776                 {
17777                         for (size_t width2 = 0; width2 < widths.size(); width2++)
17778                         {
17779                                 for (size_t width3 = 0; width3 < widths.size(); width3++)
17780                                 {
17781                                         cases.push_back(IVec4(widths[width0], widths[width1], widths[width2], widths[width3]));
17782                                 }
17783                         }
17784                 }
17785         }
17786
17787         for (size_t caseNdx = 0; caseNdx < cases.size(); caseNdx++)
17788         {
17789                 /// Skip cases where all bitsizes are the same, we are only interested in testing booleans produced from instructions with different native bit-sizes
17790                 if (cases[caseNdx][0] == cases[caseNdx][1] && cases[caseNdx][0] == cases[caseNdx][2] && cases[caseNdx][0] == cases[caseNdx][3])
17791                         continue;
17792
17793                 map<string, string>     specializations;
17794                 ComputeShaderSpec       spec;
17795
17796                 // Inject appropriate capabilities and reference constants depending
17797                 // on the bit-sizes required by this test case
17798                 bool hasFloat32 = cases[caseNdx][0] == 32 || cases[caseNdx][1] == 32 || cases[caseNdx][2] == 32 || cases[caseNdx][3] == 32;
17799                 bool hasFloat16 = cases[caseNdx][0] == 16 || cases[caseNdx][1] == 16 || cases[caseNdx][2] == 16 || cases[caseNdx][3] == 16;
17800                 bool hasInt8    = cases[caseNdx][0] == 8 || cases[caseNdx][1] == 8 || cases[caseNdx][2] == 8 || cases[caseNdx][3] == 8;
17801
17802                 string capsStr  = "OpCapability Shader\n";
17803                 string constStr =
17804                         "%c0i32     = OpConstant %i32 0\n"
17805                         "%c1f32     = OpConstant %f32 1.0\n"
17806                         "%c0f32     = OpConstant %f32 0.0\n";
17807
17808                 if (hasFloat32)
17809                 {
17810                         constStr        +=
17811                                 "%c10f32    = OpConstant %f32 10.0\n"
17812                                 "%c25f32    = OpConstant %f32 25.0\n"
17813                                 "%c50f32    = OpConstant %f32 50.0\n"
17814                                 "%c90f32    = OpConstant %f32 90.0\n";
17815                 }
17816
17817                 if (hasFloat16)
17818                 {
17819                         capsStr         += "OpCapability Float16\n";
17820                         constStr        +=
17821                                 "%f16       = OpTypeFloat 16\n"
17822                                 "%c10f16    = OpConstant %f16 10.0\n"
17823                                 "%c25f16    = OpConstant %f16 25.0\n"
17824                                 "%c50f16    = OpConstant %f16 50.0\n"
17825                                 "%c90f16    = OpConstant %f16 90.0\n";
17826                 }
17827
17828                 if (hasInt8)
17829                 {
17830                         capsStr         += "OpCapability Int8\n";
17831                         constStr        +=
17832                                 "%i8        = OpTypeInt 8 1\n"
17833                                 "%c10i8     = OpConstant %i8 10\n"
17834                                 "%c25i8     = OpConstant %i8 25\n"
17835                                 "%c50i8     = OpConstant %i8 50\n"
17836                                 "%c90i8     = OpConstant %i8 90\n";
17837                 }
17838
17839                 // Each invocation reads a different float32 value as input. Depending on
17840                 // the bit-sizes required by the particular test case, we also produce
17841                 // float16 and/or and int8 values by converting from the 32-bit float.
17842                 string testStr  = "";
17843                 testStr                 += "%inval32   = OpLoad %f32 %inloc\n";
17844                 if (hasFloat16)
17845                         testStr         += "%inval16   = OpFConvert %f16 %inval32\n";
17846                 if (hasInt8)
17847                         testStr         += "%inval8    = OpConvertFToS %i8 %inval32\n";
17848
17849                 // Because conversions from Float to Int round towards 0 we want our "greater" comparisons to be >=,
17850                 // that way a float32/float16 comparison such as 50.6f >= 50.0f will preserve its result
17851                 // when converted to int8, since FtoS(50.6f) results in 50. For "less" comparisons, it is the
17852                 // other way around, so in this case we want < instead of <=.
17853                 if (cases[caseNdx][0] == 32)
17854                         testStr         += "%cmp1      = OpFOrdGreaterThanEqual %bool %inval32 %c25f32\n";
17855                 else if (cases[caseNdx][0] == 16)
17856                         testStr         += "%cmp1      = OpFOrdGreaterThanEqual %bool %inval16 %c25f16\n";
17857                 else
17858                         testStr         += "%cmp1      = OpSGreaterThanEqual %bool %inval8 %c25i8\n";
17859
17860                 if (cases[caseNdx][1] == 32)
17861                         testStr         += "%cmp2      = OpFOrdLessThan %bool %inval32 %c50f32\n";
17862                 else if (cases[caseNdx][1] == 16)
17863                         testStr         += "%cmp2      = OpFOrdLessThan %bool %inval16 %c50f16\n";
17864                 else
17865                         testStr         += "%cmp2      = OpSLessThan %bool %inval8 %c50i8\n";
17866
17867                 if (cases[caseNdx][2] == 32)
17868                         testStr         += "%cmp3      = OpFOrdLessThan %bool %inval32 %c10f32\n";
17869                 else if (cases[caseNdx][2] == 16)
17870                         testStr         += "%cmp3      = OpFOrdLessThan %bool %inval16 %c10f16\n";
17871                 else
17872                         testStr         += "%cmp3      = OpSLessThan %bool %inval8 %c10i8\n";
17873
17874                 if (cases[caseNdx][3] == 32)
17875                         testStr         += "%cmp4      = OpFOrdGreaterThanEqual %bool %inval32 %c90f32\n";
17876                 else if (cases[caseNdx][3] == 16)
17877                         testStr         += "%cmp4      = OpFOrdGreaterThanEqual %bool %inval16 %c90f16\n";
17878                 else
17879                         testStr         += "%cmp4      = OpSGreaterThanEqual %bool %inval8 %c90i8\n";
17880
17881                 testStr                 += "%and1      = OpLogicalAnd %bool %cmp1 %cmp2\n";
17882                 testStr                 += "%or1       = OpLogicalOr %bool %cmp3 %cmp4\n";
17883                 testStr                 += "%or2       = OpLogicalOr %bool %and1 %or1\n";
17884                 testStr                 += "%not1      = OpLogicalNot %bool %or2\n";
17885                 testStr                 += "%res       = OpSelect %f32 %not1 %c1f32 %c0f32\n";
17886
17887                 specializations["CAPS"]         = capsStr;
17888                 specializations["CONST"]        = constStr;
17889                 specializations["TEST"]         = testStr;
17890
17891                 // Compute expected result by evaluating the boolean expression computed in the shader for each input value
17892                 for (size_t ndx = 0; ndx < numElements; ++ndx)
17893                         outputData[ndx] = !((inputData[ndx] >= 25.0f && inputData[ndx] < 50.0f) || (inputData[ndx] < 10.0f || inputData[ndx] >= 90.0f));
17894
17895                 spec.assembly = shaderTemplate.specialize(specializations);
17896                 spec.inputs.push_back(BufferSp(new Float32Buffer(inputData)));
17897                 spec.outputs.push_back(BufferSp(new Float32Buffer(outputData)));
17898                 spec.numWorkGroups = IVec3(numElements, 1, 1);
17899                 if (hasFloat16)
17900                         spec.requestedVulkanFeatures.extFloat16Int8 |= EXTFLOAT16INT8FEATURES_FLOAT16;
17901                 if (hasInt8)
17902                         spec.requestedVulkanFeatures.extFloat16Int8 |= EXTFLOAT16INT8FEATURES_INT8;
17903                 spec.extensions.push_back("VK_KHR_shader_float16_int8");
17904
17905                 string testName = "b" + de::toString(cases[caseNdx][0]) + "b" + de::toString(cases[caseNdx][1]) + "b" + de::toString(cases[caseNdx][2]) + "b" + de::toString(cases[caseNdx][3]);
17906                 group->addChild(new SpvAsmComputeShaderCase(testCtx, testName.c_str(), "", spec));
17907         }
17908
17909         return group.release();
17910 }
17911
17912 tcu::TestCaseGroup* createBoolGroup (tcu::TestContext& testCtx)
17913 {
17914         de::MovePtr<tcu::TestCaseGroup>         testGroup                       (new tcu::TestCaseGroup(testCtx, "bool", "Boolean tests"));
17915
17916         testGroup->addChild(createBoolMixedBitSizeGroup(testCtx));
17917
17918         return testGroup.release();
17919 }
17920
17921 tcu::TestCaseGroup* createOpNameAbuseTests (tcu::TestContext& testCtx)
17922 {
17923         de::MovePtr<tcu::TestCaseGroup> abuseGroup(new tcu::TestCaseGroup(testCtx, "opname_abuse", "OpName abuse tests"));
17924         vector<CaseParameter>                   abuseCases;
17925         RGBA                                                    defaultColors[4];
17926         map<string, string>                             opNameFragments;
17927
17928         getOpNameAbuseCases(abuseCases);
17929         getDefaultColors(defaultColors);
17930
17931         opNameFragments["testfun"] =
17932                 "%test_code  = OpFunction %v4f32 None %v4f32_v4f32_function\n"
17933                 "%param1     = OpFunctionParameter %v4f32\n"
17934                 "%label_func = OpLabel\n"
17935                 "%a          = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
17936                 "%b          = OpFAdd %f32 %a %a\n"
17937                 "%c          = OpFSub %f32 %b %a\n"
17938                 "%ret        = OpVectorInsertDynamic %v4f32 %param1 %c %c_i32_0\n"
17939                 "OpReturnValue %ret\n"
17940                 "OpFunctionEnd\n";
17941
17942         for (unsigned int i = 0; i < abuseCases.size(); i++)
17943         {
17944                 string casename;
17945                 casename = string("main") + abuseCases[i].name;
17946
17947                 opNameFragments["debug"] =
17948                         "OpName %BP_main \"" + abuseCases[i].param + "\"";
17949
17950                 createTestsForAllStages(casename, defaultColors, defaultColors, opNameFragments, abuseGroup.get());
17951         }
17952
17953         for (unsigned int i = 0; i < abuseCases.size(); i++)
17954         {
17955                 string casename;
17956                 casename = string("b") + abuseCases[i].name;
17957
17958                 opNameFragments["debug"] =
17959                         "OpName %b \"" + abuseCases[i].param + "\"";
17960
17961                 createTestsForAllStages(casename, defaultColors, defaultColors, opNameFragments, abuseGroup.get());
17962         }
17963
17964         {
17965                 opNameFragments["debug"] =
17966                         "OpName %test_code \"name1\"\n"
17967                         "OpName %param1    \"name2\"\n"
17968                         "OpName %a         \"name3\"\n"
17969                         "OpName %b         \"name4\"\n"
17970                         "OpName %c         \"name5\"\n"
17971                         "OpName %ret       \"name6\"\n";
17972
17973                 createTestsForAllStages("everything_named", defaultColors, defaultColors, opNameFragments, abuseGroup.get());
17974         }
17975
17976         {
17977                 opNameFragments["debug"] =
17978                         "OpName %test_code \"the_same\"\n"
17979                         "OpName %param1    \"the_same\"\n"
17980                         "OpName %a         \"the_same\"\n"
17981                         "OpName %b         \"the_same\"\n"
17982                         "OpName %c         \"the_same\"\n"
17983                         "OpName %ret       \"the_same\"\n";
17984
17985                 createTestsForAllStages("everything_named_the_same", defaultColors, defaultColors, opNameFragments, abuseGroup.get());
17986         }
17987
17988         {
17989                 opNameFragments["debug"] =
17990                         "OpName %BP_main \"to_be\"\n"
17991                         "OpName %BP_main \"or_not\"\n"
17992                         "OpName %BP_main \"to_be\"\n";
17993
17994                 createTestsForAllStages("main_has_multiple_names", defaultColors, defaultColors, opNameFragments, abuseGroup.get());
17995         }
17996
17997         {
17998                 opNameFragments["debug"] =
17999                         "OpName %b \"to_be\"\n"
18000                         "OpName %b \"or_not\"\n"
18001                         "OpName %b \"to_be\"\n";
18002
18003                 createTestsForAllStages("b_has_multiple_names", defaultColors, defaultColors, opNameFragments, abuseGroup.get());
18004         }
18005
18006         return abuseGroup.release();
18007 }
18008
18009
18010 tcu::TestCaseGroup* createOpMemberNameAbuseTests (tcu::TestContext& testCtx)
18011 {
18012         de::MovePtr<tcu::TestCaseGroup> abuseGroup(new tcu::TestCaseGroup(testCtx, "opmembername_abuse", "OpName abuse tests"));
18013         vector<CaseParameter>                   abuseCases;
18014         RGBA                                                    defaultColors[4];
18015         map<string, string>                             opMemberNameFragments;
18016
18017         getOpNameAbuseCases(abuseCases);
18018         getDefaultColors(defaultColors);
18019
18020         opMemberNameFragments["pre_main"] =
18021                 "%f3str = OpTypeStruct %f32 %f32 %f32\n";
18022
18023         opMemberNameFragments["testfun"] =
18024                 "%test_code  = OpFunction %v4f32 None %v4f32_v4f32_function\n"
18025                 "%param1     = OpFunctionParameter %v4f32\n"
18026                 "%label_func = OpLabel\n"
18027                 "%a          = OpVectorExtractDynamic %f32 %param1 %c_i32_0\n"
18028                 "%b          = OpFAdd %f32 %a %a\n"
18029                 "%c          = OpFSub %f32 %b %a\n"
18030                 "%cstr       = OpCompositeConstruct %f3str %c %c %c\n"
18031                 "%d          = OpCompositeExtract %f32 %cstr 0\n"
18032                 "%ret        = OpVectorInsertDynamic %v4f32 %param1 %d %c_i32_0\n"
18033                 "OpReturnValue %ret\n"
18034                 "OpFunctionEnd\n";
18035
18036         for (unsigned int i = 0; i < abuseCases.size(); i++)
18037         {
18038                 string casename;
18039                 casename = string("f3str_x") + abuseCases[i].name;
18040
18041                 opMemberNameFragments["debug"] =
18042                         "OpMemberName %f3str 0 \"" + abuseCases[i].param + "\"";
18043
18044                 createTestsForAllStages(casename, defaultColors, defaultColors, opMemberNameFragments, abuseGroup.get());
18045         }
18046
18047         {
18048                 opMemberNameFragments["debug"] =
18049                         "OpMemberName %f3str 0 \"name1\"\n"
18050                         "OpMemberName %f3str 1 \"name2\"\n"
18051                         "OpMemberName %f3str 2 \"name3\"\n";
18052
18053                 createTestsForAllStages("everything_named", defaultColors, defaultColors, opMemberNameFragments, abuseGroup.get());
18054         }
18055
18056         {
18057                 opMemberNameFragments["debug"] =
18058                         "OpMemberName %f3str 0 \"the_same\"\n"
18059                         "OpMemberName %f3str 1 \"the_same\"\n"
18060                         "OpMemberName %f3str 2 \"the_same\"\n";
18061
18062                 createTestsForAllStages("everything_named_the_same", defaultColors, defaultColors, opMemberNameFragments, abuseGroup.get());
18063         }
18064
18065         {
18066                 opMemberNameFragments["debug"] =
18067                         "OpMemberName %f3str 0 \"to_be\"\n"
18068                         "OpMemberName %f3str 1 \"or_not\"\n"
18069                         "OpMemberName %f3str 0 \"to_be\"\n"
18070                         "OpMemberName %f3str 2 \"makes_no\"\n"
18071                         "OpMemberName %f3str 0 \"difference\"\n"
18072                         "OpMemberName %f3str 0 \"to_me\"\n";
18073
18074
18075                 createTestsForAllStages("f3str_x_has_multiple_names", defaultColors, defaultColors, opMemberNameFragments, abuseGroup.get());
18076         }
18077
18078         return abuseGroup.release();
18079 }
18080
18081 vector<deUint32> getSparseIdsAbuseData (const deUint32 numDataPoints, const deUint32 seed)
18082 {
18083         vector<deUint32>        result;
18084         de::Random                      rnd             (seed);
18085
18086         result.reserve(numDataPoints);
18087
18088         for (deUint32 dataPointNdx = 0; dataPointNdx < numDataPoints; ++dataPointNdx)
18089                 result.push_back(rnd.getUint32());
18090
18091         return result;
18092 }
18093
18094 vector<deUint32> getSparseIdsAbuseResults (const vector<deUint32>& inData1, const vector<deUint32>& inData2)
18095 {
18096         vector<deUint32>        result;
18097
18098         result.reserve(inData1.size());
18099
18100         for (size_t dataPointNdx = 0; dataPointNdx < inData1.size(); ++dataPointNdx)
18101                 result.push_back(inData1[dataPointNdx] + inData2[dataPointNdx]);
18102
18103         return result;
18104 }
18105
18106 template<class SpecResource>
18107 void createSparseIdsAbuseTest (tcu::TestContext& testCtx, de::MovePtr<tcu::TestCaseGroup>& testGroup)
18108 {
18109         const deUint32                  numDataPoints   = 16;
18110         const std::string               testName                ("sparse_ids");
18111         const deUint32                  seed                    (deStringHash(testName.c_str()));
18112         const vector<deUint32>  inData1                 (getSparseIdsAbuseData(numDataPoints, seed + 1));
18113         const vector<deUint32>  inData2                 (getSparseIdsAbuseData(numDataPoints, seed + 2));
18114         const vector<deUint32>  outData                 (getSparseIdsAbuseResults(inData1, inData2));
18115         const StringTemplate    preMain
18116         (
18117                 "%c_i32_ndp = OpConstant %i32 ${num_data_points}\n"
18118                 "   %up_u32 = OpTypePointer Uniform %u32\n"
18119                 "   %ra_u32 = OpTypeArray %u32 %c_i32_ndp\n"
18120                 "   %SSBO32 = OpTypeStruct %ra_u32\n"
18121                 "%up_SSBO32 = OpTypePointer Uniform %SSBO32\n"
18122                 "%ssbo_src0 = OpVariable %up_SSBO32 Uniform\n"
18123                 "%ssbo_src1 = OpVariable %up_SSBO32 Uniform\n"
18124                 " %ssbo_dst = OpVariable %up_SSBO32 Uniform\n"
18125         );
18126         const StringTemplate    decoration
18127         (
18128                 "OpDecorate %ra_u32 ArrayStride 4\n"
18129                 "OpMemberDecorate %SSBO32 0 Offset 0\n"
18130                 "OpDecorate %SSBO32 BufferBlock\n"
18131                 "OpDecorate %ssbo_src0 DescriptorSet 0\n"
18132                 "OpDecorate %ssbo_src0 Binding 0\n"
18133                 "OpDecorate %ssbo_src1 DescriptorSet 0\n"
18134                 "OpDecorate %ssbo_src1 Binding 1\n"
18135                 "OpDecorate %ssbo_dst DescriptorSet 0\n"
18136                 "OpDecorate %ssbo_dst Binding 2\n"
18137         );
18138         const StringTemplate    testFun
18139         (
18140                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
18141                 "    %param = OpFunctionParameter %v4f32\n"
18142
18143                 "    %entry = OpLabel\n"
18144                 "        %i = OpVariable %fp_i32 Function\n"
18145                 "             OpStore %i %c_i32_0\n"
18146                 "             OpBranch %loop\n"
18147
18148                 "     %loop = OpLabel\n"
18149                 "    %i_cmp = OpLoad %i32 %i\n"
18150                 "       %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
18151                 "             OpLoopMerge %merge %next None\n"
18152                 "             OpBranchConditional %lt %write %merge\n"
18153
18154                 "    %write = OpLabel\n"
18155                 "      %ndx = OpLoad %i32 %i\n"
18156
18157                 "      %127 = OpAccessChain %up_u32 %ssbo_src0 %c_i32_0 %ndx\n"
18158                 "      %128 = OpLoad %u32 %127\n"
18159
18160                 // The test relies on SPIR-V compiler option SPV_TEXT_TO_BINARY_OPTION_PRESERVE_NUMERIC_IDS set in assembleSpirV()
18161                 "  %4194000 = OpAccessChain %up_u32 %ssbo_src1 %c_i32_0 %ndx\n"
18162                 "  %4194001 = OpLoad %u32 %4194000\n"
18163
18164                 "  %2097151 = OpIAdd %u32 %128 %4194001\n"
18165                 "  %2097152 = OpAccessChain %up_u32 %ssbo_dst %c_i32_0 %ndx\n"
18166                 "             OpStore %2097152 %2097151\n"
18167                 "             OpBranch %next\n"
18168
18169                 "     %next = OpLabel\n"
18170                 "    %i_cur = OpLoad %i32 %i\n"
18171                 "    %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
18172                 "             OpStore %i %i_new\n"
18173                 "             OpBranch %loop\n"
18174
18175                 "    %merge = OpLabel\n"
18176                 "             OpReturnValue %param\n"
18177
18178                 "             OpFunctionEnd\n"
18179         );
18180         SpecResource                    specResource;
18181         map<string, string>             specs;
18182         VulkanFeatures                  features;
18183         map<string, string>             fragments;
18184         vector<string>                  extensions;
18185
18186         specs["num_data_points"]        = de::toString(numDataPoints);
18187
18188         fragments["decoration"]         = decoration.specialize(specs);
18189         fragments["pre_main"]           = preMain.specialize(specs);
18190         fragments["testfun"]            = testFun.specialize(specs);
18191
18192         specResource.inputs.push_back(Resource(BufferSp(new Uint32Buffer(inData1)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
18193         specResource.inputs.push_back(Resource(BufferSp(new Uint32Buffer(inData2)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
18194         specResource.outputs.push_back(Resource(BufferSp(new Uint32Buffer(outData)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
18195
18196         features.coreFeatures.vertexPipelineStoresAndAtomics    = true;
18197         features.coreFeatures.fragmentStoresAndAtomics                  = true;
18198
18199         finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
18200 }
18201
18202 vector<deUint32> getLotsIdsAbuseData (const deUint32 numDataPoints, const deUint32 seed)
18203 {
18204         vector<deUint32>        result;
18205         de::Random                      rnd             (seed);
18206
18207         result.reserve(numDataPoints);
18208
18209         // Fixed value
18210         result.push_back(1u);
18211
18212         // Random values
18213         for (deUint32 dataPointNdx = 1; dataPointNdx < numDataPoints; ++dataPointNdx)
18214                 result.push_back(rnd.getUint8());
18215
18216         return result;
18217 }
18218
18219 vector<deUint32> getLotsIdsAbuseResults (const vector<deUint32>& inData1, const vector<deUint32>& inData2, const deUint32 count)
18220 {
18221         vector<deUint32>        result;
18222
18223         result.reserve(inData1.size());
18224
18225         for (size_t dataPointNdx = 0; dataPointNdx < inData1.size(); ++dataPointNdx)
18226                 result.push_back(inData1[dataPointNdx] + count * inData2[dataPointNdx]);
18227
18228         return result;
18229 }
18230
18231 template<class SpecResource>
18232 void createLotsIdsAbuseTest (tcu::TestContext& testCtx, de::MovePtr<tcu::TestCaseGroup>& testGroup)
18233 {
18234         const deUint32                  numDataPoints   = 16;
18235         const deUint32                  firstNdx                = 100u;
18236         const deUint32                  sequenceCount   = 10000u;
18237         const std::string               testName                ("lots_ids");
18238         const deUint32                  seed                    (deStringHash(testName.c_str()));
18239         const vector<deUint32>  inData1                 (getLotsIdsAbuseData(numDataPoints, seed + 1));
18240         const vector<deUint32>  inData2                 (getLotsIdsAbuseData(numDataPoints, seed + 2));
18241         const vector<deUint32>  outData                 (getLotsIdsAbuseResults(inData1, inData2, sequenceCount));
18242         const StringTemplate preMain
18243         (
18244                 "%c_i32_ndp = OpConstant %i32 ${num_data_points}\n"
18245                 "   %up_u32 = OpTypePointer Uniform %u32\n"
18246                 "   %ra_u32 = OpTypeArray %u32 %c_i32_ndp\n"
18247                 "   %SSBO32 = OpTypeStruct %ra_u32\n"
18248                 "%up_SSBO32 = OpTypePointer Uniform %SSBO32\n"
18249                 "%ssbo_src0 = OpVariable %up_SSBO32 Uniform\n"
18250                 "%ssbo_src1 = OpVariable %up_SSBO32 Uniform\n"
18251                 " %ssbo_dst = OpVariable %up_SSBO32 Uniform\n"
18252         );
18253         const StringTemplate decoration
18254         (
18255                 "OpDecorate %ra_u32 ArrayStride 4\n"
18256                 "OpMemberDecorate %SSBO32 0 Offset 0\n"
18257                 "OpDecorate %SSBO32 BufferBlock\n"
18258                 "OpDecorate %ssbo_src0 DescriptorSet 0\n"
18259                 "OpDecorate %ssbo_src0 Binding 0\n"
18260                 "OpDecorate %ssbo_src1 DescriptorSet 0\n"
18261                 "OpDecorate %ssbo_src1 Binding 1\n"
18262                 "OpDecorate %ssbo_dst DescriptorSet 0\n"
18263                 "OpDecorate %ssbo_dst Binding 2\n"
18264         );
18265         const StringTemplate testFun
18266         (
18267                 "%test_code = OpFunction %v4f32 None %v4f32_v4f32_function\n"
18268                 "    %param = OpFunctionParameter %v4f32\n"
18269
18270                 "    %entry = OpLabel\n"
18271                 "        %i = OpVariable %fp_i32 Function\n"
18272                 "             OpStore %i %c_i32_0\n"
18273                 "             OpBranch %loop\n"
18274
18275                 "     %loop = OpLabel\n"
18276                 "    %i_cmp = OpLoad %i32 %i\n"
18277                 "       %lt = OpSLessThan %bool %i_cmp %c_i32_ndp\n"
18278                 "             OpLoopMerge %merge %next None\n"
18279                 "             OpBranchConditional %lt %write %merge\n"
18280
18281                 "    %write = OpLabel\n"
18282                 "      %ndx = OpLoad %i32 %i\n"
18283
18284                 "       %90 = OpAccessChain %up_u32 %ssbo_src1 %c_i32_0 %ndx\n"
18285                 "       %91 = OpLoad %u32 %90\n"
18286
18287                 "       %98 = OpAccessChain %up_u32 %ssbo_src0 %c_i32_0 %ndx\n"
18288                 "       %${zeroth_id} = OpLoad %u32 %98\n"
18289
18290                 "${seq}\n"
18291
18292                 // The test relies on SPIR-V compiler option SPV_TEXT_TO_BINARY_OPTION_PRESERVE_NUMERIC_IDS set in assembleSpirV()
18293                 "      %dst = OpAccessChain %up_u32 %ssbo_dst %c_i32_0 %ndx\n"
18294                 "             OpStore %dst %${last_id}\n"
18295                 "             OpBranch %next\n"
18296
18297                 "     %next = OpLabel\n"
18298                 "    %i_cur = OpLoad %i32 %i\n"
18299                 "    %i_new = OpIAdd %i32 %i_cur %c_i32_1\n"
18300                 "             OpStore %i %i_new\n"
18301                 "             OpBranch %loop\n"
18302
18303                 "    %merge = OpLabel\n"
18304                 "             OpReturnValue %param\n"
18305
18306                 "             OpFunctionEnd\n"
18307         );
18308         deUint32                                lastId                  = firstNdx;
18309         SpecResource                    specResource;
18310         map<string, string>             specs;
18311         VulkanFeatures                  features;
18312         map<string, string>             fragments;
18313         vector<string>                  extensions;
18314         std::string                             sequence;
18315
18316         for (deUint32 sequenceNdx = 0; sequenceNdx < sequenceCount; ++sequenceNdx)
18317         {
18318                 const deUint32          sequenceId              = sequenceNdx + firstNdx;
18319                 const std::string       sequenceIdStr   = de::toString(sequenceId);
18320
18321                 sequence += "%" + sequenceIdStr + " = OpIAdd %u32 %91 %" + de::toString(sequenceId - 1) + "\n";
18322                 lastId = sequenceId;
18323
18324                 if (sequenceNdx == 0)
18325                         sequence.reserve((10 + sequence.length()) * sequenceCount);
18326         }
18327
18328         specs["num_data_points"]        = de::toString(numDataPoints);
18329         specs["zeroth_id"]                      = de::toString(firstNdx - 1);
18330         specs["last_id"]                        = de::toString(lastId);
18331         specs["seq"]                            = sequence;
18332
18333         fragments["decoration"]         = decoration.specialize(specs);
18334         fragments["pre_main"]           = preMain.specialize(specs);
18335         fragments["testfun"]            = testFun.specialize(specs);
18336
18337         specResource.inputs.push_back(Resource(BufferSp(new Uint32Buffer(inData1)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
18338         specResource.inputs.push_back(Resource(BufferSp(new Uint32Buffer(inData2)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
18339         specResource.outputs.push_back(Resource(BufferSp(new Uint32Buffer(outData)), VK_DESCRIPTOR_TYPE_STORAGE_BUFFER));
18340
18341         features.coreFeatures.vertexPipelineStoresAndAtomics    = true;
18342         features.coreFeatures.fragmentStoresAndAtomics                  = true;
18343
18344         finalizeTestsCreation(specResource, fragments, testCtx, *testGroup.get(), testName, features, extensions, IVec3(1, 1, 1));
18345 }
18346
18347 tcu::TestCaseGroup* createSpirvIdsAbuseTests (tcu::TestContext& testCtx)
18348 {
18349         de::MovePtr<tcu::TestCaseGroup> testGroup       (new tcu::TestCaseGroup(testCtx, "spirv_ids_abuse", "SPIR-V abuse tests"));
18350
18351         createSparseIdsAbuseTest<GraphicsResources>(testCtx, testGroup);
18352         createLotsIdsAbuseTest<GraphicsResources>(testCtx, testGroup);
18353
18354         return testGroup.release();
18355 }
18356
18357 tcu::TestCaseGroup* createSpirvIdsAbuseGroup (tcu::TestContext& testCtx)
18358 {
18359         de::MovePtr<tcu::TestCaseGroup> testGroup       (new tcu::TestCaseGroup(testCtx, "spirv_ids_abuse", "SPIR-V abuse tests"));
18360
18361         createSparseIdsAbuseTest<ComputeShaderSpec>(testCtx, testGroup);
18362         createLotsIdsAbuseTest<ComputeShaderSpec>(testCtx, testGroup);
18363
18364         return testGroup.release();
18365 }
18366
18367 tcu::TestCaseGroup* createInstructionTests (tcu::TestContext& testCtx)
18368 {
18369         const bool testComputePipeline = true;
18370
18371         de::MovePtr<tcu::TestCaseGroup> instructionTests        (new tcu::TestCaseGroup(testCtx, "instruction", "Instructions with special opcodes/operands"));
18372         de::MovePtr<tcu::TestCaseGroup> computeTests            (new tcu::TestCaseGroup(testCtx, "compute", "Compute Instructions with special opcodes/operands"));
18373         de::MovePtr<tcu::TestCaseGroup> graphicsTests           (new tcu::TestCaseGroup(testCtx, "graphics", "Graphics Instructions with special opcodes/operands"));
18374
18375         computeTests->addChild(createSpivVersionCheckTests(testCtx, testComputePipeline));
18376         computeTests->addChild(createLocalSizeGroup(testCtx));
18377         computeTests->addChild(createOpNopGroup(testCtx));
18378         computeTests->addChild(createOpFUnordGroup(testCtx, TEST_WITHOUT_NAN));
18379         computeTests->addChild(createOpFUnordGroup(testCtx, TEST_WITH_NAN));
18380         computeTests->addChild(createOpAtomicGroup(testCtx, false));
18381         computeTests->addChild(createOpAtomicGroup(testCtx, true));                                     // Using new StorageBuffer decoration
18382         computeTests->addChild(createOpAtomicGroup(testCtx, false, 1024, true));        // Return value validation
18383         computeTests->addChild(createOpLineGroup(testCtx));
18384         computeTests->addChild(createOpModuleProcessedGroup(testCtx));
18385         computeTests->addChild(createOpNoLineGroup(testCtx));
18386         computeTests->addChild(createOpConstantNullGroup(testCtx));
18387         computeTests->addChild(createOpConstantCompositeGroup(testCtx));
18388         computeTests->addChild(createOpConstantUsageGroup(testCtx));
18389         computeTests->addChild(createSpecConstantGroup(testCtx));
18390         computeTests->addChild(createOpSourceGroup(testCtx));
18391         computeTests->addChild(createOpSourceExtensionGroup(testCtx));
18392         computeTests->addChild(createDecorationGroupGroup(testCtx));
18393         computeTests->addChild(createOpPhiGroup(testCtx));
18394         computeTests->addChild(createLoopControlGroup(testCtx));
18395         computeTests->addChild(createFunctionControlGroup(testCtx));
18396         computeTests->addChild(createSelectionControlGroup(testCtx));
18397         computeTests->addChild(createBlockOrderGroup(testCtx));
18398         computeTests->addChild(createMultipleShaderGroup(testCtx));
18399         computeTests->addChild(createMemoryAccessGroup(testCtx));
18400         computeTests->addChild(createOpCopyMemoryGroup(testCtx));
18401         computeTests->addChild(createOpCopyObjectGroup(testCtx));
18402         computeTests->addChild(createNoContractionGroup(testCtx));
18403         computeTests->addChild(createOpUndefGroup(testCtx));
18404         computeTests->addChild(createOpUnreachableGroup(testCtx));
18405         computeTests->addChild(createOpQuantizeToF16Group(testCtx));
18406         computeTests->addChild(createOpFRemGroup(testCtx));
18407         computeTests->addChild(createOpSRemComputeGroup(testCtx, QP_TEST_RESULT_PASS));
18408         computeTests->addChild(createOpSRemComputeGroup64(testCtx, QP_TEST_RESULT_PASS));
18409         computeTests->addChild(createOpSModComputeGroup(testCtx, QP_TEST_RESULT_PASS));
18410         computeTests->addChild(createOpSModComputeGroup64(testCtx, QP_TEST_RESULT_PASS));
18411         computeTests->addChild(createConvertComputeTests(testCtx, "OpSConvert", "sconvert"));
18412         computeTests->addChild(createConvertComputeTests(testCtx, "OpUConvert", "uconvert"));
18413         computeTests->addChild(createConvertComputeTests(testCtx, "OpFConvert", "fconvert"));
18414         computeTests->addChild(createConvertComputeTests(testCtx, "OpConvertSToF", "convertstof"));
18415         computeTests->addChild(createConvertComputeTests(testCtx, "OpConvertFToS", "convertftos"));
18416         computeTests->addChild(createConvertComputeTests(testCtx, "OpConvertUToF", "convertutof"));
18417         computeTests->addChild(createConvertComputeTests(testCtx, "OpConvertFToU", "convertftou"));
18418         computeTests->addChild(createOpCompositeInsertGroup(testCtx));
18419         computeTests->addChild(createOpInBoundsAccessChainGroup(testCtx));
18420         computeTests->addChild(createShaderDefaultOutputGroup(testCtx));
18421         computeTests->addChild(createOpNMinGroup(testCtx));
18422         computeTests->addChild(createOpNMaxGroup(testCtx));
18423         computeTests->addChild(createOpNClampGroup(testCtx));
18424         {
18425                 de::MovePtr<tcu::TestCaseGroup> computeAndroidTests     (new tcu::TestCaseGroup(testCtx, "android", "Android CTS Tests"));
18426
18427                 computeAndroidTests->addChild(createOpSRemComputeGroup(testCtx, QP_TEST_RESULT_QUALITY_WARNING));
18428                 computeAndroidTests->addChild(createOpSModComputeGroup(testCtx, QP_TEST_RESULT_QUALITY_WARNING));
18429
18430                 computeTests->addChild(computeAndroidTests.release());
18431         }
18432
18433         computeTests->addChild(create8BitStorageComputeGroup(testCtx));
18434         computeTests->addChild(create16BitStorageComputeGroup(testCtx));
18435         computeTests->addChild(createFloatControlsComputeGroup(testCtx));
18436         computeTests->addChild(createUboMatrixPaddingComputeGroup(testCtx));
18437         computeTests->addChild(createCompositeInsertComputeGroup(testCtx));
18438         computeTests->addChild(createVariableInitComputeGroup(testCtx));
18439         computeTests->addChild(createConditionalBranchComputeGroup(testCtx));
18440         computeTests->addChild(createIndexingComputeGroup(testCtx));
18441         computeTests->addChild(createVariablePointersComputeGroup(testCtx));
18442         computeTests->addChild(createPhysicalPointersComputeGroup(testCtx));
18443         computeTests->addChild(createImageSamplerComputeGroup(testCtx));
18444         computeTests->addChild(createOpNameGroup(testCtx));
18445         computeTests->addChild(createOpMemberNameGroup(testCtx));
18446         computeTests->addChild(createPointerParameterComputeGroup(testCtx));
18447         computeTests->addChild(createFloat16Group(testCtx));
18448         computeTests->addChild(createBoolGroup(testCtx));
18449         computeTests->addChild(createWorkgroupMemoryComputeGroup(testCtx));
18450         computeTests->addChild(createSpirvIdsAbuseGroup(testCtx));
18451         computeTests->addChild(createSignedIntCompareGroup(testCtx));
18452
18453         graphicsTests->addChild(createCrossStageInterfaceTests(testCtx));
18454         graphicsTests->addChild(createSpivVersionCheckTests(testCtx, !testComputePipeline));
18455         graphicsTests->addChild(createOpNopTests(testCtx));
18456         graphicsTests->addChild(createOpSourceTests(testCtx));
18457         graphicsTests->addChild(createOpSourceContinuedTests(testCtx));
18458         graphicsTests->addChild(createOpModuleProcessedTests(testCtx));
18459         graphicsTests->addChild(createOpLineTests(testCtx));
18460         graphicsTests->addChild(createOpNoLineTests(testCtx));
18461         graphicsTests->addChild(createOpConstantNullTests(testCtx));
18462         graphicsTests->addChild(createOpConstantCompositeTests(testCtx));
18463         graphicsTests->addChild(createMemoryAccessTests(testCtx));
18464         graphicsTests->addChild(createOpUndefTests(testCtx));
18465         graphicsTests->addChild(createSelectionBlockOrderTests(testCtx));
18466         graphicsTests->addChild(createModuleTests(testCtx));
18467         graphicsTests->addChild(createSwitchBlockOrderTests(testCtx));
18468         graphicsTests->addChild(createOpPhiTests(testCtx));
18469         graphicsTests->addChild(createNoContractionTests(testCtx));
18470         graphicsTests->addChild(createOpQuantizeTests(testCtx));
18471         graphicsTests->addChild(createLoopTests(testCtx));
18472         graphicsTests->addChild(createSpecConstantTests(testCtx));
18473         graphicsTests->addChild(createSpecConstantOpQuantizeToF16Group(testCtx));
18474         graphicsTests->addChild(createBarrierTests(testCtx));
18475         graphicsTests->addChild(createDecorationGroupTests(testCtx));
18476         graphicsTests->addChild(createFRemTests(testCtx));
18477         graphicsTests->addChild(createOpSRemGraphicsTests(testCtx, QP_TEST_RESULT_PASS));
18478         graphicsTests->addChild(createOpSModGraphicsTests(testCtx, QP_TEST_RESULT_PASS));
18479
18480         {
18481                 de::MovePtr<tcu::TestCaseGroup> graphicsAndroidTests    (new tcu::TestCaseGroup(testCtx, "android", "Android CTS Tests"));
18482
18483                 graphicsAndroidTests->addChild(createOpSRemGraphicsTests(testCtx, QP_TEST_RESULT_QUALITY_WARNING));
18484                 graphicsAndroidTests->addChild(createOpSModGraphicsTests(testCtx, QP_TEST_RESULT_QUALITY_WARNING));
18485
18486                 graphicsTests->addChild(graphicsAndroidTests.release());
18487         }
18488         graphicsTests->addChild(createOpNameTests(testCtx));
18489         graphicsTests->addChild(createOpNameAbuseTests(testCtx));
18490         graphicsTests->addChild(createOpMemberNameAbuseTests(testCtx));
18491
18492         graphicsTests->addChild(create8BitStorageGraphicsGroup(testCtx));
18493         graphicsTests->addChild(create16BitStorageGraphicsGroup(testCtx));
18494         graphicsTests->addChild(createFloatControlsGraphicsGroup(testCtx));
18495         graphicsTests->addChild(createUboMatrixPaddingGraphicsGroup(testCtx));
18496         graphicsTests->addChild(createCompositeInsertGraphicsGroup(testCtx));
18497         graphicsTests->addChild(createVariableInitGraphicsGroup(testCtx));
18498         graphicsTests->addChild(createConditionalBranchGraphicsGroup(testCtx));
18499         graphicsTests->addChild(createIndexingGraphicsGroup(testCtx));
18500         graphicsTests->addChild(createVariablePointersGraphicsGroup(testCtx));
18501         graphicsTests->addChild(createImageSamplerGraphicsGroup(testCtx));
18502         graphicsTests->addChild(createConvertGraphicsTests(testCtx, "OpSConvert", "sconvert"));
18503         graphicsTests->addChild(createConvertGraphicsTests(testCtx, "OpUConvert", "uconvert"));
18504         graphicsTests->addChild(createConvertGraphicsTests(testCtx, "OpFConvert", "fconvert"));
18505         graphicsTests->addChild(createConvertGraphicsTests(testCtx, "OpConvertSToF", "convertstof"));
18506         graphicsTests->addChild(createConvertGraphicsTests(testCtx, "OpConvertFToS", "convertftos"));
18507         graphicsTests->addChild(createConvertGraphicsTests(testCtx, "OpConvertUToF", "convertutof"));
18508         graphicsTests->addChild(createConvertGraphicsTests(testCtx, "OpConvertFToU", "convertftou"));
18509         graphicsTests->addChild(createPointerParameterGraphicsGroup(testCtx));
18510         graphicsTests->addChild(createVaryingNameGraphicsGroup(testCtx));
18511         graphicsTests->addChild(createFloat16Tests(testCtx));
18512         graphicsTests->addChild(createSpirvIdsAbuseTests(testCtx));
18513
18514         instructionTests->addChild(computeTests.release());
18515         instructionTests->addChild(graphicsTests.release());
18516
18517         return instructionTests.release();
18518 }
18519
18520 } // SpirVAssembly
18521 } // vkt