glsl: Also track matrix layout information into structures
[mesa.git] / src / glsl / ast_to_hir.cpp
1 /*
2 * Copyright © 2010 Intel Corporation
3 *
4 * Permission is hereby granted, free of charge, to any person obtaining a
5 * copy of this software and associated documentation files (the "Software"),
6 * to deal in the Software without restriction, including without limitation
7 * the rights to use, copy, modify, merge, publish, distribute, sublicense,
8 * and/or sell copies of the Software, and to permit persons to whom the
9 * Software is furnished to do so, subject to the following conditions:
10 *
11 * The above copyright notice and this permission notice (including the next
12 * paragraph) shall be included in all copies or substantial portions of the
13 * Software.
14 *
15 * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16 * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17 * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
18 * THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19 * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
20 * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
21 * DEALINGS IN THE SOFTWARE.
22 */
23
24 /**
25 * \file ast_to_hir.c
26 * Convert abstract syntax to to high-level intermediate reprensentation (HIR).
27 *
28 * During the conversion to HIR, the majority of the symantic checking is
29 * preformed on the program. This includes:
30 *
31 * * Symbol table management
32 * * Type checking
33 * * Function binding
34 *
35 * The majority of this work could be done during parsing, and the parser could
36 * probably generate HIR directly. However, this results in frequent changes
37 * to the parser code. Since we do not assume that every system this complier
38 * is built on will have Flex and Bison installed, we have to store the code
39 * generated by these tools in our version control system. In other parts of
40 * the system we've seen problems where a parser was changed but the generated
41 * code was not committed, merge conflicts where created because two developers
42 * had slightly different versions of Bison installed, etc.
43 *
44 * I have also noticed that running Bison generated parsers in GDB is very
45 * irritating. When you get a segfault on '$$ = $1->foo', you can't very
46 * well 'print $1' in GDB.
47 *
48 * As a result, my preference is to put as little C code as possible in the
49 * parser (and lexer) sources.
50 */
51
52 #include "glsl_symbol_table.h"
53 #include "glsl_parser_extras.h"
54 #include "ast.h"
55 #include "glsl_types.h"
56 #include "program/hash_table.h"
57 #include "ir.h"
58 #include "ir_builder.h"
59
60 using namespace ir_builder;
61
62 static void
63 detect_conflicting_assignments(struct _mesa_glsl_parse_state *state,
64 exec_list *instructions);
65 static void
66 remove_per_vertex_blocks(exec_list *instructions,
67 _mesa_glsl_parse_state *state, ir_variable_mode mode);
68
69
70 void
71 _mesa_ast_to_hir(exec_list *instructions, struct _mesa_glsl_parse_state *state)
72 {
73 _mesa_glsl_initialize_variables(instructions, state);
74
75 state->symbols->separate_function_namespace = state->language_version == 110;
76
77 state->current_function = NULL;
78
79 state->toplevel_ir = instructions;
80
81 state->gs_input_prim_type_specified = false;
82 state->cs_input_local_size_specified = false;
83
84 /* Section 4.2 of the GLSL 1.20 specification states:
85 * "The built-in functions are scoped in a scope outside the global scope
86 * users declare global variables in. That is, a shader's global scope,
87 * available for user-defined functions and global variables, is nested
88 * inside the scope containing the built-in functions."
89 *
90 * Since built-in functions like ftransform() access built-in variables,
91 * it follows that those must be in the outer scope as well.
92 *
93 * We push scope here to create this nesting effect...but don't pop.
94 * This way, a shader's globals are still in the symbol table for use
95 * by the linker.
96 */
97 state->symbols->push_scope();
98
99 foreach_list_typed (ast_node, ast, link, & state->translation_unit)
100 ast->hir(instructions, state);
101
102 detect_recursion_unlinked(state, instructions);
103 detect_conflicting_assignments(state, instructions);
104
105 state->toplevel_ir = NULL;
106
107 /* Move all of the variable declarations to the front of the IR list, and
108 * reverse the order. This has the (intended!) side effect that vertex
109 * shader inputs and fragment shader outputs will appear in the IR in the
110 * same order that they appeared in the shader code. This results in the
111 * locations being assigned in the declared order. Many (arguably buggy)
112 * applications depend on this behavior, and it matches what nearly all
113 * other drivers do.
114 */
115 foreach_in_list_safe(ir_instruction, node, instructions) {
116 ir_variable *const var = node->as_variable();
117
118 if (var == NULL)
119 continue;
120
121 var->remove();
122 instructions->push_head(var);
123 }
124
125 /* Figure out if gl_FragCoord is actually used in fragment shader */
126 ir_variable *const var = state->symbols->get_variable("gl_FragCoord");
127 if (var != NULL)
128 state->fs_uses_gl_fragcoord = var->data.used;
129
130 /* From section 7.1 (Built-In Language Variables) of the GLSL 4.10 spec:
131 *
132 * If multiple shaders using members of a built-in block belonging to
133 * the same interface are linked together in the same program, they
134 * must all redeclare the built-in block in the same way, as described
135 * in section 4.3.7 "Interface Blocks" for interface block matching, or
136 * a link error will result.
137 *
138 * The phrase "using members of a built-in block" implies that if two
139 * shaders are linked together and one of them *does not use* any members
140 * of the built-in block, then that shader does not need to have a matching
141 * redeclaration of the built-in block.
142 *
143 * This appears to be a clarification to the behaviour established for
144 * gl_PerVertex by GLSL 1.50, therefore implement it regardless of GLSL
145 * version.
146 *
147 * The definition of "interface" in section 4.3.7 that applies here is as
148 * follows:
149 *
150 * The boundary between adjacent programmable pipeline stages: This
151 * spans all the outputs in all compilation units of the first stage
152 * and all the inputs in all compilation units of the second stage.
153 *
154 * Therefore this rule applies to both inter- and intra-stage linking.
155 *
156 * The easiest way to implement this is to check whether the shader uses
157 * gl_PerVertex right after ast-to-ir conversion, and if it doesn't, simply
158 * remove all the relevant variable declaration from the IR, so that the
159 * linker won't see them and complain about mismatches.
160 */
161 remove_per_vertex_blocks(instructions, state, ir_var_shader_in);
162 remove_per_vertex_blocks(instructions, state, ir_var_shader_out);
163 }
164
165
166 static ir_expression_operation
167 get_conversion_operation(const glsl_type *to, const glsl_type *from,
168 struct _mesa_glsl_parse_state *state)
169 {
170 switch (to->base_type) {
171 case GLSL_TYPE_FLOAT:
172 switch (from->base_type) {
173 case GLSL_TYPE_INT: return ir_unop_i2f;
174 case GLSL_TYPE_UINT: return ir_unop_u2f;
175 default: return (ir_expression_operation)0;
176 }
177
178 case GLSL_TYPE_UINT:
179 if (!state->is_version(400, 0) && !state->ARB_gpu_shader5_enable)
180 return (ir_expression_operation)0;
181 switch (from->base_type) {
182 case GLSL_TYPE_INT: return ir_unop_i2u;
183 default: return (ir_expression_operation)0;
184 }
185
186 default: return (ir_expression_operation)0;
187 }
188 }
189
190
191 /**
192 * If a conversion is available, convert one operand to a different type
193 *
194 * The \c from \c ir_rvalue is converted "in place".
195 *
196 * \param to Type that the operand it to be converted to
197 * \param from Operand that is being converted
198 * \param state GLSL compiler state
199 *
200 * \return
201 * If a conversion is possible (or unnecessary), \c true is returned.
202 * Otherwise \c false is returned.
203 */
204 bool
205 apply_implicit_conversion(const glsl_type *to, ir_rvalue * &from,
206 struct _mesa_glsl_parse_state *state)
207 {
208 void *ctx = state;
209 if (to->base_type == from->type->base_type)
210 return true;
211
212 /* Prior to GLSL 1.20, there are no implicit conversions */
213 if (!state->is_version(120, 0))
214 return false;
215
216 /* From page 27 (page 33 of the PDF) of the GLSL 1.50 spec:
217 *
218 * "There are no implicit array or structure conversions. For
219 * example, an array of int cannot be implicitly converted to an
220 * array of float.
221 */
222 if (!to->is_numeric() || !from->type->is_numeric())
223 return false;
224
225 /* We don't actually want the specific type `to`, we want a type
226 * with the same base type as `to`, but the same vector width as
227 * `from`.
228 */
229 to = glsl_type::get_instance(to->base_type, from->type->vector_elements,
230 from->type->matrix_columns);
231
232 ir_expression_operation op = get_conversion_operation(to, from->type, state);
233 if (op) {
234 from = new(ctx) ir_expression(op, to, from, NULL);
235 return true;
236 } else {
237 return false;
238 }
239 }
240
241
242 static const struct glsl_type *
243 arithmetic_result_type(ir_rvalue * &value_a, ir_rvalue * &value_b,
244 bool multiply,
245 struct _mesa_glsl_parse_state *state, YYLTYPE *loc)
246 {
247 const glsl_type *type_a = value_a->type;
248 const glsl_type *type_b = value_b->type;
249
250 /* From GLSL 1.50 spec, page 56:
251 *
252 * "The arithmetic binary operators add (+), subtract (-),
253 * multiply (*), and divide (/) operate on integer and
254 * floating-point scalars, vectors, and matrices."
255 */
256 if (!type_a->is_numeric() || !type_b->is_numeric()) {
257 _mesa_glsl_error(loc, state,
258 "operands to arithmetic operators must be numeric");
259 return glsl_type::error_type;
260 }
261
262
263 /* "If one operand is floating-point based and the other is
264 * not, then the conversions from Section 4.1.10 "Implicit
265 * Conversions" are applied to the non-floating-point-based operand."
266 */
267 if (!apply_implicit_conversion(type_a, value_b, state)
268 && !apply_implicit_conversion(type_b, value_a, state)) {
269 _mesa_glsl_error(loc, state,
270 "could not implicitly convert operands to "
271 "arithmetic operator");
272 return glsl_type::error_type;
273 }
274 type_a = value_a->type;
275 type_b = value_b->type;
276
277 /* "If the operands are integer types, they must both be signed or
278 * both be unsigned."
279 *
280 * From this rule and the preceeding conversion it can be inferred that
281 * both types must be GLSL_TYPE_FLOAT, or GLSL_TYPE_UINT, or GLSL_TYPE_INT.
282 * The is_numeric check above already filtered out the case where either
283 * type is not one of these, so now the base types need only be tested for
284 * equality.
285 */
286 if (type_a->base_type != type_b->base_type) {
287 _mesa_glsl_error(loc, state,
288 "base type mismatch for arithmetic operator");
289 return glsl_type::error_type;
290 }
291
292 /* "All arithmetic binary operators result in the same fundamental type
293 * (signed integer, unsigned integer, or floating-point) as the
294 * operands they operate on, after operand type conversion. After
295 * conversion, the following cases are valid
296 *
297 * * The two operands are scalars. In this case the operation is
298 * applied, resulting in a scalar."
299 */
300 if (type_a->is_scalar() && type_b->is_scalar())
301 return type_a;
302
303 /* "* One operand is a scalar, and the other is a vector or matrix.
304 * In this case, the scalar operation is applied independently to each
305 * component of the vector or matrix, resulting in the same size
306 * vector or matrix."
307 */
308 if (type_a->is_scalar()) {
309 if (!type_b->is_scalar())
310 return type_b;
311 } else if (type_b->is_scalar()) {
312 return type_a;
313 }
314
315 /* All of the combinations of <scalar, scalar>, <vector, scalar>,
316 * <scalar, vector>, <scalar, matrix>, and <matrix, scalar> have been
317 * handled.
318 */
319 assert(!type_a->is_scalar());
320 assert(!type_b->is_scalar());
321
322 /* "* The two operands are vectors of the same size. In this case, the
323 * operation is done component-wise resulting in the same size
324 * vector."
325 */
326 if (type_a->is_vector() && type_b->is_vector()) {
327 if (type_a == type_b) {
328 return type_a;
329 } else {
330 _mesa_glsl_error(loc, state,
331 "vector size mismatch for arithmetic operator");
332 return glsl_type::error_type;
333 }
334 }
335
336 /* All of the combinations of <scalar, scalar>, <vector, scalar>,
337 * <scalar, vector>, <scalar, matrix>, <matrix, scalar>, and
338 * <vector, vector> have been handled. At least one of the operands must
339 * be matrix. Further, since there are no integer matrix types, the base
340 * type of both operands must be float.
341 */
342 assert(type_a->is_matrix() || type_b->is_matrix());
343 assert(type_a->base_type == GLSL_TYPE_FLOAT);
344 assert(type_b->base_type == GLSL_TYPE_FLOAT);
345
346 /* "* The operator is add (+), subtract (-), or divide (/), and the
347 * operands are matrices with the same number of rows and the same
348 * number of columns. In this case, the operation is done component-
349 * wise resulting in the same size matrix."
350 * * The operator is multiply (*), where both operands are matrices or
351 * one operand is a vector and the other a matrix. A right vector
352 * operand is treated as a column vector and a left vector operand as a
353 * row vector. In all these cases, it is required that the number of
354 * columns of the left operand is equal to the number of rows of the
355 * right operand. Then, the multiply (*) operation does a linear
356 * algebraic multiply, yielding an object that has the same number of
357 * rows as the left operand and the same number of columns as the right
358 * operand. Section 5.10 "Vector and Matrix Operations" explains in
359 * more detail how vectors and matrices are operated on."
360 */
361 if (! multiply) {
362 if (type_a == type_b)
363 return type_a;
364 } else {
365 if (type_a->is_matrix() && type_b->is_matrix()) {
366 /* Matrix multiply. The columns of A must match the rows of B. Given
367 * the other previously tested constraints, this means the vector type
368 * of a row from A must be the same as the vector type of a column from
369 * B.
370 */
371 if (type_a->row_type() == type_b->column_type()) {
372 /* The resulting matrix has the number of columns of matrix B and
373 * the number of rows of matrix A. We get the row count of A by
374 * looking at the size of a vector that makes up a column. The
375 * transpose (size of a row) is done for B.
376 */
377 const glsl_type *const type =
378 glsl_type::get_instance(type_a->base_type,
379 type_a->column_type()->vector_elements,
380 type_b->row_type()->vector_elements);
381 assert(type != glsl_type::error_type);
382
383 return type;
384 }
385 } else if (type_a->is_matrix()) {
386 /* A is a matrix and B is a column vector. Columns of A must match
387 * rows of B. Given the other previously tested constraints, this
388 * means the vector type of a row from A must be the same as the
389 * vector the type of B.
390 */
391 if (type_a->row_type() == type_b) {
392 /* The resulting vector has a number of elements equal to
393 * the number of rows of matrix A. */
394 const glsl_type *const type =
395 glsl_type::get_instance(type_a->base_type,
396 type_a->column_type()->vector_elements,
397 1);
398 assert(type != glsl_type::error_type);
399
400 return type;
401 }
402 } else {
403 assert(type_b->is_matrix());
404
405 /* A is a row vector and B is a matrix. Columns of A must match rows
406 * of B. Given the other previously tested constraints, this means
407 * the type of A must be the same as the vector type of a column from
408 * B.
409 */
410 if (type_a == type_b->column_type()) {
411 /* The resulting vector has a number of elements equal to
412 * the number of columns of matrix B. */
413 const glsl_type *const type =
414 glsl_type::get_instance(type_a->base_type,
415 type_b->row_type()->vector_elements,
416 1);
417 assert(type != glsl_type::error_type);
418
419 return type;
420 }
421 }
422
423 _mesa_glsl_error(loc, state, "size mismatch for matrix multiplication");
424 return glsl_type::error_type;
425 }
426
427
428 /* "All other cases are illegal."
429 */
430 _mesa_glsl_error(loc, state, "type mismatch");
431 return glsl_type::error_type;
432 }
433
434
435 static const struct glsl_type *
436 unary_arithmetic_result_type(const struct glsl_type *type,
437 struct _mesa_glsl_parse_state *state, YYLTYPE *loc)
438 {
439 /* From GLSL 1.50 spec, page 57:
440 *
441 * "The arithmetic unary operators negate (-), post- and pre-increment
442 * and decrement (-- and ++) operate on integer or floating-point
443 * values (including vectors and matrices). All unary operators work
444 * component-wise on their operands. These result with the same type
445 * they operated on."
446 */
447 if (!type->is_numeric()) {
448 _mesa_glsl_error(loc, state,
449 "operands to arithmetic operators must be numeric");
450 return glsl_type::error_type;
451 }
452
453 return type;
454 }
455
456 /**
457 * \brief Return the result type of a bit-logic operation.
458 *
459 * If the given types to the bit-logic operator are invalid, return
460 * glsl_type::error_type.
461 *
462 * \param type_a Type of LHS of bit-logic op
463 * \param type_b Type of RHS of bit-logic op
464 */
465 static const struct glsl_type *
466 bit_logic_result_type(const struct glsl_type *type_a,
467 const struct glsl_type *type_b,
468 ast_operators op,
469 struct _mesa_glsl_parse_state *state, YYLTYPE *loc)
470 {
471 if (!state->check_bitwise_operations_allowed(loc)) {
472 return glsl_type::error_type;
473 }
474
475 /* From page 50 (page 56 of PDF) of GLSL 1.30 spec:
476 *
477 * "The bitwise operators and (&), exclusive-or (^), and inclusive-or
478 * (|). The operands must be of type signed or unsigned integers or
479 * integer vectors."
480 */
481 if (!type_a->is_integer()) {
482 _mesa_glsl_error(loc, state, "LHS of `%s' must be an integer",
483 ast_expression::operator_string(op));
484 return glsl_type::error_type;
485 }
486 if (!type_b->is_integer()) {
487 _mesa_glsl_error(loc, state, "RHS of `%s' must be an integer",
488 ast_expression::operator_string(op));
489 return glsl_type::error_type;
490 }
491
492 /* "The fundamental types of the operands (signed or unsigned) must
493 * match,"
494 */
495 if (type_a->base_type != type_b->base_type) {
496 _mesa_glsl_error(loc, state, "operands of `%s' must have the same "
497 "base type", ast_expression::operator_string(op));
498 return glsl_type::error_type;
499 }
500
501 /* "The operands cannot be vectors of differing size." */
502 if (type_a->is_vector() &&
503 type_b->is_vector() &&
504 type_a->vector_elements != type_b->vector_elements) {
505 _mesa_glsl_error(loc, state, "operands of `%s' cannot be vectors of "
506 "different sizes", ast_expression::operator_string(op));
507 return glsl_type::error_type;
508 }
509
510 /* "If one operand is a scalar and the other a vector, the scalar is
511 * applied component-wise to the vector, resulting in the same type as
512 * the vector. The fundamental types of the operands [...] will be the
513 * resulting fundamental type."
514 */
515 if (type_a->is_scalar())
516 return type_b;
517 else
518 return type_a;
519 }
520
521 static const struct glsl_type *
522 modulus_result_type(const struct glsl_type *type_a,
523 const struct glsl_type *type_b,
524 struct _mesa_glsl_parse_state *state, YYLTYPE *loc)
525 {
526 if (!state->check_version(130, 300, loc, "operator '%%' is reserved")) {
527 return glsl_type::error_type;
528 }
529
530 /* From GLSL 1.50 spec, page 56:
531 * "The operator modulus (%) operates on signed or unsigned integers or
532 * integer vectors. The operand types must both be signed or both be
533 * unsigned."
534 */
535 if (!type_a->is_integer()) {
536 _mesa_glsl_error(loc, state, "LHS of operator %% must be an integer");
537 return glsl_type::error_type;
538 }
539 if (!type_b->is_integer()) {
540 _mesa_glsl_error(loc, state, "RHS of operator %% must be an integer");
541 return glsl_type::error_type;
542 }
543 if (type_a->base_type != type_b->base_type) {
544 _mesa_glsl_error(loc, state,
545 "operands of %% must have the same base type");
546 return glsl_type::error_type;
547 }
548
549 /* "The operands cannot be vectors of differing size. If one operand is
550 * a scalar and the other vector, then the scalar is applied component-
551 * wise to the vector, resulting in the same type as the vector. If both
552 * are vectors of the same size, the result is computed component-wise."
553 */
554 if (type_a->is_vector()) {
555 if (!type_b->is_vector()
556 || (type_a->vector_elements == type_b->vector_elements))
557 return type_a;
558 } else
559 return type_b;
560
561 /* "The operator modulus (%) is not defined for any other data types
562 * (non-integer types)."
563 */
564 _mesa_glsl_error(loc, state, "type mismatch");
565 return glsl_type::error_type;
566 }
567
568
569 static const struct glsl_type *
570 relational_result_type(ir_rvalue * &value_a, ir_rvalue * &value_b,
571 struct _mesa_glsl_parse_state *state, YYLTYPE *loc)
572 {
573 const glsl_type *type_a = value_a->type;
574 const glsl_type *type_b = value_b->type;
575
576 /* From GLSL 1.50 spec, page 56:
577 * "The relational operators greater than (>), less than (<), greater
578 * than or equal (>=), and less than or equal (<=) operate only on
579 * scalar integer and scalar floating-point expressions."
580 */
581 if (!type_a->is_numeric()
582 || !type_b->is_numeric()
583 || !type_a->is_scalar()
584 || !type_b->is_scalar()) {
585 _mesa_glsl_error(loc, state,
586 "operands to relational operators must be scalar and "
587 "numeric");
588 return glsl_type::error_type;
589 }
590
591 /* "Either the operands' types must match, or the conversions from
592 * Section 4.1.10 "Implicit Conversions" will be applied to the integer
593 * operand, after which the types must match."
594 */
595 if (!apply_implicit_conversion(type_a, value_b, state)
596 && !apply_implicit_conversion(type_b, value_a, state)) {
597 _mesa_glsl_error(loc, state,
598 "could not implicitly convert operands to "
599 "relational operator");
600 return glsl_type::error_type;
601 }
602 type_a = value_a->type;
603 type_b = value_b->type;
604
605 if (type_a->base_type != type_b->base_type) {
606 _mesa_glsl_error(loc, state, "base type mismatch");
607 return glsl_type::error_type;
608 }
609
610 /* "The result is scalar Boolean."
611 */
612 return glsl_type::bool_type;
613 }
614
615 /**
616 * \brief Return the result type of a bit-shift operation.
617 *
618 * If the given types to the bit-shift operator are invalid, return
619 * glsl_type::error_type.
620 *
621 * \param type_a Type of LHS of bit-shift op
622 * \param type_b Type of RHS of bit-shift op
623 */
624 static const struct glsl_type *
625 shift_result_type(const struct glsl_type *type_a,
626 const struct glsl_type *type_b,
627 ast_operators op,
628 struct _mesa_glsl_parse_state *state, YYLTYPE *loc)
629 {
630 if (!state->check_bitwise_operations_allowed(loc)) {
631 return glsl_type::error_type;
632 }
633
634 /* From page 50 (page 56 of the PDF) of the GLSL 1.30 spec:
635 *
636 * "The shift operators (<<) and (>>). For both operators, the operands
637 * must be signed or unsigned integers or integer vectors. One operand
638 * can be signed while the other is unsigned."
639 */
640 if (!type_a->is_integer()) {
641 _mesa_glsl_error(loc, state, "LHS of operator %s must be an integer or "
642 "integer vector", ast_expression::operator_string(op));
643 return glsl_type::error_type;
644
645 }
646 if (!type_b->is_integer()) {
647 _mesa_glsl_error(loc, state, "RHS of operator %s must be an integer or "
648 "integer vector", ast_expression::operator_string(op));
649 return glsl_type::error_type;
650 }
651
652 /* "If the first operand is a scalar, the second operand has to be
653 * a scalar as well."
654 */
655 if (type_a->is_scalar() && !type_b->is_scalar()) {
656 _mesa_glsl_error(loc, state, "if the first operand of %s is scalar, the "
657 "second must be scalar as well",
658 ast_expression::operator_string(op));
659 return glsl_type::error_type;
660 }
661
662 /* If both operands are vectors, check that they have same number of
663 * elements.
664 */
665 if (type_a->is_vector() &&
666 type_b->is_vector() &&
667 type_a->vector_elements != type_b->vector_elements) {
668 _mesa_glsl_error(loc, state, "vector operands to operator %s must "
669 "have same number of elements",
670 ast_expression::operator_string(op));
671 return glsl_type::error_type;
672 }
673
674 /* "In all cases, the resulting type will be the same type as the left
675 * operand."
676 */
677 return type_a;
678 }
679
680 /**
681 * Validates that a value can be assigned to a location with a specified type
682 *
683 * Validates that \c rhs can be assigned to some location. If the types are
684 * not an exact match but an automatic conversion is possible, \c rhs will be
685 * converted.
686 *
687 * \return
688 * \c NULL if \c rhs cannot be assigned to a location with type \c lhs_type.
689 * Otherwise the actual RHS to be assigned will be returned. This may be
690 * \c rhs, or it may be \c rhs after some type conversion.
691 *
692 * \note
693 * In addition to being used for assignments, this function is used to
694 * type-check return values.
695 */
696 ir_rvalue *
697 validate_assignment(struct _mesa_glsl_parse_state *state,
698 YYLTYPE loc, const glsl_type *lhs_type,
699 ir_rvalue *rhs, bool is_initializer)
700 {
701 /* If there is already some error in the RHS, just return it. Anything
702 * else will lead to an avalanche of error message back to the user.
703 */
704 if (rhs->type->is_error())
705 return rhs;
706
707 /* If the types are identical, the assignment can trivially proceed.
708 */
709 if (rhs->type == lhs_type)
710 return rhs;
711
712 /* If the array element types are the same and the LHS is unsized,
713 * the assignment is okay for initializers embedded in variable
714 * declarations.
715 *
716 * Note: Whole-array assignments are not permitted in GLSL 1.10, but this
717 * is handled by ir_dereference::is_lvalue.
718 */
719 if (lhs_type->is_unsized_array() && rhs->type->is_array()
720 && (lhs_type->element_type() == rhs->type->element_type())) {
721 if (is_initializer) {
722 return rhs;
723 } else {
724 _mesa_glsl_error(&loc, state,
725 "implicitly sized arrays cannot be assigned");
726 return NULL;
727 }
728 }
729
730 /* Check for implicit conversion in GLSL 1.20 */
731 if (apply_implicit_conversion(lhs_type, rhs, state)) {
732 if (rhs->type == lhs_type)
733 return rhs;
734 }
735
736 _mesa_glsl_error(&loc, state,
737 "%s of type %s cannot be assigned to "
738 "variable of type %s",
739 is_initializer ? "initializer" : "value",
740 rhs->type->name, lhs_type->name);
741
742 return NULL;
743 }
744
745 static void
746 mark_whole_array_access(ir_rvalue *access)
747 {
748 ir_dereference_variable *deref = access->as_dereference_variable();
749
750 if (deref && deref->var) {
751 deref->var->data.max_array_access = deref->type->length - 1;
752 }
753 }
754
755 static bool
756 do_assignment(exec_list *instructions, struct _mesa_glsl_parse_state *state,
757 const char *non_lvalue_description,
758 ir_rvalue *lhs, ir_rvalue *rhs,
759 ir_rvalue **out_rvalue, bool needs_rvalue,
760 bool is_initializer,
761 YYLTYPE lhs_loc)
762 {
763 void *ctx = state;
764 bool error_emitted = (lhs->type->is_error() || rhs->type->is_error());
765 ir_rvalue *extract_channel = NULL;
766
767 /* If the assignment LHS comes back as an ir_binop_vector_extract
768 * expression, move it to the RHS as an ir_triop_vector_insert.
769 */
770 if (lhs->ir_type == ir_type_expression) {
771 ir_expression *const lhs_expr = lhs->as_expression();
772
773 if (unlikely(lhs_expr->operation == ir_binop_vector_extract)) {
774 ir_rvalue *new_rhs =
775 validate_assignment(state, lhs_loc, lhs->type,
776 rhs, is_initializer);
777
778 if (new_rhs == NULL) {
779 return lhs;
780 } else {
781 /* This converts:
782 * - LHS: (expression float vector_extract <vec> <channel>)
783 * - RHS: <scalar>
784 * into:
785 * - LHS: <vec>
786 * - RHS: (expression vec2 vector_insert <vec> <channel> <scalar>)
787 *
788 * The LHS type is now a vector instead of a scalar. Since GLSL
789 * allows assignments to be used as rvalues, we need to re-extract
790 * the channel from assignment_temp when returning the rvalue.
791 */
792 extract_channel = lhs_expr->operands[1];
793 rhs = new(ctx) ir_expression(ir_triop_vector_insert,
794 lhs_expr->operands[0]->type,
795 lhs_expr->operands[0],
796 new_rhs,
797 extract_channel);
798 lhs = lhs_expr->operands[0]->clone(ctx, NULL);
799 }
800 }
801 }
802
803 ir_variable *lhs_var = lhs->variable_referenced();
804 if (lhs_var)
805 lhs_var->data.assigned = true;
806
807 if (!error_emitted) {
808 if (non_lvalue_description != NULL) {
809 _mesa_glsl_error(&lhs_loc, state,
810 "assignment to %s",
811 non_lvalue_description);
812 error_emitted = true;
813 } else if (lhs_var != NULL && lhs_var->data.read_only) {
814 _mesa_glsl_error(&lhs_loc, state,
815 "assignment to read-only variable '%s'",
816 lhs_var->name);
817 error_emitted = true;
818 } else if (lhs->type->is_array() &&
819 !state->check_version(120, 300, &lhs_loc,
820 "whole array assignment forbidden")) {
821 /* From page 32 (page 38 of the PDF) of the GLSL 1.10 spec:
822 *
823 * "Other binary or unary expressions, non-dereferenced
824 * arrays, function names, swizzles with repeated fields,
825 * and constants cannot be l-values."
826 *
827 * The restriction on arrays is lifted in GLSL 1.20 and GLSL ES 3.00.
828 */
829 error_emitted = true;
830 } else if (!lhs->is_lvalue()) {
831 _mesa_glsl_error(& lhs_loc, state, "non-lvalue in assignment");
832 error_emitted = true;
833 }
834 }
835
836 ir_rvalue *new_rhs =
837 validate_assignment(state, lhs_loc, lhs->type, rhs, is_initializer);
838 if (new_rhs != NULL) {
839 rhs = new_rhs;
840
841 /* If the LHS array was not declared with a size, it takes it size from
842 * the RHS. If the LHS is an l-value and a whole array, it must be a
843 * dereference of a variable. Any other case would require that the LHS
844 * is either not an l-value or not a whole array.
845 */
846 if (lhs->type->is_unsized_array()) {
847 ir_dereference *const d = lhs->as_dereference();
848
849 assert(d != NULL);
850
851 ir_variable *const var = d->variable_referenced();
852
853 assert(var != NULL);
854
855 if (var->data.max_array_access >= unsigned(rhs->type->array_size())) {
856 /* FINISHME: This should actually log the location of the RHS. */
857 _mesa_glsl_error(& lhs_loc, state, "array size must be > %u due to "
858 "previous access",
859 var->data.max_array_access);
860 }
861
862 var->type = glsl_type::get_array_instance(lhs->type->element_type(),
863 rhs->type->array_size());
864 d->type = var->type;
865 }
866 if (lhs->type->is_array()) {
867 mark_whole_array_access(rhs);
868 mark_whole_array_access(lhs);
869 }
870 }
871
872 /* Most callers of do_assignment (assign, add_assign, pre_inc/dec,
873 * but not post_inc) need the converted assigned value as an rvalue
874 * to handle things like:
875 *
876 * i = j += 1;
877 */
878 if (needs_rvalue) {
879 ir_variable *var = new(ctx) ir_variable(rhs->type, "assignment_tmp",
880 ir_var_temporary);
881 instructions->push_tail(var);
882 instructions->push_tail(assign(var, rhs));
883
884 if (!error_emitted) {
885 ir_dereference_variable *deref_var = new(ctx) ir_dereference_variable(var);
886 instructions->push_tail(new(ctx) ir_assignment(lhs, deref_var));
887 }
888 ir_rvalue *rvalue = new(ctx) ir_dereference_variable(var);
889
890 if (extract_channel) {
891 rvalue = new(ctx) ir_expression(ir_binop_vector_extract,
892 rvalue,
893 extract_channel->clone(ctx, NULL));
894 }
895
896 *out_rvalue = rvalue;
897 } else {
898 if (!error_emitted)
899 instructions->push_tail(new(ctx) ir_assignment(lhs, rhs));
900 *out_rvalue = NULL;
901 }
902
903 return error_emitted;
904 }
905
906 static ir_rvalue *
907 get_lvalue_copy(exec_list *instructions, ir_rvalue *lvalue)
908 {
909 void *ctx = ralloc_parent(lvalue);
910 ir_variable *var;
911
912 var = new(ctx) ir_variable(lvalue->type, "_post_incdec_tmp",
913 ir_var_temporary);
914 instructions->push_tail(var);
915 var->data.mode = ir_var_auto;
916
917 instructions->push_tail(new(ctx) ir_assignment(new(ctx) ir_dereference_variable(var),
918 lvalue));
919
920 return new(ctx) ir_dereference_variable(var);
921 }
922
923
924 ir_rvalue *
925 ast_node::hir(exec_list *instructions, struct _mesa_glsl_parse_state *state)
926 {
927 (void) instructions;
928 (void) state;
929
930 return NULL;
931 }
932
933 void
934 ast_function_expression::hir_no_rvalue(exec_list *instructions,
935 struct _mesa_glsl_parse_state *state)
936 {
937 (void)hir(instructions, state);
938 }
939
940 void
941 ast_aggregate_initializer::hir_no_rvalue(exec_list *instructions,
942 struct _mesa_glsl_parse_state *state)
943 {
944 (void)hir(instructions, state);
945 }
946
947 static ir_rvalue *
948 do_comparison(void *mem_ctx, int operation, ir_rvalue *op0, ir_rvalue *op1)
949 {
950 int join_op;
951 ir_rvalue *cmp = NULL;
952
953 if (operation == ir_binop_all_equal)
954 join_op = ir_binop_logic_and;
955 else
956 join_op = ir_binop_logic_or;
957
958 switch (op0->type->base_type) {
959 case GLSL_TYPE_FLOAT:
960 case GLSL_TYPE_UINT:
961 case GLSL_TYPE_INT:
962 case GLSL_TYPE_BOOL:
963 return new(mem_ctx) ir_expression(operation, op0, op1);
964
965 case GLSL_TYPE_ARRAY: {
966 for (unsigned int i = 0; i < op0->type->length; i++) {
967 ir_rvalue *e0, *e1, *result;
968
969 e0 = new(mem_ctx) ir_dereference_array(op0->clone(mem_ctx, NULL),
970 new(mem_ctx) ir_constant(i));
971 e1 = new(mem_ctx) ir_dereference_array(op1->clone(mem_ctx, NULL),
972 new(mem_ctx) ir_constant(i));
973 result = do_comparison(mem_ctx, operation, e0, e1);
974
975 if (cmp) {
976 cmp = new(mem_ctx) ir_expression(join_op, cmp, result);
977 } else {
978 cmp = result;
979 }
980 }
981
982 mark_whole_array_access(op0);
983 mark_whole_array_access(op1);
984 break;
985 }
986
987 case GLSL_TYPE_STRUCT: {
988 for (unsigned int i = 0; i < op0->type->length; i++) {
989 ir_rvalue *e0, *e1, *result;
990 const char *field_name = op0->type->fields.structure[i].name;
991
992 e0 = new(mem_ctx) ir_dereference_record(op0->clone(mem_ctx, NULL),
993 field_name);
994 e1 = new(mem_ctx) ir_dereference_record(op1->clone(mem_ctx, NULL),
995 field_name);
996 result = do_comparison(mem_ctx, operation, e0, e1);
997
998 if (cmp) {
999 cmp = new(mem_ctx) ir_expression(join_op, cmp, result);
1000 } else {
1001 cmp = result;
1002 }
1003 }
1004 break;
1005 }
1006
1007 case GLSL_TYPE_ERROR:
1008 case GLSL_TYPE_VOID:
1009 case GLSL_TYPE_SAMPLER:
1010 case GLSL_TYPE_IMAGE:
1011 case GLSL_TYPE_INTERFACE:
1012 case GLSL_TYPE_ATOMIC_UINT:
1013 /* I assume a comparison of a struct containing a sampler just
1014 * ignores the sampler present in the type.
1015 */
1016 break;
1017 }
1018
1019 if (cmp == NULL)
1020 cmp = new(mem_ctx) ir_constant(true);
1021
1022 return cmp;
1023 }
1024
1025 /* For logical operations, we want to ensure that the operands are
1026 * scalar booleans. If it isn't, emit an error and return a constant
1027 * boolean to avoid triggering cascading error messages.
1028 */
1029 ir_rvalue *
1030 get_scalar_boolean_operand(exec_list *instructions,
1031 struct _mesa_glsl_parse_state *state,
1032 ast_expression *parent_expr,
1033 int operand,
1034 const char *operand_name,
1035 bool *error_emitted)
1036 {
1037 ast_expression *expr = parent_expr->subexpressions[operand];
1038 void *ctx = state;
1039 ir_rvalue *val = expr->hir(instructions, state);
1040
1041 if (val->type->is_boolean() && val->type->is_scalar())
1042 return val;
1043
1044 if (!*error_emitted) {
1045 YYLTYPE loc = expr->get_location();
1046 _mesa_glsl_error(&loc, state, "%s of `%s' must be scalar boolean",
1047 operand_name,
1048 parent_expr->operator_string(parent_expr->oper));
1049 *error_emitted = true;
1050 }
1051
1052 return new(ctx) ir_constant(true);
1053 }
1054
1055 /**
1056 * If name refers to a builtin array whose maximum allowed size is less than
1057 * size, report an error and return true. Otherwise return false.
1058 */
1059 void
1060 check_builtin_array_max_size(const char *name, unsigned size,
1061 YYLTYPE loc, struct _mesa_glsl_parse_state *state)
1062 {
1063 if ((strcmp("gl_TexCoord", name) == 0)
1064 && (size > state->Const.MaxTextureCoords)) {
1065 /* From page 54 (page 60 of the PDF) of the GLSL 1.20 spec:
1066 *
1067 * "The size [of gl_TexCoord] can be at most
1068 * gl_MaxTextureCoords."
1069 */
1070 _mesa_glsl_error(&loc, state, "`gl_TexCoord' array size cannot "
1071 "be larger than gl_MaxTextureCoords (%u)",
1072 state->Const.MaxTextureCoords);
1073 } else if (strcmp("gl_ClipDistance", name) == 0
1074 && size > state->Const.MaxClipPlanes) {
1075 /* From section 7.1 (Vertex Shader Special Variables) of the
1076 * GLSL 1.30 spec:
1077 *
1078 * "The gl_ClipDistance array is predeclared as unsized and
1079 * must be sized by the shader either redeclaring it with a
1080 * size or indexing it only with integral constant
1081 * expressions. ... The size can be at most
1082 * gl_MaxClipDistances."
1083 */
1084 _mesa_glsl_error(&loc, state, "`gl_ClipDistance' array size cannot "
1085 "be larger than gl_MaxClipDistances (%u)",
1086 state->Const.MaxClipPlanes);
1087 }
1088 }
1089
1090 /**
1091 * Create the constant 1, of a which is appropriate for incrementing and
1092 * decrementing values of the given GLSL type. For example, if type is vec4,
1093 * this creates a constant value of 1.0 having type float.
1094 *
1095 * If the given type is invalid for increment and decrement operators, return
1096 * a floating point 1--the error will be detected later.
1097 */
1098 static ir_rvalue *
1099 constant_one_for_inc_dec(void *ctx, const glsl_type *type)
1100 {
1101 switch (type->base_type) {
1102 case GLSL_TYPE_UINT:
1103 return new(ctx) ir_constant((unsigned) 1);
1104 case GLSL_TYPE_INT:
1105 return new(ctx) ir_constant(1);
1106 default:
1107 case GLSL_TYPE_FLOAT:
1108 return new(ctx) ir_constant(1.0f);
1109 }
1110 }
1111
1112 ir_rvalue *
1113 ast_expression::hir(exec_list *instructions,
1114 struct _mesa_glsl_parse_state *state)
1115 {
1116 return do_hir(instructions, state, true);
1117 }
1118
1119 void
1120 ast_expression::hir_no_rvalue(exec_list *instructions,
1121 struct _mesa_glsl_parse_state *state)
1122 {
1123 do_hir(instructions, state, false);
1124 }
1125
1126 ir_rvalue *
1127 ast_expression::do_hir(exec_list *instructions,
1128 struct _mesa_glsl_parse_state *state,
1129 bool needs_rvalue)
1130 {
1131 void *ctx = state;
1132 static const int operations[AST_NUM_OPERATORS] = {
1133 -1, /* ast_assign doesn't convert to ir_expression. */
1134 -1, /* ast_plus doesn't convert to ir_expression. */
1135 ir_unop_neg,
1136 ir_binop_add,
1137 ir_binop_sub,
1138 ir_binop_mul,
1139 ir_binop_div,
1140 ir_binop_mod,
1141 ir_binop_lshift,
1142 ir_binop_rshift,
1143 ir_binop_less,
1144 ir_binop_greater,
1145 ir_binop_lequal,
1146 ir_binop_gequal,
1147 ir_binop_all_equal,
1148 ir_binop_any_nequal,
1149 ir_binop_bit_and,
1150 ir_binop_bit_xor,
1151 ir_binop_bit_or,
1152 ir_unop_bit_not,
1153 ir_binop_logic_and,
1154 ir_binop_logic_xor,
1155 ir_binop_logic_or,
1156 ir_unop_logic_not,
1157
1158 /* Note: The following block of expression types actually convert
1159 * to multiple IR instructions.
1160 */
1161 ir_binop_mul, /* ast_mul_assign */
1162 ir_binop_div, /* ast_div_assign */
1163 ir_binop_mod, /* ast_mod_assign */
1164 ir_binop_add, /* ast_add_assign */
1165 ir_binop_sub, /* ast_sub_assign */
1166 ir_binop_lshift, /* ast_ls_assign */
1167 ir_binop_rshift, /* ast_rs_assign */
1168 ir_binop_bit_and, /* ast_and_assign */
1169 ir_binop_bit_xor, /* ast_xor_assign */
1170 ir_binop_bit_or, /* ast_or_assign */
1171
1172 -1, /* ast_conditional doesn't convert to ir_expression. */
1173 ir_binop_add, /* ast_pre_inc. */
1174 ir_binop_sub, /* ast_pre_dec. */
1175 ir_binop_add, /* ast_post_inc. */
1176 ir_binop_sub, /* ast_post_dec. */
1177 -1, /* ast_field_selection doesn't conv to ir_expression. */
1178 -1, /* ast_array_index doesn't convert to ir_expression. */
1179 -1, /* ast_function_call doesn't conv to ir_expression. */
1180 -1, /* ast_identifier doesn't convert to ir_expression. */
1181 -1, /* ast_int_constant doesn't convert to ir_expression. */
1182 -1, /* ast_uint_constant doesn't conv to ir_expression. */
1183 -1, /* ast_float_constant doesn't conv to ir_expression. */
1184 -1, /* ast_bool_constant doesn't conv to ir_expression. */
1185 -1, /* ast_sequence doesn't convert to ir_expression. */
1186 };
1187 ir_rvalue *result = NULL;
1188 ir_rvalue *op[3];
1189 const struct glsl_type *type; /* a temporary variable for switch cases */
1190 bool error_emitted = false;
1191 YYLTYPE loc;
1192
1193 loc = this->get_location();
1194
1195 switch (this->oper) {
1196 case ast_aggregate:
1197 assert(!"ast_aggregate: Should never get here.");
1198 break;
1199
1200 case ast_assign: {
1201 op[0] = this->subexpressions[0]->hir(instructions, state);
1202 op[1] = this->subexpressions[1]->hir(instructions, state);
1203
1204 error_emitted =
1205 do_assignment(instructions, state,
1206 this->subexpressions[0]->non_lvalue_description,
1207 op[0], op[1], &result, needs_rvalue, false,
1208 this->subexpressions[0]->get_location());
1209 break;
1210 }
1211
1212 case ast_plus:
1213 op[0] = this->subexpressions[0]->hir(instructions, state);
1214
1215 type = unary_arithmetic_result_type(op[0]->type, state, & loc);
1216
1217 error_emitted = type->is_error();
1218
1219 result = op[0];
1220 break;
1221
1222 case ast_neg:
1223 op[0] = this->subexpressions[0]->hir(instructions, state);
1224
1225 type = unary_arithmetic_result_type(op[0]->type, state, & loc);
1226
1227 error_emitted = type->is_error();
1228
1229 result = new(ctx) ir_expression(operations[this->oper], type,
1230 op[0], NULL);
1231 break;
1232
1233 case ast_add:
1234 case ast_sub:
1235 case ast_mul:
1236 case ast_div:
1237 op[0] = this->subexpressions[0]->hir(instructions, state);
1238 op[1] = this->subexpressions[1]->hir(instructions, state);
1239
1240 type = arithmetic_result_type(op[0], op[1],
1241 (this->oper == ast_mul),
1242 state, & loc);
1243 error_emitted = type->is_error();
1244
1245 result = new(ctx) ir_expression(operations[this->oper], type,
1246 op[0], op[1]);
1247 break;
1248
1249 case ast_mod:
1250 op[0] = this->subexpressions[0]->hir(instructions, state);
1251 op[1] = this->subexpressions[1]->hir(instructions, state);
1252
1253 type = modulus_result_type(op[0]->type, op[1]->type, state, & loc);
1254
1255 assert(operations[this->oper] == ir_binop_mod);
1256
1257 result = new(ctx) ir_expression(operations[this->oper], type,
1258 op[0], op[1]);
1259 error_emitted = type->is_error();
1260 break;
1261
1262 case ast_lshift:
1263 case ast_rshift:
1264 if (!state->check_bitwise_operations_allowed(&loc)) {
1265 error_emitted = true;
1266 }
1267
1268 op[0] = this->subexpressions[0]->hir(instructions, state);
1269 op[1] = this->subexpressions[1]->hir(instructions, state);
1270 type = shift_result_type(op[0]->type, op[1]->type, this->oper, state,
1271 &loc);
1272 result = new(ctx) ir_expression(operations[this->oper], type,
1273 op[0], op[1]);
1274 error_emitted = op[0]->type->is_error() || op[1]->type->is_error();
1275 break;
1276
1277 case ast_less:
1278 case ast_greater:
1279 case ast_lequal:
1280 case ast_gequal:
1281 op[0] = this->subexpressions[0]->hir(instructions, state);
1282 op[1] = this->subexpressions[1]->hir(instructions, state);
1283
1284 type = relational_result_type(op[0], op[1], state, & loc);
1285
1286 /* The relational operators must either generate an error or result
1287 * in a scalar boolean. See page 57 of the GLSL 1.50 spec.
1288 */
1289 assert(type->is_error()
1290 || ((type->base_type == GLSL_TYPE_BOOL)
1291 && type->is_scalar()));
1292
1293 result = new(ctx) ir_expression(operations[this->oper], type,
1294 op[0], op[1]);
1295 error_emitted = type->is_error();
1296 break;
1297
1298 case ast_nequal:
1299 case ast_equal:
1300 op[0] = this->subexpressions[0]->hir(instructions, state);
1301 op[1] = this->subexpressions[1]->hir(instructions, state);
1302
1303 /* From page 58 (page 64 of the PDF) of the GLSL 1.50 spec:
1304 *
1305 * "The equality operators equal (==), and not equal (!=)
1306 * operate on all types. They result in a scalar Boolean. If
1307 * the operand types do not match, then there must be a
1308 * conversion from Section 4.1.10 "Implicit Conversions"
1309 * applied to one operand that can make them match, in which
1310 * case this conversion is done."
1311 */
1312 if ((!apply_implicit_conversion(op[0]->type, op[1], state)
1313 && !apply_implicit_conversion(op[1]->type, op[0], state))
1314 || (op[0]->type != op[1]->type)) {
1315 _mesa_glsl_error(& loc, state, "operands of `%s' must have the same "
1316 "type", (this->oper == ast_equal) ? "==" : "!=");
1317 error_emitted = true;
1318 } else if ((op[0]->type->is_array() || op[1]->type->is_array()) &&
1319 !state->check_version(120, 300, &loc,
1320 "array comparisons forbidden")) {
1321 error_emitted = true;
1322 } else if ((op[0]->type->contains_opaque() ||
1323 op[1]->type->contains_opaque())) {
1324 _mesa_glsl_error(&loc, state, "opaque type comparisons forbidden");
1325 error_emitted = true;
1326 }
1327
1328 if (error_emitted) {
1329 result = new(ctx) ir_constant(false);
1330 } else {
1331 result = do_comparison(ctx, operations[this->oper], op[0], op[1]);
1332 assert(result->type == glsl_type::bool_type);
1333 }
1334 break;
1335
1336 case ast_bit_and:
1337 case ast_bit_xor:
1338 case ast_bit_or:
1339 op[0] = this->subexpressions[0]->hir(instructions, state);
1340 op[1] = this->subexpressions[1]->hir(instructions, state);
1341 type = bit_logic_result_type(op[0]->type, op[1]->type, this->oper,
1342 state, &loc);
1343 result = new(ctx) ir_expression(operations[this->oper], type,
1344 op[0], op[1]);
1345 error_emitted = op[0]->type->is_error() || op[1]->type->is_error();
1346 break;
1347
1348 case ast_bit_not:
1349 op[0] = this->subexpressions[0]->hir(instructions, state);
1350
1351 if (!state->check_bitwise_operations_allowed(&loc)) {
1352 error_emitted = true;
1353 }
1354
1355 if (!op[0]->type->is_integer()) {
1356 _mesa_glsl_error(&loc, state, "operand of `~' must be an integer");
1357 error_emitted = true;
1358 }
1359
1360 type = error_emitted ? glsl_type::error_type : op[0]->type;
1361 result = new(ctx) ir_expression(ir_unop_bit_not, type, op[0], NULL);
1362 break;
1363
1364 case ast_logic_and: {
1365 exec_list rhs_instructions;
1366 op[0] = get_scalar_boolean_operand(instructions, state, this, 0,
1367 "LHS", &error_emitted);
1368 op[1] = get_scalar_boolean_operand(&rhs_instructions, state, this, 1,
1369 "RHS", &error_emitted);
1370
1371 if (rhs_instructions.is_empty()) {
1372 result = new(ctx) ir_expression(ir_binop_logic_and, op[0], op[1]);
1373 type = result->type;
1374 } else {
1375 ir_variable *const tmp = new(ctx) ir_variable(glsl_type::bool_type,
1376 "and_tmp",
1377 ir_var_temporary);
1378 instructions->push_tail(tmp);
1379
1380 ir_if *const stmt = new(ctx) ir_if(op[0]);
1381 instructions->push_tail(stmt);
1382
1383 stmt->then_instructions.append_list(&rhs_instructions);
1384 ir_dereference *const then_deref = new(ctx) ir_dereference_variable(tmp);
1385 ir_assignment *const then_assign =
1386 new(ctx) ir_assignment(then_deref, op[1]);
1387 stmt->then_instructions.push_tail(then_assign);
1388
1389 ir_dereference *const else_deref = new(ctx) ir_dereference_variable(tmp);
1390 ir_assignment *const else_assign =
1391 new(ctx) ir_assignment(else_deref, new(ctx) ir_constant(false));
1392 stmt->else_instructions.push_tail(else_assign);
1393
1394 result = new(ctx) ir_dereference_variable(tmp);
1395 type = tmp->type;
1396 }
1397 break;
1398 }
1399
1400 case ast_logic_or: {
1401 exec_list rhs_instructions;
1402 op[0] = get_scalar_boolean_operand(instructions, state, this, 0,
1403 "LHS", &error_emitted);
1404 op[1] = get_scalar_boolean_operand(&rhs_instructions, state, this, 1,
1405 "RHS", &error_emitted);
1406
1407 if (rhs_instructions.is_empty()) {
1408 result = new(ctx) ir_expression(ir_binop_logic_or, op[0], op[1]);
1409 type = result->type;
1410 } else {
1411 ir_variable *const tmp = new(ctx) ir_variable(glsl_type::bool_type,
1412 "or_tmp",
1413 ir_var_temporary);
1414 instructions->push_tail(tmp);
1415
1416 ir_if *const stmt = new(ctx) ir_if(op[0]);
1417 instructions->push_tail(stmt);
1418
1419 ir_dereference *const then_deref = new(ctx) ir_dereference_variable(tmp);
1420 ir_assignment *const then_assign =
1421 new(ctx) ir_assignment(then_deref, new(ctx) ir_constant(true));
1422 stmt->then_instructions.push_tail(then_assign);
1423
1424 stmt->else_instructions.append_list(&rhs_instructions);
1425 ir_dereference *const else_deref = new(ctx) ir_dereference_variable(tmp);
1426 ir_assignment *const else_assign =
1427 new(ctx) ir_assignment(else_deref, op[1]);
1428 stmt->else_instructions.push_tail(else_assign);
1429
1430 result = new(ctx) ir_dereference_variable(tmp);
1431 type = tmp->type;
1432 }
1433 break;
1434 }
1435
1436 case ast_logic_xor:
1437 /* From page 33 (page 39 of the PDF) of the GLSL 1.10 spec:
1438 *
1439 * "The logical binary operators and (&&), or ( | | ), and
1440 * exclusive or (^^). They operate only on two Boolean
1441 * expressions and result in a Boolean expression."
1442 */
1443 op[0] = get_scalar_boolean_operand(instructions, state, this, 0, "LHS",
1444 &error_emitted);
1445 op[1] = get_scalar_boolean_operand(instructions, state, this, 1, "RHS",
1446 &error_emitted);
1447
1448 result = new(ctx) ir_expression(operations[this->oper], glsl_type::bool_type,
1449 op[0], op[1]);
1450 break;
1451
1452 case ast_logic_not:
1453 op[0] = get_scalar_boolean_operand(instructions, state, this, 0,
1454 "operand", &error_emitted);
1455
1456 result = new(ctx) ir_expression(operations[this->oper], glsl_type::bool_type,
1457 op[0], NULL);
1458 break;
1459
1460 case ast_mul_assign:
1461 case ast_div_assign:
1462 case ast_add_assign:
1463 case ast_sub_assign: {
1464 op[0] = this->subexpressions[0]->hir(instructions, state);
1465 op[1] = this->subexpressions[1]->hir(instructions, state);
1466
1467 type = arithmetic_result_type(op[0], op[1],
1468 (this->oper == ast_mul_assign),
1469 state, & loc);
1470
1471 ir_rvalue *temp_rhs = new(ctx) ir_expression(operations[this->oper], type,
1472 op[0], op[1]);
1473
1474 error_emitted =
1475 do_assignment(instructions, state,
1476 this->subexpressions[0]->non_lvalue_description,
1477 op[0]->clone(ctx, NULL), temp_rhs,
1478 &result, needs_rvalue, false,
1479 this->subexpressions[0]->get_location());
1480
1481 /* GLSL 1.10 does not allow array assignment. However, we don't have to
1482 * explicitly test for this because none of the binary expression
1483 * operators allow array operands either.
1484 */
1485
1486 break;
1487 }
1488
1489 case ast_mod_assign: {
1490 op[0] = this->subexpressions[0]->hir(instructions, state);
1491 op[1] = this->subexpressions[1]->hir(instructions, state);
1492
1493 type = modulus_result_type(op[0]->type, op[1]->type, state, & loc);
1494
1495 assert(operations[this->oper] == ir_binop_mod);
1496
1497 ir_rvalue *temp_rhs;
1498 temp_rhs = new(ctx) ir_expression(operations[this->oper], type,
1499 op[0], op[1]);
1500
1501 error_emitted =
1502 do_assignment(instructions, state,
1503 this->subexpressions[0]->non_lvalue_description,
1504 op[0]->clone(ctx, NULL), temp_rhs,
1505 &result, needs_rvalue, false,
1506 this->subexpressions[0]->get_location());
1507 break;
1508 }
1509
1510 case ast_ls_assign:
1511 case ast_rs_assign: {
1512 op[0] = this->subexpressions[0]->hir(instructions, state);
1513 op[1] = this->subexpressions[1]->hir(instructions, state);
1514 type = shift_result_type(op[0]->type, op[1]->type, this->oper, state,
1515 &loc);
1516 ir_rvalue *temp_rhs = new(ctx) ir_expression(operations[this->oper],
1517 type, op[0], op[1]);
1518 error_emitted =
1519 do_assignment(instructions, state,
1520 this->subexpressions[0]->non_lvalue_description,
1521 op[0]->clone(ctx, NULL), temp_rhs,
1522 &result, needs_rvalue, false,
1523 this->subexpressions[0]->get_location());
1524 break;
1525 }
1526
1527 case ast_and_assign:
1528 case ast_xor_assign:
1529 case ast_or_assign: {
1530 op[0] = this->subexpressions[0]->hir(instructions, state);
1531 op[1] = this->subexpressions[1]->hir(instructions, state);
1532 type = bit_logic_result_type(op[0]->type, op[1]->type, this->oper,
1533 state, &loc);
1534 ir_rvalue *temp_rhs = new(ctx) ir_expression(operations[this->oper],
1535 type, op[0], op[1]);
1536 error_emitted =
1537 do_assignment(instructions, state,
1538 this->subexpressions[0]->non_lvalue_description,
1539 op[0]->clone(ctx, NULL), temp_rhs,
1540 &result, needs_rvalue, false,
1541 this->subexpressions[0]->get_location());
1542 break;
1543 }
1544
1545 case ast_conditional: {
1546 /* From page 59 (page 65 of the PDF) of the GLSL 1.50 spec:
1547 *
1548 * "The ternary selection operator (?:). It operates on three
1549 * expressions (exp1 ? exp2 : exp3). This operator evaluates the
1550 * first expression, which must result in a scalar Boolean."
1551 */
1552 op[0] = get_scalar_boolean_operand(instructions, state, this, 0,
1553 "condition", &error_emitted);
1554
1555 /* The :? operator is implemented by generating an anonymous temporary
1556 * followed by an if-statement. The last instruction in each branch of
1557 * the if-statement assigns a value to the anonymous temporary. This
1558 * temporary is the r-value of the expression.
1559 */
1560 exec_list then_instructions;
1561 exec_list else_instructions;
1562
1563 op[1] = this->subexpressions[1]->hir(&then_instructions, state);
1564 op[2] = this->subexpressions[2]->hir(&else_instructions, state);
1565
1566 /* From page 59 (page 65 of the PDF) of the GLSL 1.50 spec:
1567 *
1568 * "The second and third expressions can be any type, as
1569 * long their types match, or there is a conversion in
1570 * Section 4.1.10 "Implicit Conversions" that can be applied
1571 * to one of the expressions to make their types match. This
1572 * resulting matching type is the type of the entire
1573 * expression."
1574 */
1575 if ((!apply_implicit_conversion(op[1]->type, op[2], state)
1576 && !apply_implicit_conversion(op[2]->type, op[1], state))
1577 || (op[1]->type != op[2]->type)) {
1578 YYLTYPE loc = this->subexpressions[1]->get_location();
1579
1580 _mesa_glsl_error(& loc, state, "second and third operands of ?: "
1581 "operator must have matching types");
1582 error_emitted = true;
1583 type = glsl_type::error_type;
1584 } else {
1585 type = op[1]->type;
1586 }
1587
1588 /* From page 33 (page 39 of the PDF) of the GLSL 1.10 spec:
1589 *
1590 * "The second and third expressions must be the same type, but can
1591 * be of any type other than an array."
1592 */
1593 if (type->is_array() &&
1594 !state->check_version(120, 300, &loc,
1595 "second and third operands of ?: operator "
1596 "cannot be arrays")) {
1597 error_emitted = true;
1598 }
1599
1600 ir_constant *cond_val = op[0]->constant_expression_value();
1601 ir_constant *then_val = op[1]->constant_expression_value();
1602 ir_constant *else_val = op[2]->constant_expression_value();
1603
1604 if (then_instructions.is_empty()
1605 && else_instructions.is_empty()
1606 && (cond_val != NULL) && (then_val != NULL) && (else_val != NULL)) {
1607 result = (cond_val->value.b[0]) ? then_val : else_val;
1608 } else {
1609 ir_variable *const tmp =
1610 new(ctx) ir_variable(type, "conditional_tmp", ir_var_temporary);
1611 instructions->push_tail(tmp);
1612
1613 ir_if *const stmt = new(ctx) ir_if(op[0]);
1614 instructions->push_tail(stmt);
1615
1616 then_instructions.move_nodes_to(& stmt->then_instructions);
1617 ir_dereference *const then_deref =
1618 new(ctx) ir_dereference_variable(tmp);
1619 ir_assignment *const then_assign =
1620 new(ctx) ir_assignment(then_deref, op[1]);
1621 stmt->then_instructions.push_tail(then_assign);
1622
1623 else_instructions.move_nodes_to(& stmt->else_instructions);
1624 ir_dereference *const else_deref =
1625 new(ctx) ir_dereference_variable(tmp);
1626 ir_assignment *const else_assign =
1627 new(ctx) ir_assignment(else_deref, op[2]);
1628 stmt->else_instructions.push_tail(else_assign);
1629
1630 result = new(ctx) ir_dereference_variable(tmp);
1631 }
1632 break;
1633 }
1634
1635 case ast_pre_inc:
1636 case ast_pre_dec: {
1637 this->non_lvalue_description = (this->oper == ast_pre_inc)
1638 ? "pre-increment operation" : "pre-decrement operation";
1639
1640 op[0] = this->subexpressions[0]->hir(instructions, state);
1641 op[1] = constant_one_for_inc_dec(ctx, op[0]->type);
1642
1643 type = arithmetic_result_type(op[0], op[1], false, state, & loc);
1644
1645 ir_rvalue *temp_rhs;
1646 temp_rhs = new(ctx) ir_expression(operations[this->oper], type,
1647 op[0], op[1]);
1648
1649 error_emitted =
1650 do_assignment(instructions, state,
1651 this->subexpressions[0]->non_lvalue_description,
1652 op[0]->clone(ctx, NULL), temp_rhs,
1653 &result, needs_rvalue, false,
1654 this->subexpressions[0]->get_location());
1655 break;
1656 }
1657
1658 case ast_post_inc:
1659 case ast_post_dec: {
1660 this->non_lvalue_description = (this->oper == ast_post_inc)
1661 ? "post-increment operation" : "post-decrement operation";
1662 op[0] = this->subexpressions[0]->hir(instructions, state);
1663 op[1] = constant_one_for_inc_dec(ctx, op[0]->type);
1664
1665 error_emitted = op[0]->type->is_error() || op[1]->type->is_error();
1666
1667 type = arithmetic_result_type(op[0], op[1], false, state, & loc);
1668
1669 ir_rvalue *temp_rhs;
1670 temp_rhs = new(ctx) ir_expression(operations[this->oper], type,
1671 op[0], op[1]);
1672
1673 /* Get a temporary of a copy of the lvalue before it's modified.
1674 * This may get thrown away later.
1675 */
1676 result = get_lvalue_copy(instructions, op[0]->clone(ctx, NULL));
1677
1678 ir_rvalue *junk_rvalue;
1679 error_emitted =
1680 do_assignment(instructions, state,
1681 this->subexpressions[0]->non_lvalue_description,
1682 op[0]->clone(ctx, NULL), temp_rhs,
1683 &junk_rvalue, false, false,
1684 this->subexpressions[0]->get_location());
1685
1686 break;
1687 }
1688
1689 case ast_field_selection:
1690 result = _mesa_ast_field_selection_to_hir(this, instructions, state);
1691 break;
1692
1693 case ast_array_index: {
1694 YYLTYPE index_loc = subexpressions[1]->get_location();
1695
1696 op[0] = subexpressions[0]->hir(instructions, state);
1697 op[1] = subexpressions[1]->hir(instructions, state);
1698
1699 result = _mesa_ast_array_index_to_hir(ctx, state, op[0], op[1],
1700 loc, index_loc);
1701
1702 if (result->type->is_error())
1703 error_emitted = true;
1704
1705 break;
1706 }
1707
1708 case ast_function_call:
1709 /* Should *NEVER* get here. ast_function_call should always be handled
1710 * by ast_function_expression::hir.
1711 */
1712 assert(0);
1713 break;
1714
1715 case ast_identifier: {
1716 /* ast_identifier can appear several places in a full abstract syntax
1717 * tree. This particular use must be at location specified in the grammar
1718 * as 'variable_identifier'.
1719 */
1720 ir_variable *var =
1721 state->symbols->get_variable(this->primary_expression.identifier);
1722
1723 if (var != NULL) {
1724 var->data.used = true;
1725 result = new(ctx) ir_dereference_variable(var);
1726 } else {
1727 _mesa_glsl_error(& loc, state, "`%s' undeclared",
1728 this->primary_expression.identifier);
1729
1730 result = ir_rvalue::error_value(ctx);
1731 error_emitted = true;
1732 }
1733 break;
1734 }
1735
1736 case ast_int_constant:
1737 result = new(ctx) ir_constant(this->primary_expression.int_constant);
1738 break;
1739
1740 case ast_uint_constant:
1741 result = new(ctx) ir_constant(this->primary_expression.uint_constant);
1742 break;
1743
1744 case ast_float_constant:
1745 result = new(ctx) ir_constant(this->primary_expression.float_constant);
1746 break;
1747
1748 case ast_bool_constant:
1749 result = new(ctx) ir_constant(bool(this->primary_expression.bool_constant));
1750 break;
1751
1752 case ast_sequence: {
1753 /* It should not be possible to generate a sequence in the AST without
1754 * any expressions in it.
1755 */
1756 assert(!this->expressions.is_empty());
1757
1758 /* The r-value of a sequence is the last expression in the sequence. If
1759 * the other expressions in the sequence do not have side-effects (and
1760 * therefore add instructions to the instruction list), they get dropped
1761 * on the floor.
1762 */
1763 exec_node *previous_tail_pred = NULL;
1764 YYLTYPE previous_operand_loc = loc;
1765
1766 foreach_list_typed (ast_node, ast, link, &this->expressions) {
1767 /* If one of the operands of comma operator does not generate any
1768 * code, we want to emit a warning. At each pass through the loop
1769 * previous_tail_pred will point to the last instruction in the
1770 * stream *before* processing the previous operand. Naturally,
1771 * instructions->tail_pred will point to the last instruction in the
1772 * stream *after* processing the previous operand. If the two
1773 * pointers match, then the previous operand had no effect.
1774 *
1775 * The warning behavior here differs slightly from GCC. GCC will
1776 * only emit a warning if none of the left-hand operands have an
1777 * effect. However, it will emit a warning for each. I believe that
1778 * there are some cases in C (especially with GCC extensions) where
1779 * it is useful to have an intermediate step in a sequence have no
1780 * effect, but I don't think these cases exist in GLSL. Either way,
1781 * it would be a giant hassle to replicate that behavior.
1782 */
1783 if (previous_tail_pred == instructions->tail_pred) {
1784 _mesa_glsl_warning(&previous_operand_loc, state,
1785 "left-hand operand of comma expression has "
1786 "no effect");
1787 }
1788
1789 /* tail_pred is directly accessed instead of using the get_tail()
1790 * method for performance reasons. get_tail() has extra code to
1791 * return NULL when the list is empty. We don't care about that
1792 * here, so using tail_pred directly is fine.
1793 */
1794 previous_tail_pred = instructions->tail_pred;
1795 previous_operand_loc = ast->get_location();
1796
1797 result = ast->hir(instructions, state);
1798 }
1799
1800 /* Any errors should have already been emitted in the loop above.
1801 */
1802 error_emitted = true;
1803 break;
1804 }
1805 }
1806 type = NULL; /* use result->type, not type. */
1807 assert(result != NULL || !needs_rvalue);
1808
1809 if (result && result->type->is_error() && !error_emitted)
1810 _mesa_glsl_error(& loc, state, "type mismatch");
1811
1812 return result;
1813 }
1814
1815
1816 ir_rvalue *
1817 ast_expression_statement::hir(exec_list *instructions,
1818 struct _mesa_glsl_parse_state *state)
1819 {
1820 /* It is possible to have expression statements that don't have an
1821 * expression. This is the solitary semicolon:
1822 *
1823 * for (i = 0; i < 5; i++)
1824 * ;
1825 *
1826 * In this case the expression will be NULL. Test for NULL and don't do
1827 * anything in that case.
1828 */
1829 if (expression != NULL)
1830 expression->hir_no_rvalue(instructions, state);
1831
1832 /* Statements do not have r-values.
1833 */
1834 return NULL;
1835 }
1836
1837
1838 ir_rvalue *
1839 ast_compound_statement::hir(exec_list *instructions,
1840 struct _mesa_glsl_parse_state *state)
1841 {
1842 if (new_scope)
1843 state->symbols->push_scope();
1844
1845 foreach_list_typed (ast_node, ast, link, &this->statements)
1846 ast->hir(instructions, state);
1847
1848 if (new_scope)
1849 state->symbols->pop_scope();
1850
1851 /* Compound statements do not have r-values.
1852 */
1853 return NULL;
1854 }
1855
1856 /**
1857 * Evaluate the given exec_node (which should be an ast_node representing
1858 * a single array dimension) and return its integer value.
1859 */
1860 static unsigned
1861 process_array_size(exec_node *node,
1862 struct _mesa_glsl_parse_state *state)
1863 {
1864 exec_list dummy_instructions;
1865
1866 ast_node *array_size = exec_node_data(ast_node, node, link);
1867 ir_rvalue *const ir = array_size->hir(& dummy_instructions, state);
1868 YYLTYPE loc = array_size->get_location();
1869
1870 if (ir == NULL) {
1871 _mesa_glsl_error(& loc, state,
1872 "array size could not be resolved");
1873 return 0;
1874 }
1875
1876 if (!ir->type->is_integer()) {
1877 _mesa_glsl_error(& loc, state,
1878 "array size must be integer type");
1879 return 0;
1880 }
1881
1882 if (!ir->type->is_scalar()) {
1883 _mesa_glsl_error(& loc, state,
1884 "array size must be scalar type");
1885 return 0;
1886 }
1887
1888 ir_constant *const size = ir->constant_expression_value();
1889 if (size == NULL) {
1890 _mesa_glsl_error(& loc, state, "array size must be a "
1891 "constant valued expression");
1892 return 0;
1893 }
1894
1895 if (size->value.i[0] <= 0) {
1896 _mesa_glsl_error(& loc, state, "array size must be > 0");
1897 return 0;
1898 }
1899
1900 assert(size->type == ir->type);
1901
1902 /* If the array size is const (and we've verified that
1903 * it is) then no instructions should have been emitted
1904 * when we converted it to HIR. If they were emitted,
1905 * then either the array size isn't const after all, or
1906 * we are emitting unnecessary instructions.
1907 */
1908 assert(dummy_instructions.is_empty());
1909
1910 return size->value.u[0];
1911 }
1912
1913 static const glsl_type *
1914 process_array_type(YYLTYPE *loc, const glsl_type *base,
1915 ast_array_specifier *array_specifier,
1916 struct _mesa_glsl_parse_state *state)
1917 {
1918 const glsl_type *array_type = base;
1919
1920 if (array_specifier != NULL) {
1921 if (base->is_array()) {
1922
1923 /* From page 19 (page 25) of the GLSL 1.20 spec:
1924 *
1925 * "Only one-dimensional arrays may be declared."
1926 */
1927 if (!state->ARB_arrays_of_arrays_enable) {
1928 _mesa_glsl_error(loc, state,
1929 "invalid array of `%s'"
1930 "GL_ARB_arrays_of_arrays "
1931 "required for defining arrays of arrays",
1932 base->name);
1933 return glsl_type::error_type;
1934 }
1935
1936 if (base->length == 0) {
1937 _mesa_glsl_error(loc, state,
1938 "only the outermost array dimension can "
1939 "be unsized",
1940 base->name);
1941 return glsl_type::error_type;
1942 }
1943 }
1944
1945 for (exec_node *node = array_specifier->array_dimensions.tail_pred;
1946 !node->is_head_sentinel(); node = node->prev) {
1947 unsigned array_size = process_array_size(node, state);
1948 array_type = glsl_type::get_array_instance(array_type, array_size);
1949 }
1950
1951 if (array_specifier->is_unsized_array)
1952 array_type = glsl_type::get_array_instance(array_type, 0);
1953 }
1954
1955 return array_type;
1956 }
1957
1958
1959 const glsl_type *
1960 ast_type_specifier::glsl_type(const char **name,
1961 struct _mesa_glsl_parse_state *state) const
1962 {
1963 const struct glsl_type *type;
1964
1965 type = state->symbols->get_type(this->type_name);
1966 *name = this->type_name;
1967
1968 YYLTYPE loc = this->get_location();
1969 type = process_array_type(&loc, type, this->array_specifier, state);
1970
1971 return type;
1972 }
1973
1974 const glsl_type *
1975 ast_fully_specified_type::glsl_type(const char **name,
1976 struct _mesa_glsl_parse_state *state) const
1977 {
1978 const struct glsl_type *type = this->specifier->glsl_type(name, state);
1979
1980 if (type == NULL)
1981 return NULL;
1982
1983 if (type->base_type == GLSL_TYPE_FLOAT
1984 && state->es_shader
1985 && state->stage == MESA_SHADER_FRAGMENT
1986 && this->qualifier.precision == ast_precision_none
1987 && state->symbols->get_variable("#default precision") == NULL) {
1988 YYLTYPE loc = this->get_location();
1989 _mesa_glsl_error(&loc, state,
1990 "no precision specified this scope for type `%s'",
1991 type->name);
1992 }
1993
1994 return type;
1995 }
1996
1997 /**
1998 * Determine whether a toplevel variable declaration declares a varying. This
1999 * function operates by examining the variable's mode and the shader target,
2000 * so it correctly identifies linkage variables regardless of whether they are
2001 * declared using the deprecated "varying" syntax or the new "in/out" syntax.
2002 *
2003 * Passing a non-toplevel variable declaration (e.g. a function parameter) to
2004 * this function will produce undefined results.
2005 */
2006 static bool
2007 is_varying_var(ir_variable *var, gl_shader_stage target)
2008 {
2009 switch (target) {
2010 case MESA_SHADER_VERTEX:
2011 return var->data.mode == ir_var_shader_out;
2012 case MESA_SHADER_FRAGMENT:
2013 return var->data.mode == ir_var_shader_in;
2014 default:
2015 return var->data.mode == ir_var_shader_out || var->data.mode == ir_var_shader_in;
2016 }
2017 }
2018
2019
2020 /**
2021 * Matrix layout qualifiers are only allowed on certain types
2022 */
2023 static void
2024 validate_matrix_layout_for_type(struct _mesa_glsl_parse_state *state,
2025 YYLTYPE *loc,
2026 const glsl_type *type,
2027 ir_variable *var)
2028 {
2029 if (var && !var->is_in_uniform_block()) {
2030 /* Layout qualifiers may only apply to interface blocks and fields in
2031 * them.
2032 */
2033 _mesa_glsl_error(loc, state,
2034 "uniform block layout qualifiers row_major and "
2035 "column_major may not be applied to variables "
2036 "outside of uniform blocks");
2037 } else if (!type->is_matrix()) {
2038 /* The OpenGL ES 3.0 conformance tests did not originally allow
2039 * matrix layout qualifiers on non-matrices. However, the OpenGL
2040 * 4.4 and OpenGL ES 3.0 (revision TBD) specifications were
2041 * amended to specifically allow these layouts on all types. Emit
2042 * a warning so that people know their code may not be portable.
2043 */
2044 _mesa_glsl_warning(loc, state,
2045 "uniform block layout qualifiers row_major and "
2046 "column_major applied to non-matrix types may "
2047 "be rejected by older compilers");
2048 } else if (type->is_record()) {
2049 /* We allow 'layout(row_major)' on structure types because it's the only
2050 * way to get row-major layouts on matrices contained in structures.
2051 */
2052 _mesa_glsl_warning(loc, state,
2053 "uniform block layout qualifiers row_major and "
2054 "column_major applied to structure types is not "
2055 "strictly conformant and may be rejected by other "
2056 "compilers");
2057 }
2058 }
2059
2060 static bool
2061 validate_binding_qualifier(struct _mesa_glsl_parse_state *state,
2062 YYLTYPE *loc,
2063 ir_variable *var,
2064 const ast_type_qualifier *qual)
2065 {
2066 if (var->data.mode != ir_var_uniform) {
2067 _mesa_glsl_error(loc, state,
2068 "the \"binding\" qualifier only applies to uniforms");
2069 return false;
2070 }
2071
2072 if (qual->binding < 0) {
2073 _mesa_glsl_error(loc, state, "binding values must be >= 0");
2074 return false;
2075 }
2076
2077 const struct gl_context *const ctx = state->ctx;
2078 unsigned elements = var->type->is_array() ? var->type->length : 1;
2079 unsigned max_index = qual->binding + elements - 1;
2080
2081 if (var->type->is_interface()) {
2082 /* UBOs. From page 60 of the GLSL 4.20 specification:
2083 * "If the binding point for any uniform block instance is less than zero,
2084 * or greater than or equal to the implementation-dependent maximum
2085 * number of uniform buffer bindings, a compilation error will occur.
2086 * When the binding identifier is used with a uniform block instanced as
2087 * an array of size N, all elements of the array from binding through
2088 * binding + N – 1 must be within this range."
2089 *
2090 * The implementation-dependent maximum is GL_MAX_UNIFORM_BUFFER_BINDINGS.
2091 */
2092 if (max_index >= ctx->Const.MaxUniformBufferBindings) {
2093 _mesa_glsl_error(loc, state, "layout(binding = %d) for %d UBOs exceeds "
2094 "the maximum number of UBO binding points (%d)",
2095 qual->binding, elements,
2096 ctx->Const.MaxUniformBufferBindings);
2097 return false;
2098 }
2099 } else if (var->type->is_sampler() ||
2100 (var->type->is_array() && var->type->fields.array->is_sampler())) {
2101 /* Samplers. From page 63 of the GLSL 4.20 specification:
2102 * "If the binding is less than zero, or greater than or equal to the
2103 * implementation-dependent maximum supported number of units, a
2104 * compilation error will occur. When the binding identifier is used
2105 * with an array of size N, all elements of the array from binding
2106 * through binding + N - 1 must be within this range."
2107 */
2108 unsigned limit = ctx->Const.Program[state->stage].MaxTextureImageUnits;
2109
2110 if (max_index >= limit) {
2111 _mesa_glsl_error(loc, state, "layout(binding = %d) for %d samplers "
2112 "exceeds the maximum number of texture image units "
2113 "(%d)", qual->binding, elements, limit);
2114
2115 return false;
2116 }
2117 } else if (var->type->contains_atomic()) {
2118 assert(ctx->Const.MaxAtomicBufferBindings <= MAX_COMBINED_ATOMIC_BUFFERS);
2119 if (unsigned(qual->binding) >= ctx->Const.MaxAtomicBufferBindings) {
2120 _mesa_glsl_error(loc, state, "layout(binding = %d) exceeds the "
2121 " maximum number of atomic counter buffer bindings"
2122 "(%d)", qual->binding,
2123 ctx->Const.MaxAtomicBufferBindings);
2124
2125 return false;
2126 }
2127 } else {
2128 _mesa_glsl_error(loc, state,
2129 "the \"binding\" qualifier only applies to uniform "
2130 "blocks, samplers, atomic counters, or arrays thereof");
2131 return false;
2132 }
2133
2134 return true;
2135 }
2136
2137
2138 static glsl_interp_qualifier
2139 interpret_interpolation_qualifier(const struct ast_type_qualifier *qual,
2140 ir_variable_mode mode,
2141 struct _mesa_glsl_parse_state *state,
2142 YYLTYPE *loc)
2143 {
2144 glsl_interp_qualifier interpolation;
2145 if (qual->flags.q.flat)
2146 interpolation = INTERP_QUALIFIER_FLAT;
2147 else if (qual->flags.q.noperspective)
2148 interpolation = INTERP_QUALIFIER_NOPERSPECTIVE;
2149 else if (qual->flags.q.smooth)
2150 interpolation = INTERP_QUALIFIER_SMOOTH;
2151 else
2152 interpolation = INTERP_QUALIFIER_NONE;
2153
2154 if (interpolation != INTERP_QUALIFIER_NONE) {
2155 if (mode != ir_var_shader_in && mode != ir_var_shader_out) {
2156 _mesa_glsl_error(loc, state,
2157 "interpolation qualifier `%s' can only be applied to "
2158 "shader inputs or outputs.",
2159 interpolation_string(interpolation));
2160
2161 }
2162
2163 if ((state->stage == MESA_SHADER_VERTEX && mode == ir_var_shader_in) ||
2164 (state->stage == MESA_SHADER_FRAGMENT && mode == ir_var_shader_out)) {
2165 _mesa_glsl_error(loc, state,
2166 "interpolation qualifier `%s' cannot be applied to "
2167 "vertex shader inputs or fragment shader outputs",
2168 interpolation_string(interpolation));
2169 }
2170 }
2171
2172 return interpolation;
2173 }
2174
2175
2176 static void
2177 validate_explicit_location(const struct ast_type_qualifier *qual,
2178 ir_variable *var,
2179 struct _mesa_glsl_parse_state *state,
2180 YYLTYPE *loc)
2181 {
2182 bool fail = false;
2183
2184 /* Checks for GL_ARB_explicit_uniform_location. */
2185 if (qual->flags.q.uniform) {
2186 if (!state->check_explicit_uniform_location_allowed(loc, var))
2187 return;
2188
2189 const struct gl_context *const ctx = state->ctx;
2190 unsigned max_loc = qual->location + var->type->uniform_locations() - 1;
2191
2192 /* ARB_explicit_uniform_location specification states:
2193 *
2194 * "The explicitly defined locations and the generated locations
2195 * must be in the range of 0 to MAX_UNIFORM_LOCATIONS minus one."
2196 *
2197 * "Valid locations for default-block uniform variable locations
2198 * are in the range of 0 to the implementation-defined maximum
2199 * number of uniform locations."
2200 */
2201 if (qual->location < 0) {
2202 _mesa_glsl_error(loc, state,
2203 "explicit location < 0 for uniform %s", var->name);
2204 return;
2205 }
2206
2207 if (max_loc >= ctx->Const.MaxUserAssignableUniformLocations) {
2208 _mesa_glsl_error(loc, state, "location(s) consumed by uniform %s "
2209 ">= MAX_UNIFORM_LOCATIONS (%u)", var->name,
2210 ctx->Const.MaxUserAssignableUniformLocations);
2211 return;
2212 }
2213
2214 var->data.explicit_location = true;
2215 var->data.location = qual->location;
2216 return;
2217 }
2218
2219 /* Between GL_ARB_explicit_attrib_location an
2220 * GL_ARB_separate_shader_objects, the inputs and outputs of any shader
2221 * stage can be assigned explicit locations. The checking here associates
2222 * the correct extension with the correct stage's input / output:
2223 *
2224 * input output
2225 * ----- ------
2226 * vertex explicit_loc sso
2227 * geometry sso sso
2228 * fragment sso explicit_loc
2229 */
2230 switch (state->stage) {
2231 case MESA_SHADER_VERTEX:
2232 if (var->data.mode == ir_var_shader_in) {
2233 if (!state->check_explicit_attrib_location_allowed(loc, var))
2234 return;
2235
2236 break;
2237 }
2238
2239 if (var->data.mode == ir_var_shader_out) {
2240 if (!state->check_separate_shader_objects_allowed(loc, var))
2241 return;
2242
2243 break;
2244 }
2245
2246 fail = true;
2247 break;
2248
2249 case MESA_SHADER_GEOMETRY:
2250 if (var->data.mode == ir_var_shader_in || var->data.mode == ir_var_shader_out) {
2251 if (!state->check_separate_shader_objects_allowed(loc, var))
2252 return;
2253
2254 break;
2255 }
2256
2257 fail = true;
2258 break;
2259
2260 case MESA_SHADER_FRAGMENT:
2261 if (var->data.mode == ir_var_shader_in) {
2262 if (!state->check_separate_shader_objects_allowed(loc, var))
2263 return;
2264
2265 break;
2266 }
2267
2268 if (var->data.mode == ir_var_shader_out) {
2269 if (!state->check_explicit_attrib_location_allowed(loc, var))
2270 return;
2271
2272 break;
2273 }
2274
2275 fail = true;
2276 break;
2277
2278 case MESA_SHADER_COMPUTE:
2279 _mesa_glsl_error(loc, state,
2280 "compute shader variables cannot be given "
2281 "explicit locations");
2282 return;
2283 };
2284
2285 if (fail) {
2286 _mesa_glsl_error(loc, state,
2287 "%s cannot be given an explicit location in %s shader",
2288 mode_string(var),
2289 _mesa_shader_stage_to_string(state->stage));
2290 } else {
2291 var->data.explicit_location = true;
2292
2293 /* This bit of silliness is needed because invalid explicit locations
2294 * are supposed to be flagged during linking. Small negative values
2295 * biased by VERT_ATTRIB_GENERIC0 or FRAG_RESULT_DATA0 could alias
2296 * built-in values (e.g., -16+VERT_ATTRIB_GENERIC0 = VERT_ATTRIB_POS).
2297 * The linker needs to be able to differentiate these cases. This
2298 * ensures that negative values stay negative.
2299 */
2300 if (qual->location >= 0) {
2301 switch (state->stage) {
2302 case MESA_SHADER_VERTEX:
2303 var->data.location = (var->data.mode == ir_var_shader_in)
2304 ? (qual->location + VERT_ATTRIB_GENERIC0)
2305 : (qual->location + VARYING_SLOT_VAR0);
2306 break;
2307
2308 case MESA_SHADER_GEOMETRY:
2309 var->data.location = qual->location + VARYING_SLOT_VAR0;
2310 break;
2311
2312 case MESA_SHADER_FRAGMENT:
2313 var->data.location = (var->data.mode == ir_var_shader_out)
2314 ? (qual->location + FRAG_RESULT_DATA0)
2315 : (qual->location + VARYING_SLOT_VAR0);
2316 break;
2317 case MESA_SHADER_COMPUTE:
2318 assert(!"Unexpected shader type");
2319 break;
2320 }
2321 } else {
2322 var->data.location = qual->location;
2323 }
2324
2325 if (qual->flags.q.explicit_index) {
2326 /* From the GLSL 4.30 specification, section 4.4.2 (Output
2327 * Layout Qualifiers):
2328 *
2329 * "It is also a compile-time error if a fragment shader
2330 * sets a layout index to less than 0 or greater than 1."
2331 *
2332 * Older specifications don't mandate a behavior; we take
2333 * this as a clarification and always generate the error.
2334 */
2335 if (qual->index < 0 || qual->index > 1) {
2336 _mesa_glsl_error(loc, state,
2337 "explicit index may only be 0 or 1");
2338 } else {
2339 var->data.explicit_index = true;
2340 var->data.index = qual->index;
2341 }
2342 }
2343 }
2344 }
2345
2346 static void
2347 apply_image_qualifier_to_variable(const struct ast_type_qualifier *qual,
2348 ir_variable *var,
2349 struct _mesa_glsl_parse_state *state,
2350 YYLTYPE *loc)
2351 {
2352 const glsl_type *base_type =
2353 (var->type->is_array() ? var->type->element_type() : var->type);
2354
2355 if (base_type->is_image()) {
2356 if (var->data.mode != ir_var_uniform &&
2357 var->data.mode != ir_var_function_in) {
2358 _mesa_glsl_error(loc, state, "image variables may only be declared as "
2359 "function parameters or uniform-qualified "
2360 "global variables");
2361 }
2362
2363 var->data.image.read_only |= qual->flags.q.read_only;
2364 var->data.image.write_only |= qual->flags.q.write_only;
2365 var->data.image.coherent |= qual->flags.q.coherent;
2366 var->data.image._volatile |= qual->flags.q._volatile;
2367 var->data.image.restrict_flag |= qual->flags.q.restrict_flag;
2368 var->data.read_only = true;
2369
2370 if (qual->flags.q.explicit_image_format) {
2371 if (var->data.mode == ir_var_function_in) {
2372 _mesa_glsl_error(loc, state, "format qualifiers cannot be "
2373 "used on image function parameters");
2374 }
2375
2376 if (qual->image_base_type != base_type->sampler_type) {
2377 _mesa_glsl_error(loc, state, "format qualifier doesn't match the "
2378 "base data type of the image");
2379 }
2380
2381 var->data.image.format = qual->image_format;
2382 } else {
2383 if (var->data.mode == ir_var_uniform && !qual->flags.q.write_only) {
2384 _mesa_glsl_error(loc, state, "uniforms not qualified with "
2385 "`writeonly' must have a format layout "
2386 "qualifier");
2387 }
2388
2389 var->data.image.format = GL_NONE;
2390 }
2391 }
2392 }
2393
2394 static inline const char*
2395 get_layout_qualifier_string(bool origin_upper_left, bool pixel_center_integer)
2396 {
2397 if (origin_upper_left && pixel_center_integer)
2398 return "origin_upper_left, pixel_center_integer";
2399 else if (origin_upper_left)
2400 return "origin_upper_left";
2401 else if (pixel_center_integer)
2402 return "pixel_center_integer";
2403 else
2404 return " ";
2405 }
2406
2407 static inline bool
2408 is_conflicting_fragcoord_redeclaration(struct _mesa_glsl_parse_state *state,
2409 const struct ast_type_qualifier *qual)
2410 {
2411 /* If gl_FragCoord was previously declared, and the qualifiers were
2412 * different in any way, return true.
2413 */
2414 if (state->fs_redeclares_gl_fragcoord) {
2415 return (state->fs_pixel_center_integer != qual->flags.q.pixel_center_integer
2416 || state->fs_origin_upper_left != qual->flags.q.origin_upper_left);
2417 }
2418
2419 return false;
2420 }
2421
2422 static void
2423 apply_type_qualifier_to_variable(const struct ast_type_qualifier *qual,
2424 ir_variable *var,
2425 struct _mesa_glsl_parse_state *state,
2426 YYLTYPE *loc,
2427 bool is_parameter)
2428 {
2429 STATIC_ASSERT(sizeof(qual->flags.q) <= sizeof(qual->flags.i));
2430
2431 if (qual->flags.q.invariant) {
2432 if (var->data.used) {
2433 _mesa_glsl_error(loc, state,
2434 "variable `%s' may not be redeclared "
2435 "`invariant' after being used",
2436 var->name);
2437 } else {
2438 var->data.invariant = 1;
2439 }
2440 }
2441
2442 if (qual->flags.q.precise) {
2443 if (var->data.used) {
2444 _mesa_glsl_error(loc, state,
2445 "variable `%s' may not be redeclared "
2446 "`precise' after being used",
2447 var->name);
2448 } else {
2449 var->data.precise = 1;
2450 }
2451 }
2452
2453 if (qual->flags.q.constant || qual->flags.q.attribute
2454 || qual->flags.q.uniform
2455 || (qual->flags.q.varying && (state->stage == MESA_SHADER_FRAGMENT)))
2456 var->data.read_only = 1;
2457
2458 if (qual->flags.q.centroid)
2459 var->data.centroid = 1;
2460
2461 if (qual->flags.q.sample)
2462 var->data.sample = 1;
2463
2464 if (state->stage == MESA_SHADER_GEOMETRY &&
2465 qual->flags.q.out && qual->flags.q.stream) {
2466 var->data.stream = qual->stream;
2467 }
2468
2469 if (qual->flags.q.attribute && state->stage != MESA_SHADER_VERTEX) {
2470 var->type = glsl_type::error_type;
2471 _mesa_glsl_error(loc, state,
2472 "`attribute' variables may not be declared in the "
2473 "%s shader",
2474 _mesa_shader_stage_to_string(state->stage));
2475 }
2476
2477 /* Disallow layout qualifiers which may only appear on layout declarations. */
2478 if (qual->flags.q.prim_type) {
2479 _mesa_glsl_error(loc, state,
2480 "Primitive type may only be specified on GS input or output "
2481 "layout declaration, not on variables.");
2482 }
2483
2484 /* Section 6.1.1 (Function Calling Conventions) of the GLSL 1.10 spec says:
2485 *
2486 * "However, the const qualifier cannot be used with out or inout."
2487 *
2488 * The same section of the GLSL 4.40 spec further clarifies this saying:
2489 *
2490 * "The const qualifier cannot be used with out or inout, or a
2491 * compile-time error results."
2492 */
2493 if (is_parameter && qual->flags.q.constant && qual->flags.q.out) {
2494 _mesa_glsl_error(loc, state,
2495 "`const' may not be applied to `out' or `inout' "
2496 "function parameters");
2497 }
2498
2499 /* If there is no qualifier that changes the mode of the variable, leave
2500 * the setting alone.
2501 */
2502 if (qual->flags.q.in && qual->flags.q.out)
2503 var->data.mode = ir_var_function_inout;
2504 else if (qual->flags.q.in)
2505 var->data.mode = is_parameter ? ir_var_function_in : ir_var_shader_in;
2506 else if (qual->flags.q.attribute
2507 || (qual->flags.q.varying && (state->stage == MESA_SHADER_FRAGMENT)))
2508 var->data.mode = ir_var_shader_in;
2509 else if (qual->flags.q.out)
2510 var->data.mode = is_parameter ? ir_var_function_out : ir_var_shader_out;
2511 else if (qual->flags.q.varying && (state->stage == MESA_SHADER_VERTEX))
2512 var->data.mode = ir_var_shader_out;
2513 else if (qual->flags.q.uniform)
2514 var->data.mode = ir_var_uniform;
2515
2516 if (!is_parameter && is_varying_var(var, state->stage)) {
2517 /* User-defined ins/outs are not permitted in compute shaders. */
2518 if (state->stage == MESA_SHADER_COMPUTE) {
2519 _mesa_glsl_error(loc, state,
2520 "user-defined input and output variables are not "
2521 "permitted in compute shaders");
2522 }
2523
2524 /* This variable is being used to link data between shader stages (in
2525 * pre-glsl-1.30 parlance, it's a "varying"). Check that it has a type
2526 * that is allowed for such purposes.
2527 *
2528 * From page 25 (page 31 of the PDF) of the GLSL 1.10 spec:
2529 *
2530 * "The varying qualifier can be used only with the data types
2531 * float, vec2, vec3, vec4, mat2, mat3, and mat4, or arrays of
2532 * these."
2533 *
2534 * This was relaxed in GLSL version 1.30 and GLSL ES version 3.00. From
2535 * page 31 (page 37 of the PDF) of the GLSL 1.30 spec:
2536 *
2537 * "Fragment inputs can only be signed and unsigned integers and
2538 * integer vectors, float, floating-point vectors, matrices, or
2539 * arrays of these. Structures cannot be input.
2540 *
2541 * Similar text exists in the section on vertex shader outputs.
2542 *
2543 * Similar text exists in the GLSL ES 3.00 spec, except that the GLSL ES
2544 * 3.00 spec allows structs as well. Varying structs are also allowed
2545 * in GLSL 1.50.
2546 */
2547 switch (var->type->get_scalar_type()->base_type) {
2548 case GLSL_TYPE_FLOAT:
2549 /* Ok in all GLSL versions */
2550 break;
2551 case GLSL_TYPE_UINT:
2552 case GLSL_TYPE_INT:
2553 if (state->is_version(130, 300))
2554 break;
2555 _mesa_glsl_error(loc, state,
2556 "varying variables must be of base type float in %s",
2557 state->get_version_string());
2558 break;
2559 case GLSL_TYPE_STRUCT:
2560 if (state->is_version(150, 300))
2561 break;
2562 _mesa_glsl_error(loc, state,
2563 "varying variables may not be of type struct");
2564 break;
2565 default:
2566 _mesa_glsl_error(loc, state, "illegal type for a varying variable");
2567 break;
2568 }
2569 }
2570
2571 if (state->all_invariant && (state->current_function == NULL)) {
2572 switch (state->stage) {
2573 case MESA_SHADER_VERTEX:
2574 if (var->data.mode == ir_var_shader_out)
2575 var->data.invariant = true;
2576 break;
2577 case MESA_SHADER_GEOMETRY:
2578 if ((var->data.mode == ir_var_shader_in)
2579 || (var->data.mode == ir_var_shader_out))
2580 var->data.invariant = true;
2581 break;
2582 case MESA_SHADER_FRAGMENT:
2583 if (var->data.mode == ir_var_shader_in)
2584 var->data.invariant = true;
2585 break;
2586 case MESA_SHADER_COMPUTE:
2587 /* Invariance isn't meaningful in compute shaders. */
2588 break;
2589 }
2590 }
2591
2592 var->data.interpolation =
2593 interpret_interpolation_qualifier(qual, (ir_variable_mode) var->data.mode,
2594 state, loc);
2595
2596 var->data.pixel_center_integer = qual->flags.q.pixel_center_integer;
2597 var->data.origin_upper_left = qual->flags.q.origin_upper_left;
2598 if ((qual->flags.q.origin_upper_left || qual->flags.q.pixel_center_integer)
2599 && (strcmp(var->name, "gl_FragCoord") != 0)) {
2600 const char *const qual_string = (qual->flags.q.origin_upper_left)
2601 ? "origin_upper_left" : "pixel_center_integer";
2602
2603 _mesa_glsl_error(loc, state,
2604 "layout qualifier `%s' can only be applied to "
2605 "fragment shader input `gl_FragCoord'",
2606 qual_string);
2607 }
2608
2609 if (var->name != NULL && strcmp(var->name, "gl_FragCoord") == 0) {
2610
2611 /* Section 4.3.8.1, page 39 of GLSL 1.50 spec says:
2612 *
2613 * "Within any shader, the first redeclarations of gl_FragCoord
2614 * must appear before any use of gl_FragCoord."
2615 *
2616 * Generate a compiler error if above condition is not met by the
2617 * fragment shader.
2618 */
2619 ir_variable *earlier = state->symbols->get_variable("gl_FragCoord");
2620 if (earlier != NULL &&
2621 earlier->data.used &&
2622 !state->fs_redeclares_gl_fragcoord) {
2623 _mesa_glsl_error(loc, state,
2624 "gl_FragCoord used before its first redeclaration "
2625 "in fragment shader");
2626 }
2627
2628 /* Make sure all gl_FragCoord redeclarations specify the same layout
2629 * qualifiers.
2630 */
2631 if (is_conflicting_fragcoord_redeclaration(state, qual)) {
2632 const char *const qual_string =
2633 get_layout_qualifier_string(qual->flags.q.origin_upper_left,
2634 qual->flags.q.pixel_center_integer);
2635
2636 const char *const state_string =
2637 get_layout_qualifier_string(state->fs_origin_upper_left,
2638 state->fs_pixel_center_integer);
2639
2640 _mesa_glsl_error(loc, state,
2641 "gl_FragCoord redeclared with different layout "
2642 "qualifiers (%s) and (%s) ",
2643 state_string,
2644 qual_string);
2645 }
2646 state->fs_origin_upper_left = qual->flags.q.origin_upper_left;
2647 state->fs_pixel_center_integer = qual->flags.q.pixel_center_integer;
2648 state->fs_redeclares_gl_fragcoord_with_no_layout_qualifiers =
2649 !qual->flags.q.origin_upper_left && !qual->flags.q.pixel_center_integer;
2650 state->fs_redeclares_gl_fragcoord =
2651 state->fs_origin_upper_left ||
2652 state->fs_pixel_center_integer ||
2653 state->fs_redeclares_gl_fragcoord_with_no_layout_qualifiers;
2654 }
2655
2656 if (qual->flags.q.explicit_location) {
2657 validate_explicit_location(qual, var, state, loc);
2658 } else if (qual->flags.q.explicit_index) {
2659 _mesa_glsl_error(loc, state, "explicit index requires explicit location");
2660 }
2661
2662 if (qual->flags.q.explicit_binding &&
2663 validate_binding_qualifier(state, loc, var, qual)) {
2664 var->data.explicit_binding = true;
2665 var->data.binding = qual->binding;
2666 }
2667
2668 if (var->type->contains_atomic()) {
2669 if (var->data.mode == ir_var_uniform) {
2670 if (var->data.explicit_binding) {
2671 unsigned *offset =
2672 &state->atomic_counter_offsets[var->data.binding];
2673
2674 if (*offset % ATOMIC_COUNTER_SIZE)
2675 _mesa_glsl_error(loc, state,
2676 "misaligned atomic counter offset");
2677
2678 var->data.atomic.offset = *offset;
2679 *offset += var->type->atomic_size();
2680
2681 } else {
2682 _mesa_glsl_error(loc, state,
2683 "atomic counters require explicit binding point");
2684 }
2685 } else if (var->data.mode != ir_var_function_in) {
2686 _mesa_glsl_error(loc, state, "atomic counters may only be declared as "
2687 "function parameters or uniform-qualified "
2688 "global variables");
2689 }
2690 }
2691
2692 /* Does the declaration use the deprecated 'attribute' or 'varying'
2693 * keywords?
2694 */
2695 const bool uses_deprecated_qualifier = qual->flags.q.attribute
2696 || qual->flags.q.varying;
2697
2698
2699 /* Validate auxiliary storage qualifiers */
2700
2701 /* From section 4.3.4 of the GLSL 1.30 spec:
2702 * "It is an error to use centroid in in a vertex shader."
2703 *
2704 * From section 4.3.4 of the GLSL ES 3.00 spec:
2705 * "It is an error to use centroid in or interpolation qualifiers in
2706 * a vertex shader input."
2707 */
2708
2709 /* Section 4.3.6 of the GLSL 1.30 specification states:
2710 * "It is an error to use centroid out in a fragment shader."
2711 *
2712 * The GL_ARB_shading_language_420pack extension specification states:
2713 * "It is an error to use auxiliary storage qualifiers or interpolation
2714 * qualifiers on an output in a fragment shader."
2715 */
2716 if (qual->flags.q.sample && (!is_varying_var(var, state->stage) || uses_deprecated_qualifier)) {
2717 _mesa_glsl_error(loc, state,
2718 "sample qualifier may only be used on `in` or `out` "
2719 "variables between shader stages");
2720 }
2721 if (qual->flags.q.centroid && !is_varying_var(var, state->stage)) {
2722 _mesa_glsl_error(loc, state,
2723 "centroid qualifier may only be used with `in', "
2724 "`out' or `varying' variables between shader stages");
2725 }
2726
2727
2728 /* Is the 'layout' keyword used with parameters that allow relaxed checking.
2729 * Many implementations of GL_ARB_fragment_coord_conventions_enable and some
2730 * implementations (only Mesa?) GL_ARB_explicit_attrib_location_enable
2731 * allowed the layout qualifier to be used with 'varying' and 'attribute'.
2732 * These extensions and all following extensions that add the 'layout'
2733 * keyword have been modified to require the use of 'in' or 'out'.
2734 *
2735 * The following extension do not allow the deprecated keywords:
2736 *
2737 * GL_AMD_conservative_depth
2738 * GL_ARB_conservative_depth
2739 * GL_ARB_gpu_shader5
2740 * GL_ARB_separate_shader_objects
2741 * GL_ARB_tesselation_shader
2742 * GL_ARB_transform_feedback3
2743 * GL_ARB_uniform_buffer_object
2744 *
2745 * It is unknown whether GL_EXT_shader_image_load_store or GL_NV_gpu_shader5
2746 * allow layout with the deprecated keywords.
2747 */
2748 const bool relaxed_layout_qualifier_checking =
2749 state->ARB_fragment_coord_conventions_enable;
2750
2751 if (qual->has_layout() && uses_deprecated_qualifier) {
2752 if (relaxed_layout_qualifier_checking) {
2753 _mesa_glsl_warning(loc, state,
2754 "`layout' qualifier may not be used with "
2755 "`attribute' or `varying'");
2756 } else {
2757 _mesa_glsl_error(loc, state,
2758 "`layout' qualifier may not be used with "
2759 "`attribute' or `varying'");
2760 }
2761 }
2762
2763 /* Layout qualifiers for gl_FragDepth, which are enabled by extension
2764 * AMD_conservative_depth.
2765 */
2766 int depth_layout_count = qual->flags.q.depth_any
2767 + qual->flags.q.depth_greater
2768 + qual->flags.q.depth_less
2769 + qual->flags.q.depth_unchanged;
2770 if (depth_layout_count > 0
2771 && !state->AMD_conservative_depth_enable
2772 && !state->ARB_conservative_depth_enable) {
2773 _mesa_glsl_error(loc, state,
2774 "extension GL_AMD_conservative_depth or "
2775 "GL_ARB_conservative_depth must be enabled "
2776 "to use depth layout qualifiers");
2777 } else if (depth_layout_count > 0
2778 && strcmp(var->name, "gl_FragDepth") != 0) {
2779 _mesa_glsl_error(loc, state,
2780 "depth layout qualifiers can be applied only to "
2781 "gl_FragDepth");
2782 } else if (depth_layout_count > 1
2783 && strcmp(var->name, "gl_FragDepth") == 0) {
2784 _mesa_glsl_error(loc, state,
2785 "at most one depth layout qualifier can be applied to "
2786 "gl_FragDepth");
2787 }
2788 if (qual->flags.q.depth_any)
2789 var->data.depth_layout = ir_depth_layout_any;
2790 else if (qual->flags.q.depth_greater)
2791 var->data.depth_layout = ir_depth_layout_greater;
2792 else if (qual->flags.q.depth_less)
2793 var->data.depth_layout = ir_depth_layout_less;
2794 else if (qual->flags.q.depth_unchanged)
2795 var->data.depth_layout = ir_depth_layout_unchanged;
2796 else
2797 var->data.depth_layout = ir_depth_layout_none;
2798
2799 if (qual->flags.q.std140 ||
2800 qual->flags.q.packed ||
2801 qual->flags.q.shared) {
2802 _mesa_glsl_error(loc, state,
2803 "uniform block layout qualifiers std140, packed, and "
2804 "shared can only be applied to uniform blocks, not "
2805 "members");
2806 }
2807
2808 if (qual->flags.q.row_major || qual->flags.q.column_major) {
2809 validate_matrix_layout_for_type(state, loc, var->type, var);
2810 }
2811
2812 if (var->type->contains_image())
2813 apply_image_qualifier_to_variable(qual, var, state, loc);
2814 }
2815
2816 /**
2817 * Get the variable that is being redeclared by this declaration
2818 *
2819 * Semantic checks to verify the validity of the redeclaration are also
2820 * performed. If semantic checks fail, compilation error will be emitted via
2821 * \c _mesa_glsl_error, but a non-\c NULL pointer will still be returned.
2822 *
2823 * \returns
2824 * A pointer to an existing variable in the current scope if the declaration
2825 * is a redeclaration, \c NULL otherwise.
2826 */
2827 static ir_variable *
2828 get_variable_being_redeclared(ir_variable *var, YYLTYPE loc,
2829 struct _mesa_glsl_parse_state *state,
2830 bool allow_all_redeclarations)
2831 {
2832 /* Check if this declaration is actually a re-declaration, either to
2833 * resize an array or add qualifiers to an existing variable.
2834 *
2835 * This is allowed for variables in the current scope, or when at
2836 * global scope (for built-ins in the implicit outer scope).
2837 */
2838 ir_variable *earlier = state->symbols->get_variable(var->name);
2839 if (earlier == NULL ||
2840 (state->current_function != NULL &&
2841 !state->symbols->name_declared_this_scope(var->name))) {
2842 return NULL;
2843 }
2844
2845
2846 /* From page 24 (page 30 of the PDF) of the GLSL 1.50 spec,
2847 *
2848 * "It is legal to declare an array without a size and then
2849 * later re-declare the same name as an array of the same
2850 * type and specify a size."
2851 */
2852 if (earlier->type->is_unsized_array() && var->type->is_array()
2853 && (var->type->element_type() == earlier->type->element_type())) {
2854 /* FINISHME: This doesn't match the qualifiers on the two
2855 * FINISHME: declarations. It's not 100% clear whether this is
2856 * FINISHME: required or not.
2857 */
2858
2859 const unsigned size = unsigned(var->type->array_size());
2860 check_builtin_array_max_size(var->name, size, loc, state);
2861 if ((size > 0) && (size <= earlier->data.max_array_access)) {
2862 _mesa_glsl_error(& loc, state, "array size must be > %u due to "
2863 "previous access",
2864 earlier->data.max_array_access);
2865 }
2866
2867 earlier->type = var->type;
2868 delete var;
2869 var = NULL;
2870 } else if ((state->ARB_fragment_coord_conventions_enable ||
2871 state->is_version(150, 0))
2872 && strcmp(var->name, "gl_FragCoord") == 0
2873 && earlier->type == var->type
2874 && earlier->data.mode == var->data.mode) {
2875 /* Allow redeclaration of gl_FragCoord for ARB_fcc layout
2876 * qualifiers.
2877 */
2878 earlier->data.origin_upper_left = var->data.origin_upper_left;
2879 earlier->data.pixel_center_integer = var->data.pixel_center_integer;
2880
2881 /* According to section 4.3.7 of the GLSL 1.30 spec,
2882 * the following built-in varaibles can be redeclared with an
2883 * interpolation qualifier:
2884 * * gl_FrontColor
2885 * * gl_BackColor
2886 * * gl_FrontSecondaryColor
2887 * * gl_BackSecondaryColor
2888 * * gl_Color
2889 * * gl_SecondaryColor
2890 */
2891 } else if (state->is_version(130, 0)
2892 && (strcmp(var->name, "gl_FrontColor") == 0
2893 || strcmp(var->name, "gl_BackColor") == 0
2894 || strcmp(var->name, "gl_FrontSecondaryColor") == 0
2895 || strcmp(var->name, "gl_BackSecondaryColor") == 0
2896 || strcmp(var->name, "gl_Color") == 0
2897 || strcmp(var->name, "gl_SecondaryColor") == 0)
2898 && earlier->type == var->type
2899 && earlier->data.mode == var->data.mode) {
2900 earlier->data.interpolation = var->data.interpolation;
2901
2902 /* Layout qualifiers for gl_FragDepth. */
2903 } else if ((state->AMD_conservative_depth_enable ||
2904 state->ARB_conservative_depth_enable)
2905 && strcmp(var->name, "gl_FragDepth") == 0
2906 && earlier->type == var->type
2907 && earlier->data.mode == var->data.mode) {
2908
2909 /** From the AMD_conservative_depth spec:
2910 * Within any shader, the first redeclarations of gl_FragDepth
2911 * must appear before any use of gl_FragDepth.
2912 */
2913 if (earlier->data.used) {
2914 _mesa_glsl_error(&loc, state,
2915 "the first redeclaration of gl_FragDepth "
2916 "must appear before any use of gl_FragDepth");
2917 }
2918
2919 /* Prevent inconsistent redeclaration of depth layout qualifier. */
2920 if (earlier->data.depth_layout != ir_depth_layout_none
2921 && earlier->data.depth_layout != var->data.depth_layout) {
2922 _mesa_glsl_error(&loc, state,
2923 "gl_FragDepth: depth layout is declared here "
2924 "as '%s, but it was previously declared as "
2925 "'%s'",
2926 depth_layout_string(var->data.depth_layout),
2927 depth_layout_string(earlier->data.depth_layout));
2928 }
2929
2930 earlier->data.depth_layout = var->data.depth_layout;
2931
2932 } else if (allow_all_redeclarations) {
2933 if (earlier->data.mode != var->data.mode) {
2934 _mesa_glsl_error(&loc, state,
2935 "redeclaration of `%s' with incorrect qualifiers",
2936 var->name);
2937 } else if (earlier->type != var->type) {
2938 _mesa_glsl_error(&loc, state,
2939 "redeclaration of `%s' has incorrect type",
2940 var->name);
2941 }
2942 } else {
2943 _mesa_glsl_error(&loc, state, "`%s' redeclared", var->name);
2944 }
2945
2946 return earlier;
2947 }
2948
2949 /**
2950 * Generate the IR for an initializer in a variable declaration
2951 */
2952 ir_rvalue *
2953 process_initializer(ir_variable *var, ast_declaration *decl,
2954 ast_fully_specified_type *type,
2955 exec_list *initializer_instructions,
2956 struct _mesa_glsl_parse_state *state)
2957 {
2958 ir_rvalue *result = NULL;
2959
2960 YYLTYPE initializer_loc = decl->initializer->get_location();
2961
2962 /* From page 24 (page 30 of the PDF) of the GLSL 1.10 spec:
2963 *
2964 * "All uniform variables are read-only and are initialized either
2965 * directly by an application via API commands, or indirectly by
2966 * OpenGL."
2967 */
2968 if (var->data.mode == ir_var_uniform) {
2969 state->check_version(120, 0, &initializer_loc,
2970 "cannot initialize uniforms");
2971 }
2972
2973 /* From section 4.1.7 of the GLSL 4.40 spec:
2974 *
2975 * "Opaque variables [...] are initialized only through the
2976 * OpenGL API; they cannot be declared with an initializer in a
2977 * shader."
2978 */
2979 if (var->type->contains_opaque()) {
2980 _mesa_glsl_error(& initializer_loc, state,
2981 "cannot initialize opaque variable");
2982 }
2983
2984 if ((var->data.mode == ir_var_shader_in) && (state->current_function == NULL)) {
2985 _mesa_glsl_error(& initializer_loc, state,
2986 "cannot initialize %s shader input / %s",
2987 _mesa_shader_stage_to_string(state->stage),
2988 (state->stage == MESA_SHADER_VERTEX)
2989 ? "attribute" : "varying");
2990 }
2991
2992 /* If the initializer is an ast_aggregate_initializer, recursively store
2993 * type information from the LHS into it, so that its hir() function can do
2994 * type checking.
2995 */
2996 if (decl->initializer->oper == ast_aggregate)
2997 _mesa_ast_set_aggregate_type(var->type, decl->initializer);
2998
2999 ir_dereference *const lhs = new(state) ir_dereference_variable(var);
3000 ir_rvalue *rhs = decl->initializer->hir(initializer_instructions, state);
3001
3002 /* Calculate the constant value if this is a const or uniform
3003 * declaration.
3004 */
3005 if (type->qualifier.flags.q.constant
3006 || type->qualifier.flags.q.uniform) {
3007 ir_rvalue *new_rhs = validate_assignment(state, initializer_loc,
3008 var->type, rhs, true);
3009 if (new_rhs != NULL) {
3010 rhs = new_rhs;
3011
3012 ir_constant *constant_value = rhs->constant_expression_value();
3013 if (!constant_value) {
3014 /* If ARB_shading_language_420pack is enabled, initializers of
3015 * const-qualified local variables do not have to be constant
3016 * expressions. Const-qualified global variables must still be
3017 * initialized with constant expressions.
3018 */
3019 if (!state->ARB_shading_language_420pack_enable
3020 || state->current_function == NULL) {
3021 _mesa_glsl_error(& initializer_loc, state,
3022 "initializer of %s variable `%s' must be a "
3023 "constant expression",
3024 (type->qualifier.flags.q.constant)
3025 ? "const" : "uniform",
3026 decl->identifier);
3027 if (var->type->is_numeric()) {
3028 /* Reduce cascading errors. */
3029 var->constant_value = ir_constant::zero(state, var->type);
3030 }
3031 }
3032 } else {
3033 rhs = constant_value;
3034 var->constant_value = constant_value;
3035 }
3036 } else {
3037 if (var->type->is_numeric()) {
3038 /* Reduce cascading errors. */
3039 var->constant_value = ir_constant::zero(state, var->type);
3040 }
3041 }
3042 }
3043
3044 if (rhs && !rhs->type->is_error()) {
3045 bool temp = var->data.read_only;
3046 if (type->qualifier.flags.q.constant)
3047 var->data.read_only = false;
3048
3049 /* Never emit code to initialize a uniform.
3050 */
3051 const glsl_type *initializer_type;
3052 if (!type->qualifier.flags.q.uniform) {
3053 do_assignment(initializer_instructions, state,
3054 NULL,
3055 lhs, rhs,
3056 &result, true,
3057 true,
3058 type->get_location());
3059 initializer_type = result->type;
3060 } else
3061 initializer_type = rhs->type;
3062
3063 var->constant_initializer = rhs->constant_expression_value();
3064 var->data.has_initializer = true;
3065
3066 /* If the declared variable is an unsized array, it must inherrit
3067 * its full type from the initializer. A declaration such as
3068 *
3069 * uniform float a[] = float[](1.0, 2.0, 3.0, 3.0);
3070 *
3071 * becomes
3072 *
3073 * uniform float a[4] = float[](1.0, 2.0, 3.0, 3.0);
3074 *
3075 * The assignment generated in the if-statement (below) will also
3076 * automatically handle this case for non-uniforms.
3077 *
3078 * If the declared variable is not an array, the types must
3079 * already match exactly. As a result, the type assignment
3080 * here can be done unconditionally. For non-uniforms the call
3081 * to do_assignment can change the type of the initializer (via
3082 * the implicit conversion rules). For uniforms the initializer
3083 * must be a constant expression, and the type of that expression
3084 * was validated above.
3085 */
3086 var->type = initializer_type;
3087
3088 var->data.read_only = temp;
3089 }
3090
3091 return result;
3092 }
3093
3094
3095 /**
3096 * Do additional processing necessary for geometry shader input declarations
3097 * (this covers both interface blocks arrays and bare input variables).
3098 */
3099 static void
3100 handle_geometry_shader_input_decl(struct _mesa_glsl_parse_state *state,
3101 YYLTYPE loc, ir_variable *var)
3102 {
3103 unsigned num_vertices = 0;
3104 if (state->gs_input_prim_type_specified) {
3105 num_vertices = vertices_per_prim(state->in_qualifier->prim_type);
3106 }
3107
3108 /* Geometry shader input variables must be arrays. Caller should have
3109 * reported an error for this.
3110 */
3111 if (!var->type->is_array()) {
3112 assert(state->error);
3113
3114 /* To avoid cascading failures, short circuit the checks below. */
3115 return;
3116 }
3117
3118 if (var->type->is_unsized_array()) {
3119 /* Section 4.3.8.1 (Input Layout Qualifiers) of the GLSL 1.50 spec says:
3120 *
3121 * All geometry shader input unsized array declarations will be
3122 * sized by an earlier input layout qualifier, when present, as per
3123 * the following table.
3124 *
3125 * Followed by a table mapping each allowed input layout qualifier to
3126 * the corresponding input length.
3127 */
3128 if (num_vertices != 0)
3129 var->type = glsl_type::get_array_instance(var->type->fields.array,
3130 num_vertices);
3131 } else {
3132 /* Section 4.3.8.1 (Input Layout Qualifiers) of the GLSL 1.50 spec
3133 * includes the following examples of compile-time errors:
3134 *
3135 * // code sequence within one shader...
3136 * in vec4 Color1[]; // size unknown
3137 * ...Color1.length()...// illegal, length() unknown
3138 * in vec4 Color2[2]; // size is 2
3139 * ...Color1.length()...// illegal, Color1 still has no size
3140 * in vec4 Color3[3]; // illegal, input sizes are inconsistent
3141 * layout(lines) in; // legal, input size is 2, matching
3142 * in vec4 Color4[3]; // illegal, contradicts layout
3143 * ...
3144 *
3145 * To detect the case illustrated by Color3, we verify that the size of
3146 * an explicitly-sized array matches the size of any previously declared
3147 * explicitly-sized array. To detect the case illustrated by Color4, we
3148 * verify that the size of an explicitly-sized array is consistent with
3149 * any previously declared input layout.
3150 */
3151 if (num_vertices != 0 && var->type->length != num_vertices) {
3152 _mesa_glsl_error(&loc, state,
3153 "geometry shader input size contradicts previously"
3154 " declared layout (size is %u, but layout requires a"
3155 " size of %u)", var->type->length, num_vertices);
3156 } else if (state->gs_input_size != 0 &&
3157 var->type->length != state->gs_input_size) {
3158 _mesa_glsl_error(&loc, state,
3159 "geometry shader input sizes are "
3160 "inconsistent (size is %u, but a previous "
3161 "declaration has size %u)",
3162 var->type->length, state->gs_input_size);
3163 } else {
3164 state->gs_input_size = var->type->length;
3165 }
3166 }
3167 }
3168
3169
3170 void
3171 validate_identifier(const char *identifier, YYLTYPE loc,
3172 struct _mesa_glsl_parse_state *state)
3173 {
3174 /* From page 15 (page 21 of the PDF) of the GLSL 1.10 spec,
3175 *
3176 * "Identifiers starting with "gl_" are reserved for use by
3177 * OpenGL, and may not be declared in a shader as either a
3178 * variable or a function."
3179 */
3180 if (is_gl_identifier(identifier)) {
3181 _mesa_glsl_error(&loc, state,
3182 "identifier `%s' uses reserved `gl_' prefix",
3183 identifier);
3184 } else if (strstr(identifier, "__")) {
3185 /* From page 14 (page 20 of the PDF) of the GLSL 1.10
3186 * spec:
3187 *
3188 * "In addition, all identifiers containing two
3189 * consecutive underscores (__) are reserved as
3190 * possible future keywords."
3191 *
3192 * The intention is that names containing __ are reserved for internal
3193 * use by the implementation, and names prefixed with GL_ are reserved
3194 * for use by Khronos. Names simply containing __ are dangerous to use,
3195 * but should be allowed.
3196 *
3197 * A future version of the GLSL specification will clarify this.
3198 */
3199 _mesa_glsl_warning(&loc, state,
3200 "identifier `%s' uses reserved `__' string",
3201 identifier);
3202 }
3203 }
3204
3205
3206 ir_rvalue *
3207 ast_declarator_list::hir(exec_list *instructions,
3208 struct _mesa_glsl_parse_state *state)
3209 {
3210 void *ctx = state;
3211 const struct glsl_type *decl_type;
3212 const char *type_name = NULL;
3213 ir_rvalue *result = NULL;
3214 YYLTYPE loc = this->get_location();
3215
3216 /* From page 46 (page 52 of the PDF) of the GLSL 1.50 spec:
3217 *
3218 * "To ensure that a particular output variable is invariant, it is
3219 * necessary to use the invariant qualifier. It can either be used to
3220 * qualify a previously declared variable as being invariant
3221 *
3222 * invariant gl_Position; // make existing gl_Position be invariant"
3223 *
3224 * In these cases the parser will set the 'invariant' flag in the declarator
3225 * list, and the type will be NULL.
3226 */
3227 if (this->invariant) {
3228 assert(this->type == NULL);
3229
3230 if (state->current_function != NULL) {
3231 _mesa_glsl_error(& loc, state,
3232 "all uses of `invariant' keyword must be at global "
3233 "scope");
3234 }
3235
3236 foreach_list_typed (ast_declaration, decl, link, &this->declarations) {
3237 assert(decl->array_specifier == NULL);
3238 assert(decl->initializer == NULL);
3239
3240 ir_variable *const earlier =
3241 state->symbols->get_variable(decl->identifier);
3242 if (earlier == NULL) {
3243 _mesa_glsl_error(& loc, state,
3244 "undeclared variable `%s' cannot be marked "
3245 "invariant", decl->identifier);
3246 } else if (!is_varying_var(earlier, state->stage)) {
3247 _mesa_glsl_error(&loc, state,
3248 "`%s' cannot be marked invariant; interfaces between "
3249 "shader stages only.", decl->identifier);
3250 } else if (earlier->data.used) {
3251 _mesa_glsl_error(& loc, state,
3252 "variable `%s' may not be redeclared "
3253 "`invariant' after being used",
3254 earlier->name);
3255 } else {
3256 earlier->data.invariant = true;
3257 }
3258 }
3259
3260 /* Invariant redeclarations do not have r-values.
3261 */
3262 return NULL;
3263 }
3264
3265 if (this->precise) {
3266 assert(this->type == NULL);
3267
3268 foreach_list_typed (ast_declaration, decl, link, &this->declarations) {
3269 assert(decl->array_specifier == NULL);
3270 assert(decl->initializer == NULL);
3271
3272 ir_variable *const earlier =
3273 state->symbols->get_variable(decl->identifier);
3274 if (earlier == NULL) {
3275 _mesa_glsl_error(& loc, state,
3276 "undeclared variable `%s' cannot be marked "
3277 "precise", decl->identifier);
3278 } else if (state->current_function != NULL &&
3279 !state->symbols->name_declared_this_scope(decl->identifier)) {
3280 /* Note: we have to check if we're in a function, since
3281 * builtins are treated as having come from another scope.
3282 */
3283 _mesa_glsl_error(& loc, state,
3284 "variable `%s' from an outer scope may not be "
3285 "redeclared `precise' in this scope",
3286 earlier->name);
3287 } else if (earlier->data.used) {
3288 _mesa_glsl_error(& loc, state,
3289 "variable `%s' may not be redeclared "
3290 "`precise' after being used",
3291 earlier->name);
3292 } else {
3293 earlier->data.precise = true;
3294 }
3295 }
3296
3297 /* Precise redeclarations do not have r-values either. */
3298 return NULL;
3299 }
3300
3301 assert(this->type != NULL);
3302 assert(!this->invariant);
3303 assert(!this->precise);
3304
3305 /* The type specifier may contain a structure definition. Process that
3306 * before any of the variable declarations.
3307 */
3308 (void) this->type->specifier->hir(instructions, state);
3309
3310 decl_type = this->type->glsl_type(& type_name, state);
3311
3312 /* An offset-qualified atomic counter declaration sets the default
3313 * offset for the next declaration within the same atomic counter
3314 * buffer.
3315 */
3316 if (decl_type && decl_type->contains_atomic()) {
3317 if (type->qualifier.flags.q.explicit_binding &&
3318 type->qualifier.flags.q.explicit_offset)
3319 state->atomic_counter_offsets[type->qualifier.binding] =
3320 type->qualifier.offset;
3321 }
3322
3323 if (this->declarations.is_empty()) {
3324 /* If there is no structure involved in the program text, there are two
3325 * possible scenarios:
3326 *
3327 * - The program text contained something like 'vec4;'. This is an
3328 * empty declaration. It is valid but weird. Emit a warning.
3329 *
3330 * - The program text contained something like 'S;' and 'S' is not the
3331 * name of a known structure type. This is both invalid and weird.
3332 * Emit an error.
3333 *
3334 * - The program text contained something like 'mediump float;'
3335 * when the programmer probably meant 'precision mediump
3336 * float;' Emit a warning with a description of what they
3337 * probably meant to do.
3338 *
3339 * Note that if decl_type is NULL and there is a structure involved,
3340 * there must have been some sort of error with the structure. In this
3341 * case we assume that an error was already generated on this line of
3342 * code for the structure. There is no need to generate an additional,
3343 * confusing error.
3344 */
3345 assert(this->type->specifier->structure == NULL || decl_type != NULL
3346 || state->error);
3347
3348 if (decl_type == NULL) {
3349 _mesa_glsl_error(&loc, state,
3350 "invalid type `%s' in empty declaration",
3351 type_name);
3352 } else if (decl_type->base_type == GLSL_TYPE_ATOMIC_UINT) {
3353 /* Empty atomic counter declarations are allowed and useful
3354 * to set the default offset qualifier.
3355 */
3356 return NULL;
3357 } else if (this->type->qualifier.precision != ast_precision_none) {
3358 if (this->type->specifier->structure != NULL) {
3359 _mesa_glsl_error(&loc, state,
3360 "precision qualifiers can't be applied "
3361 "to structures");
3362 } else {
3363 static const char *const precision_names[] = {
3364 "highp",
3365 "highp",
3366 "mediump",
3367 "lowp"
3368 };
3369
3370 _mesa_glsl_warning(&loc, state,
3371 "empty declaration with precision qualifier, "
3372 "to set the default precision, use "
3373 "`precision %s %s;'",
3374 precision_names[this->type->qualifier.precision],
3375 type_name);
3376 }
3377 } else if (this->type->specifier->structure == NULL) {
3378 _mesa_glsl_warning(&loc, state, "empty declaration");
3379 }
3380 }
3381
3382 foreach_list_typed (ast_declaration, decl, link, &this->declarations) {
3383 const struct glsl_type *var_type;
3384 ir_variable *var;
3385
3386 /* FINISHME: Emit a warning if a variable declaration shadows a
3387 * FINISHME: declaration at a higher scope.
3388 */
3389
3390 if ((decl_type == NULL) || decl_type->is_void()) {
3391 if (type_name != NULL) {
3392 _mesa_glsl_error(& loc, state,
3393 "invalid type `%s' in declaration of `%s'",
3394 type_name, decl->identifier);
3395 } else {
3396 _mesa_glsl_error(& loc, state,
3397 "invalid type in declaration of `%s'",
3398 decl->identifier);
3399 }
3400 continue;
3401 }
3402
3403 var_type = process_array_type(&loc, decl_type, decl->array_specifier,
3404 state);
3405
3406 var = new(ctx) ir_variable(var_type, decl->identifier, ir_var_auto);
3407
3408 /* The 'varying in' and 'varying out' qualifiers can only be used with
3409 * ARB_geometry_shader4 and EXT_geometry_shader4, which we don't support
3410 * yet.
3411 */
3412 if (this->type->qualifier.flags.q.varying) {
3413 if (this->type->qualifier.flags.q.in) {
3414 _mesa_glsl_error(& loc, state,
3415 "`varying in' qualifier in declaration of "
3416 "`%s' only valid for geometry shaders using "
3417 "ARB_geometry_shader4 or EXT_geometry_shader4",
3418 decl->identifier);
3419 } else if (this->type->qualifier.flags.q.out) {
3420 _mesa_glsl_error(& loc, state,
3421 "`varying out' qualifier in declaration of "
3422 "`%s' only valid for geometry shaders using "
3423 "ARB_geometry_shader4 or EXT_geometry_shader4",
3424 decl->identifier);
3425 }
3426 }
3427
3428 /* From page 22 (page 28 of the PDF) of the GLSL 1.10 specification;
3429 *
3430 * "Global variables can only use the qualifiers const,
3431 * attribute, uniform, or varying. Only one may be
3432 * specified.
3433 *
3434 * Local variables can only use the qualifier const."
3435 *
3436 * This is relaxed in GLSL 1.30 and GLSL ES 3.00. It is also relaxed by
3437 * any extension that adds the 'layout' keyword.
3438 */
3439 if (!state->is_version(130, 300)
3440 && !state->has_explicit_attrib_location()
3441 && !state->has_separate_shader_objects()
3442 && !state->ARB_fragment_coord_conventions_enable) {
3443 if (this->type->qualifier.flags.q.out) {
3444 _mesa_glsl_error(& loc, state,
3445 "`out' qualifier in declaration of `%s' "
3446 "only valid for function parameters in %s",
3447 decl->identifier, state->get_version_string());
3448 }
3449 if (this->type->qualifier.flags.q.in) {
3450 _mesa_glsl_error(& loc, state,
3451 "`in' qualifier in declaration of `%s' "
3452 "only valid for function parameters in %s",
3453 decl->identifier, state->get_version_string());
3454 }
3455 /* FINISHME: Test for other invalid qualifiers. */
3456 }
3457
3458 apply_type_qualifier_to_variable(& this->type->qualifier, var, state,
3459 & loc, false);
3460
3461 if (this->type->qualifier.flags.q.invariant) {
3462 if (!is_varying_var(var, state->stage)) {
3463 _mesa_glsl_error(&loc, state,
3464 "`%s' cannot be marked invariant; interfaces between "
3465 "shader stages only", var->name);
3466 }
3467 }
3468
3469 if (state->current_function != NULL) {
3470 const char *mode = NULL;
3471 const char *extra = "";
3472
3473 /* There is no need to check for 'inout' here because the parser will
3474 * only allow that in function parameter lists.
3475 */
3476 if (this->type->qualifier.flags.q.attribute) {
3477 mode = "attribute";
3478 } else if (this->type->qualifier.flags.q.uniform) {
3479 mode = "uniform";
3480 } else if (this->type->qualifier.flags.q.varying) {
3481 mode = "varying";
3482 } else if (this->type->qualifier.flags.q.in) {
3483 mode = "in";
3484 extra = " or in function parameter list";
3485 } else if (this->type->qualifier.flags.q.out) {
3486 mode = "out";
3487 extra = " or in function parameter list";
3488 }
3489
3490 if (mode) {
3491 _mesa_glsl_error(& loc, state,
3492 "%s variable `%s' must be declared at "
3493 "global scope%s",
3494 mode, var->name, extra);
3495 }
3496 } else if (var->data.mode == ir_var_shader_in) {
3497 var->data.read_only = true;
3498
3499 if (state->stage == MESA_SHADER_VERTEX) {
3500 bool error_emitted = false;
3501
3502 /* From page 31 (page 37 of the PDF) of the GLSL 1.50 spec:
3503 *
3504 * "Vertex shader inputs can only be float, floating-point
3505 * vectors, matrices, signed and unsigned integers and integer
3506 * vectors. Vertex shader inputs can also form arrays of these
3507 * types, but not structures."
3508 *
3509 * From page 31 (page 27 of the PDF) of the GLSL 1.30 spec:
3510 *
3511 * "Vertex shader inputs can only be float, floating-point
3512 * vectors, matrices, signed and unsigned integers and integer
3513 * vectors. They cannot be arrays or structures."
3514 *
3515 * From page 23 (page 29 of the PDF) of the GLSL 1.20 spec:
3516 *
3517 * "The attribute qualifier can be used only with float,
3518 * floating-point vectors, and matrices. Attribute variables
3519 * cannot be declared as arrays or structures."
3520 *
3521 * From page 33 (page 39 of the PDF) of the GLSL ES 3.00 spec:
3522 *
3523 * "Vertex shader inputs can only be float, floating-point
3524 * vectors, matrices, signed and unsigned integers and integer
3525 * vectors. Vertex shader inputs cannot be arrays or
3526 * structures."
3527 */
3528 const glsl_type *check_type = var->type;
3529 while (check_type->is_array())
3530 check_type = check_type->element_type();
3531
3532 switch (check_type->base_type) {
3533 case GLSL_TYPE_FLOAT:
3534 break;
3535 case GLSL_TYPE_UINT:
3536 case GLSL_TYPE_INT:
3537 if (state->is_version(120, 300))
3538 break;
3539 /* FALLTHROUGH */
3540 default:
3541 _mesa_glsl_error(& loc, state,
3542 "vertex shader input / attribute cannot have "
3543 "type %s`%s'",
3544 var->type->is_array() ? "array of " : "",
3545 check_type->name);
3546 error_emitted = true;
3547 }
3548
3549 if (!error_emitted && var->type->is_array() &&
3550 !state->check_version(150, 0, &loc,
3551 "vertex shader input / attribute "
3552 "cannot have array type")) {
3553 error_emitted = true;
3554 }
3555 } else if (state->stage == MESA_SHADER_GEOMETRY) {
3556 /* From section 4.3.4 (Inputs) of the GLSL 1.50 spec:
3557 *
3558 * Geometry shader input variables get the per-vertex values
3559 * written out by vertex shader output variables of the same
3560 * names. Since a geometry shader operates on a set of
3561 * vertices, each input varying variable (or input block, see
3562 * interface blocks below) needs to be declared as an array.
3563 */
3564 if (!var->type->is_array()) {
3565 _mesa_glsl_error(&loc, state,
3566 "geometry shader inputs must be arrays");
3567 }
3568
3569 handle_geometry_shader_input_decl(state, loc, var);
3570 }
3571 }
3572
3573 /* Integer fragment inputs must be qualified with 'flat'. In GLSL ES,
3574 * so must integer vertex outputs.
3575 *
3576 * From section 4.3.4 ("Inputs") of the GLSL 1.50 spec:
3577 * "Fragment shader inputs that are signed or unsigned integers or
3578 * integer vectors must be qualified with the interpolation qualifier
3579 * flat."
3580 *
3581 * From section 4.3.4 ("Input Variables") of the GLSL 3.00 ES spec:
3582 * "Fragment shader inputs that are, or contain, signed or unsigned
3583 * integers or integer vectors must be qualified with the
3584 * interpolation qualifier flat."
3585 *
3586 * From section 4.3.6 ("Output Variables") of the GLSL 3.00 ES spec:
3587 * "Vertex shader outputs that are, or contain, signed or unsigned
3588 * integers or integer vectors must be qualified with the
3589 * interpolation qualifier flat."
3590 *
3591 * Note that prior to GLSL 1.50, this requirement applied to vertex
3592 * outputs rather than fragment inputs. That creates problems in the
3593 * presence of geometry shaders, so we adopt the GLSL 1.50 rule for all
3594 * desktop GL shaders. For GLSL ES shaders, we follow the spec and
3595 * apply the restriction to both vertex outputs and fragment inputs.
3596 *
3597 * Note also that the desktop GLSL specs are missing the text "or
3598 * contain"; this is presumably an oversight, since there is no
3599 * reasonable way to interpolate a fragment shader input that contains
3600 * an integer.
3601 */
3602 if (state->is_version(130, 300) &&
3603 var->type->contains_integer() &&
3604 var->data.interpolation != INTERP_QUALIFIER_FLAT &&
3605 ((state->stage == MESA_SHADER_FRAGMENT && var->data.mode == ir_var_shader_in)
3606 || (state->stage == MESA_SHADER_VERTEX && var->data.mode == ir_var_shader_out
3607 && state->es_shader))) {
3608 const char *var_type = (state->stage == MESA_SHADER_VERTEX) ?
3609 "vertex output" : "fragment input";
3610 _mesa_glsl_error(&loc, state, "if a %s is (or contains) "
3611 "an integer, then it must be qualified with 'flat'",
3612 var_type);
3613 }
3614
3615
3616 /* Interpolation qualifiers cannot be applied to 'centroid' and
3617 * 'centroid varying'.
3618 *
3619 * From page 29 (page 35 of the PDF) of the GLSL 1.30 spec:
3620 * "interpolation qualifiers may only precede the qualifiers in,
3621 * centroid in, out, or centroid out in a declaration. They do not apply
3622 * to the deprecated storage qualifiers varying or centroid varying."
3623 *
3624 * These deprecated storage qualifiers do not exist in GLSL ES 3.00.
3625 */
3626 if (state->is_version(130, 0)
3627 && this->type->qualifier.has_interpolation()
3628 && this->type->qualifier.flags.q.varying) {
3629
3630 const char *i = this->type->qualifier.interpolation_string();
3631 assert(i != NULL);
3632 const char *s;
3633 if (this->type->qualifier.flags.q.centroid)
3634 s = "centroid varying";
3635 else
3636 s = "varying";
3637
3638 _mesa_glsl_error(&loc, state,
3639 "qualifier '%s' cannot be applied to the "
3640 "deprecated storage qualifier '%s'", i, s);
3641 }
3642
3643
3644 /* Interpolation qualifiers can only apply to vertex shader outputs and
3645 * fragment shader inputs.
3646 *
3647 * From page 29 (page 35 of the PDF) of the GLSL 1.30 spec:
3648 * "Outputs from a vertex shader (out) and inputs to a fragment
3649 * shader (in) can be further qualified with one or more of these
3650 * interpolation qualifiers"
3651 *
3652 * From page 31 (page 37 of the PDF) of the GLSL ES 3.00 spec:
3653 * "These interpolation qualifiers may only precede the qualifiers
3654 * in, centroid in, out, or centroid out in a declaration. They do
3655 * not apply to inputs into a vertex shader or outputs from a
3656 * fragment shader."
3657 */
3658 if (state->is_version(130, 300)
3659 && this->type->qualifier.has_interpolation()) {
3660
3661 const char *i = this->type->qualifier.interpolation_string();
3662 assert(i != NULL);
3663
3664 switch (state->stage) {
3665 case MESA_SHADER_VERTEX:
3666 if (this->type->qualifier.flags.q.in) {
3667 _mesa_glsl_error(&loc, state,
3668 "qualifier '%s' cannot be applied to vertex "
3669 "shader inputs", i);
3670 }
3671 break;
3672 case MESA_SHADER_FRAGMENT:
3673 if (this->type->qualifier.flags.q.out) {
3674 _mesa_glsl_error(&loc, state,
3675 "qualifier '%s' cannot be applied to fragment "
3676 "shader outputs", i);
3677 }
3678 break;
3679 default:
3680 break;
3681 }
3682 }
3683
3684
3685 /* Precision qualifiers exists only in GLSL versions 1.00 and >= 1.30.
3686 */
3687 if (this->type->qualifier.precision != ast_precision_none) {
3688 state->check_precision_qualifiers_allowed(&loc);
3689 }
3690
3691
3692 /* Precision qualifiers apply to floating point, integer and sampler
3693 * types.
3694 *
3695 * Section 4.5.2 (Precision Qualifiers) of the GLSL 1.30 spec says:
3696 * "Any floating point or any integer declaration can have the type
3697 * preceded by one of these precision qualifiers [...] Literal
3698 * constants do not have precision qualifiers. Neither do Boolean
3699 * variables.
3700 *
3701 * Section 4.5 (Precision and Precision Qualifiers) of the GLSL 1.30
3702 * spec also says:
3703 *
3704 * "Precision qualifiers are added for code portability with OpenGL
3705 * ES, not for functionality. They have the same syntax as in OpenGL
3706 * ES."
3707 *
3708 * Section 8 (Built-In Functions) of the GLSL ES 1.00 spec says:
3709 *
3710 * "uniform lowp sampler2D sampler;
3711 * highp vec2 coord;
3712 * ...
3713 * lowp vec4 col = texture2D (sampler, coord);
3714 * // texture2D returns lowp"
3715 *
3716 * From this, we infer that GLSL 1.30 (and later) should allow precision
3717 * qualifiers on sampler types just like float and integer types.
3718 */
3719 if (this->type->qualifier.precision != ast_precision_none
3720 && !var->type->is_float()
3721 && !var->type->is_integer()
3722 && !var->type->is_record()
3723 && !var->type->is_sampler()
3724 && !(var->type->is_array()
3725 && (var->type->fields.array->is_float()
3726 || var->type->fields.array->is_integer()))) {
3727
3728 _mesa_glsl_error(&loc, state,
3729 "precision qualifiers apply only to floating point"
3730 ", integer and sampler types");
3731 }
3732
3733 /* From section 4.1.7 of the GLSL 4.40 spec:
3734 *
3735 * "[Opaque types] can only be declared as function
3736 * parameters or uniform-qualified variables."
3737 */
3738 if (var_type->contains_opaque() &&
3739 !this->type->qualifier.flags.q.uniform) {
3740 _mesa_glsl_error(&loc, state,
3741 "opaque variables must be declared uniform");
3742 }
3743
3744 /* Process the initializer and add its instructions to a temporary
3745 * list. This list will be added to the instruction stream (below) after
3746 * the declaration is added. This is done because in some cases (such as
3747 * redeclarations) the declaration may not actually be added to the
3748 * instruction stream.
3749 */
3750 exec_list initializer_instructions;
3751
3752 /* Examine var name here since var may get deleted in the next call */
3753 bool var_is_gl_id = is_gl_identifier(var->name);
3754
3755 ir_variable *earlier =
3756 get_variable_being_redeclared(var, decl->get_location(), state,
3757 false /* allow_all_redeclarations */);
3758 if (earlier != NULL) {
3759 if (var_is_gl_id &&
3760 earlier->data.how_declared == ir_var_declared_in_block) {
3761 _mesa_glsl_error(&loc, state,
3762 "`%s' has already been redeclared using "
3763 "gl_PerVertex", var->name);
3764 }
3765 earlier->data.how_declared = ir_var_declared_normally;
3766 }
3767
3768 if (decl->initializer != NULL) {
3769 result = process_initializer((earlier == NULL) ? var : earlier,
3770 decl, this->type,
3771 &initializer_instructions, state);
3772 }
3773
3774 /* From page 23 (page 29 of the PDF) of the GLSL 1.10 spec:
3775 *
3776 * "It is an error to write to a const variable outside of
3777 * its declaration, so they must be initialized when
3778 * declared."
3779 */
3780 if (this->type->qualifier.flags.q.constant && decl->initializer == NULL) {
3781 _mesa_glsl_error(& loc, state,
3782 "const declaration of `%s' must be initialized",
3783 decl->identifier);
3784 }
3785
3786 if (state->es_shader) {
3787 const glsl_type *const t = (earlier == NULL)
3788 ? var->type : earlier->type;
3789
3790 if (t->is_unsized_array())
3791 /* Section 10.17 of the GLSL ES 1.00 specification states that
3792 * unsized array declarations have been removed from the language.
3793 * Arrays that are sized using an initializer are still explicitly
3794 * sized. However, GLSL ES 1.00 does not allow array
3795 * initializers. That is only allowed in GLSL ES 3.00.
3796 *
3797 * Section 4.1.9 (Arrays) of the GLSL ES 3.00 spec says:
3798 *
3799 * "An array type can also be formed without specifying a size
3800 * if the definition includes an initializer:
3801 *
3802 * float x[] = float[2] (1.0, 2.0); // declares an array of size 2
3803 * float y[] = float[] (1.0, 2.0, 3.0); // declares an array of size 3
3804 *
3805 * float a[5];
3806 * float b[] = a;"
3807 */
3808 _mesa_glsl_error(& loc, state,
3809 "unsized array declarations are not allowed in "
3810 "GLSL ES");
3811 }
3812
3813 /* If the declaration is not a redeclaration, there are a few additional
3814 * semantic checks that must be applied. In addition, variable that was
3815 * created for the declaration should be added to the IR stream.
3816 */
3817 if (earlier == NULL) {
3818 validate_identifier(decl->identifier, loc, state);
3819
3820 /* Add the variable to the symbol table. Note that the initializer's
3821 * IR was already processed earlier (though it hasn't been emitted
3822 * yet), without the variable in scope.
3823 *
3824 * This differs from most C-like languages, but it follows the GLSL
3825 * specification. From page 28 (page 34 of the PDF) of the GLSL 1.50
3826 * spec:
3827 *
3828 * "Within a declaration, the scope of a name starts immediately
3829 * after the initializer if present or immediately after the name
3830 * being declared if not."
3831 */
3832 if (!state->symbols->add_variable(var)) {
3833 YYLTYPE loc = this->get_location();
3834 _mesa_glsl_error(&loc, state, "name `%s' already taken in the "
3835 "current scope", decl->identifier);
3836 continue;
3837 }
3838
3839 /* Push the variable declaration to the top. It means that all the
3840 * variable declarations will appear in a funny last-to-first order,
3841 * but otherwise we run into trouble if a function is prototyped, a
3842 * global var is decled, then the function is defined with usage of
3843 * the global var. See glslparsertest's CorrectModule.frag.
3844 */
3845 instructions->push_head(var);
3846 }
3847
3848 instructions->append_list(&initializer_instructions);
3849 }
3850
3851
3852 /* Generally, variable declarations do not have r-values. However,
3853 * one is used for the declaration in
3854 *
3855 * while (bool b = some_condition()) {
3856 * ...
3857 * }
3858 *
3859 * so we return the rvalue from the last seen declaration here.
3860 */
3861 return result;
3862 }
3863
3864
3865 ir_rvalue *
3866 ast_parameter_declarator::hir(exec_list *instructions,
3867 struct _mesa_glsl_parse_state *state)
3868 {
3869 void *ctx = state;
3870 const struct glsl_type *type;
3871 const char *name = NULL;
3872 YYLTYPE loc = this->get_location();
3873
3874 type = this->type->glsl_type(& name, state);
3875
3876 if (type == NULL) {
3877 if (name != NULL) {
3878 _mesa_glsl_error(& loc, state,
3879 "invalid type `%s' in declaration of `%s'",
3880 name, this->identifier);
3881 } else {
3882 _mesa_glsl_error(& loc, state,
3883 "invalid type in declaration of `%s'",
3884 this->identifier);
3885 }
3886
3887 type = glsl_type::error_type;
3888 }
3889
3890 /* From page 62 (page 68 of the PDF) of the GLSL 1.50 spec:
3891 *
3892 * "Functions that accept no input arguments need not use void in the
3893 * argument list because prototypes (or definitions) are required and
3894 * therefore there is no ambiguity when an empty argument list "( )" is
3895 * declared. The idiom "(void)" as a parameter list is provided for
3896 * convenience."
3897 *
3898 * Placing this check here prevents a void parameter being set up
3899 * for a function, which avoids tripping up checks for main taking
3900 * parameters and lookups of an unnamed symbol.
3901 */
3902 if (type->is_void()) {
3903 if (this->identifier != NULL)
3904 _mesa_glsl_error(& loc, state,
3905 "named parameter cannot have type `void'");
3906
3907 is_void = true;
3908 return NULL;
3909 }
3910
3911 if (formal_parameter && (this->identifier == NULL)) {
3912 _mesa_glsl_error(& loc, state, "formal parameter lacks a name");
3913 return NULL;
3914 }
3915
3916 /* This only handles "vec4 foo[..]". The earlier specifier->glsl_type(...)
3917 * call already handled the "vec4[..] foo" case.
3918 */
3919 type = process_array_type(&loc, type, this->array_specifier, state);
3920
3921 if (!type->is_error() && type->is_unsized_array()) {
3922 _mesa_glsl_error(&loc, state, "arrays passed as parameters must have "
3923 "a declared size");
3924 type = glsl_type::error_type;
3925 }
3926
3927 is_void = false;
3928 ir_variable *var = new(ctx)
3929 ir_variable(type, this->identifier, ir_var_function_in);
3930
3931 /* Apply any specified qualifiers to the parameter declaration. Note that
3932 * for function parameters the default mode is 'in'.
3933 */
3934 apply_type_qualifier_to_variable(& this->type->qualifier, var, state, & loc,
3935 true);
3936
3937 /* From section 4.1.7 of the GLSL 4.40 spec:
3938 *
3939 * "Opaque variables cannot be treated as l-values; hence cannot
3940 * be used as out or inout function parameters, nor can they be
3941 * assigned into."
3942 */
3943 if ((var->data.mode == ir_var_function_inout || var->data.mode == ir_var_function_out)
3944 && type->contains_opaque()) {
3945 _mesa_glsl_error(&loc, state, "out and inout parameters cannot "
3946 "contain opaque variables");
3947 type = glsl_type::error_type;
3948 }
3949
3950 /* From page 39 (page 45 of the PDF) of the GLSL 1.10 spec:
3951 *
3952 * "When calling a function, expressions that do not evaluate to
3953 * l-values cannot be passed to parameters declared as out or inout."
3954 *
3955 * From page 32 (page 38 of the PDF) of the GLSL 1.10 spec:
3956 *
3957 * "Other binary or unary expressions, non-dereferenced arrays,
3958 * function names, swizzles with repeated fields, and constants
3959 * cannot be l-values."
3960 *
3961 * So for GLSL 1.10, passing an array as an out or inout parameter is not
3962 * allowed. This restriction is removed in GLSL 1.20, and in GLSL ES.
3963 */
3964 if ((var->data.mode == ir_var_function_inout || var->data.mode == ir_var_function_out)
3965 && type->is_array()
3966 && !state->check_version(120, 100, &loc,
3967 "arrays cannot be out or inout parameters")) {
3968 type = glsl_type::error_type;
3969 }
3970
3971 instructions->push_tail(var);
3972
3973 /* Parameter declarations do not have r-values.
3974 */
3975 return NULL;
3976 }
3977
3978
3979 void
3980 ast_parameter_declarator::parameters_to_hir(exec_list *ast_parameters,
3981 bool formal,
3982 exec_list *ir_parameters,
3983 _mesa_glsl_parse_state *state)
3984 {
3985 ast_parameter_declarator *void_param = NULL;
3986 unsigned count = 0;
3987
3988 foreach_list_typed (ast_parameter_declarator, param, link, ast_parameters) {
3989 param->formal_parameter = formal;
3990 param->hir(ir_parameters, state);
3991
3992 if (param->is_void)
3993 void_param = param;
3994
3995 count++;
3996 }
3997
3998 if ((void_param != NULL) && (count > 1)) {
3999 YYLTYPE loc = void_param->get_location();
4000
4001 _mesa_glsl_error(& loc, state,
4002 "`void' parameter must be only parameter");
4003 }
4004 }
4005
4006
4007 void
4008 emit_function(_mesa_glsl_parse_state *state, ir_function *f)
4009 {
4010 /* IR invariants disallow function declarations or definitions
4011 * nested within other function definitions. But there is no
4012 * requirement about the relative order of function declarations
4013 * and definitions with respect to one another. So simply insert
4014 * the new ir_function block at the end of the toplevel instruction
4015 * list.
4016 */
4017 state->toplevel_ir->push_tail(f);
4018 }
4019
4020
4021 ir_rvalue *
4022 ast_function::hir(exec_list *instructions,
4023 struct _mesa_glsl_parse_state *state)
4024 {
4025 void *ctx = state;
4026 ir_function *f = NULL;
4027 ir_function_signature *sig = NULL;
4028 exec_list hir_parameters;
4029
4030 const char *const name = identifier;
4031
4032 /* New functions are always added to the top-level IR instruction stream,
4033 * so this instruction list pointer is ignored. See also emit_function
4034 * (called below).
4035 */
4036 (void) instructions;
4037
4038 /* From page 21 (page 27 of the PDF) of the GLSL 1.20 spec,
4039 *
4040 * "Function declarations (prototypes) cannot occur inside of functions;
4041 * they must be at global scope, or for the built-in functions, outside
4042 * the global scope."
4043 *
4044 * From page 27 (page 33 of the PDF) of the GLSL ES 1.00.16 spec,
4045 *
4046 * "User defined functions may only be defined within the global scope."
4047 *
4048 * Note that this language does not appear in GLSL 1.10.
4049 */
4050 if ((state->current_function != NULL) &&
4051 state->is_version(120, 100)) {
4052 YYLTYPE loc = this->get_location();
4053 _mesa_glsl_error(&loc, state,
4054 "declaration of function `%s' not allowed within "
4055 "function body", name);
4056 }
4057
4058 validate_identifier(name, this->get_location(), state);
4059
4060 /* Convert the list of function parameters to HIR now so that they can be
4061 * used below to compare this function's signature with previously seen
4062 * signatures for functions with the same name.
4063 */
4064 ast_parameter_declarator::parameters_to_hir(& this->parameters,
4065 is_definition,
4066 & hir_parameters, state);
4067
4068 const char *return_type_name;
4069 const glsl_type *return_type =
4070 this->return_type->glsl_type(& return_type_name, state);
4071
4072 if (!return_type) {
4073 YYLTYPE loc = this->get_location();
4074 _mesa_glsl_error(&loc, state,
4075 "function `%s' has undeclared return type `%s'",
4076 name, return_type_name);
4077 return_type = glsl_type::error_type;
4078 }
4079
4080 /* From page 56 (page 62 of the PDF) of the GLSL 1.30 spec:
4081 * "No qualifier is allowed on the return type of a function."
4082 */
4083 if (this->return_type->has_qualifiers()) {
4084 YYLTYPE loc = this->get_location();
4085 _mesa_glsl_error(& loc, state,
4086 "function `%s' return type has qualifiers", name);
4087 }
4088
4089 /* Section 6.1 (Function Definitions) of the GLSL 1.20 spec says:
4090 *
4091 * "Arrays are allowed as arguments and as the return type. In both
4092 * cases, the array must be explicitly sized."
4093 */
4094 if (return_type->is_unsized_array()) {
4095 YYLTYPE loc = this->get_location();
4096 _mesa_glsl_error(& loc, state,
4097 "function `%s' return type array must be explicitly "
4098 "sized", name);
4099 }
4100
4101 /* From section 4.1.7 of the GLSL 4.40 spec:
4102 *
4103 * "[Opaque types] can only be declared as function parameters
4104 * or uniform-qualified variables."
4105 */
4106 if (return_type->contains_opaque()) {
4107 YYLTYPE loc = this->get_location();
4108 _mesa_glsl_error(&loc, state,
4109 "function `%s' return type can't contain an opaque type",
4110 name);
4111 }
4112
4113 /* Verify that this function's signature either doesn't match a previously
4114 * seen signature for a function with the same name, or, if a match is found,
4115 * that the previously seen signature does not have an associated definition.
4116 */
4117 f = state->symbols->get_function(name);
4118 if (f != NULL && (state->es_shader || f->has_user_signature())) {
4119 sig = f->exact_matching_signature(state, &hir_parameters);
4120 if (sig != NULL) {
4121 const char *badvar = sig->qualifiers_match(&hir_parameters);
4122 if (badvar != NULL) {
4123 YYLTYPE loc = this->get_location();
4124
4125 _mesa_glsl_error(&loc, state, "function `%s' parameter `%s' "
4126 "qualifiers don't match prototype", name, badvar);
4127 }
4128
4129 if (sig->return_type != return_type) {
4130 YYLTYPE loc = this->get_location();
4131
4132 _mesa_glsl_error(&loc, state, "function `%s' return type doesn't "
4133 "match prototype", name);
4134 }
4135
4136 if (sig->is_defined) {
4137 if (is_definition) {
4138 YYLTYPE loc = this->get_location();
4139 _mesa_glsl_error(& loc, state, "function `%s' redefined", name);
4140 } else {
4141 /* We just encountered a prototype that exactly matches a
4142 * function that's already been defined. This is redundant,
4143 * and we should ignore it.
4144 */
4145 return NULL;
4146 }
4147 }
4148 }
4149 } else {
4150 f = new(ctx) ir_function(name);
4151 if (!state->symbols->add_function(f)) {
4152 /* This function name shadows a non-function use of the same name. */
4153 YYLTYPE loc = this->get_location();
4154
4155 _mesa_glsl_error(&loc, state, "function name `%s' conflicts with "
4156 "non-function", name);
4157 return NULL;
4158 }
4159
4160 emit_function(state, f);
4161 }
4162
4163 /* Verify the return type of main() */
4164 if (strcmp(name, "main") == 0) {
4165 if (! return_type->is_void()) {
4166 YYLTYPE loc = this->get_location();
4167
4168 _mesa_glsl_error(& loc, state, "main() must return void");
4169 }
4170
4171 if (!hir_parameters.is_empty()) {
4172 YYLTYPE loc = this->get_location();
4173
4174 _mesa_glsl_error(& loc, state, "main() must not take any parameters");
4175 }
4176 }
4177
4178 /* Finish storing the information about this new function in its signature.
4179 */
4180 if (sig == NULL) {
4181 sig = new(ctx) ir_function_signature(return_type);
4182 f->add_signature(sig);
4183 }
4184
4185 sig->replace_parameters(&hir_parameters);
4186 signature = sig;
4187
4188 /* Function declarations (prototypes) do not have r-values.
4189 */
4190 return NULL;
4191 }
4192
4193
4194 ir_rvalue *
4195 ast_function_definition::hir(exec_list *instructions,
4196 struct _mesa_glsl_parse_state *state)
4197 {
4198 prototype->is_definition = true;
4199 prototype->hir(instructions, state);
4200
4201 ir_function_signature *signature = prototype->signature;
4202 if (signature == NULL)
4203 return NULL;
4204
4205 assert(state->current_function == NULL);
4206 state->current_function = signature;
4207 state->found_return = false;
4208
4209 /* Duplicate parameters declared in the prototype as concrete variables.
4210 * Add these to the symbol table.
4211 */
4212 state->symbols->push_scope();
4213 foreach_in_list(ir_variable, var, &signature->parameters) {
4214 assert(var->as_variable() != NULL);
4215
4216 /* The only way a parameter would "exist" is if two parameters have
4217 * the same name.
4218 */
4219 if (state->symbols->name_declared_this_scope(var->name)) {
4220 YYLTYPE loc = this->get_location();
4221
4222 _mesa_glsl_error(& loc, state, "parameter `%s' redeclared", var->name);
4223 } else {
4224 state->symbols->add_variable(var);
4225 }
4226 }
4227
4228 /* Convert the body of the function to HIR. */
4229 this->body->hir(&signature->body, state);
4230 signature->is_defined = true;
4231
4232 state->symbols->pop_scope();
4233
4234 assert(state->current_function == signature);
4235 state->current_function = NULL;
4236
4237 if (!signature->return_type->is_void() && !state->found_return) {
4238 YYLTYPE loc = this->get_location();
4239 _mesa_glsl_error(& loc, state, "function `%s' has non-void return type "
4240 "%s, but no return statement",
4241 signature->function_name(),
4242 signature->return_type->name);
4243 }
4244
4245 /* Function definitions do not have r-values.
4246 */
4247 return NULL;
4248 }
4249
4250
4251 ir_rvalue *
4252 ast_jump_statement::hir(exec_list *instructions,
4253 struct _mesa_glsl_parse_state *state)
4254 {
4255 void *ctx = state;
4256
4257 switch (mode) {
4258 case ast_return: {
4259 ir_return *inst;
4260 assert(state->current_function);
4261
4262 if (opt_return_value) {
4263 ir_rvalue *ret = opt_return_value->hir(instructions, state);
4264
4265 /* The value of the return type can be NULL if the shader says
4266 * 'return foo();' and foo() is a function that returns void.
4267 *
4268 * NOTE: The GLSL spec doesn't say that this is an error. The type
4269 * of the return value is void. If the return type of the function is
4270 * also void, then this should compile without error. Seriously.
4271 */
4272 const glsl_type *const ret_type =
4273 (ret == NULL) ? glsl_type::void_type : ret->type;
4274
4275 /* Implicit conversions are not allowed for return values prior to
4276 * ARB_shading_language_420pack.
4277 */
4278 if (state->current_function->return_type != ret_type) {
4279 YYLTYPE loc = this->get_location();
4280
4281 if (state->ARB_shading_language_420pack_enable) {
4282 if (!apply_implicit_conversion(state->current_function->return_type,
4283 ret, state)) {
4284 _mesa_glsl_error(& loc, state,
4285 "could not implicitly convert return value "
4286 "to %s, in function `%s'",
4287 state->current_function->return_type->name,
4288 state->current_function->function_name());
4289 }
4290 } else {
4291 _mesa_glsl_error(& loc, state,
4292 "`return' with wrong type %s, in function `%s' "
4293 "returning %s",
4294 ret_type->name,
4295 state->current_function->function_name(),
4296 state->current_function->return_type->name);
4297 }
4298 } else if (state->current_function->return_type->base_type ==
4299 GLSL_TYPE_VOID) {
4300 YYLTYPE loc = this->get_location();
4301
4302 /* The ARB_shading_language_420pack, GLSL ES 3.0, and GLSL 4.20
4303 * specs add a clarification:
4304 *
4305 * "A void function can only use return without a return argument, even if
4306 * the return argument has void type. Return statements only accept values:
4307 *
4308 * void func1() { }
4309 * void func2() { return func1(); } // illegal return statement"
4310 */
4311 _mesa_glsl_error(& loc, state,
4312 "void functions can only use `return' without a "
4313 "return argument");
4314 }
4315
4316 inst = new(ctx) ir_return(ret);
4317 } else {
4318 if (state->current_function->return_type->base_type !=
4319 GLSL_TYPE_VOID) {
4320 YYLTYPE loc = this->get_location();
4321
4322 _mesa_glsl_error(& loc, state,
4323 "`return' with no value, in function %s returning "
4324 "non-void",
4325 state->current_function->function_name());
4326 }
4327 inst = new(ctx) ir_return;
4328 }
4329
4330 state->found_return = true;
4331 instructions->push_tail(inst);
4332 break;
4333 }
4334
4335 case ast_discard:
4336 if (state->stage != MESA_SHADER_FRAGMENT) {
4337 YYLTYPE loc = this->get_location();
4338
4339 _mesa_glsl_error(& loc, state,
4340 "`discard' may only appear in a fragment shader");
4341 }
4342 instructions->push_tail(new(ctx) ir_discard);
4343 break;
4344
4345 case ast_break:
4346 case ast_continue:
4347 if (mode == ast_continue &&
4348 state->loop_nesting_ast == NULL) {
4349 YYLTYPE loc = this->get_location();
4350
4351 _mesa_glsl_error(& loc, state, "continue may only appear in a loop");
4352 } else if (mode == ast_break &&
4353 state->loop_nesting_ast == NULL &&
4354 state->switch_state.switch_nesting_ast == NULL) {
4355 YYLTYPE loc = this->get_location();
4356
4357 _mesa_glsl_error(& loc, state,
4358 "break may only appear in a loop or a switch");
4359 } else {
4360 /* For a loop, inline the for loop expression again, since we don't
4361 * know where near the end of the loop body the normal copy of it is
4362 * going to be placed. Same goes for the condition for a do-while
4363 * loop.
4364 */
4365 if (state->loop_nesting_ast != NULL &&
4366 mode == ast_continue) {
4367 if (state->loop_nesting_ast->rest_expression) {
4368 state->loop_nesting_ast->rest_expression->hir(instructions,
4369 state);
4370 }
4371 if (state->loop_nesting_ast->mode ==
4372 ast_iteration_statement::ast_do_while) {
4373 state->loop_nesting_ast->condition_to_hir(instructions, state);
4374 }
4375 }
4376
4377 if (state->switch_state.is_switch_innermost &&
4378 mode == ast_break) {
4379 /* Force break out of switch by setting is_break switch state.
4380 */
4381 ir_variable *const is_break_var = state->switch_state.is_break_var;
4382 ir_dereference_variable *const deref_is_break_var =
4383 new(ctx) ir_dereference_variable(is_break_var);
4384 ir_constant *const true_val = new(ctx) ir_constant(true);
4385 ir_assignment *const set_break_var =
4386 new(ctx) ir_assignment(deref_is_break_var, true_val);
4387
4388 instructions->push_tail(set_break_var);
4389 }
4390 else {
4391 ir_loop_jump *const jump =
4392 new(ctx) ir_loop_jump((mode == ast_break)
4393 ? ir_loop_jump::jump_break
4394 : ir_loop_jump::jump_continue);
4395 instructions->push_tail(jump);
4396 }
4397 }
4398
4399 break;
4400 }
4401
4402 /* Jump instructions do not have r-values.
4403 */
4404 return NULL;
4405 }
4406
4407
4408 ir_rvalue *
4409 ast_selection_statement::hir(exec_list *instructions,
4410 struct _mesa_glsl_parse_state *state)
4411 {
4412 void *ctx = state;
4413
4414 ir_rvalue *const condition = this->condition->hir(instructions, state);
4415
4416 /* From page 66 (page 72 of the PDF) of the GLSL 1.50 spec:
4417 *
4418 * "Any expression whose type evaluates to a Boolean can be used as the
4419 * conditional expression bool-expression. Vector types are not accepted
4420 * as the expression to if."
4421 *
4422 * The checks are separated so that higher quality diagnostics can be
4423 * generated for cases where both rules are violated.
4424 */
4425 if (!condition->type->is_boolean() || !condition->type->is_scalar()) {
4426 YYLTYPE loc = this->condition->get_location();
4427
4428 _mesa_glsl_error(& loc, state, "if-statement condition must be scalar "
4429 "boolean");
4430 }
4431
4432 ir_if *const stmt = new(ctx) ir_if(condition);
4433
4434 if (then_statement != NULL) {
4435 state->symbols->push_scope();
4436 then_statement->hir(& stmt->then_instructions, state);
4437 state->symbols->pop_scope();
4438 }
4439
4440 if (else_statement != NULL) {
4441 state->symbols->push_scope();
4442 else_statement->hir(& stmt->else_instructions, state);
4443 state->symbols->pop_scope();
4444 }
4445
4446 instructions->push_tail(stmt);
4447
4448 /* if-statements do not have r-values.
4449 */
4450 return NULL;
4451 }
4452
4453
4454 ir_rvalue *
4455 ast_switch_statement::hir(exec_list *instructions,
4456 struct _mesa_glsl_parse_state *state)
4457 {
4458 void *ctx = state;
4459
4460 ir_rvalue *const test_expression =
4461 this->test_expression->hir(instructions, state);
4462
4463 /* From page 66 (page 55 of the PDF) of the GLSL 1.50 spec:
4464 *
4465 * "The type of init-expression in a switch statement must be a
4466 * scalar integer."
4467 */
4468 if (!test_expression->type->is_scalar() ||
4469 !test_expression->type->is_integer()) {
4470 YYLTYPE loc = this->test_expression->get_location();
4471
4472 _mesa_glsl_error(& loc,
4473 state,
4474 "switch-statement expression must be scalar "
4475 "integer");
4476 }
4477
4478 /* Track the switch-statement nesting in a stack-like manner.
4479 */
4480 struct glsl_switch_state saved = state->switch_state;
4481
4482 state->switch_state.is_switch_innermost = true;
4483 state->switch_state.switch_nesting_ast = this;
4484 state->switch_state.labels_ht = hash_table_ctor(0, hash_table_pointer_hash,
4485 hash_table_pointer_compare);
4486 state->switch_state.previous_default = NULL;
4487
4488 /* Initalize is_fallthru state to false.
4489 */
4490 ir_rvalue *const is_fallthru_val = new (ctx) ir_constant(false);
4491 state->switch_state.is_fallthru_var =
4492 new(ctx) ir_variable(glsl_type::bool_type,
4493 "switch_is_fallthru_tmp",
4494 ir_var_temporary);
4495 instructions->push_tail(state->switch_state.is_fallthru_var);
4496
4497 ir_dereference_variable *deref_is_fallthru_var =
4498 new(ctx) ir_dereference_variable(state->switch_state.is_fallthru_var);
4499 instructions->push_tail(new(ctx) ir_assignment(deref_is_fallthru_var,
4500 is_fallthru_val));
4501
4502 /* Initalize is_break state to false.
4503 */
4504 ir_rvalue *const is_break_val = new (ctx) ir_constant(false);
4505 state->switch_state.is_break_var =
4506 new(ctx) ir_variable(glsl_type::bool_type,
4507 "switch_is_break_tmp",
4508 ir_var_temporary);
4509 instructions->push_tail(state->switch_state.is_break_var);
4510
4511 ir_dereference_variable *deref_is_break_var =
4512 new(ctx) ir_dereference_variable(state->switch_state.is_break_var);
4513 instructions->push_tail(new(ctx) ir_assignment(deref_is_break_var,
4514 is_break_val));
4515
4516 state->switch_state.run_default =
4517 new(ctx) ir_variable(glsl_type::bool_type,
4518 "run_default_tmp",
4519 ir_var_temporary);
4520 instructions->push_tail(state->switch_state.run_default);
4521
4522 /* Cache test expression.
4523 */
4524 test_to_hir(instructions, state);
4525
4526 /* Emit code for body of switch stmt.
4527 */
4528 body->hir(instructions, state);
4529
4530 hash_table_dtor(state->switch_state.labels_ht);
4531
4532 state->switch_state = saved;
4533
4534 /* Switch statements do not have r-values. */
4535 return NULL;
4536 }
4537
4538
4539 void
4540 ast_switch_statement::test_to_hir(exec_list *instructions,
4541 struct _mesa_glsl_parse_state *state)
4542 {
4543 void *ctx = state;
4544
4545 /* Cache value of test expression. */
4546 ir_rvalue *const test_val =
4547 test_expression->hir(instructions,
4548 state);
4549
4550 state->switch_state.test_var = new(ctx) ir_variable(test_val->type,
4551 "switch_test_tmp",
4552 ir_var_temporary);
4553 ir_dereference_variable *deref_test_var =
4554 new(ctx) ir_dereference_variable(state->switch_state.test_var);
4555
4556 instructions->push_tail(state->switch_state.test_var);
4557 instructions->push_tail(new(ctx) ir_assignment(deref_test_var, test_val));
4558 }
4559
4560
4561 ir_rvalue *
4562 ast_switch_body::hir(exec_list *instructions,
4563 struct _mesa_glsl_parse_state *state)
4564 {
4565 if (stmts != NULL)
4566 stmts->hir(instructions, state);
4567
4568 /* Switch bodies do not have r-values. */
4569 return NULL;
4570 }
4571
4572 ir_rvalue *
4573 ast_case_statement_list::hir(exec_list *instructions,
4574 struct _mesa_glsl_parse_state *state)
4575 {
4576 exec_list default_case, after_default, tmp;
4577
4578 foreach_list_typed (ast_case_statement, case_stmt, link, & this->cases) {
4579 case_stmt->hir(&tmp, state);
4580
4581 /* Default case. */
4582 if (state->switch_state.previous_default && default_case.is_empty()) {
4583 default_case.append_list(&tmp);
4584 continue;
4585 }
4586
4587 /* If default case found, append 'after_default' list. */
4588 if (!default_case.is_empty())
4589 after_default.append_list(&tmp);
4590 else
4591 instructions->append_list(&tmp);
4592 }
4593
4594 /* Handle the default case. This is done here because default might not be
4595 * the last case. We need to add checks against following cases first to see
4596 * if default should be chosen or not.
4597 */
4598 if (!default_case.is_empty()) {
4599
4600 ir_rvalue *const true_val = new (state) ir_constant(true);
4601 ir_dereference_variable *deref_run_default_var =
4602 new(state) ir_dereference_variable(state->switch_state.run_default);
4603
4604 /* Choose to run default case initially, following conditional
4605 * assignments might change this.
4606 */
4607 ir_assignment *const init_var =
4608 new(state) ir_assignment(deref_run_default_var, true_val);
4609 instructions->push_tail(init_var);
4610
4611 /* Default case was the last one, no checks required. */
4612 if (after_default.is_empty()) {
4613 instructions->append_list(&default_case);
4614 return NULL;
4615 }
4616
4617 foreach_in_list(ir_instruction, ir, &after_default) {
4618 ir_assignment *assign = ir->as_assignment();
4619
4620 if (!assign)
4621 continue;
4622
4623 /* Clone the check between case label and init expression. */
4624 ir_expression *exp = (ir_expression*) assign->condition;
4625 ir_expression *clone = exp->clone(state, NULL);
4626
4627 ir_dereference_variable *deref_var =
4628 new(state) ir_dereference_variable(state->switch_state.run_default);
4629 ir_rvalue *const false_val = new (state) ir_constant(false);
4630
4631 ir_assignment *const set_false =
4632 new(state) ir_assignment(deref_var, false_val, clone);
4633
4634 instructions->push_tail(set_false);
4635 }
4636
4637 /* Append default case and all cases after it. */
4638 instructions->append_list(&default_case);
4639 instructions->append_list(&after_default);
4640 }
4641
4642 /* Case statements do not have r-values. */
4643 return NULL;
4644 }
4645
4646 ir_rvalue *
4647 ast_case_statement::hir(exec_list *instructions,
4648 struct _mesa_glsl_parse_state *state)
4649 {
4650 labels->hir(instructions, state);
4651
4652 /* Conditionally set fallthru state based on break state. */
4653 ir_constant *const false_val = new(state) ir_constant(false);
4654 ir_dereference_variable *const deref_is_fallthru_var =
4655 new(state) ir_dereference_variable(state->switch_state.is_fallthru_var);
4656 ir_dereference_variable *const deref_is_break_var =
4657 new(state) ir_dereference_variable(state->switch_state.is_break_var);
4658 ir_assignment *const reset_fallthru_on_break =
4659 new(state) ir_assignment(deref_is_fallthru_var,
4660 false_val,
4661 deref_is_break_var);
4662 instructions->push_tail(reset_fallthru_on_break);
4663
4664 /* Guard case statements depending on fallthru state. */
4665 ir_dereference_variable *const deref_fallthru_guard =
4666 new(state) ir_dereference_variable(state->switch_state.is_fallthru_var);
4667 ir_if *const test_fallthru = new(state) ir_if(deref_fallthru_guard);
4668
4669 foreach_list_typed (ast_node, stmt, link, & this->stmts)
4670 stmt->hir(& test_fallthru->then_instructions, state);
4671
4672 instructions->push_tail(test_fallthru);
4673
4674 /* Case statements do not have r-values. */
4675 return NULL;
4676 }
4677
4678
4679 ir_rvalue *
4680 ast_case_label_list::hir(exec_list *instructions,
4681 struct _mesa_glsl_parse_state *state)
4682 {
4683 foreach_list_typed (ast_case_label, label, link, & this->labels)
4684 label->hir(instructions, state);
4685
4686 /* Case labels do not have r-values. */
4687 return NULL;
4688 }
4689
4690 ir_rvalue *
4691 ast_case_label::hir(exec_list *instructions,
4692 struct _mesa_glsl_parse_state *state)
4693 {
4694 void *ctx = state;
4695
4696 ir_dereference_variable *deref_fallthru_var =
4697 new(ctx) ir_dereference_variable(state->switch_state.is_fallthru_var);
4698
4699 ir_rvalue *const true_val = new(ctx) ir_constant(true);
4700
4701 /* If not default case, ... */
4702 if (this->test_value != NULL) {
4703 /* Conditionally set fallthru state based on
4704 * comparison of cached test expression value to case label.
4705 */
4706 ir_rvalue *const label_rval = this->test_value->hir(instructions, state);
4707 ir_constant *label_const = label_rval->constant_expression_value();
4708
4709 if (!label_const) {
4710 YYLTYPE loc = this->test_value->get_location();
4711
4712 _mesa_glsl_error(& loc, state,
4713 "switch statement case label must be a "
4714 "constant expression");
4715
4716 /* Stuff a dummy value in to allow processing to continue. */
4717 label_const = new(ctx) ir_constant(0);
4718 } else {
4719 ast_expression *previous_label = (ast_expression *)
4720 hash_table_find(state->switch_state.labels_ht,
4721 (void *)(uintptr_t)label_const->value.u[0]);
4722
4723 if (previous_label) {
4724 YYLTYPE loc = this->test_value->get_location();
4725 _mesa_glsl_error(& loc, state, "duplicate case value");
4726
4727 loc = previous_label->get_location();
4728 _mesa_glsl_error(& loc, state, "this is the previous case label");
4729 } else {
4730 hash_table_insert(state->switch_state.labels_ht,
4731 this->test_value,
4732 (void *)(uintptr_t)label_const->value.u[0]);
4733 }
4734 }
4735
4736 ir_dereference_variable *deref_test_var =
4737 new(ctx) ir_dereference_variable(state->switch_state.test_var);
4738
4739 ir_expression *test_cond = new(ctx) ir_expression(ir_binop_all_equal,
4740 label_const,
4741 deref_test_var);
4742
4743 /*
4744 * From GLSL 4.40 specification section 6.2 ("Selection"):
4745 *
4746 * "The type of the init-expression value in a switch statement must
4747 * be a scalar int or uint. The type of the constant-expression value
4748 * in a case label also must be a scalar int or uint. When any pair
4749 * of these values is tested for "equal value" and the types do not
4750 * match, an implicit conversion will be done to convert the int to a
4751 * uint (see section 4.1.10 “Implicit Conversions”) before the compare
4752 * is done."
4753 */
4754 if (label_const->type != state->switch_state.test_var->type) {
4755 YYLTYPE loc = this->test_value->get_location();
4756
4757 const glsl_type *type_a = label_const->type;
4758 const glsl_type *type_b = state->switch_state.test_var->type;
4759
4760 /* Check if int->uint implicit conversion is supported. */
4761 bool integer_conversion_supported =
4762 glsl_type::int_type->can_implicitly_convert_to(glsl_type::uint_type,
4763 state);
4764
4765 if ((!type_a->is_integer() || !type_b->is_integer()) ||
4766 !integer_conversion_supported) {
4767 _mesa_glsl_error(&loc, state, "type mismatch with switch "
4768 "init-expression and case label (%s != %s)",
4769 type_a->name, type_b->name);
4770 } else {
4771 /* Conversion of the case label. */
4772 if (type_a->base_type == GLSL_TYPE_INT) {
4773 if (!apply_implicit_conversion(glsl_type::uint_type,
4774 test_cond->operands[0], state))
4775 _mesa_glsl_error(&loc, state, "implicit type conversion error");
4776 } else {
4777 /* Conversion of the init-expression value. */
4778 if (!apply_implicit_conversion(glsl_type::uint_type,
4779 test_cond->operands[1], state))
4780 _mesa_glsl_error(&loc, state, "implicit type conversion error");
4781 }
4782 }
4783 }
4784
4785 ir_assignment *set_fallthru_on_test =
4786 new(ctx) ir_assignment(deref_fallthru_var, true_val, test_cond);
4787
4788 instructions->push_tail(set_fallthru_on_test);
4789 } else { /* default case */
4790 if (state->switch_state.previous_default) {
4791 YYLTYPE loc = this->get_location();
4792 _mesa_glsl_error(& loc, state,
4793 "multiple default labels in one switch");
4794
4795 loc = state->switch_state.previous_default->get_location();
4796 _mesa_glsl_error(& loc, state, "this is the first default label");
4797 }
4798 state->switch_state.previous_default = this;
4799
4800 /* Set fallthru condition on 'run_default' bool. */
4801 ir_dereference_variable *deref_run_default =
4802 new(ctx) ir_dereference_variable(state->switch_state.run_default);
4803 ir_rvalue *const cond_true = new(ctx) ir_constant(true);
4804 ir_expression *test_cond = new(ctx) ir_expression(ir_binop_all_equal,
4805 cond_true,
4806 deref_run_default);
4807
4808 /* Set falltrhu state. */
4809 ir_assignment *set_fallthru =
4810 new(ctx) ir_assignment(deref_fallthru_var, true_val, test_cond);
4811
4812 instructions->push_tail(set_fallthru);
4813 }
4814
4815 /* Case statements do not have r-values. */
4816 return NULL;
4817 }
4818
4819 void
4820 ast_iteration_statement::condition_to_hir(exec_list *instructions,
4821 struct _mesa_glsl_parse_state *state)
4822 {
4823 void *ctx = state;
4824
4825 if (condition != NULL) {
4826 ir_rvalue *const cond =
4827 condition->hir(instructions, state);
4828
4829 if ((cond == NULL)
4830 || !cond->type->is_boolean() || !cond->type->is_scalar()) {
4831 YYLTYPE loc = condition->get_location();
4832
4833 _mesa_glsl_error(& loc, state,
4834 "loop condition must be scalar boolean");
4835 } else {
4836 /* As the first code in the loop body, generate a block that looks
4837 * like 'if (!condition) break;' as the loop termination condition.
4838 */
4839 ir_rvalue *const not_cond =
4840 new(ctx) ir_expression(ir_unop_logic_not, cond);
4841
4842 ir_if *const if_stmt = new(ctx) ir_if(not_cond);
4843
4844 ir_jump *const break_stmt =
4845 new(ctx) ir_loop_jump(ir_loop_jump::jump_break);
4846
4847 if_stmt->then_instructions.push_tail(break_stmt);
4848 instructions->push_tail(if_stmt);
4849 }
4850 }
4851 }
4852
4853
4854 ir_rvalue *
4855 ast_iteration_statement::hir(exec_list *instructions,
4856 struct _mesa_glsl_parse_state *state)
4857 {
4858 void *ctx = state;
4859
4860 /* For-loops and while-loops start a new scope, but do-while loops do not.
4861 */
4862 if (mode != ast_do_while)
4863 state->symbols->push_scope();
4864
4865 if (init_statement != NULL)
4866 init_statement->hir(instructions, state);
4867
4868 ir_loop *const stmt = new(ctx) ir_loop();
4869 instructions->push_tail(stmt);
4870
4871 /* Track the current loop nesting. */
4872 ast_iteration_statement *nesting_ast = state->loop_nesting_ast;
4873
4874 state->loop_nesting_ast = this;
4875
4876 /* Likewise, indicate that following code is closest to a loop,
4877 * NOT closest to a switch.
4878 */
4879 bool saved_is_switch_innermost = state->switch_state.is_switch_innermost;
4880 state->switch_state.is_switch_innermost = false;
4881
4882 if (mode != ast_do_while)
4883 condition_to_hir(&stmt->body_instructions, state);
4884
4885 if (body != NULL)
4886 body->hir(& stmt->body_instructions, state);
4887
4888 if (rest_expression != NULL)
4889 rest_expression->hir(& stmt->body_instructions, state);
4890
4891 if (mode == ast_do_while)
4892 condition_to_hir(&stmt->body_instructions, state);
4893
4894 if (mode != ast_do_while)
4895 state->symbols->pop_scope();
4896
4897 /* Restore previous nesting before returning. */
4898 state->loop_nesting_ast = nesting_ast;
4899 state->switch_state.is_switch_innermost = saved_is_switch_innermost;
4900
4901 /* Loops do not have r-values.
4902 */
4903 return NULL;
4904 }
4905
4906
4907 /**
4908 * Determine if the given type is valid for establishing a default precision
4909 * qualifier.
4910 *
4911 * From GLSL ES 3.00 section 4.5.4 ("Default Precision Qualifiers"):
4912 *
4913 * "The precision statement
4914 *
4915 * precision precision-qualifier type;
4916 *
4917 * can be used to establish a default precision qualifier. The type field
4918 * can be either int or float or any of the sampler types, and the
4919 * precision-qualifier can be lowp, mediump, or highp."
4920 *
4921 * GLSL ES 1.00 has similar language. GLSL 1.30 doesn't allow precision
4922 * qualifiers on sampler types, but this seems like an oversight (since the
4923 * intention of including these in GLSL 1.30 is to allow compatibility with ES
4924 * shaders). So we allow int, float, and all sampler types regardless of GLSL
4925 * version.
4926 */
4927 static bool
4928 is_valid_default_precision_type(const struct glsl_type *const type)
4929 {
4930 if (type == NULL)
4931 return false;
4932
4933 switch (type->base_type) {
4934 case GLSL_TYPE_INT:
4935 case GLSL_TYPE_FLOAT:
4936 /* "int" and "float" are valid, but vectors and matrices are not. */
4937 return type->vector_elements == 1 && type->matrix_columns == 1;
4938 case GLSL_TYPE_SAMPLER:
4939 return true;
4940 default:
4941 return false;
4942 }
4943 }
4944
4945
4946 ir_rvalue *
4947 ast_type_specifier::hir(exec_list *instructions,
4948 struct _mesa_glsl_parse_state *state)
4949 {
4950 if (this->default_precision == ast_precision_none && this->structure == NULL)
4951 return NULL;
4952
4953 YYLTYPE loc = this->get_location();
4954
4955 /* If this is a precision statement, check that the type to which it is
4956 * applied is either float or int.
4957 *
4958 * From section 4.5.3 of the GLSL 1.30 spec:
4959 * "The precision statement
4960 * precision precision-qualifier type;
4961 * can be used to establish a default precision qualifier. The type
4962 * field can be either int or float [...]. Any other types or
4963 * qualifiers will result in an error.
4964 */
4965 if (this->default_precision != ast_precision_none) {
4966 if (!state->check_precision_qualifiers_allowed(&loc))
4967 return NULL;
4968
4969 if (this->structure != NULL) {
4970 _mesa_glsl_error(&loc, state,
4971 "precision qualifiers do not apply to structures");
4972 return NULL;
4973 }
4974
4975 if (this->array_specifier != NULL) {
4976 _mesa_glsl_error(&loc, state,
4977 "default precision statements do not apply to "
4978 "arrays");
4979 return NULL;
4980 }
4981
4982 const struct glsl_type *const type =
4983 state->symbols->get_type(this->type_name);
4984 if (!is_valid_default_precision_type(type)) {
4985 _mesa_glsl_error(&loc, state,
4986 "default precision statements apply only to "
4987 "float, int, and sampler types");
4988 return NULL;
4989 }
4990
4991 if (type->base_type == GLSL_TYPE_FLOAT
4992 && state->es_shader
4993 && state->stage == MESA_SHADER_FRAGMENT) {
4994 /* Section 4.5.3 (Default Precision Qualifiers) of the GLSL ES 1.00
4995 * spec says:
4996 *
4997 * "The fragment language has no default precision qualifier for
4998 * floating point types."
4999 *
5000 * As a result, we have to track whether or not default precision has
5001 * been specified for float in GLSL ES fragment shaders.
5002 *
5003 * Earlier in that same section, the spec says:
5004 *
5005 * "Non-precision qualified declarations will use the precision
5006 * qualifier specified in the most recent precision statement
5007 * that is still in scope. The precision statement has the same
5008 * scoping rules as variable declarations. If it is declared
5009 * inside a compound statement, its effect stops at the end of
5010 * the innermost statement it was declared in. Precision
5011 * statements in nested scopes override precision statements in
5012 * outer scopes. Multiple precision statements for the same basic
5013 * type can appear inside the same scope, with later statements
5014 * overriding earlier statements within that scope."
5015 *
5016 * Default precision specifications follow the same scope rules as
5017 * variables. So, we can track the state of the default float
5018 * precision in the symbol table, and the rules will just work. This
5019 * is a slight abuse of the symbol table, but it has the semantics
5020 * that we want.
5021 */
5022 ir_variable *const junk =
5023 new(state) ir_variable(type, "#default precision",
5024 ir_var_temporary);
5025
5026 state->symbols->add_variable(junk);
5027 }
5028
5029 /* FINISHME: Translate precision statements into IR. */
5030 return NULL;
5031 }
5032
5033 /* _mesa_ast_set_aggregate_type() sets the <structure> field so that
5034 * process_record_constructor() can do type-checking on C-style initializer
5035 * expressions of structs, but ast_struct_specifier should only be translated
5036 * to HIR if it is declaring the type of a structure.
5037 *
5038 * The ->is_declaration field is false for initializers of variables
5039 * declared separately from the struct's type definition.
5040 *
5041 * struct S { ... }; (is_declaration = true)
5042 * struct T { ... } t = { ... }; (is_declaration = true)
5043 * S s = { ... }; (is_declaration = false)
5044 */
5045 if (this->structure != NULL && this->structure->is_declaration)
5046 return this->structure->hir(instructions, state);
5047
5048 return NULL;
5049 }
5050
5051
5052 /**
5053 * Process a structure or interface block tree into an array of structure fields
5054 *
5055 * After parsing, where there are some syntax differnces, structures and
5056 * interface blocks are almost identical. They are similar enough that the
5057 * AST for each can be processed the same way into a set of
5058 * \c glsl_struct_field to describe the members.
5059 *
5060 * If we're processing an interface block, var_mode should be the type of the
5061 * interface block (ir_var_shader_in, ir_var_shader_out, or ir_var_uniform).
5062 * If we're processing a structure, var_mode should be ir_var_auto.
5063 *
5064 * \return
5065 * The number of fields processed. A pointer to the array structure fields is
5066 * stored in \c *fields_ret.
5067 */
5068 unsigned
5069 ast_process_structure_or_interface_block(exec_list *instructions,
5070 struct _mesa_glsl_parse_state *state,
5071 exec_list *declarations,
5072 YYLTYPE &loc,
5073 glsl_struct_field **fields_ret,
5074 bool is_interface,
5075 bool block_row_major,
5076 bool allow_reserved_names,
5077 ir_variable_mode var_mode)
5078 {
5079 unsigned decl_count = 0;
5080
5081 /* Make an initial pass over the list of fields to determine how
5082 * many there are. Each element in this list is an ast_declarator_list.
5083 * This means that we actually need to count the number of elements in the
5084 * 'declarations' list in each of the elements.
5085 */
5086 foreach_list_typed (ast_declarator_list, decl_list, link, declarations) {
5087 decl_count += decl_list->declarations.length();
5088 }
5089
5090 /* Allocate storage for the fields and process the field
5091 * declarations. As the declarations are processed, try to also convert
5092 * the types to HIR. This ensures that structure definitions embedded in
5093 * other structure definitions or in interface blocks are processed.
5094 */
5095 glsl_struct_field *const fields = ralloc_array(state, glsl_struct_field,
5096 decl_count);
5097
5098 unsigned i = 0;
5099 foreach_list_typed (ast_declarator_list, decl_list, link, declarations) {
5100 const char *type_name;
5101
5102 decl_list->type->specifier->hir(instructions, state);
5103
5104 /* Section 10.9 of the GLSL ES 1.00 specification states that
5105 * embedded structure definitions have been removed from the language.
5106 */
5107 if (state->es_shader && decl_list->type->specifier->structure != NULL) {
5108 _mesa_glsl_error(&loc, state, "embedded structure definitions are "
5109 "not allowed in GLSL ES 1.00");
5110 }
5111
5112 const glsl_type *decl_type =
5113 decl_list->type->glsl_type(& type_name, state);
5114
5115 foreach_list_typed (ast_declaration, decl, link,
5116 &decl_list->declarations) {
5117 if (!allow_reserved_names)
5118 validate_identifier(decl->identifier, loc, state);
5119
5120 /* From section 4.3.9 of the GLSL 4.40 spec:
5121 *
5122 * "[In interface blocks] opaque types are not allowed."
5123 *
5124 * It should be impossible for decl_type to be NULL here. Cases that
5125 * might naturally lead to decl_type being NULL, especially for the
5126 * is_interface case, will have resulted in compilation having
5127 * already halted due to a syntax error.
5128 */
5129 const struct glsl_type *field_type =
5130 decl_type != NULL ? decl_type : glsl_type::error_type;
5131
5132 if (is_interface && field_type->contains_opaque()) {
5133 YYLTYPE loc = decl_list->get_location();
5134 _mesa_glsl_error(&loc, state,
5135 "uniform in non-default uniform block contains "
5136 "opaque variable");
5137 }
5138
5139 if (field_type->contains_atomic()) {
5140 /* FINISHME: Add a spec quotation here once updated spec
5141 * FINISHME: language is available. See Khronos bug #10903
5142 * FINISHME: on whether atomic counters are allowed in
5143 * FINISHME: structures.
5144 */
5145 YYLTYPE loc = decl_list->get_location();
5146 _mesa_glsl_error(&loc, state, "atomic counter in structure or "
5147 "uniform block");
5148 }
5149
5150 if (field_type->contains_image()) {
5151 /* FINISHME: Same problem as with atomic counters.
5152 * FINISHME: Request clarification from Khronos and add
5153 * FINISHME: spec quotation here.
5154 */
5155 YYLTYPE loc = decl_list->get_location();
5156 _mesa_glsl_error(&loc, state,
5157 "image in structure or uniform block");
5158 }
5159
5160 const struct ast_type_qualifier *const qual =
5161 & decl_list->type->qualifier;
5162 if (qual->flags.q.std140 ||
5163 qual->flags.q.packed ||
5164 qual->flags.q.shared) {
5165 _mesa_glsl_error(&loc, state,
5166 "uniform block layout qualifiers std140, packed, and "
5167 "shared can only be applied to uniform blocks, not "
5168 "members");
5169 }
5170
5171 field_type = process_array_type(&loc, decl_type,
5172 decl->array_specifier, state);
5173 fields[i].type = field_type;
5174 fields[i].name = decl->identifier;
5175 fields[i].location = -1;
5176 fields[i].interpolation =
5177 interpret_interpolation_qualifier(qual, var_mode, state, &loc);
5178 fields[i].centroid = qual->flags.q.centroid ? 1 : 0;
5179 fields[i].sample = qual->flags.q.sample ? 1 : 0;
5180
5181 /* Only save explicitly defined streams in block's field */
5182 fields[i].stream = qual->flags.q.explicit_stream ? qual->stream : -1;
5183
5184 if (qual->flags.q.row_major || qual->flags.q.column_major) {
5185 if (!qual->flags.q.uniform) {
5186 _mesa_glsl_error(&loc, state,
5187 "row_major and column_major can only be "
5188 "applied to uniform interface blocks");
5189 } else
5190 validate_matrix_layout_for_type(state, &loc, field_type, NULL);
5191 }
5192
5193 if (qual->flags.q.uniform && qual->has_interpolation()) {
5194 _mesa_glsl_error(&loc, state,
5195 "interpolation qualifiers cannot be used "
5196 "with uniform interface blocks");
5197 }
5198
5199 if ((qual->flags.q.uniform || !is_interface) &&
5200 qual->has_auxiliary_storage()) {
5201 _mesa_glsl_error(&loc, state,
5202 "auxiliary storage qualifiers cannot be used "
5203 "in uniform blocks or structures.");
5204 }
5205
5206 /* Propogate row- / column-major information down the fields of the
5207 * structure or interface block. Structures need this data because
5208 * the structure may contain a structure that contains ... a matrix
5209 * that need the proper layout.
5210 */
5211 if (field_type->without_array()->is_matrix()
5212 || field_type->without_array()->is_record()) {
5213 fields[i].matrix_layout = block_row_major
5214 ? GLSL_MATRIX_LAYOUT_ROW_MAJOR
5215 : GLSL_MATRIX_LAYOUT_COLUMN_MAJOR;
5216 if (qual->flags.q.row_major)
5217 fields[i].matrix_layout = GLSL_MATRIX_LAYOUT_ROW_MAJOR;
5218 else if (qual->flags.q.column_major)
5219 fields[i].matrix_layout = GLSL_MATRIX_LAYOUT_COLUMN_MAJOR;
5220 }
5221
5222 i++;
5223 }
5224 }
5225
5226 assert(i == decl_count);
5227
5228 *fields_ret = fields;
5229 return decl_count;
5230 }
5231
5232
5233 ir_rvalue *
5234 ast_struct_specifier::hir(exec_list *instructions,
5235 struct _mesa_glsl_parse_state *state)
5236 {
5237 YYLTYPE loc = this->get_location();
5238
5239 /* Section 4.1.8 (Structures) of the GLSL 1.10 spec says:
5240 *
5241 * "Anonymous structures are not supported; so embedded structures must
5242 * have a declarator. A name given to an embedded struct is scoped at
5243 * the same level as the struct it is embedded in."
5244 *
5245 * The same section of the GLSL 1.20 spec says:
5246 *
5247 * "Anonymous structures are not supported. Embedded structures are not
5248 * supported.
5249 *
5250 * struct S { float f; };
5251 * struct T {
5252 * S; // Error: anonymous structures disallowed
5253 * struct { ... }; // Error: embedded structures disallowed
5254 * S s; // Okay: nested structures with name are allowed
5255 * };"
5256 *
5257 * The GLSL ES 1.00 and 3.00 specs have similar langauge and examples. So,
5258 * we allow embedded structures in 1.10 only.
5259 */
5260 if (state->language_version != 110 && state->struct_specifier_depth != 0)
5261 _mesa_glsl_error(&loc, state,
5262 "embedded structure declarations are not allowed");
5263
5264 state->struct_specifier_depth++;
5265
5266 glsl_struct_field *fields;
5267 unsigned decl_count =
5268 ast_process_structure_or_interface_block(instructions,
5269 state,
5270 &this->declarations,
5271 loc,
5272 &fields,
5273 false,
5274 false,
5275 false /* allow_reserved_names */,
5276 ir_var_auto);
5277
5278 validate_identifier(this->name, loc, state);
5279
5280 const glsl_type *t =
5281 glsl_type::get_record_instance(fields, decl_count, this->name);
5282
5283 if (!state->symbols->add_type(name, t)) {
5284 _mesa_glsl_error(& loc, state, "struct `%s' previously defined", name);
5285 } else {
5286 const glsl_type **s = reralloc(state, state->user_structures,
5287 const glsl_type *,
5288 state->num_user_structures + 1);
5289 if (s != NULL) {
5290 s[state->num_user_structures] = t;
5291 state->user_structures = s;
5292 state->num_user_structures++;
5293 }
5294 }
5295
5296 state->struct_specifier_depth--;
5297
5298 /* Structure type definitions do not have r-values.
5299 */
5300 return NULL;
5301 }
5302
5303
5304 /**
5305 * Visitor class which detects whether a given interface block has been used.
5306 */
5307 class interface_block_usage_visitor : public ir_hierarchical_visitor
5308 {
5309 public:
5310 interface_block_usage_visitor(ir_variable_mode mode, const glsl_type *block)
5311 : mode(mode), block(block), found(false)
5312 {
5313 }
5314
5315 virtual ir_visitor_status visit(ir_dereference_variable *ir)
5316 {
5317 if (ir->var->data.mode == mode && ir->var->get_interface_type() == block) {
5318 found = true;
5319 return visit_stop;
5320 }
5321 return visit_continue;
5322 }
5323
5324 bool usage_found() const
5325 {
5326 return this->found;
5327 }
5328
5329 private:
5330 ir_variable_mode mode;
5331 const glsl_type *block;
5332 bool found;
5333 };
5334
5335
5336 ir_rvalue *
5337 ast_interface_block::hir(exec_list *instructions,
5338 struct _mesa_glsl_parse_state *state)
5339 {
5340 YYLTYPE loc = this->get_location();
5341
5342 /* The ast_interface_block has a list of ast_declarator_lists. We
5343 * need to turn those into ir_variables with an association
5344 * with this uniform block.
5345 */
5346 enum glsl_interface_packing packing;
5347 if (this->layout.flags.q.shared) {
5348 packing = GLSL_INTERFACE_PACKING_SHARED;
5349 } else if (this->layout.flags.q.packed) {
5350 packing = GLSL_INTERFACE_PACKING_PACKED;
5351 } else {
5352 /* The default layout is std140.
5353 */
5354 packing = GLSL_INTERFACE_PACKING_STD140;
5355 }
5356
5357 ir_variable_mode var_mode;
5358 const char *iface_type_name;
5359 if (this->layout.flags.q.in) {
5360 var_mode = ir_var_shader_in;
5361 iface_type_name = "in";
5362 } else if (this->layout.flags.q.out) {
5363 var_mode = ir_var_shader_out;
5364 iface_type_name = "out";
5365 } else if (this->layout.flags.q.uniform) {
5366 var_mode = ir_var_uniform;
5367 iface_type_name = "uniform";
5368 } else {
5369 var_mode = ir_var_auto;
5370 iface_type_name = "UNKNOWN";
5371 assert(!"interface block layout qualifier not found!");
5372 }
5373
5374 bool redeclaring_per_vertex = strcmp(this->block_name, "gl_PerVertex") == 0;
5375 bool block_row_major = this->layout.flags.q.row_major;
5376 exec_list declared_variables;
5377 glsl_struct_field *fields;
5378
5379 /* Treat an interface block as one level of nesting, so that embedded struct
5380 * specifiers will be disallowed.
5381 */
5382 state->struct_specifier_depth++;
5383
5384 unsigned int num_variables =
5385 ast_process_structure_or_interface_block(&declared_variables,
5386 state,
5387 &this->declarations,
5388 loc,
5389 &fields,
5390 true,
5391 block_row_major,
5392 redeclaring_per_vertex,
5393 var_mode);
5394
5395 state->struct_specifier_depth--;
5396
5397 if (!redeclaring_per_vertex)
5398 validate_identifier(this->block_name, loc, state);
5399
5400 const glsl_type *earlier_per_vertex = NULL;
5401 if (redeclaring_per_vertex) {
5402 /* Find the previous declaration of gl_PerVertex. If we're redeclaring
5403 * the named interface block gl_in, we can find it by looking at the
5404 * previous declaration of gl_in. Otherwise we can find it by looking
5405 * at the previous decalartion of any of the built-in outputs,
5406 * e.g. gl_Position.
5407 *
5408 * Also check that the instance name and array-ness of the redeclaration
5409 * are correct.
5410 */
5411 switch (var_mode) {
5412 case ir_var_shader_in:
5413 if (ir_variable *earlier_gl_in =
5414 state->symbols->get_variable("gl_in")) {
5415 earlier_per_vertex = earlier_gl_in->get_interface_type();
5416 } else {
5417 _mesa_glsl_error(&loc, state,
5418 "redeclaration of gl_PerVertex input not allowed "
5419 "in the %s shader",
5420 _mesa_shader_stage_to_string(state->stage));
5421 }
5422 if (this->instance_name == NULL ||
5423 strcmp(this->instance_name, "gl_in") != 0 || this->array_specifier == NULL) {
5424 _mesa_glsl_error(&loc, state,
5425 "gl_PerVertex input must be redeclared as "
5426 "gl_in[]");
5427 }
5428 break;
5429 case ir_var_shader_out:
5430 if (ir_variable *earlier_gl_Position =
5431 state->symbols->get_variable("gl_Position")) {
5432 earlier_per_vertex = earlier_gl_Position->get_interface_type();
5433 } else {
5434 _mesa_glsl_error(&loc, state,
5435 "redeclaration of gl_PerVertex output not "
5436 "allowed in the %s shader",
5437 _mesa_shader_stage_to_string(state->stage));
5438 }
5439 if (this->instance_name != NULL) {
5440 _mesa_glsl_error(&loc, state,
5441 "gl_PerVertex input may not be redeclared with "
5442 "an instance name");
5443 }
5444 break;
5445 default:
5446 _mesa_glsl_error(&loc, state,
5447 "gl_PerVertex must be declared as an input or an "
5448 "output");
5449 break;
5450 }
5451
5452 if (earlier_per_vertex == NULL) {
5453 /* An error has already been reported. Bail out to avoid null
5454 * dereferences later in this function.
5455 */
5456 return NULL;
5457 }
5458
5459 /* Copy locations from the old gl_PerVertex interface block. */
5460 for (unsigned i = 0; i < num_variables; i++) {
5461 int j = earlier_per_vertex->field_index(fields[i].name);
5462 if (j == -1) {
5463 _mesa_glsl_error(&loc, state,
5464 "redeclaration of gl_PerVertex must be a subset "
5465 "of the built-in members of gl_PerVertex");
5466 } else {
5467 fields[i].location =
5468 earlier_per_vertex->fields.structure[j].location;
5469 fields[i].interpolation =
5470 earlier_per_vertex->fields.structure[j].interpolation;
5471 fields[i].centroid =
5472 earlier_per_vertex->fields.structure[j].centroid;
5473 fields[i].sample =
5474 earlier_per_vertex->fields.structure[j].sample;
5475 }
5476 }
5477
5478 /* From section 7.1 ("Built-in Language Variables") of the GLSL 4.10
5479 * spec:
5480 *
5481 * If a built-in interface block is redeclared, it must appear in
5482 * the shader before any use of any member included in the built-in
5483 * declaration, or a compilation error will result.
5484 *
5485 * This appears to be a clarification to the behaviour established for
5486 * gl_PerVertex by GLSL 1.50, therefore we implement this behaviour
5487 * regardless of GLSL version.
5488 */
5489 interface_block_usage_visitor v(var_mode, earlier_per_vertex);
5490 v.run(instructions);
5491 if (v.usage_found()) {
5492 _mesa_glsl_error(&loc, state,
5493 "redeclaration of a built-in interface block must "
5494 "appear before any use of any member of the "
5495 "interface block");
5496 }
5497 }
5498
5499 const glsl_type *block_type =
5500 glsl_type::get_interface_instance(fields,
5501 num_variables,
5502 packing,
5503 this->block_name);
5504
5505 if (!state->symbols->add_interface(block_type->name, block_type, var_mode)) {
5506 YYLTYPE loc = this->get_location();
5507 _mesa_glsl_error(&loc, state, "interface block `%s' with type `%s' "
5508 "already taken in the current scope",
5509 this->block_name, iface_type_name);
5510 }
5511
5512 /* Since interface blocks cannot contain statements, it should be
5513 * impossible for the block to generate any instructions.
5514 */
5515 assert(declared_variables.is_empty());
5516
5517 /* From section 4.3.4 (Inputs) of the GLSL 1.50 spec:
5518 *
5519 * Geometry shader input variables get the per-vertex values written
5520 * out by vertex shader output variables of the same names. Since a
5521 * geometry shader operates on a set of vertices, each input varying
5522 * variable (or input block, see interface blocks below) needs to be
5523 * declared as an array.
5524 */
5525 if (state->stage == MESA_SHADER_GEOMETRY && this->array_specifier == NULL &&
5526 var_mode == ir_var_shader_in) {
5527 _mesa_glsl_error(&loc, state, "geometry shader inputs must be arrays");
5528 }
5529
5530 /* Page 39 (page 45 of the PDF) of section 4.3.7 in the GLSL ES 3.00 spec
5531 * says:
5532 *
5533 * "If an instance name (instance-name) is used, then it puts all the
5534 * members inside a scope within its own name space, accessed with the
5535 * field selector ( . ) operator (analogously to structures)."
5536 */
5537 if (this->instance_name) {
5538 if (redeclaring_per_vertex) {
5539 /* When a built-in in an unnamed interface block is redeclared,
5540 * get_variable_being_redeclared() calls
5541 * check_builtin_array_max_size() to make sure that built-in array
5542 * variables aren't redeclared to illegal sizes. But we're looking
5543 * at a redeclaration of a named built-in interface block. So we
5544 * have to manually call check_builtin_array_max_size() for all parts
5545 * of the interface that are arrays.
5546 */
5547 for (unsigned i = 0; i < num_variables; i++) {
5548 if (fields[i].type->is_array()) {
5549 const unsigned size = fields[i].type->array_size();
5550 check_builtin_array_max_size(fields[i].name, size, loc, state);
5551 }
5552 }
5553 } else {
5554 validate_identifier(this->instance_name, loc, state);
5555 }
5556
5557 ir_variable *var;
5558
5559 if (this->array_specifier != NULL) {
5560 /* Section 4.3.7 (Interface Blocks) of the GLSL 1.50 spec says:
5561 *
5562 * For uniform blocks declared an array, each individual array
5563 * element corresponds to a separate buffer object backing one
5564 * instance of the block. As the array size indicates the number
5565 * of buffer objects needed, uniform block array declarations
5566 * must specify an array size.
5567 *
5568 * And a few paragraphs later:
5569 *
5570 * Geometry shader input blocks must be declared as arrays and
5571 * follow the array declaration and linking rules for all
5572 * geometry shader inputs. All other input and output block
5573 * arrays must specify an array size.
5574 *
5575 * The upshot of this is that the only circumstance where an
5576 * interface array size *doesn't* need to be specified is on a
5577 * geometry shader input.
5578 */
5579 if (this->array_specifier->is_unsized_array &&
5580 (state->stage != MESA_SHADER_GEOMETRY || !this->layout.flags.q.in)) {
5581 _mesa_glsl_error(&loc, state,
5582 "only geometry shader inputs may be unsized "
5583 "instance block arrays");
5584
5585 }
5586
5587 const glsl_type *block_array_type =
5588 process_array_type(&loc, block_type, this->array_specifier, state);
5589
5590 var = new(state) ir_variable(block_array_type,
5591 this->instance_name,
5592 var_mode);
5593 } else {
5594 var = new(state) ir_variable(block_type,
5595 this->instance_name,
5596 var_mode);
5597 }
5598
5599 if (state->stage == MESA_SHADER_GEOMETRY && var_mode == ir_var_shader_in)
5600 handle_geometry_shader_input_decl(state, loc, var);
5601
5602 if (ir_variable *earlier =
5603 state->symbols->get_variable(this->instance_name)) {
5604 if (!redeclaring_per_vertex) {
5605 _mesa_glsl_error(&loc, state, "`%s' redeclared",
5606 this->instance_name);
5607 }
5608 earlier->data.how_declared = ir_var_declared_normally;
5609 earlier->type = var->type;
5610 earlier->reinit_interface_type(block_type);
5611 delete var;
5612 } else {
5613 /* Propagate the "binding" keyword into this UBO's fields;
5614 * the UBO declaration itself doesn't get an ir_variable unless it
5615 * has an instance name. This is ugly.
5616 */
5617 var->data.explicit_binding = this->layout.flags.q.explicit_binding;
5618 var->data.binding = this->layout.binding;
5619
5620 state->symbols->add_variable(var);
5621 instructions->push_tail(var);
5622 }
5623 } else {
5624 /* In order to have an array size, the block must also be declared with
5625 * an instance name.
5626 */
5627 assert(this->array_specifier == NULL);
5628
5629 for (unsigned i = 0; i < num_variables; i++) {
5630 ir_variable *var =
5631 new(state) ir_variable(fields[i].type,
5632 ralloc_strdup(state, fields[i].name),
5633 var_mode);
5634 var->data.interpolation = fields[i].interpolation;
5635 var->data.centroid = fields[i].centroid;
5636 var->data.sample = fields[i].sample;
5637 var->init_interface_type(block_type);
5638
5639 if (fields[i].stream != -1 &&
5640 ((unsigned)fields[i].stream) != this->layout.stream) {
5641 _mesa_glsl_error(&loc, state,
5642 "stream layout qualifier on "
5643 "interface block member `%s' does not match "
5644 "the interface block (%d vs %d)",
5645 var->name, fields[i].stream, this->layout.stream);
5646 }
5647
5648 var->data.stream = this->layout.stream;
5649
5650 if (redeclaring_per_vertex) {
5651 ir_variable *earlier =
5652 get_variable_being_redeclared(var, loc, state,
5653 true /* allow_all_redeclarations */);
5654 if (!is_gl_identifier(var->name) || earlier == NULL) {
5655 _mesa_glsl_error(&loc, state,
5656 "redeclaration of gl_PerVertex can only "
5657 "include built-in variables");
5658 } else if (earlier->data.how_declared == ir_var_declared_normally) {
5659 _mesa_glsl_error(&loc, state,
5660 "`%s' has already been redeclared", var->name);
5661 } else {
5662 earlier->data.how_declared = ir_var_declared_in_block;
5663 earlier->reinit_interface_type(block_type);
5664 }
5665 continue;
5666 }
5667
5668 if (state->symbols->get_variable(var->name) != NULL)
5669 _mesa_glsl_error(&loc, state, "`%s' redeclared", var->name);
5670
5671 /* Propagate the "binding" keyword into this UBO's fields;
5672 * the UBO declaration itself doesn't get an ir_variable unless it
5673 * has an instance name. This is ugly.
5674 */
5675 var->data.explicit_binding = this->layout.flags.q.explicit_binding;
5676 var->data.binding = this->layout.binding;
5677
5678 state->symbols->add_variable(var);
5679 instructions->push_tail(var);
5680 }
5681
5682 if (redeclaring_per_vertex && block_type != earlier_per_vertex) {
5683 /* From section 7.1 ("Built-in Language Variables") of the GLSL 4.10 spec:
5684 *
5685 * It is also a compilation error ... to redeclare a built-in
5686 * block and then use a member from that built-in block that was
5687 * not included in the redeclaration.
5688 *
5689 * This appears to be a clarification to the behaviour established
5690 * for gl_PerVertex by GLSL 1.50, therefore we implement this
5691 * behaviour regardless of GLSL version.
5692 *
5693 * To prevent the shader from using a member that was not included in
5694 * the redeclaration, we disable any ir_variables that are still
5695 * associated with the old declaration of gl_PerVertex (since we've
5696 * already updated all of the variables contained in the new
5697 * gl_PerVertex to point to it).
5698 *
5699 * As a side effect this will prevent
5700 * validate_intrastage_interface_blocks() from getting confused and
5701 * thinking there are conflicting definitions of gl_PerVertex in the
5702 * shader.
5703 */
5704 foreach_in_list_safe(ir_instruction, node, instructions) {
5705 ir_variable *const var = node->as_variable();
5706 if (var != NULL &&
5707 var->get_interface_type() == earlier_per_vertex &&
5708 var->data.mode == var_mode) {
5709 if (var->data.how_declared == ir_var_declared_normally) {
5710 _mesa_glsl_error(&loc, state,
5711 "redeclaration of gl_PerVertex cannot "
5712 "follow a redeclaration of `%s'",
5713 var->name);
5714 }
5715 state->symbols->disable_variable(var->name);
5716 var->remove();
5717 }
5718 }
5719 }
5720 }
5721
5722 return NULL;
5723 }
5724
5725
5726 ir_rvalue *
5727 ast_gs_input_layout::hir(exec_list *instructions,
5728 struct _mesa_glsl_parse_state *state)
5729 {
5730 YYLTYPE loc = this->get_location();
5731
5732 /* If any geometry input layout declaration preceded this one, make sure it
5733 * was consistent with this one.
5734 */
5735 if (state->gs_input_prim_type_specified &&
5736 state->in_qualifier->prim_type != this->prim_type) {
5737 _mesa_glsl_error(&loc, state,
5738 "geometry shader input layout does not match"
5739 " previous declaration");
5740 return NULL;
5741 }
5742
5743 /* If any shader inputs occurred before this declaration and specified an
5744 * array size, make sure the size they specified is consistent with the
5745 * primitive type.
5746 */
5747 unsigned num_vertices = vertices_per_prim(this->prim_type);
5748 if (state->gs_input_size != 0 && state->gs_input_size != num_vertices) {
5749 _mesa_glsl_error(&loc, state,
5750 "this geometry shader input layout implies %u vertices"
5751 " per primitive, but a previous input is declared"
5752 " with size %u", num_vertices, state->gs_input_size);
5753 return NULL;
5754 }
5755
5756 state->gs_input_prim_type_specified = true;
5757
5758 /* If any shader inputs occurred before this declaration and did not
5759 * specify an array size, their size is determined now.
5760 */
5761 foreach_in_list(ir_instruction, node, instructions) {
5762 ir_variable *var = node->as_variable();
5763 if (var == NULL || var->data.mode != ir_var_shader_in)
5764 continue;
5765
5766 /* Note: gl_PrimitiveIDIn has mode ir_var_shader_in, but it's not an
5767 * array; skip it.
5768 */
5769
5770 if (var->type->is_unsized_array()) {
5771 if (var->data.max_array_access >= num_vertices) {
5772 _mesa_glsl_error(&loc, state,
5773 "this geometry shader input layout implies %u"
5774 " vertices, but an access to element %u of input"
5775 " `%s' already exists", num_vertices,
5776 var->data.max_array_access, var->name);
5777 } else {
5778 var->type = glsl_type::get_array_instance(var->type->fields.array,
5779 num_vertices);
5780 }
5781 }
5782 }
5783
5784 return NULL;
5785 }
5786
5787
5788 ir_rvalue *
5789 ast_cs_input_layout::hir(exec_list *instructions,
5790 struct _mesa_glsl_parse_state *state)
5791 {
5792 YYLTYPE loc = this->get_location();
5793
5794 /* If any compute input layout declaration preceded this one, make sure it
5795 * was consistent with this one.
5796 */
5797 if (state->cs_input_local_size_specified) {
5798 for (int i = 0; i < 3; i++) {
5799 if (state->cs_input_local_size[i] != this->local_size[i]) {
5800 _mesa_glsl_error(&loc, state,
5801 "compute shader input layout does not match"
5802 " previous declaration");
5803 return NULL;
5804 }
5805 }
5806 }
5807
5808 /* From the ARB_compute_shader specification:
5809 *
5810 * If the local size of the shader in any dimension is greater
5811 * than the maximum size supported by the implementation for that
5812 * dimension, a compile-time error results.
5813 *
5814 * It is not clear from the spec how the error should be reported if
5815 * the total size of the work group exceeds
5816 * MAX_COMPUTE_WORK_GROUP_INVOCATIONS, but it seems reasonable to
5817 * report it at compile time as well.
5818 */
5819 GLuint64 total_invocations = 1;
5820 for (int i = 0; i < 3; i++) {
5821 if (this->local_size[i] > state->ctx->Const.MaxComputeWorkGroupSize[i]) {
5822 _mesa_glsl_error(&loc, state,
5823 "local_size_%c exceeds MAX_COMPUTE_WORK_GROUP_SIZE"
5824 " (%d)", 'x' + i,
5825 state->ctx->Const.MaxComputeWorkGroupSize[i]);
5826 break;
5827 }
5828 total_invocations *= this->local_size[i];
5829 if (total_invocations >
5830 state->ctx->Const.MaxComputeWorkGroupInvocations) {
5831 _mesa_glsl_error(&loc, state,
5832 "product of local_sizes exceeds "
5833 "MAX_COMPUTE_WORK_GROUP_INVOCATIONS (%d)",
5834 state->ctx->Const.MaxComputeWorkGroupInvocations);
5835 break;
5836 }
5837 }
5838
5839 state->cs_input_local_size_specified = true;
5840 for (int i = 0; i < 3; i++)
5841 state->cs_input_local_size[i] = this->local_size[i];
5842
5843 /* We may now declare the built-in constant gl_WorkGroupSize (see
5844 * builtin_variable_generator::generate_constants() for why we didn't
5845 * declare it earlier).
5846 */
5847 ir_variable *var = new(state->symbols)
5848 ir_variable(glsl_type::ivec3_type, "gl_WorkGroupSize", ir_var_auto);
5849 var->data.how_declared = ir_var_declared_implicitly;
5850 var->data.read_only = true;
5851 instructions->push_tail(var);
5852 state->symbols->add_variable(var);
5853 ir_constant_data data;
5854 memset(&data, 0, sizeof(data));
5855 for (int i = 0; i < 3; i++)
5856 data.i[i] = this->local_size[i];
5857 var->constant_value = new(var) ir_constant(glsl_type::ivec3_type, &data);
5858 var->constant_initializer =
5859 new(var) ir_constant(glsl_type::ivec3_type, &data);
5860 var->data.has_initializer = true;
5861
5862 return NULL;
5863 }
5864
5865
5866 static void
5867 detect_conflicting_assignments(struct _mesa_glsl_parse_state *state,
5868 exec_list *instructions)
5869 {
5870 bool gl_FragColor_assigned = false;
5871 bool gl_FragData_assigned = false;
5872 bool user_defined_fs_output_assigned = false;
5873 ir_variable *user_defined_fs_output = NULL;
5874
5875 /* It would be nice to have proper location information. */
5876 YYLTYPE loc;
5877 memset(&loc, 0, sizeof(loc));
5878
5879 foreach_in_list(ir_instruction, node, instructions) {
5880 ir_variable *var = node->as_variable();
5881
5882 if (!var || !var->data.assigned)
5883 continue;
5884
5885 if (strcmp(var->name, "gl_FragColor") == 0)
5886 gl_FragColor_assigned = true;
5887 else if (strcmp(var->name, "gl_FragData") == 0)
5888 gl_FragData_assigned = true;
5889 else if (!is_gl_identifier(var->name)) {
5890 if (state->stage == MESA_SHADER_FRAGMENT &&
5891 var->data.mode == ir_var_shader_out) {
5892 user_defined_fs_output_assigned = true;
5893 user_defined_fs_output = var;
5894 }
5895 }
5896 }
5897
5898 /* From the GLSL 1.30 spec:
5899 *
5900 * "If a shader statically assigns a value to gl_FragColor, it
5901 * may not assign a value to any element of gl_FragData. If a
5902 * shader statically writes a value to any element of
5903 * gl_FragData, it may not assign a value to
5904 * gl_FragColor. That is, a shader may assign values to either
5905 * gl_FragColor or gl_FragData, but not both. Multiple shaders
5906 * linked together must also consistently write just one of
5907 * these variables. Similarly, if user declared output
5908 * variables are in use (statically assigned to), then the
5909 * built-in variables gl_FragColor and gl_FragData may not be
5910 * assigned to. These incorrect usages all generate compile
5911 * time errors."
5912 */
5913 if (gl_FragColor_assigned && gl_FragData_assigned) {
5914 _mesa_glsl_error(&loc, state, "fragment shader writes to both "
5915 "`gl_FragColor' and `gl_FragData'");
5916 } else if (gl_FragColor_assigned && user_defined_fs_output_assigned) {
5917 _mesa_glsl_error(&loc, state, "fragment shader writes to both "
5918 "`gl_FragColor' and `%s'",
5919 user_defined_fs_output->name);
5920 } else if (gl_FragData_assigned && user_defined_fs_output_assigned) {
5921 _mesa_glsl_error(&loc, state, "fragment shader writes to both "
5922 "`gl_FragData' and `%s'",
5923 user_defined_fs_output->name);
5924 }
5925 }
5926
5927
5928 static void
5929 remove_per_vertex_blocks(exec_list *instructions,
5930 _mesa_glsl_parse_state *state, ir_variable_mode mode)
5931 {
5932 /* Find the gl_PerVertex interface block of the appropriate (in/out) mode,
5933 * if it exists in this shader type.
5934 */
5935 const glsl_type *per_vertex = NULL;
5936 switch (mode) {
5937 case ir_var_shader_in:
5938 if (ir_variable *gl_in = state->symbols->get_variable("gl_in"))
5939 per_vertex = gl_in->get_interface_type();
5940 break;
5941 case ir_var_shader_out:
5942 if (ir_variable *gl_Position =
5943 state->symbols->get_variable("gl_Position")) {
5944 per_vertex = gl_Position->get_interface_type();
5945 }
5946 break;
5947 default:
5948 assert(!"Unexpected mode");
5949 break;
5950 }
5951
5952 /* If we didn't find a built-in gl_PerVertex interface block, then we don't
5953 * need to do anything.
5954 */
5955 if (per_vertex == NULL)
5956 return;
5957
5958 /* If the interface block is used by the shader, then we don't need to do
5959 * anything.
5960 */
5961 interface_block_usage_visitor v(mode, per_vertex);
5962 v.run(instructions);
5963 if (v.usage_found())
5964 return;
5965
5966 /* Remove any ir_variable declarations that refer to the interface block
5967 * we're removing.
5968 */
5969 foreach_in_list_safe(ir_instruction, node, instructions) {
5970 ir_variable *const var = node->as_variable();
5971 if (var != NULL && var->get_interface_type() == per_vertex &&
5972 var->data.mode == mode) {
5973 state->symbols->disable_variable(var->name);
5974 var->remove();
5975 }
5976 }
5977 }