1 /* PSPP - a program for statistical analysis.
2 Copyright (C) 1997-9, 2000, 2006, 2010, 2011, 2012 Free Software Foundation, Inc.
4 This program is free software: you can redistribute it and/or modify
5 it under the terms of the GNU General Public License as published by
6 the Free Software Foundation, either version 3 of the License, or
7 (at your option) any later version.
9 This program is distributed in the hope that it will be useful,
10 but WITHOUT ANY WARRANTY; without even the implied warranty of
11 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 GNU General Public License for more details.
14 You should have received a copy of the GNU General Public License
15 along with this program. If not, see <http://www.gnu.org/licenses/>. */
26 #include "data/case.h"
27 #include "data/dictionary.h"
28 #include "data/settings.h"
29 #include "data/variable.h"
30 #include "language/expressions/helpers.h"
31 #include "language/lexer/format-parser.h"
32 #include "language/lexer/lexer.h"
33 #include "language/lexer/variable-parser.h"
34 #include "libpspp/array.h"
35 #include "libpspp/assertion.h"
36 #include "libpspp/i18n.h"
37 #include "libpspp/message.h"
38 #include "libpspp/misc.h"
39 #include "libpspp/pool.h"
40 #include "libpspp/str.h"
42 #include "gl/c-strcase.h"
43 #include "gl/xalloc.h"
47 /* Recursive descent parser in order of increasing precedence. */
48 typedef union any_node *parse_recursively_func (struct lexer *, struct expression *);
49 static parse_recursively_func parse_or, parse_and, parse_not;
50 static parse_recursively_func parse_rel, parse_add, parse_mul;
51 static parse_recursively_func parse_neg, parse_exp;
52 static parse_recursively_func parse_primary;
53 static parse_recursively_func parse_vector_element, parse_function;
55 /* Utility functions. */
56 static struct expression *expr_create (struct dataset *ds);
57 atom_type expr_node_returns (const union any_node *);
59 static const char *atom_type_name (atom_type);
60 static struct expression *finish_expression (union any_node *,
62 static bool type_check (struct expression *, union any_node **,
63 enum expr_type expected_type);
64 static union any_node *allocate_unary_variable (struct expression *,
65 const struct variable *);
67 /* Public functions. */
69 /* Parses an expression of the given TYPE.
70 If DICT is nonnull then variables and vectors within it may be
71 referenced within the expression; otherwise, the expression
72 must not reference any variables or vectors.
73 Returns the new expression if successful or a null pointer
76 expr_parse (struct lexer *lexer, struct dataset *ds, enum expr_type type)
81 assert (type == EXPR_NUMBER || type == EXPR_STRING || type == EXPR_BOOLEAN);
84 n = parse_or (lexer, e);
85 if (n != NULL && type_check (e, &n, type))
86 return finish_expression (expr_optimize (n, e), e);
94 /* Parses and returns an expression of the given TYPE, as
95 expr_parse(), and sets up so that destroying POOL will free
96 the expression as well. */
98 expr_parse_pool (struct lexer *lexer,
103 struct expression *e = expr_parse (lexer, ds, type);
105 pool_add_subpool (pool, e->expr_pool);
109 /* Free expression E. */
111 expr_free (struct expression *e)
114 pool_destroy (e->expr_pool);
118 expr_parse_any (struct lexer *lexer, struct dataset *ds, bool optimize)
121 struct expression *e;
123 e = expr_create (ds);
124 n = parse_or (lexer, e);
132 n = expr_optimize (n, e);
133 return finish_expression (n, e);
136 /* Finishing up expression building. */
138 /* Height of an expression's stacks. */
141 int number_height; /* Height of number stack. */
142 int string_height; /* Height of string stack. */
145 /* Stack heights used by different kinds of arguments. */
146 static const struct stack_heights on_number_stack = {1, 0};
147 static const struct stack_heights on_string_stack = {0, 1};
148 static const struct stack_heights not_on_stack = {0, 0};
150 /* Returns the stack heights used by an atom of the given
152 static const struct stack_heights *
153 atom_type_stack (atom_type type)
155 assert (is_atom (type));
161 return &on_number_stack;
164 return &on_string_stack;
174 return ¬_on_stack;
181 /* Measures the stack height needed for node N, supposing that
182 the stack height is initially *HEIGHT and updating *HEIGHT to
183 the final stack height. Updates *MAX, if necessary, to
184 reflect the maximum intermediate or final height. */
186 measure_stack (const union any_node *n,
187 struct stack_heights *height, struct stack_heights *max)
189 const struct stack_heights *return_height;
191 if (is_composite (n->type))
193 struct stack_heights args;
197 for (i = 0; i < n->composite.arg_cnt; i++)
198 measure_stack (n->composite.args[i], &args, max);
200 return_height = atom_type_stack (operations[n->type].returns);
203 return_height = atom_type_stack (n->type);
205 height->number_height += return_height->number_height;
206 height->string_height += return_height->string_height;
208 if (height->number_height > max->number_height)
209 max->number_height = height->number_height;
210 if (height->string_height > max->string_height)
211 max->string_height = height->string_height;
214 /* Allocates stacks within E sufficient for evaluating node N. */
216 allocate_stacks (union any_node *n, struct expression *e)
218 struct stack_heights initial = {0, 0};
219 struct stack_heights max = {0, 0};
221 measure_stack (n, &initial, &max);
222 e->number_stack = pool_alloc (e->expr_pool,
223 sizeof *e->number_stack * max.number_height);
224 e->string_stack = pool_alloc (e->expr_pool,
225 sizeof *e->string_stack * max.string_height);
228 /* Finalizes expression E for evaluating node N. */
229 static struct expression *
230 finish_expression (union any_node *n, struct expression *e)
232 /* Allocate stacks. */
233 allocate_stacks (n, e);
235 /* Output postfix representation. */
238 /* The eval_pool might have been used for allocating strings
239 during optimization. We need to keep those strings around
240 for all subsequent evaluations, so start a new eval_pool. */
241 e->eval_pool = pool_create_subpool (e->expr_pool);
246 /* Verifies that expression E, whose root node is *N, can be
247 converted to type EXPECTED_TYPE, inserting a conversion at *N
248 if necessary. Returns true if successful, false on failure. */
250 type_check (struct expression *e,
251 union any_node **n, enum expr_type expected_type)
253 atom_type actual_type = expr_node_returns (*n);
255 switch (expected_type)
259 if (actual_type != OP_number && actual_type != OP_boolean)
261 msg (SE, _("Type mismatch: expression has %s type, "
262 "but a numeric value is required here."),
263 atom_type_name (actual_type));
266 if (actual_type == OP_number && expected_type == EXPR_BOOLEAN)
267 *n = expr_allocate_binary (e, OP_NUM_TO_BOOLEAN, *n,
268 expr_allocate_string (e, ss_empty ()));
272 if (actual_type != OP_string)
274 msg (SE, _("Type mismatch: expression has %s type, "
275 "but a string value is required here."),
276 atom_type_name (actual_type));
288 /* Recursive-descent expression parser. */
290 /* Considers whether *NODE may be coerced to type REQUIRED_TYPE.
291 Returns true if possible, false if disallowed.
293 If DO_COERCION is false, then *NODE is not modified and there
296 If DO_COERCION is true, we perform the coercion if possible,
297 modifying *NODE if necessary. If the coercion is not possible
298 then we free *NODE and set *NODE to a null pointer.
300 This function's interface is somewhat awkward. Use one of the
301 wrapper functions type_coercion(), type_coercion_assert(), or
302 is_coercible() instead. */
304 type_coercion_core (struct expression *e,
305 atom_type required_type,
306 union any_node **node,
307 const char *operator_name,
310 atom_type actual_type;
312 assert (!!do_coercion == (e != NULL));
315 /* Propagate error. Whatever caused the original error
316 already emitted an error message. */
320 actual_type = expr_node_returns (*node);
321 if (actual_type == required_type)
327 switch (required_type)
330 if (actual_type == OP_boolean)
332 /* To enforce strict typing rules, insert Boolean to
333 numeric "conversion". This conversion is a no-op,
334 so it will be removed later. */
336 *node = expr_allocate_unary (e, OP_BOOLEAN_TO_NUM, *node);
342 /* No coercion to string. */
346 if (actual_type == OP_number)
348 /* Convert numeric to boolean. */
351 union any_node *op_name;
353 op_name = expr_allocate_string (e, ss_cstr (operator_name));
354 *node = expr_allocate_binary (e, OP_NUM_TO_BOOLEAN, *node,
366 if ((*node)->type == OP_format
367 && fmt_check_input (&(*node)->format.f)
368 && fmt_check_type_compat (&(*node)->format.f, VAL_NUMERIC))
372 (*node)->type = OP_ni_format;
380 if ((*node)->type == OP_format
381 && fmt_check_output (&(*node)->format.f)
382 && fmt_check_type_compat (&(*node)->format.f, VAL_NUMERIC))
386 (*node)->type = OP_no_format;
393 if ((*node)->type == OP_NUM_VAR)
396 *node = (*node)->composite.args[0];
402 if ((*node)->type == OP_STR_VAR)
405 *node = (*node)->composite.args[0];
411 if ((*node)->type == OP_NUM_VAR || (*node)->type == OP_STR_VAR)
414 *node = (*node)->composite.args[0];
420 if ((*node)->type == OP_number
421 && floor ((*node)->number.n) == (*node)->number.n
422 && (*node)->number.n > 0 && (*node)->number.n < INT_MAX)
425 *node = expr_allocate_pos_int (e, (*node)->number.n);
436 msg (SE, _("Type mismatch while applying %s operator: "
437 "cannot convert %s to %s."),
439 atom_type_name (actual_type), atom_type_name (required_type));
445 /* Coerces *NODE to type REQUIRED_TYPE, and returns success. If
446 *NODE cannot be coerced to the desired type then we issue an
447 error message about operator OPERATOR_NAME and free *NODE. */
449 type_coercion (struct expression *e,
450 atom_type required_type, union any_node **node,
451 const char *operator_name)
453 return type_coercion_core (e, required_type, node, operator_name, true);
456 /* Coerces *NODE to type REQUIRED_TYPE.
457 Assert-fails if the coercion is disallowed. */
459 type_coercion_assert (struct expression *e,
460 atom_type required_type, union any_node **node)
462 int success = type_coercion_core (e, required_type, node, NULL, true);
466 /* Returns true if *NODE may be coerced to type REQUIRED_TYPE,
469 is_coercible (atom_type required_type, union any_node *const *node)
471 return type_coercion_core (NULL, required_type,
472 (union any_node **) node, NULL, false);
475 /* Returns true if ACTUAL_TYPE is a kind of REQUIRED_TYPE, false
478 is_compatible (atom_type required_type, atom_type actual_type)
480 return (required_type == actual_type
481 || (required_type == OP_var
482 && (actual_type == OP_num_var || actual_type == OP_str_var)));
485 /* How to parse an operator. */
488 int token; /* Token representing operator. */
489 operation_type type; /* Operation type representing operation. */
490 const char *name; /* Name of operator. */
493 /* Attempts to match the current token against the tokens for the
494 OP_CNT operators in OPS[]. If successful, returns true
495 and, if OPERATOR is non-null, sets *OPERATOR to the operator.
496 On failure, returns false and, if OPERATOR is non-null, sets
497 *OPERATOR to a null pointer. */
499 match_operator (struct lexer *lexer, const struct operator ops[], size_t op_cnt,
500 const struct operator **operator)
502 const struct operator *op;
504 for (op = ops; op < ops + op_cnt; op++)
505 if (lex_token (lexer) == op->token)
507 if (op->token != T_NEG_NUM)
509 if (operator != NULL)
513 if (operator != NULL)
519 check_operator (const struct operator *op, int arg_cnt, atom_type arg_type)
521 const struct operation *o;
525 o = &operations[op->type];
526 assert (o->arg_cnt == arg_cnt);
527 assert ((o->flags & OPF_ARRAY_OPERAND) == 0);
528 for (i = 0; i < arg_cnt; i++)
529 assert (is_compatible (arg_type, o->args[i]));
534 check_binary_operators (const struct operator ops[], size_t op_cnt,
539 for (i = 0; i < op_cnt; i++)
540 check_operator (&ops[i], 2, arg_type);
545 get_operand_type (const struct operator *op)
547 return operations[op->type].args[0];
550 /* Parses a chain of left-associative operator/operand pairs.
551 There are OP_CNT operators, specified in OPS[]. The
552 operators' operands must all be the same type. The next
553 higher level is parsed by PARSE_NEXT_LEVEL. If CHAIN_WARNING
554 is non-null, then it will be issued as a warning if more than
555 one operator/operand pair is parsed. */
556 static union any_node *
557 parse_binary_operators (struct lexer *lexer, struct expression *e, union any_node *node,
558 const struct operator ops[], size_t op_cnt,
559 parse_recursively_func *parse_next_level,
560 const char *chain_warning)
562 atom_type operand_type = get_operand_type (&ops[0]);
564 const struct operator *operator;
566 assert (check_binary_operators (ops, op_cnt, operand_type));
570 for (op_count = 0; match_operator (lexer, ops, op_cnt, &operator); op_count++)
574 /* Convert the left-hand side to type OPERAND_TYPE. */
575 if (!type_coercion (e, operand_type, &node, operator->name))
578 /* Parse the right-hand side and coerce to type
580 rhs = parse_next_level (lexer, e);
581 if (!type_coercion (e, operand_type, &rhs, operator->name))
583 node = expr_allocate_binary (e, operator->type, node, rhs);
586 if (op_count > 1 && chain_warning != NULL)
587 msg (SW, "%s", chain_warning);
592 static union any_node *
593 parse_inverting_unary_operator (struct lexer *lexer, struct expression *e,
594 const struct operator *op,
595 parse_recursively_func *parse_next_level)
597 union any_node *node;
600 check_operator (op, 1, get_operand_type (op));
603 while (match_operator (lexer, op, 1, NULL))
606 node = parse_next_level (lexer, e);
608 && type_coercion (e, get_operand_type (op), &node, op->name)
609 && op_count % 2 != 0)
610 return expr_allocate_unary (e, op->type, node);
615 /* Parses the OR level. */
616 static union any_node *
617 parse_or (struct lexer *lexer, struct expression *e)
619 static const struct operator op =
620 { T_OR, OP_OR, "logical disjunction (`OR')" };
622 return parse_binary_operators (lexer, e, parse_and (lexer, e), &op, 1, parse_and, NULL);
625 /* Parses the AND level. */
626 static union any_node *
627 parse_and (struct lexer *lexer, struct expression *e)
629 static const struct operator op =
630 { T_AND, OP_AND, "logical conjunction (`AND')" };
632 return parse_binary_operators (lexer, e, parse_not (lexer, e),
633 &op, 1, parse_not, NULL);
636 /* Parses the NOT level. */
637 static union any_node *
638 parse_not (struct lexer *lexer, struct expression *e)
640 static const struct operator op
641 = { T_NOT, OP_NOT, "logical negation (`NOT')" };
642 return parse_inverting_unary_operator (lexer, e, &op, parse_rel);
645 /* Parse relational operators. */
646 static union any_node *
647 parse_rel (struct lexer *lexer, struct expression *e)
649 const char *chain_warning =
650 _("Chaining relational operators (e.g. `a < b < c') will "
651 "not produce the mathematically expected result. "
652 "Use the AND logical operator to fix the problem "
653 "(e.g. `a < b AND b < c'). "
654 "If chaining is really intended, parentheses will disable "
655 "this warning (e.g. `(a < b) < c'.)");
657 union any_node *node = parse_add (lexer, e);
662 switch (expr_node_returns (node))
667 static const struct operator ops[] =
669 { T_EQUALS, OP_EQ, "numeric equality (`=')" },
670 { T_EQ, OP_EQ, "numeric equality (`EQ')" },
671 { T_GE, OP_GE, "numeric greater-than-or-equal-to (`>=')" },
672 { T_GT, OP_GT, "numeric greater than (`>')" },
673 { T_LE, OP_LE, "numeric less-than-or-equal-to (`<=')" },
674 { T_LT, OP_LT, "numeric less than (`<')" },
675 { T_NE, OP_NE, "numeric inequality (`<>')" },
678 return parse_binary_operators (lexer, e, node, ops,
679 sizeof ops / sizeof *ops,
680 parse_add, chain_warning);
685 static const struct operator ops[] =
687 { T_EQUALS, OP_EQ_STRING, "string equality (`=')" },
688 { T_EQ, OP_EQ_STRING, "string equality (`EQ')" },
689 { T_GE, OP_GE_STRING, "string greater-than-or-equal-to (`>=')" },
690 { T_GT, OP_GT_STRING, "string greater than (`>')" },
691 { T_LE, OP_LE_STRING, "string less-than-or-equal-to (`<=')" },
692 { T_LT, OP_LT_STRING, "string less than (`<')" },
693 { T_NE, OP_NE_STRING, "string inequality (`<>')" },
696 return parse_binary_operators (lexer, e, node, ops,
697 sizeof ops / sizeof *ops,
698 parse_add, chain_warning);
706 /* Parses the addition and subtraction level. */
707 static union any_node *
708 parse_add (struct lexer *lexer, struct expression *e)
710 static const struct operator ops[] =
712 { T_PLUS, OP_ADD, "addition (`+')" },
713 { T_DASH, OP_SUB, "subtraction (`-')" },
714 { T_NEG_NUM, OP_ADD, "subtraction (`-')" },
717 return parse_binary_operators (lexer, e, parse_mul (lexer, e),
718 ops, sizeof ops / sizeof *ops,
722 /* Parses the multiplication and division level. */
723 static union any_node *
724 parse_mul (struct lexer *lexer, struct expression *e)
726 static const struct operator ops[] =
728 { T_ASTERISK, OP_MUL, "multiplication (`*')" },
729 { T_SLASH, OP_DIV, "division (`/')" },
732 return parse_binary_operators (lexer, e, parse_neg (lexer, e),
733 ops, sizeof ops / sizeof *ops,
737 /* Parses the unary minus level. */
738 static union any_node *
739 parse_neg (struct lexer *lexer, struct expression *e)
741 static const struct operator op = { T_DASH, OP_NEG, "negation (`-')" };
742 return parse_inverting_unary_operator (lexer, e, &op, parse_exp);
745 static union any_node *
746 parse_exp (struct lexer *lexer, struct expression *e)
748 static const struct operator op =
749 { T_EXP, OP_POW, "exponentiation (`**')" };
751 const char *chain_warning =
752 _("The exponentiation operator (`**') is left-associative, "
753 "even though right-associative semantics are more useful. "
754 "That is, `a**b**c' equals `(a**b)**c', not as `a**(b**c)'. "
755 "To disable this warning, insert parentheses.");
757 union any_node *lhs, *node;
758 bool negative = false;
760 if (lex_token (lexer) == T_NEG_NUM)
762 lhs = expr_allocate_number (e, -lex_tokval (lexer));
767 lhs = parse_primary (lexer, e);
769 node = parse_binary_operators (lexer, e, lhs, &op, 1,
770 parse_primary, chain_warning);
771 return negative ? expr_allocate_unary (e, OP_NEG, node) : node;
774 /* Parses system variables. */
775 static union any_node *
776 parse_sysvar (struct lexer *lexer, struct expression *e)
778 if (lex_match_id (lexer, "$CASENUM"))
779 return expr_allocate_nullary (e, OP_CASENUM);
780 else if (lex_match_id (lexer, "$DATE"))
782 static const char *months[12] =
784 "JAN", "FEB", "MAR", "APR", "MAY", "JUN",
785 "JUL", "AUG", "SEP", "OCT", "NOV", "DEC",
788 time_t last_proc_time = time_of_last_procedure (e->ds);
793 time = localtime (&last_proc_time);
794 sprintf (temp_buf, "%02d %s %02d", abs (time->tm_mday) % 100,
795 months[abs (time->tm_mon) % 12], abs (time->tm_year) % 100);
797 ss_alloc_substring (&s, ss_cstr (temp_buf));
798 return expr_allocate_string (e, s);
800 else if (lex_match_id (lexer, "$TRUE"))
801 return expr_allocate_boolean (e, 1.0);
802 else if (lex_match_id (lexer, "$FALSE"))
803 return expr_allocate_boolean (e, 0.0);
804 else if (lex_match_id (lexer, "$SYSMIS"))
805 return expr_allocate_number (e, SYSMIS);
806 else if (lex_match_id (lexer, "$JDATE"))
808 time_t time = time_of_last_procedure (e->ds);
809 struct tm *tm = localtime (&time);
810 return expr_allocate_number (e, expr_ymd_to_ofs (tm->tm_year + 1900,
814 else if (lex_match_id (lexer, "$TIME"))
816 time_t time = time_of_last_procedure (e->ds);
817 struct tm *tm = localtime (&time);
818 return expr_allocate_number (e,
819 expr_ymd_to_date (tm->tm_year + 1900,
822 + tm->tm_hour * 60 * 60.
826 else if (lex_match_id (lexer, "$LENGTH"))
827 return expr_allocate_number (e, settings_get_viewlength ());
828 else if (lex_match_id (lexer, "$WIDTH"))
829 return expr_allocate_number (e, settings_get_viewwidth ());
832 msg (SE, _("Unknown system variable %s."), lex_tokcstr (lexer));
837 /* Parses numbers, varnames, etc. */
838 static union any_node *
839 parse_primary (struct lexer *lexer, struct expression *e)
841 switch (lex_token (lexer))
844 if (lex_next_token (lexer, 1) == T_LPAREN)
846 /* An identifier followed by a left parenthesis may be
847 a vector element reference. If not, it's a function
849 if (e->ds != NULL && dict_lookup_vector (dataset_dict (e->ds), lex_tokcstr (lexer)) != NULL)
850 return parse_vector_element (lexer, e);
852 return parse_function (lexer, e);
854 else if (lex_tokcstr (lexer)[0] == '$')
856 /* $ at the beginning indicates a system variable. */
857 return parse_sysvar (lexer, e);
859 else if (e->ds != NULL && dict_lookup_var (dataset_dict (e->ds), lex_tokcstr (lexer)))
861 /* It looks like a user variable.
862 (It could be a format specifier, but we'll assume
863 it's a variable unless proven otherwise. */
864 return allocate_unary_variable (e, parse_variable (lexer, dataset_dict (e->ds)));
868 /* Try to parse it as a format specifier. */
873 ok = parse_format_specifier (lexer, &fmt);
877 return expr_allocate_format (e, &fmt);
879 /* All attempts failed. */
880 msg (SE, _("Unknown identifier %s."), lex_tokcstr (lexer));
888 union any_node *node = expr_allocate_number (e, lex_tokval (lexer) );
895 const char *dict_encoding;
896 union any_node *node;
899 dict_encoding = (e->ds != NULL
900 ? dict_get_encoding (dataset_dict (e->ds))
902 s = recode_string_pool (dict_encoding, "UTF-8", lex_tokcstr (lexer),
903 ss_length (lex_tokss (lexer)), e->expr_pool);
904 node = expr_allocate_string (e, ss_cstr (s));
912 union any_node *node;
914 node = parse_or (lexer, e);
915 if (node != NULL && !lex_force_match (lexer, T_RPAREN))
921 lex_error (lexer, NULL);
926 static union any_node *
927 parse_vector_element (struct lexer *lexer, struct expression *e)
929 const struct vector *vector;
930 union any_node *element;
932 /* Find vector, skip token.
933 The caller must already have verified that the current token
934 is the name of a vector. */
935 vector = dict_lookup_vector (dataset_dict (e->ds), lex_tokcstr (lexer));
936 assert (vector != NULL);
939 /* Skip left parenthesis token.
940 The caller must have verified that the lookahead is a left
942 assert (lex_token (lexer) == T_LPAREN);
945 element = parse_or (lexer, e);
946 if (!type_coercion (e, OP_number, &element, "vector indexing")
947 || !lex_match (lexer, T_RPAREN))
950 return expr_allocate_binary (e, (vector_get_type (vector) == VAL_NUMERIC
951 ? OP_VEC_ELEM_NUM : OP_VEC_ELEM_STR),
952 element, expr_allocate_vector (e, vector));
955 /* Individual function parsing. */
957 const struct operation operations[OP_first + OP_cnt] = {
962 word_matches (const char **test, const char **name)
964 size_t test_len = strcspn (*test, ".");
965 size_t name_len = strcspn (*name, ".");
966 if (test_len == name_len)
968 if (buf_compare_case (*test, *name, test_len))
971 else if (test_len < 3 || test_len > name_len)
975 if (buf_compare_case (*test, *name, test_len))
981 if (**test != **name)
993 compare_names (const char *test, const char *name, bool abbrev_ok)
1000 if (!word_matches (&test, &name))
1002 if (*name == '\0' && *test == '\0')
1008 compare_strings (const char *test, const char *name, bool abbrev_ok UNUSED)
1010 return c_strcasecmp (test, name);
1014 lookup_function_helper (const char *name,
1015 int (*compare) (const char *test, const char *name,
1017 const struct operation **first,
1018 const struct operation **last)
1020 const struct operation *f;
1022 for (f = operations + OP_function_first;
1023 f <= operations + OP_function_last; f++)
1024 if (!compare (name, f->name, !(f->flags & OPF_NO_ABBREV)))
1028 while (f <= operations + OP_function_last
1029 && !compare (name, f->name, !(f->flags & OPF_NO_ABBREV)))
1040 lookup_function (const char *name,
1041 const struct operation **first,
1042 const struct operation **last)
1044 *first = *last = NULL;
1045 return (lookup_function_helper (name, compare_strings, first, last)
1046 || lookup_function_helper (name, compare_names, first, last));
1050 extract_min_valid (const char *s)
1052 char *p = strrchr (s, '.');
1054 || p[1] < '0' || p[1] > '9'
1055 || strspn (p + 1, "0123456789") != strlen (p + 1))
1058 return atoi (p + 1);
1062 function_arg_type (const struct operation *f, size_t arg_idx)
1064 assert (arg_idx < f->arg_cnt || (f->flags & OPF_ARRAY_OPERAND));
1066 return f->args[arg_idx < f->arg_cnt ? arg_idx : f->arg_cnt - 1];
1070 match_function (union any_node **args, int arg_cnt, const struct operation *f)
1074 if (arg_cnt < f->arg_cnt
1075 || (arg_cnt > f->arg_cnt && (f->flags & OPF_ARRAY_OPERAND) == 0)
1076 || arg_cnt - (f->arg_cnt - 1) < f->array_min_elems)
1079 for (i = 0; i < arg_cnt; i++)
1080 if (!is_coercible (function_arg_type (f, i), &args[i]))
1087 coerce_function_args (struct expression *e, const struct operation *f,
1088 union any_node **args, size_t arg_cnt)
1092 for (i = 0; i < arg_cnt; i++)
1093 type_coercion_assert (e, function_arg_type (f, i), &args[i]);
1097 validate_function_args (const struct operation *f, int arg_cnt, int min_valid)
1099 int array_arg_cnt = arg_cnt - (f->arg_cnt - 1);
1100 if (array_arg_cnt < f->array_min_elems)
1102 msg (SE, _("%s must have at least %d arguments in list."),
1103 f->prototype, f->array_min_elems);
1107 if ((f->flags & OPF_ARRAY_OPERAND)
1108 && array_arg_cnt % f->array_granularity != 0)
1110 if (f->array_granularity == 2)
1111 msg (SE, _("%s must have an even number of arguments in list."),
1114 msg (SE, _("%s must have multiple of %d arguments in list."),
1115 f->prototype, f->array_granularity);
1119 if (min_valid != -1)
1121 if (f->array_min_elems == 0)
1123 assert ((f->flags & OPF_MIN_VALID) == 0);
1124 msg (SE, _("%s function does not accept a minimum valid "
1125 "argument count."), f->prototype);
1130 assert (f->flags & OPF_MIN_VALID);
1131 if (array_arg_cnt < f->array_min_elems)
1133 msg (SE, _("%s requires at least %d valid arguments in list."),
1134 f->prototype, f->array_min_elems);
1137 else if (min_valid > array_arg_cnt)
1139 msg (SE, _("With %s, "
1140 "using minimum valid argument count of %d "
1141 "does not make sense when passing only %d "
1142 "arguments in list."),
1143 f->prototype, min_valid, array_arg_cnt);
1153 add_arg (union any_node ***args, int *arg_cnt, int *arg_cap,
1154 union any_node *arg)
1156 if (*arg_cnt >= *arg_cap)
1159 *args = xrealloc (*args, sizeof **args * *arg_cap);
1162 (*args)[(*arg_cnt)++] = arg;
1166 put_invocation (struct string *s,
1167 const char *func_name, union any_node **args, size_t arg_cnt)
1171 ds_put_format (s, "%s(", func_name);
1172 for (i = 0; i < arg_cnt; i++)
1175 ds_put_cstr (s, ", ");
1176 ds_put_cstr (s, operations[expr_node_returns (args[i])].prototype);
1178 ds_put_byte (s, ')');
1182 no_match (const char *func_name,
1183 union any_node **args, size_t arg_cnt,
1184 const struct operation *first, const struct operation *last)
1187 const struct operation *f;
1191 if (last - first == 1)
1193 ds_put_format (&s, _("Type mismatch invoking %s as "), first->prototype);
1194 put_invocation (&s, func_name, args, arg_cnt);
1198 ds_put_cstr (&s, _("Function invocation "));
1199 put_invocation (&s, func_name, args, arg_cnt);
1200 ds_put_cstr (&s, _(" does not match any known function. Candidates are:"));
1202 for (f = first; f < last; f++)
1203 ds_put_format (&s, "\n%s", f->prototype);
1205 ds_put_byte (&s, '.');
1207 msg (SE, "%s", ds_cstr (&s));
1212 static union any_node *
1213 parse_function (struct lexer *lexer, struct expression *e)
1216 const struct operation *f, *first, *last;
1218 union any_node **args = NULL;
1222 struct string func_name;
1226 ds_init_substring (&func_name, lex_tokss (lexer));
1227 min_valid = extract_min_valid (lex_tokcstr (lexer));
1228 if (!lookup_function (lex_tokcstr (lexer), &first, &last))
1230 msg (SE, _("No function or vector named %s."), lex_tokcstr (lexer));
1231 ds_destroy (&func_name);
1236 if (!lex_force_match (lexer, T_LPAREN))
1238 ds_destroy (&func_name);
1243 arg_cnt = arg_cap = 0;
1244 if (lex_token (lexer) != T_RPAREN)
1247 if (lex_token (lexer) == T_ID
1248 && lex_next_token (lexer, 1) == T_TO)
1250 const struct variable **vars;
1254 if (!parse_variables_const (lexer, dataset_dict (e->ds), &vars, &var_cnt, PV_SINGLE))
1256 for (i = 0; i < var_cnt; i++)
1257 add_arg (&args, &arg_cnt, &arg_cap,
1258 allocate_unary_variable (e, vars[i]));
1263 union any_node *arg = parse_or (lexer, e);
1267 add_arg (&args, &arg_cnt, &arg_cap, arg);
1269 if (lex_match (lexer, T_RPAREN))
1271 else if (!lex_match (lexer, T_COMMA))
1273 lex_error_expecting (lexer, "`,'", "`)'", NULL_SENTINEL);
1278 for (f = first; f < last; f++)
1279 if (match_function (args, arg_cnt, f))
1283 no_match (ds_cstr (&func_name), args, arg_cnt, first, last);
1287 coerce_function_args (e, f, args, arg_cnt);
1288 if (!validate_function_args (f, arg_cnt, min_valid))
1291 if ((f->flags & OPF_EXTENSION) && settings_get_syntax () == COMPATIBLE)
1292 msg (SW, _("%s is a PSPP extension."), f->prototype);
1293 if (f->flags & OPF_UNIMPLEMENTED)
1295 msg (SE, _("%s is not yet implemented."), f->prototype);
1298 if ((f->flags & OPF_PERM_ONLY) &&
1299 proc_in_temporary_transformations (e->ds))
1301 msg (SE, _("%s may not appear after TEMPORARY."), f->prototype);
1305 n = expr_allocate_composite (e, f - operations, args, arg_cnt);
1306 n->composite.min_valid = min_valid != -1 ? min_valid : f->array_min_elems;
1308 if (n->type == OP_LAG_Vn || n->type == OP_LAG_Vs)
1309 dataset_need_lag (e->ds, 1);
1310 else if (n->type == OP_LAG_Vnn || n->type == OP_LAG_Vsn)
1313 assert (n->composite.arg_cnt == 2);
1314 assert (n->composite.args[1]->type == OP_pos_int);
1315 n_before = n->composite.args[1]->integer.i;
1316 dataset_need_lag (e->ds, n_before);
1320 ds_destroy (&func_name);
1325 ds_destroy (&func_name);
1329 /* Utility functions. */
1331 static struct expression *
1332 expr_create (struct dataset *ds)
1334 struct pool *pool = pool_create ();
1335 struct expression *e = pool_alloc (pool, sizeof *e);
1336 e->expr_pool = pool;
1338 e->eval_pool = pool_create_subpool (e->expr_pool);
1341 e->op_cnt = e->op_cap = 0;
1346 expr_node_returns (const union any_node *n)
1349 assert (is_operation (n->type));
1350 if (is_atom (n->type))
1352 else if (is_composite (n->type))
1353 return operations[n->type].returns;
1359 atom_type_name (atom_type type)
1361 assert (is_atom (type));
1362 return operations[type].name;
1366 expr_allocate_nullary (struct expression *e, operation_type op)
1368 return expr_allocate_composite (e, op, NULL, 0);
1372 expr_allocate_unary (struct expression *e, operation_type op,
1373 union any_node *arg0)
1375 return expr_allocate_composite (e, op, &arg0, 1);
1379 expr_allocate_binary (struct expression *e, operation_type op,
1380 union any_node *arg0, union any_node *arg1)
1382 union any_node *args[2];
1385 return expr_allocate_composite (e, op, args, 2);
1389 is_valid_node (union any_node *n)
1391 const struct operation *op;
1395 assert (is_operation (n->type));
1396 op = &operations[n->type];
1398 if (!is_atom (n->type))
1400 struct composite_node *c = &n->composite;
1402 assert (is_composite (n->type));
1403 assert (c->arg_cnt >= op->arg_cnt);
1404 for (i = 0; i < op->arg_cnt; i++)
1405 assert (is_compatible (op->args[i], expr_node_returns (c->args[i])));
1406 if (c->arg_cnt > op->arg_cnt && !is_operator (n->type))
1408 assert (op->flags & OPF_ARRAY_OPERAND);
1409 for (i = 0; i < c->arg_cnt; i++)
1410 assert (is_compatible (op->args[op->arg_cnt - 1],
1411 expr_node_returns (c->args[i])));
1419 expr_allocate_composite (struct expression *e, operation_type op,
1420 union any_node **args, size_t arg_cnt)
1425 n = pool_alloc (e->expr_pool, sizeof n->composite);
1427 n->composite.arg_cnt = arg_cnt;
1428 n->composite.args = pool_alloc (e->expr_pool,
1429 sizeof *n->composite.args * arg_cnt);
1430 for (i = 0; i < arg_cnt; i++)
1432 if (args[i] == NULL)
1434 n->composite.args[i] = args[i];
1436 memcpy (n->composite.args, args, sizeof *n->composite.args * arg_cnt);
1437 n->composite.min_valid = 0;
1438 assert (is_valid_node (n));
1443 expr_allocate_number (struct expression *e, double d)
1445 union any_node *n = pool_alloc (e->expr_pool, sizeof n->number);
1446 n->type = OP_number;
1452 expr_allocate_boolean (struct expression *e, double b)
1454 union any_node *n = pool_alloc (e->expr_pool, sizeof n->number);
1455 assert (b == 0.0 || b == 1.0 || b == SYSMIS);
1456 n->type = OP_boolean;
1462 expr_allocate_integer (struct expression *e, int i)
1464 union any_node *n = pool_alloc (e->expr_pool, sizeof n->integer);
1465 n->type = OP_integer;
1471 expr_allocate_pos_int (struct expression *e, int i)
1473 union any_node *n = pool_alloc (e->expr_pool, sizeof n->integer);
1475 n->type = OP_pos_int;
1481 expr_allocate_vector (struct expression *e, const struct vector *vector)
1483 union any_node *n = pool_alloc (e->expr_pool, sizeof n->vector);
1484 n->type = OP_vector;
1485 n->vector.v = vector;
1490 expr_allocate_string (struct expression *e, struct substring s)
1492 union any_node *n = pool_alloc (e->expr_pool, sizeof n->string);
1493 n->type = OP_string;
1499 expr_allocate_variable (struct expression *e, const struct variable *v)
1501 union any_node *n = pool_alloc (e->expr_pool, sizeof n->variable);
1502 n->type = var_is_numeric (v) ? OP_num_var : OP_str_var;
1508 expr_allocate_format (struct expression *e, const struct fmt_spec *format)
1510 union any_node *n = pool_alloc (e->expr_pool, sizeof n->format);
1511 n->type = OP_format;
1512 n->format.f = *format;
1516 /* Allocates a unary composite node that represents the value of
1517 variable V in expression E. */
1518 static union any_node *
1519 allocate_unary_variable (struct expression *e, const struct variable *v)
1522 return expr_allocate_unary (e, var_is_numeric (v) ? OP_NUM_VAR : OP_STR_VAR,
1523 expr_allocate_variable (e, v));
1526 /* Export function details to other modules. */
1528 /* Returns the operation structure for the function with the
1530 const struct operation *
1531 expr_get_function (size_t idx)
1533 assert (idx < OP_function_cnt);
1534 return &operations[OP_function_first + idx];
1537 /* Returns the number of expression functions. */
1539 expr_get_function_cnt (void)
1541 return OP_function_cnt;
1544 /* Returns the name of operation OP. */
1546 expr_operation_get_name (const struct operation *op)
1551 /* Returns the human-readable prototype for operation OP. */
1553 expr_operation_get_prototype (const struct operation *op)
1555 return op->prototype;
1558 /* Returns the number of arguments for operation OP. */
1560 expr_operation_get_arg_cnt (const struct operation *op)