PR sanitizer/80403
[official-gcc.git] / gcc / gimple-ssa-sprintf.c
blob2e62086e2d13e2c6e565953dec028f47df74ee20
1 /* Copyright (C) 2016-2017 Free Software Foundation, Inc.
2 Contributed by Martin Sebor <msebor@redhat.com>.
4 This file is part of GCC.
6 GCC is free software; you can redistribute it and/or modify it under
7 the terms of the GNU General Public License as published by the Free
8 Software Foundation; either version 3, or (at your option) any later
9 version.
11 GCC is distributed in the hope that it will be useful, but WITHOUT ANY
12 WARRANTY; without even the implied warranty of MERCHANTABILITY or
13 FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License
14 for more details.
16 You should have received a copy of the GNU General Public License
17 along with GCC; see the file COPYING3. If not see
18 <http://www.gnu.org/licenses/>. */
20 /* This file implements the printf-return-value pass. The pass does
21 two things: 1) it analyzes calls to formatted output functions like
22 sprintf looking for possible buffer overflows and calls to bounded
23 functions like snprintf for early truncation (and under the control
24 of the -Wformat-length option issues warnings), and 2) under the
25 control of the -fprintf-return-value option it folds the return
26 value of safe calls into constants, making it possible to eliminate
27 code that depends on the value of those constants.
29 For all functions (bounded or not) the pass uses the size of the
30 destination object. That means that it will diagnose calls to
31 snprintf not on the basis of the size specified by the function's
32 second argument but rathger on the basis of the size the first
33 argument points to (if possible). For bound-checking built-ins
34 like __builtin___snprintf_chk the pass uses the size typically
35 determined by __builtin_object_size and passed to the built-in
36 by the Glibc inline wrapper.
38 The pass handles all forms standard sprintf format directives,
39 including character, integer, floating point, pointer, and strings,
40 with the standard C flags, widths, and precisions. For integers
41 and strings it computes the length of output itself. For floating
42 point it uses MPFR to fornmat known constants with up and down
43 rounding and uses the resulting range of output lengths. For
44 strings it uses the length of string literals and the sizes of
45 character arrays that a character pointer may point to as a bound
46 on the longest string. */
48 #include "config.h"
49 #include "system.h"
50 #include "coretypes.h"
51 #include "backend.h"
52 #include "tree.h"
53 #include "gimple.h"
54 #include "tree-pass.h"
55 #include "ssa.h"
56 #include "gimple-fold.h"
57 #include "gimple-pretty-print.h"
58 #include "diagnostic-core.h"
59 #include "fold-const.h"
60 #include "gimple-iterator.h"
61 #include "tree-ssa.h"
62 #include "tree-object-size.h"
63 #include "params.h"
64 #include "tree-cfg.h"
65 #include "tree-ssa-propagate.h"
66 #include "calls.h"
67 #include "cfgloop.h"
68 #include "intl.h"
70 #include "builtins.h"
71 #include "stor-layout.h"
73 #include "realmpfr.h"
74 #include "target.h"
76 #include "cpplib.h"
77 #include "input.h"
78 #include "toplev.h"
79 #include "substring-locations.h"
80 #include "diagnostic.h"
82 /* The likely worst case value of MB_LEN_MAX for the target, large enough
83 for UTF-8. Ideally, this would be obtained by a target hook if it were
84 to be used for optimization but it's good enough as is for warnings. */
85 #define target_mb_len_max() 6
87 /* The maximum number of bytes a single non-string directive can result
88 in. This is the result of printf("%.*Lf", INT_MAX, -LDBL_MAX) for
89 LDBL_MAX_10_EXP of 4932. */
90 #define IEEE_MAX_10_EXP 4932
91 #define target_dir_max() (target_int_max () + IEEE_MAX_10_EXP + 2)
93 namespace {
95 const pass_data pass_data_sprintf_length = {
96 GIMPLE_PASS, // pass type
97 "printf-return-value", // pass name
98 OPTGROUP_NONE, // optinfo_flags
99 TV_NONE, // tv_id
100 PROP_cfg, // properties_required
101 0, // properties_provided
102 0, // properties_destroyed
103 0, // properties_start
104 0, // properties_finish
107 /* Set to the warning level for the current function which is equal
108 either to warn_format_trunc for bounded functions or to
109 warn_format_overflow otherwise. */
111 static int warn_level;
113 struct format_result;
115 class pass_sprintf_length : public gimple_opt_pass
117 bool fold_return_value;
119 public:
120 pass_sprintf_length (gcc::context *ctxt)
121 : gimple_opt_pass (pass_data_sprintf_length, ctxt),
122 fold_return_value (false)
125 opt_pass * clone () { return new pass_sprintf_length (m_ctxt); }
127 virtual bool gate (function *);
129 virtual unsigned int execute (function *);
131 void set_pass_param (unsigned int n, bool param)
133 gcc_assert (n == 0);
134 fold_return_value = param;
137 bool handle_gimple_call (gimple_stmt_iterator *);
139 struct call_info;
140 bool compute_format_length (call_info &, format_result *);
143 bool
144 pass_sprintf_length::gate (function *)
146 /* Run the pass iff -Warn-format-overflow or -Warn-format-truncation
147 is specified and either not optimizing and the pass is being invoked
148 early, or when optimizing and the pass is being invoked during
149 optimization (i.e., "late"). */
150 return ((warn_format_overflow > 0
151 || warn_format_trunc > 0
152 || flag_printf_return_value)
153 && (optimize > 0) == fold_return_value);
156 /* The minimum, maximum, likely, and unlikely maximum number of bytes
157 of output either a formatting function or an individual directive
158 can result in. */
160 struct result_range
162 /* The absolute minimum number of bytes. The result of a successful
163 conversion is guaranteed to be no less than this. (An erroneous
164 conversion can be indicated by MIN > HOST_WIDE_INT_MAX.) */
165 unsigned HOST_WIDE_INT min;
166 /* The likely maximum result that is used in diagnostics. In most
167 cases MAX is the same as the worst case UNLIKELY result. */
168 unsigned HOST_WIDE_INT max;
169 /* The likely result used to trigger diagnostics. For conversions
170 that result in a range of bytes [MIN, MAX], LIKELY is somewhere
171 in that range. */
172 unsigned HOST_WIDE_INT likely;
173 /* In rare cases (e.g., for nultibyte characters) UNLIKELY gives
174 the worst cases maximum result of a directive. In most cases
175 UNLIKELY == MAX. UNLIKELY is used to control the return value
176 optimization but not in diagnostics. */
177 unsigned HOST_WIDE_INT unlikely;
180 /* The result of a call to a formatted function. */
182 struct format_result
184 /* Range of characters written by the formatted function.
185 Setting the minimum to HOST_WIDE_INT_MAX disables all
186 length tracking for the remainder of the format string. */
187 result_range range;
189 /* True when the range above is obtained from known values of
190 directive arguments, or bounds on the amount of output such
191 as width and precision, and not the result of heuristics that
192 depend on warning levels. It's used to issue stricter diagnostics
193 in cases where strings of unknown lengths are bounded by the arrays
194 they are determined to refer to. KNOWNRANGE must not be used for
195 the return value optimization. */
196 bool knownrange;
198 /* True if no individual directive resulted in more than 4095 bytes
199 of output (the total NUMBER_CHARS_{MIN,MAX} might be greater).
200 Implementations are not required to handle directives that produce
201 more than 4K bytes (leading to undefined behavior) and so when one
202 is found it disables the return value optimization. */
203 bool under4k;
205 /* True when a floating point directive has been seen in the format
206 string. */
207 bool floating;
209 /* True when an intermediate result has caused a warning. Used to
210 avoid issuing duplicate warnings while finishing the processing
211 of a call. WARNED also disables the return value optimization. */
212 bool warned;
214 /* Preincrement the number of output characters by 1. */
215 format_result& operator++ ()
217 return *this += 1;
220 /* Postincrement the number of output characters by 1. */
221 format_result operator++ (int)
223 format_result prev (*this);
224 *this += 1;
225 return prev;
228 /* Increment the number of output characters by N. */
229 format_result& operator+= (unsigned HOST_WIDE_INT);
232 format_result&
233 format_result::operator+= (unsigned HOST_WIDE_INT n)
235 gcc_assert (n < HOST_WIDE_INT_MAX);
237 if (range.min < HOST_WIDE_INT_MAX)
238 range.min += n;
240 if (range.max < HOST_WIDE_INT_MAX)
241 range.max += n;
243 if (range.likely < HOST_WIDE_INT_MAX)
244 range.likely += n;
246 if (range.unlikely < HOST_WIDE_INT_MAX)
247 range.unlikely += n;
249 return *this;
252 /* Return the value of INT_MIN for the target. */
254 static inline HOST_WIDE_INT
255 target_int_min ()
257 return tree_to_shwi (TYPE_MIN_VALUE (integer_type_node));
260 /* Return the value of INT_MAX for the target. */
262 static inline unsigned HOST_WIDE_INT
263 target_int_max ()
265 return tree_to_uhwi (TYPE_MAX_VALUE (integer_type_node));
268 /* Return the value of SIZE_MAX for the target. */
270 static inline unsigned HOST_WIDE_INT
271 target_size_max ()
273 return tree_to_uhwi (TYPE_MAX_VALUE (size_type_node));
276 /* Return the constant initial value of DECL if available or DECL
277 otherwise. Same as the synonymous function in c/c-typeck.c. */
279 static tree
280 decl_constant_value (tree decl)
282 if (/* Don't change a variable array bound or initial value to a constant
283 in a place where a variable is invalid. Note that DECL_INITIAL
284 isn't valid for a PARM_DECL. */
285 current_function_decl != 0
286 && TREE_CODE (decl) != PARM_DECL
287 && !TREE_THIS_VOLATILE (decl)
288 && TREE_READONLY (decl)
289 && DECL_INITIAL (decl) != 0
290 && TREE_CODE (DECL_INITIAL (decl)) != ERROR_MARK
291 /* This is invalid if initial value is not constant.
292 If it has either a function call, a memory reference,
293 or a variable, then re-evaluating it could give different results. */
294 && TREE_CONSTANT (DECL_INITIAL (decl))
295 /* Check for cases where this is sub-optimal, even though valid. */
296 && TREE_CODE (DECL_INITIAL (decl)) != CONSTRUCTOR)
297 return DECL_INITIAL (decl);
298 return decl;
301 /* Given FORMAT, set *PLOC to the source location of the format string
302 and return the format string if it is known or null otherwise. */
304 static const char*
305 get_format_string (tree format, location_t *ploc)
307 if (VAR_P (format))
309 /* Pull out a constant value if the front end didn't. */
310 format = decl_constant_value (format);
311 STRIP_NOPS (format);
314 if (integer_zerop (format))
316 /* FIXME: Diagnose null format string if it hasn't been diagnosed
317 by -Wformat (the latter diagnoses only nul pointer constants,
318 this pass can do better). */
319 return NULL;
322 HOST_WIDE_INT offset = 0;
324 if (TREE_CODE (format) == POINTER_PLUS_EXPR)
326 tree arg0 = TREE_OPERAND (format, 0);
327 tree arg1 = TREE_OPERAND (format, 1);
328 STRIP_NOPS (arg0);
329 STRIP_NOPS (arg1);
331 if (TREE_CODE (arg1) != INTEGER_CST)
332 return NULL;
334 format = arg0;
336 /* POINTER_PLUS_EXPR offsets are to be interpreted signed. */
337 if (!cst_and_fits_in_hwi (arg1))
338 return NULL;
340 offset = int_cst_value (arg1);
343 if (TREE_CODE (format) != ADDR_EXPR)
344 return NULL;
346 *ploc = EXPR_LOC_OR_LOC (format, input_location);
348 format = TREE_OPERAND (format, 0);
350 if (TREE_CODE (format) == ARRAY_REF
351 && tree_fits_shwi_p (TREE_OPERAND (format, 1))
352 && (offset += tree_to_shwi (TREE_OPERAND (format, 1))) >= 0)
353 format = TREE_OPERAND (format, 0);
355 if (offset < 0)
356 return NULL;
358 tree array_init;
359 tree array_size = NULL_TREE;
361 if (VAR_P (format)
362 && TREE_CODE (TREE_TYPE (format)) == ARRAY_TYPE
363 && (array_init = decl_constant_value (format)) != format
364 && TREE_CODE (array_init) == STRING_CST)
366 /* Extract the string constant initializer. Note that this may
367 include a trailing NUL character that is not in the array (e.g.
368 const char a[3] = "foo";). */
369 array_size = DECL_SIZE_UNIT (format);
370 format = array_init;
373 if (TREE_CODE (format) != STRING_CST)
374 return NULL;
376 if (TYPE_MAIN_VARIANT (TREE_TYPE (TREE_TYPE (format))) != char_type_node)
378 /* Wide format string. */
379 return NULL;
382 const char *fmtstr = TREE_STRING_POINTER (format);
383 unsigned fmtlen = TREE_STRING_LENGTH (format);
385 if (array_size)
387 /* Variable length arrays can't be initialized. */
388 gcc_assert (TREE_CODE (array_size) == INTEGER_CST);
390 if (tree_fits_shwi_p (array_size))
392 HOST_WIDE_INT array_size_value = tree_to_shwi (array_size);
393 if (array_size_value > 0
394 && array_size_value == (int) array_size_value
395 && fmtlen > array_size_value)
396 fmtlen = array_size_value;
399 if (offset)
401 if (offset >= fmtlen)
402 return NULL;
404 fmtstr += offset;
405 fmtlen -= offset;
408 if (fmtlen < 1 || fmtstr[--fmtlen] != 0)
410 /* FIXME: Diagnose an unterminated format string if it hasn't been
411 diagnosed by -Wformat. Similarly to a null format pointer,
412 -Wformay diagnoses only nul pointer constants, this pass can
413 do better). */
414 return NULL;
417 return fmtstr;
420 /* The format_warning_at_substring function is not used here in a way
421 that makes using attribute format viable. Suppress the warning. */
423 #pragma GCC diagnostic push
424 #pragma GCC diagnostic ignored "-Wsuggest-attribute=format"
426 /* For convenience and brevity. */
428 static bool
429 (* const fmtwarn) (const substring_loc &, const source_range *,
430 const char *, int, const char *, ...)
431 = format_warning_at_substring;
433 /* Format length modifiers. */
435 enum format_lengths
437 FMT_LEN_none,
438 FMT_LEN_hh, // char argument
439 FMT_LEN_h, // short
440 FMT_LEN_l, // long
441 FMT_LEN_ll, // long long
442 FMT_LEN_L, // long double (and GNU long long)
443 FMT_LEN_z, // size_t
444 FMT_LEN_t, // ptrdiff_t
445 FMT_LEN_j // intmax_t
449 /* Description of the result of conversion either of a single directive
450 or the whole format string. */
452 struct fmtresult
454 /* Construct a FMTRESULT object with all counters initialized
455 to MIN. KNOWNRANGE is set when MIN is valid. */
456 fmtresult (unsigned HOST_WIDE_INT min = HOST_WIDE_INT_MAX)
457 : argmin (), argmax (),
458 knownrange (min < HOST_WIDE_INT_MAX),
459 nullp ()
461 range.min = min;
462 range.max = min;
463 range.likely = min;
464 range.unlikely = min;
467 /* Construct a FMTRESULT object with MIN, MAX, and LIKELY counters.
468 KNOWNRANGE is set when both MIN and MAX are valid. */
469 fmtresult (unsigned HOST_WIDE_INT min, unsigned HOST_WIDE_INT max,
470 unsigned HOST_WIDE_INT likely = HOST_WIDE_INT_MAX)
471 : argmin (), argmax (),
472 knownrange (min < HOST_WIDE_INT_MAX && max < HOST_WIDE_INT_MAX),
473 nullp ()
475 range.min = min;
476 range.max = max;
477 range.likely = max < likely ? min : likely;
478 range.unlikely = max;
481 /* Adjust result upward to reflect the RANGE of values the specified
482 width or precision is known to be in. */
483 fmtresult& adjust_for_width_or_precision (const HOST_WIDE_INT[2],
484 tree = NULL_TREE,
485 unsigned = 0, unsigned = 0);
487 /* Return the maximum number of decimal digits a value of TYPE
488 formats as on output. */
489 static unsigned type_max_digits (tree, int);
491 /* The range a directive's argument is in. */
492 tree argmin, argmax;
494 /* The minimum and maximum number of bytes that a directive
495 results in on output for an argument in the range above. */
496 result_range range;
498 /* True when the range above is obtained from a known value of
499 a directive's argument or its bounds and not the result of
500 heuristics that depend on warning levels. */
501 bool knownrange;
503 /* True when the argument is a null pointer. */
504 bool nullp;
507 /* Adjust result upward to reflect the range ADJUST of values the
508 specified width or precision is known to be in. When non-null,
509 TYPE denotes the type of the directive whose result is being
510 adjusted, BASE gives the base of the directive (octal, decimal,
511 or hex), and ADJ denotes the additional adjustment to the LIKELY
512 counter that may need to be added when ADJUST is a range. */
514 fmtresult&
515 fmtresult::adjust_for_width_or_precision (const HOST_WIDE_INT adjust[2],
516 tree type /* = NULL_TREE */,
517 unsigned base /* = 0 */,
518 unsigned adj /* = 0 */)
520 bool minadjusted = false;
522 /* Adjust the minimum and likely counters. */
523 if (adjust[0] >= 0)
525 if (range.min < (unsigned HOST_WIDE_INT)adjust[0])
527 range.min = adjust[0];
528 minadjusted = true;
531 /* Adjust the likely counter. */
532 if (range.likely < range.min)
533 range.likely = range.min;
535 else if (adjust[0] == target_int_min ()
536 && (unsigned HOST_WIDE_INT)adjust[1] == target_int_max ())
537 knownrange = false;
539 /* Adjust the maximum counter. */
540 if (adjust[1] > 0)
542 if (range.max < (unsigned HOST_WIDE_INT)adjust[1])
544 range.max = adjust[1];
546 /* Set KNOWNRANGE if both the minimum and maximum have been
547 adjusted. Otherwise leave it at what it was before. */
548 knownrange = minadjusted;
552 if (warn_level > 1 && type)
554 /* For large non-constant width or precision whose range spans
555 the maximum number of digits produced by the directive for
556 any argument, set the likely number of bytes to be at most
557 the number digits plus other adjustment determined by the
558 caller (one for sign or two for the hexadecimal "0x"
559 prefix). */
560 unsigned dirdigs = type_max_digits (type, base);
561 if (adjust[0] < dirdigs && dirdigs < adjust[1]
562 && range.likely < dirdigs)
563 range.likely = dirdigs + adj;
565 else if (range.likely < (range.min ? range.min : 1))
567 /* Conservatively, set LIKELY to at least MIN but no less than
568 1 unless MAX is zero. */
569 range.likely = (range.min
570 ? range.min
571 : range.max && (range.max < HOST_WIDE_INT_MAX
572 || warn_level > 1) ? 1 : 0);
575 /* Finally adjust the unlikely counter to be at least as large as
576 the maximum. */
577 if (range.unlikely < range.max)
578 range.unlikely = range.max;
580 return *this;
583 /* Return the maximum number of digits a value of TYPE formats in
584 BASE on output, not counting base prefix . */
586 unsigned
587 fmtresult::type_max_digits (tree type, int base)
589 unsigned prec = TYPE_PRECISION (type);
590 if (base == 8)
591 return (prec + 2) / 3;
593 if (base == 16)
594 return prec / 4;
596 /* Decimal approximation: yields 3, 5, 10, and 20 for precision
597 of 8, 16, 32, and 64 bits. */
598 return prec * 301 / 1000 + 1;
601 static bool
602 get_int_range (tree, HOST_WIDE_INT *, HOST_WIDE_INT *, bool, HOST_WIDE_INT);
604 /* Description of a format directive. A directive is either a plain
605 string or a conversion specification that starts with '%'. */
607 struct directive
609 /* The 1-based directive number (for debugging). */
610 unsigned dirno;
612 /* The first character of the directive and its length. */
613 const char *beg;
614 size_t len;
616 /* A bitmap of flags, one for each character. */
617 unsigned flags[256 / sizeof (int)];
619 /* The range of values of the specified width, or -1 if not specified. */
620 HOST_WIDE_INT width[2];
621 /* The range of values of the specified precision, or -1 if not
622 specified. */
623 HOST_WIDE_INT prec[2];
625 /* Length modifier. */
626 format_lengths modifier;
628 /* Format specifier character. */
629 char specifier;
631 /* The argument of the directive or null when the directive doesn't
632 take one or when none is available (such as for vararg functions). */
633 tree arg;
635 /* Format conversion function that given a directive and an argument
636 returns the formatting result. */
637 fmtresult (*fmtfunc) (const directive &, tree);
639 /* Return True when a the format flag CHR has been used. */
640 bool get_flag (char chr) const
642 unsigned char c = chr & 0xff;
643 return (flags[c / (CHAR_BIT * sizeof *flags)]
644 & (1U << (c % (CHAR_BIT * sizeof *flags))));
647 /* Make a record of the format flag CHR having been used. */
648 void set_flag (char chr)
650 unsigned char c = chr & 0xff;
651 flags[c / (CHAR_BIT * sizeof *flags)]
652 |= (1U << (c % (CHAR_BIT * sizeof *flags)));
655 /* Reset the format flag CHR. */
656 void clear_flag (char chr)
658 unsigned char c = chr & 0xff;
659 flags[c / (CHAR_BIT * sizeof *flags)]
660 &= ~(1U << (c % (CHAR_BIT * sizeof *flags)));
663 /* Set both bounds of the width range to VAL. */
664 void set_width (HOST_WIDE_INT val)
666 width[0] = width[1] = val;
669 /* Set the width range according to ARG, with both bounds being
670 no less than 0. For a constant ARG set both bounds to its value
671 or 0, whichever is greater. For a non-constant ARG in some range
672 set width to its range adjusting each bound to -1 if it's less.
673 For an indeterminate ARG set width to [0, INT_MAX]. */
674 void set_width (tree arg)
676 get_int_range (arg, width, width + 1, true, 0);
679 /* Set both bounds of the precision range to VAL. */
680 void set_precision (HOST_WIDE_INT val)
682 prec[0] = prec[1] = val;
685 /* Set the precision range according to ARG, with both bounds being
686 no less than -1. For a constant ARG set both bounds to its value
687 or -1 whichever is greater. For a non-constant ARG in some range
688 set precision to its range adjusting each bound to -1 if it's less.
689 For an indeterminate ARG set precision to [-1, INT_MAX]. */
690 void set_precision (tree arg)
692 get_int_range (arg, prec, prec + 1, false, -1);
695 /* Return true if both width and precision are known to be
696 either constant or in some range, false otherwise. */
697 bool known_width_and_precision () const
699 return ((width[1] < 0
700 || (unsigned HOST_WIDE_INT)width[1] <= target_int_max ())
701 && (prec[1] < 0
702 || (unsigned HOST_WIDE_INT)prec[1] < target_int_max ()));
706 /* Return the logarithm of X in BASE. */
708 static int
709 ilog (unsigned HOST_WIDE_INT x, int base)
711 int res = 0;
714 ++res;
715 x /= base;
716 } while (x);
717 return res;
720 /* Return the number of bytes resulting from converting into a string
721 the INTEGER_CST tree node X in BASE with a minimum of PREC digits.
722 PLUS indicates whether 1 for a plus sign should be added for positive
723 numbers, and PREFIX whether the length of an octal ('O') or hexadecimal
724 ('0x') prefix should be added for nonzero numbers. Return -1 if X cannot
725 be represented. */
727 static HOST_WIDE_INT
728 tree_digits (tree x, int base, HOST_WIDE_INT prec, bool plus, bool prefix)
730 unsigned HOST_WIDE_INT absval;
732 HOST_WIDE_INT res;
734 if (TYPE_UNSIGNED (TREE_TYPE (x)))
736 if (tree_fits_uhwi_p (x))
738 absval = tree_to_uhwi (x);
739 res = plus;
741 else
742 return -1;
744 else
746 if (tree_fits_shwi_p (x))
748 HOST_WIDE_INT i = tree_to_shwi (x);
749 if (HOST_WIDE_INT_MIN == i)
751 /* Avoid undefined behavior due to negating a minimum. */
752 absval = HOST_WIDE_INT_MAX;
753 res = 1;
755 else if (i < 0)
757 absval = -i;
758 res = 1;
760 else
762 absval = i;
763 res = plus;
766 else
767 return -1;
770 int ndigs = ilog (absval, base);
772 res += prec < ndigs ? ndigs : prec;
774 /* Adjust a non-zero value for the base prefix, either hexadecimal,
775 or, unless precision has resulted in a leading zero, also octal. */
776 if (prefix && absval && (base == 16 || prec <= ndigs))
778 if (base == 8)
779 res += 1;
780 else if (base == 16)
781 res += 2;
784 return res;
787 /* Given the formatting result described by RES and NAVAIL, the number
788 of available in the destination, return the range of bytes remaining
789 in the destination. */
791 static inline result_range
792 bytes_remaining (unsigned HOST_WIDE_INT navail, const format_result &res)
794 result_range range;
796 if (HOST_WIDE_INT_MAX <= navail)
798 range.min = range.max = range.likely = range.unlikely = navail;
799 return range;
802 /* The lower bound of the available range is the available size
803 minus the maximum output size, and the upper bound is the size
804 minus the minimum. */
805 range.max = res.range.min < navail ? navail - res.range.min : 0;
807 range.likely = res.range.likely < navail ? navail - res.range.likely : 0;
809 if (res.range.max < HOST_WIDE_INT_MAX)
810 range.min = res.range.max < navail ? navail - res.range.max : 0;
811 else
812 range.min = range.likely;
814 range.unlikely = (res.range.unlikely < navail
815 ? navail - res.range.unlikely : 0);
817 return range;
820 /* Description of a call to a formatted function. */
822 struct pass_sprintf_length::call_info
824 /* Function call statement. */
825 gimple *callstmt;
827 /* Function called. */
828 tree func;
830 /* Called built-in function code. */
831 built_in_function fncode;
833 /* Format argument and format string extracted from it. */
834 tree format;
835 const char *fmtstr;
837 /* The location of the format argument. */
838 location_t fmtloc;
840 /* The destination object size for __builtin___xxx_chk functions
841 typically determined by __builtin_object_size, or -1 if unknown. */
842 unsigned HOST_WIDE_INT objsize;
844 /* Number of the first variable argument. */
845 unsigned HOST_WIDE_INT argidx;
847 /* True for functions like snprintf that specify the size of
848 the destination, false for others like sprintf that don't. */
849 bool bounded;
851 /* True for bounded functions like snprintf that specify a zero-size
852 buffer as a request to compute the size of output without actually
853 writing any. NOWRITE is cleared in response to the %n directive
854 which has side-effects similar to writing output. */
855 bool nowrite;
857 /* Return true if the called function's return value is used. */
858 bool retval_used () const
860 return gimple_get_lhs (callstmt);
863 /* Return the warning option corresponding to the called function. */
864 int warnopt () const
866 return bounded ? OPT_Wformat_truncation_ : OPT_Wformat_overflow_;
870 /* Return the result of formatting a no-op directive (such as '%n'). */
872 static fmtresult
873 format_none (const directive &, tree)
875 fmtresult res (0);
876 return res;
879 /* Return the result of formatting the '%%' directive. */
881 static fmtresult
882 format_percent (const directive &, tree)
884 fmtresult res (1);
885 return res;
889 /* Compute intmax_type_node and uintmax_type_node similarly to how
890 tree.c builds size_type_node. */
892 static void
893 build_intmax_type_nodes (tree *pintmax, tree *puintmax)
895 if (strcmp (UINTMAX_TYPE, "unsigned int") == 0)
897 *pintmax = integer_type_node;
898 *puintmax = unsigned_type_node;
900 else if (strcmp (UINTMAX_TYPE, "long unsigned int") == 0)
902 *pintmax = long_integer_type_node;
903 *puintmax = long_unsigned_type_node;
905 else if (strcmp (UINTMAX_TYPE, "long long unsigned int") == 0)
907 *pintmax = long_long_integer_type_node;
908 *puintmax = long_long_unsigned_type_node;
910 else
912 for (int i = 0; i < NUM_INT_N_ENTS; i++)
913 if (int_n_enabled_p[i])
915 char name[50];
916 sprintf (name, "__int%d unsigned", int_n_data[i].bitsize);
918 if (strcmp (name, UINTMAX_TYPE) == 0)
920 *pintmax = int_n_trees[i].signed_type;
921 *puintmax = int_n_trees[i].unsigned_type;
922 return;
925 gcc_unreachable ();
929 /* Determine the range [*PMIN, *PMAX] that the expression ARG is
930 in and that is representable in type int.
931 Return true when the range is a subrange of that of int.
932 When ARG is null it is as if it had the full range of int.
933 When ABSOLUTE is true the range reflects the absolute value of
934 the argument. When ABSOLUTE is false, negative bounds of
935 the determined range are replaced with NEGBOUND. */
937 static bool
938 get_int_range (tree arg, HOST_WIDE_INT *pmin, HOST_WIDE_INT *pmax,
939 bool absolute, HOST_WIDE_INT negbound)
941 /* The type of the result. */
942 const_tree type = integer_type_node;
944 bool knownrange = false;
946 if (!arg)
948 *pmin = tree_to_shwi (TYPE_MIN_VALUE (type));
949 *pmax = tree_to_shwi (TYPE_MAX_VALUE (type));
951 else if (TREE_CODE (arg) == INTEGER_CST)
953 /* For a constant argument return its value adjusted as specified
954 by NEGATIVE and NEGBOUND and return true to indicate that the
955 result is known. */
956 *pmin = tree_fits_shwi_p (arg) ? tree_to_shwi (arg) : tree_to_uhwi (arg);
957 *pmax = *pmin;
958 knownrange = true;
960 else
962 /* True if the argument's range cannot be determined. */
963 bool unknown = true;
965 tree argtype = TREE_TYPE (arg);
967 /* Ignore invalid arguments with greater precision that that
968 of the expected type (e.g., in sprintf("%*i", 12LL, i)).
969 They will have been detected and diagnosed by -Wformat and
970 so it's not important to complicate this code to try to deal
971 with them again. */
972 if (TREE_CODE (arg) == SSA_NAME
973 && INTEGRAL_TYPE_P (argtype)
974 && TYPE_PRECISION (argtype) <= TYPE_PRECISION (type))
976 /* Try to determine the range of values of the integer argument. */
977 wide_int min, max;
978 enum value_range_type range_type = get_range_info (arg, &min, &max);
979 if (range_type == VR_RANGE)
981 HOST_WIDE_INT type_min
982 = (TYPE_UNSIGNED (argtype)
983 ? tree_to_uhwi (TYPE_MIN_VALUE (argtype))
984 : tree_to_shwi (TYPE_MIN_VALUE (argtype)));
986 HOST_WIDE_INT type_max = tree_to_uhwi (TYPE_MAX_VALUE (argtype));
988 *pmin = min.to_shwi ();
989 *pmax = max.to_shwi ();
991 if (*pmin < *pmax)
993 /* Return true if the adjusted range is a subrange of
994 the full range of the argument's type. *PMAX may
995 be less than *PMIN when the argument is unsigned
996 and its upper bound is in excess of TYPE_MAX. In
997 that (invalid) case disregard the range and use that
998 of the expected type instead. */
999 knownrange = type_min < *pmin || *pmax < type_max;
1001 unknown = false;
1006 /* Handle an argument with an unknown range as if none had been
1007 provided. */
1008 if (unknown)
1009 return get_int_range (NULL_TREE, pmin, pmax, absolute, negbound);
1012 /* Adjust each bound as specified by ABSOLUTE and NEGBOUND. */
1013 if (absolute)
1015 if (*pmin < 0)
1017 if (*pmin == *pmax)
1018 *pmin = *pmax = -*pmin;
1019 else
1021 /* Make sure signed overlow is avoided. */
1022 gcc_assert (*pmin != HOST_WIDE_INT_MIN);
1024 HOST_WIDE_INT tmp = -*pmin;
1025 *pmin = 0;
1026 if (*pmax < tmp)
1027 *pmax = tmp;
1031 else if (*pmin < negbound)
1032 *pmin = negbound;
1034 return knownrange;
1037 /* With the range [*ARGMIN, *ARGMAX] of an integer directive's actual
1038 argument, due to the conversion from either *ARGMIN or *ARGMAX to
1039 the type of the directive's formal argument it's possible for both
1040 to result in the same number of bytes or a range of bytes that's
1041 less than the number of bytes that would result from formatting
1042 some other value in the range [*ARGMIN, *ARGMAX]. This can be
1043 determined by checking for the actual argument being in the range
1044 of the type of the directive. If it isn't it must be assumed to
1045 take on the full range of the directive's type.
1046 Return true when the range has been adjusted to the full range
1047 of DIRTYPE, and false otherwise. */
1049 static bool
1050 adjust_range_for_overflow (tree dirtype, tree *argmin, tree *argmax)
1052 tree argtype = TREE_TYPE (*argmin);
1053 unsigned argprec = TYPE_PRECISION (argtype);
1054 unsigned dirprec = TYPE_PRECISION (dirtype);
1056 /* If the actual argument and the directive's argument have the same
1057 precision and sign there can be no overflow and so there is nothing
1058 to adjust. */
1059 if (argprec == dirprec && TYPE_SIGN (argtype) == TYPE_SIGN (dirtype))
1060 return false;
1062 /* The logic below was inspired/lifted from the CONVERT_EXPR_CODE_P
1063 branch in the extract_range_from_unary_expr function in tree-vrp.c. */
1065 if (TREE_CODE (*argmin) == INTEGER_CST
1066 && TREE_CODE (*argmax) == INTEGER_CST
1067 && (dirprec >= argprec
1068 || integer_zerop (int_const_binop (RSHIFT_EXPR,
1069 int_const_binop (MINUS_EXPR,
1070 *argmax,
1071 *argmin),
1072 size_int (dirprec)))))
1074 *argmin = force_fit_type (dirtype, wi::to_widest (*argmin), 0, false);
1075 *argmax = force_fit_type (dirtype, wi::to_widest (*argmax), 0, false);
1077 /* If *ARGMIN is still less than *ARGMAX the conversion above
1078 is safe. Otherwise, it has overflowed and would be unsafe. */
1079 if (tree_int_cst_le (*argmin, *argmax))
1080 return false;
1083 *argmin = TYPE_MIN_VALUE (dirtype);
1084 *argmax = TYPE_MAX_VALUE (dirtype);
1085 return true;
1088 /* Return a range representing the minimum and maximum number of bytes
1089 that the format directive DIR will output for any argument given
1090 the WIDTH and PRECISION (extracted from DIR). This function is
1091 used when the directive argument or its value isn't known. */
1093 static fmtresult
1094 format_integer (const directive &dir, tree arg)
1096 tree intmax_type_node;
1097 tree uintmax_type_node;
1099 /* Base to format the number in. */
1100 int base;
1102 /* True when a conversion is preceded by a prefix indicating the base
1103 of the argument (octal or hexadecimal). */
1104 bool maybebase = dir.get_flag ('#');
1106 /* True when a signed conversion is preceded by a sign or space. */
1107 bool maybesign = false;
1109 /* True for signed conversions (i.e., 'd' and 'i'). */
1110 bool sign = false;
1112 switch (dir.specifier)
1114 case 'd':
1115 case 'i':
1116 /* Space and '+' are only meaningful for signed conversions. */
1117 maybesign = dir.get_flag (' ') | dir.get_flag ('+');
1118 sign = true;
1119 base = 10;
1120 break;
1121 case 'u':
1122 base = 10;
1123 break;
1124 case 'o':
1125 base = 8;
1126 break;
1127 case 'X':
1128 case 'x':
1129 base = 16;
1130 break;
1131 default:
1132 gcc_unreachable ();
1135 /* The type of the "formal" argument expected by the directive. */
1136 tree dirtype = NULL_TREE;
1138 /* Determine the expected type of the argument from the length
1139 modifier. */
1140 switch (dir.modifier)
1142 case FMT_LEN_none:
1143 if (dir.specifier == 'p')
1144 dirtype = ptr_type_node;
1145 else
1146 dirtype = sign ? integer_type_node : unsigned_type_node;
1147 break;
1149 case FMT_LEN_h:
1150 dirtype = sign ? short_integer_type_node : short_unsigned_type_node;
1151 break;
1153 case FMT_LEN_hh:
1154 dirtype = sign ? signed_char_type_node : unsigned_char_type_node;
1155 break;
1157 case FMT_LEN_l:
1158 dirtype = sign ? long_integer_type_node : long_unsigned_type_node;
1159 break;
1161 case FMT_LEN_L:
1162 case FMT_LEN_ll:
1163 dirtype = (sign
1164 ? long_long_integer_type_node
1165 : long_long_unsigned_type_node);
1166 break;
1168 case FMT_LEN_z:
1169 dirtype = signed_or_unsigned_type_for (!sign, size_type_node);
1170 break;
1172 case FMT_LEN_t:
1173 dirtype = signed_or_unsigned_type_for (!sign, ptrdiff_type_node);
1174 break;
1176 case FMT_LEN_j:
1177 build_intmax_type_nodes (&intmax_type_node, &uintmax_type_node);
1178 dirtype = sign ? intmax_type_node : uintmax_type_node;
1179 break;
1181 default:
1182 return fmtresult ();
1185 /* The type of the argument to the directive, either deduced from
1186 the actual non-constant argument if one is known, or from
1187 the directive itself when none has been provided because it's
1188 a va_list. */
1189 tree argtype = NULL_TREE;
1191 if (!arg)
1193 /* When the argument has not been provided, use the type of
1194 the directive's argument as an approximation. This will
1195 result in false positives for directives like %i with
1196 arguments with smaller precision (such as short or char). */
1197 argtype = dirtype;
1199 else if (TREE_CODE (arg) == INTEGER_CST)
1201 /* When a constant argument has been provided use its value
1202 rather than type to determine the length of the output. */
1203 fmtresult res;
1205 if ((dir.prec[0] <= 0 && dir.prec[1] >= 0) && integer_zerop (arg))
1207 /* As a special case, a precision of zero with a zero argument
1208 results in zero bytes except in base 8 when the '#' flag is
1209 specified, and for signed conversions in base 8 and 10 when
1210 either the space or '+' flag has been specified and it results
1211 in just one byte (with width having the normal effect). This
1212 must extend to the case of a specified precision with
1213 an unknown value because it can be zero. */
1214 res.range.min = ((base == 8 && dir.get_flag ('#')) || maybesign);
1215 if (res.range.min == 0 && dir.prec[0] != dir.prec[1])
1217 res.range.max = 1;
1218 res.range.likely = 1;
1220 else
1222 res.range.max = res.range.min;
1223 res.range.likely = res.range.min;
1226 else
1228 /* Convert the argument to the type of the directive. */
1229 arg = fold_convert (dirtype, arg);
1231 res.range.min = tree_digits (arg, base, dir.prec[0],
1232 maybesign, maybebase);
1233 if (dir.prec[0] == dir.prec[1])
1234 res.range.max = res.range.min;
1235 else
1236 res.range.max = tree_digits (arg, base, dir.prec[1],
1237 maybesign, maybebase);
1238 res.range.likely = res.range.min;
1241 res.range.unlikely = res.range.max;
1243 /* Bump up the counters if WIDTH is greater than LEN. */
1244 res.adjust_for_width_or_precision (dir.width, dirtype, base,
1245 (sign | maybebase) + (base == 16));
1246 /* Bump up the counters again if PRECision is greater still. */
1247 res.adjust_for_width_or_precision (dir.prec, dirtype, base,
1248 (sign | maybebase) + (base == 16));
1250 return res;
1252 else if (TREE_CODE (TREE_TYPE (arg)) == INTEGER_TYPE
1253 || TREE_CODE (TREE_TYPE (arg)) == POINTER_TYPE)
1254 /* Determine the type of the provided non-constant argument. */
1255 argtype = TREE_TYPE (arg);
1256 else
1257 /* Don't bother with invalid arguments since they likely would
1258 have already been diagnosed, and disable any further checking
1259 of the format string by returning [-1, -1]. */
1260 return fmtresult ();
1262 fmtresult res;
1264 /* Using either the range the non-constant argument is in, or its
1265 type (either "formal" or actual), create a range of values that
1266 constrain the length of output given the warning level. */
1267 tree argmin = NULL_TREE;
1268 tree argmax = NULL_TREE;
1270 if (arg
1271 && TREE_CODE (arg) == SSA_NAME
1272 && TREE_CODE (argtype) == INTEGER_TYPE)
1274 /* Try to determine the range of values of the integer argument
1275 (range information is not available for pointers). */
1276 wide_int min, max;
1277 enum value_range_type range_type = get_range_info (arg, &min, &max);
1278 if (range_type == VR_RANGE)
1280 argmin = wide_int_to_tree (argtype, min);
1281 argmax = wide_int_to_tree (argtype, max);
1283 /* Set KNOWNRANGE if the argument is in a known subrange
1284 of the directive's type and neither width nor precision
1285 is unknown. (KNOWNRANGE may be reset below). */
1286 res.knownrange
1287 = ((!tree_int_cst_equal (TYPE_MIN_VALUE (dirtype), argmin)
1288 || !tree_int_cst_equal (TYPE_MAX_VALUE (dirtype), argmax))
1289 && dir.known_width_and_precision ());
1291 res.argmin = argmin;
1292 res.argmax = argmax;
1294 else if (range_type == VR_ANTI_RANGE)
1296 /* Handle anti-ranges if/when bug 71690 is resolved. */
1298 else if (range_type == VR_VARYING)
1300 /* The argument here may be the result of promoting the actual
1301 argument to int. Try to determine the type of the actual
1302 argument before promotion and narrow down its range that
1303 way. */
1304 gimple *def = SSA_NAME_DEF_STMT (arg);
1305 if (is_gimple_assign (def))
1307 tree_code code = gimple_assign_rhs_code (def);
1308 if (code == INTEGER_CST)
1310 arg = gimple_assign_rhs1 (def);
1311 return format_integer (dir, arg);
1314 if (code == NOP_EXPR)
1316 tree type = TREE_TYPE (gimple_assign_rhs1 (def));
1317 if (TREE_CODE (type) == INTEGER_TYPE
1318 || TREE_CODE (type) == POINTER_TYPE)
1319 argtype = type;
1325 if (!argmin)
1327 if (TREE_CODE (argtype) == POINTER_TYPE)
1329 argmin = build_int_cst (pointer_sized_int_node, 0);
1330 argmax = build_all_ones_cst (pointer_sized_int_node);
1332 else
1334 argmin = TYPE_MIN_VALUE (argtype);
1335 argmax = TYPE_MAX_VALUE (argtype);
1339 /* Clear KNOWNRANGE if the range has been adjusted to the maximum
1340 of the directive. If it has been cleared then since ARGMIN and/or
1341 ARGMAX have been adjusted also adjust the corresponding ARGMIN and
1342 ARGMAX in the result to include in diagnostics. */
1343 if (adjust_range_for_overflow (dirtype, &argmin, &argmax))
1345 res.knownrange = false;
1346 res.argmin = argmin;
1347 res.argmax = argmax;
1350 /* Recursively compute the minimum and maximum from the known range. */
1351 if (TYPE_UNSIGNED (dirtype) || tree_int_cst_sgn (argmin) >= 0)
1353 /* For unsigned conversions/directives or signed when
1354 the minimum is positive, use the minimum and maximum to compute
1355 the shortest and longest output, respectively. */
1356 res.range.min = format_integer (dir, argmin).range.min;
1357 res.range.max = format_integer (dir, argmax).range.max;
1359 else if (tree_int_cst_sgn (argmax) < 0)
1361 /* For signed conversions/directives if maximum is negative,
1362 use the minimum as the longest output and maximum as the
1363 shortest output. */
1364 res.range.min = format_integer (dir, argmax).range.min;
1365 res.range.max = format_integer (dir, argmin).range.max;
1367 else
1369 /* Otherwise, 0 is inside of the range and minimum negative. Use 0
1370 as the shortest output and for the longest output compute the
1371 length of the output of both minimum and maximum and pick the
1372 longer. */
1373 unsigned HOST_WIDE_INT max1 = format_integer (dir, argmin).range.max;
1374 unsigned HOST_WIDE_INT max2 = format_integer (dir, argmax).range.max;
1375 res.range.min = format_integer (dir, integer_zero_node).range.min;
1376 res.range.max = MAX (max1, max2);
1379 /* If the range is known, use the maximum as the likely length. */
1380 if (res.knownrange)
1381 res.range.likely = res.range.max;
1382 else
1384 /* Otherwise, use the minimum. Except for the case where for %#x or
1385 %#o the minimum is just for a single value in the range (0) and
1386 for all other values it is something longer, like 0x1 or 01.
1387 Use the length for value 1 in that case instead as the likely
1388 length. */
1389 res.range.likely = res.range.min;
1390 if (maybebase
1391 && base != 10
1392 && (tree_int_cst_sgn (argmin) < 0 || tree_int_cst_sgn (argmax) > 0))
1394 if (res.range.min == 1)
1395 res.range.likely += base == 8 ? 1 : 2;
1396 else if (res.range.min == 2
1397 && base == 16
1398 && (dir.width[0] == 2 || dir.prec[0] == 2))
1399 ++res.range.likely;
1403 res.range.unlikely = res.range.max;
1404 res.adjust_for_width_or_precision (dir.width, dirtype, base,
1405 (sign | maybebase) + (base == 16));
1406 res.adjust_for_width_or_precision (dir.prec, dirtype, base,
1407 (sign | maybebase) + (base == 16));
1409 return res;
1412 /* Return the number of bytes that a format directive consisting of FLAGS,
1413 PRECision, format SPECification, and MPFR rounding specifier RNDSPEC,
1414 would result for argument X under ideal conditions (i.e., if PREC
1415 weren't excessive). MPFR 3.1 allocates large amounts of memory for
1416 values of PREC with large magnitude and can fail (see MPFR bug #21056).
1417 This function works around those problems. */
1419 static unsigned HOST_WIDE_INT
1420 get_mpfr_format_length (mpfr_ptr x, const char *flags, HOST_WIDE_INT prec,
1421 char spec, char rndspec)
1423 char fmtstr[40];
1425 HOST_WIDE_INT len = strlen (flags);
1427 fmtstr[0] = '%';
1428 memcpy (fmtstr + 1, flags, len);
1429 memcpy (fmtstr + 1 + len, ".*R", 3);
1430 fmtstr[len + 4] = rndspec;
1431 fmtstr[len + 5] = spec;
1432 fmtstr[len + 6] = '\0';
1434 spec = TOUPPER (spec);
1435 if (spec == 'E' || spec == 'F')
1437 /* For %e, specify the precision explicitly since mpfr_sprintf
1438 does its own thing just to be different (see MPFR bug 21088). */
1439 if (prec < 0)
1440 prec = 6;
1442 else
1444 /* Avoid passing negative precisions with larger magnitude to MPFR
1445 to avoid exposing its bugs. (A negative precision is supposed
1446 to be ignored.) */
1447 if (prec < 0)
1448 prec = -1;
1451 HOST_WIDE_INT p = prec;
1453 if (spec == 'G' && !strchr (flags, '#'))
1455 /* For G/g without the pound flag, precision gives the maximum number
1456 of significant digits which is bounded by LDBL_MAX_10_EXP, or, for
1457 a 128 bit IEEE extended precision, 4932. Using twice as much here
1458 should be more than sufficient for any real format. */
1459 if ((IEEE_MAX_10_EXP * 2) < prec)
1460 prec = IEEE_MAX_10_EXP * 2;
1461 p = prec;
1463 else
1465 /* Cap precision arbitrarily at 1KB and add the difference
1466 (if any) to the MPFR result. */
1467 if (prec > 1024)
1468 p = 1024;
1471 len = mpfr_snprintf (NULL, 0, fmtstr, (int)p, x);
1473 /* Handle the unlikely (impossible?) error by returning more than
1474 the maximum dictated by the function's return type. */
1475 if (len < 0)
1476 return target_dir_max () + 1;
1478 /* Adjust the return value by the difference. */
1479 if (p < prec)
1480 len += prec - p;
1482 return len;
1485 /* Return the number of bytes to format using the format specifier
1486 SPEC and the precision PREC the largest value in the real floating
1487 TYPE. */
1489 static unsigned HOST_WIDE_INT
1490 format_floating_max (tree type, char spec, HOST_WIDE_INT prec)
1492 machine_mode mode = TYPE_MODE (type);
1494 /* IBM Extended mode. */
1495 if (MODE_COMPOSITE_P (mode))
1496 mode = DFmode;
1498 /* Get the real type format desription for the target. */
1499 const real_format *rfmt = REAL_MODE_FORMAT (mode);
1500 REAL_VALUE_TYPE rv;
1502 real_maxval (&rv, 0, mode);
1504 /* Convert the GCC real value representation with the precision
1505 of the real type to the mpfr_t format with the GCC default
1506 round-to-nearest mode. */
1507 mpfr_t x;
1508 mpfr_init2 (x, rfmt->p);
1509 mpfr_from_real (x, &rv, GMP_RNDN);
1511 /* Return a value one greater to account for the leading minus sign. */
1512 unsigned HOST_WIDE_INT r
1513 = 1 + get_mpfr_format_length (x, "", prec, spec, 'D');
1514 mpfr_clear (x);
1515 return r;
1518 /* Return a range representing the minimum and maximum number of bytes
1519 that the directive DIR will output for any argument. PREC gives
1520 the adjusted precision range to account for negative precisions
1521 meaning the default 6. This function is used when the directive
1522 argument or its value isn't known. */
1524 static fmtresult
1525 format_floating (const directive &dir, const HOST_WIDE_INT prec[2])
1527 tree type;
1529 switch (dir.modifier)
1531 case FMT_LEN_l:
1532 case FMT_LEN_none:
1533 type = double_type_node;
1534 break;
1536 case FMT_LEN_L:
1537 type = long_double_type_node;
1538 break;
1540 case FMT_LEN_ll:
1541 type = long_double_type_node;
1542 break;
1544 default:
1545 return fmtresult ();
1548 /* The minimum and maximum number of bytes produced by the directive. */
1549 fmtresult res;
1551 /* The minimum output as determined by flags. It's always at least 1.
1552 When plus or space are set the output is preceded by either a sign
1553 or a space. */
1554 unsigned flagmin = (1 /* for the first digit */
1555 + (dir.get_flag ('+') | dir.get_flag (' ')));
1557 /* When the pound flag is set the decimal point is included in output
1558 regardless of precision. Whether or not a decimal point is included
1559 otherwise depends on the specification and precision. */
1560 bool radix = dir.get_flag ('#');
1562 switch (dir.specifier)
1564 case 'A':
1565 case 'a':
1567 HOST_WIDE_INT minprec = 6 + !radix /* decimal point */;
1568 if (dir.prec[0] <= 0)
1569 minprec = 0;
1570 else if (dir.prec[0] > 0)
1571 minprec = dir.prec[0] + !radix /* decimal point */;
1573 res.range.min = (2 /* 0x */
1574 + flagmin
1575 + radix
1576 + minprec
1577 + 3 /* p+0 */);
1579 res.range.max = format_floating_max (type, 'a', prec[1]);
1580 res.range.likely = res.range.min;
1582 /* The unlikely maximum accounts for the longest multibyte
1583 decimal point character. */
1584 res.range.unlikely = res.range.max;
1585 if (dir.prec[1] > 0)
1586 res.range.unlikely += target_mb_len_max () - 1;
1588 break;
1591 case 'E':
1592 case 'e':
1594 /* Minimum output attributable to precision and, when it's
1595 non-zero, decimal point. */
1596 HOST_WIDE_INT minprec = prec[0] ? prec[0] + !radix : 0;
1598 /* The minimum output is "[-+]1.234567e+00" regardless
1599 of the value of the actual argument. */
1600 res.range.min = (flagmin
1601 + radix
1602 + minprec
1603 + 2 /* e+ */ + 2);
1605 res.range.max = format_floating_max (type, 'e', prec[1]);
1606 res.range.likely = res.range.min;
1608 /* The unlikely maximum accounts for the longest multibyte
1609 decimal point character. */
1610 if (dir.prec[0] != dir.prec[1]
1611 || dir.prec[0] == -1 || dir.prec[0] > 0)
1612 res.range.unlikely = res.range.max + target_mb_len_max () -1;
1613 else
1614 res.range.unlikely = res.range.max;
1615 break;
1618 case 'F':
1619 case 'f':
1621 /* Minimum output attributable to precision and, when it's non-zero,
1622 decimal point. */
1623 HOST_WIDE_INT minprec = prec[0] ? prec[0] + !radix : 0;
1625 /* The lower bound when precision isn't specified is 8 bytes
1626 ("1.23456" since precision is taken to be 6). When precision
1627 is zero, the lower bound is 1 byte (e.g., "1"). Otherwise,
1628 when precision is greater than zero, then the lower bound
1629 is 2 plus precision (plus flags). */
1630 res.range.min = flagmin + radix + minprec;
1632 /* Compute the upper bound for -TYPE_MAX. */
1633 res.range.max = format_floating_max (type, 'f', prec[1]);
1635 /* The minimum output with unknown precision is a single byte
1636 (e.g., "0") but the more likely output is 3 bytes ("0.0"). */
1637 if (dir.prec[0] < 0 && dir.prec[1] > 0)
1638 res.range.likely = 3;
1639 else
1640 res.range.likely = res.range.min;
1642 /* The unlikely maximum accounts for the longest multibyte
1643 decimal point character. */
1644 if (dir.prec[0] != dir.prec[1]
1645 || dir.prec[0] == -1 || dir.prec[0] > 0)
1646 res.range.unlikely = res.range.max + target_mb_len_max () - 1;
1647 break;
1650 case 'G':
1651 case 'g':
1653 /* The %g output depends on precision and the exponent of
1654 the argument. Since the value of the argument isn't known
1655 the lower bound on the range of bytes (not counting flags
1656 or width) is 1 plus radix (i.e., either "0" or "0." for
1657 "%g" and "%#g", respectively, with a zero argument). */
1658 res.range.min = flagmin + radix;
1660 char spec = 'g';
1661 HOST_WIDE_INT maxprec = dir.prec[1];
1662 if (radix && maxprec)
1664 /* When the pound flag (radix) is set, trailing zeros aren't
1665 trimmed and so the longest output is the same as for %e,
1666 except with precision minus 1 (as specified in C11). */
1667 spec = 'e';
1668 if (maxprec > 0)
1669 --maxprec;
1670 else if (maxprec < 0)
1671 maxprec = 5;
1673 else
1674 maxprec = prec[1];
1676 res.range.max = format_floating_max (type, spec, maxprec);
1678 /* The likely output is either the maximum computed above
1679 minus 1 (assuming the maximum is positive) when precision
1680 is known (or unspecified), or the same minimum as for %e
1681 (which is computed for a non-negative argument). Unlike
1682 for the other specifiers above the likely output isn't
1683 the minimum because for %g that's 1 which is unlikely. */
1684 if (dir.prec[1] < 0
1685 || (unsigned HOST_WIDE_INT)dir.prec[1] < target_int_max ())
1686 res.range.likely = res.range.max - 1;
1687 else
1689 HOST_WIDE_INT minprec = 6 + !radix /* decimal point */;
1690 res.range.likely = (flagmin
1691 + radix
1692 + minprec
1693 + 2 /* e+ */ + 2);
1696 /* The unlikely maximum accounts for the longest multibyte
1697 decimal point character. */
1698 res.range.unlikely = res.range.max + target_mb_len_max () - 1;
1699 break;
1702 default:
1703 return fmtresult ();
1706 /* Bump up the byte counters if WIDTH is greater. */
1707 res.adjust_for_width_or_precision (dir.width);
1708 return res;
1711 /* Return a range representing the minimum and maximum number of bytes
1712 that the directive DIR will write on output for the floating argument
1713 ARG. */
1715 static fmtresult
1716 format_floating (const directive &dir, tree arg)
1718 HOST_WIDE_INT prec[] = { dir.prec[0], dir.prec[1] };
1720 /* For an indeterminate precision the lower bound must be assumed
1721 to be zero. */
1722 if (TOUPPER (dir.specifier) == 'A')
1724 /* Get the number of fractional decimal digits needed to represent
1725 the argument without a loss of accuracy. */
1726 tree type = arg ? TREE_TYPE (arg) :
1727 (dir.modifier == FMT_LEN_L || dir.modifier == FMT_LEN_ll
1728 ? long_double_type_node : double_type_node);
1730 unsigned fmtprec
1731 = REAL_MODE_FORMAT (TYPE_MODE (type))->p;
1733 /* The precision of the IEEE 754 double format is 53.
1734 The precision of all other GCC binary double formats
1735 is 56 or less. */
1736 unsigned maxprec = fmtprec <= 56 ? 13 : 15;
1738 /* For %a, leave the minimum precision unspecified to let
1739 MFPR trim trailing zeros (as it and many other systems
1740 including Glibc happen to do) and set the maximum
1741 precision to reflect what it would be with trailing zeros
1742 present (as Solaris and derived systems do). */
1743 if (dir.prec[1] < 0)
1745 /* Both bounds are negative implies that precision has
1746 not been specified. */
1747 prec[0] = maxprec;
1748 prec[1] = -1;
1750 else if (dir.prec[0] < 0)
1752 /* With a negative lower bound and a non-negative upper
1753 bound set the minimum precision to zero and the maximum
1754 to the greater of the maximum precision (i.e., with
1755 trailing zeros present) and the specified upper bound. */
1756 prec[0] = 0;
1757 prec[1] = dir.prec[1] < maxprec ? maxprec : dir.prec[1];
1760 else if (dir.prec[0] < 0)
1762 if (dir.prec[1] < 0)
1764 /* A precision in a strictly negative range is ignored and
1765 the default of 6 is used instead. */
1766 prec[0] = prec[1] = 6;
1768 else
1770 /* For a precision in a partly negative range, the lower bound
1771 must be assumed to be zero and the new upper bound is the
1772 greater of 6 (the default precision used when the specified
1773 precision is negative) and the upper bound of the specified
1774 range. */
1775 prec[0] = 0;
1776 prec[1] = dir.prec[1] < 6 ? 6 : dir.prec[1];
1780 if (!arg || TREE_CODE (arg) != REAL_CST)
1781 return format_floating (dir, prec);
1783 /* The minimum and maximum number of bytes produced by the directive. */
1784 fmtresult res;
1786 /* Get the real type format desription for the target. */
1787 const REAL_VALUE_TYPE *rvp = TREE_REAL_CST_PTR (arg);
1788 const real_format *rfmt = REAL_MODE_FORMAT (TYPE_MODE (TREE_TYPE (arg)));
1790 char fmtstr [40];
1791 char *pfmt = fmtstr;
1793 /* Append flags. */
1794 for (const char *pf = "-+ #0"; *pf; ++pf)
1795 if (dir.get_flag (*pf))
1796 *pfmt++ = *pf;
1798 *pfmt = '\0';
1801 /* Set up an array to easily iterate over. */
1802 unsigned HOST_WIDE_INT* const minmax[] = {
1803 &res.range.min, &res.range.max
1806 for (int i = 0; i != sizeof minmax / sizeof *minmax; ++i)
1808 /* Convert the GCC real value representation with the precision
1809 of the real type to the mpfr_t format rounding down in the
1810 first iteration that computes the minimm and up in the second
1811 that computes the maximum. This order is arbibtrary because
1812 rounding in either direction can result in longer output. */
1813 mpfr_t mpfrval;
1814 mpfr_init2 (mpfrval, rfmt->p);
1815 mpfr_from_real (mpfrval, rvp, i ? GMP_RNDU : GMP_RNDD);
1817 /* Use the MPFR rounding specifier to round down in the first
1818 iteration and then up. In most but not all cases this will
1819 result in the same number of bytes. */
1820 char rndspec = "DU"[i];
1822 /* Format it and store the result in the corresponding member
1823 of the result struct. */
1824 *minmax[i] = get_mpfr_format_length (mpfrval, fmtstr, prec[i],
1825 dir.specifier, rndspec);
1826 mpfr_clear (mpfrval);
1830 /* Make sure the minimum is less than the maximum (MPFR rounding
1831 in the call to mpfr_snprintf can result in the reverse. */
1832 if (res.range.max < res.range.min)
1834 unsigned HOST_WIDE_INT tmp = res.range.min;
1835 res.range.min = res.range.max;
1836 res.range.max = tmp;
1839 /* The range is known unless either width or precision is unknown. */
1840 res.knownrange = dir.known_width_and_precision ();
1842 /* For the same floating point constant, unless width or precision
1843 is unknown, use the longer output as the likely maximum since
1844 with round to nearest either is equally likely. Otheriwse, when
1845 precision is unknown, use the greater of the minimum and 3 as
1846 the likely output (for "0.0" since zero precision is unlikely). */
1847 if (res.knownrange)
1848 res.range.likely = res.range.max;
1849 else if (res.range.min < 3
1850 && dir.prec[0] < 0
1851 && (unsigned HOST_WIDE_INT)dir.prec[1] == target_int_max ())
1852 res.range.likely = 3;
1853 else
1854 res.range.likely = res.range.min;
1856 res.range.unlikely = res.range.max;
1858 if (res.range.max > 2 && (prec[0] != 0 || prec[1] != 0))
1860 /* Unless the precision is zero output longer than 2 bytes may
1861 include the decimal point which must be a single character
1862 up to MB_LEN_MAX in length. This is overly conservative
1863 since in some conversions some constants result in no decimal
1864 point (e.g., in %g). */
1865 res.range.unlikely += target_mb_len_max () - 1;
1868 res.adjust_for_width_or_precision (dir.width);
1869 return res;
1872 /* Return a FMTRESULT struct set to the lengths of the shortest and longest
1873 strings referenced by the expression STR, or (-1, -1) when not known.
1874 Used by the format_string function below. */
1876 static fmtresult
1877 get_string_length (tree str)
1879 if (!str)
1880 return fmtresult ();
1882 if (tree slen = c_strlen (str, 1))
1884 /* Simply return the length of the string. */
1885 fmtresult res (tree_to_shwi (slen));
1886 return res;
1889 /* Determine the length of the shortest and longest string referenced
1890 by STR. Strings of unknown lengths are bounded by the sizes of
1891 arrays that subexpressions of STR may refer to. Pointers that
1892 aren't known to point any such arrays result in LENRANGE[1] set
1893 to SIZE_MAX. */
1894 tree lenrange[2];
1895 bool flexarray = get_range_strlen (str, lenrange);
1897 if (lenrange [0] || lenrange [1])
1899 HOST_WIDE_INT min
1900 = (tree_fits_uhwi_p (lenrange[0])
1901 ? tree_to_uhwi (lenrange[0])
1902 : 0);
1904 HOST_WIDE_INT max
1905 = (tree_fits_uhwi_p (lenrange[1])
1906 ? tree_to_uhwi (lenrange[1])
1907 : HOST_WIDE_INT_M1U);
1909 /* get_range_strlen() returns the target value of SIZE_MAX for
1910 strings of unknown length. Bump it up to HOST_WIDE_INT_M1U
1911 which may be bigger. */
1912 if ((unsigned HOST_WIDE_INT)min == target_size_max ())
1913 min = HOST_WIDE_INT_M1U;
1914 if ((unsigned HOST_WIDE_INT)max == target_size_max ())
1915 max = HOST_WIDE_INT_M1U;
1917 fmtresult res (min, max);
1919 /* Set RES.KNOWNRANGE to true if and only if all strings referenced
1920 by STR are known to be bounded (though not necessarily by their
1921 actual length but perhaps by their maximum possible length). */
1922 if (res.range.max < target_int_max ())
1924 res.knownrange = true;
1925 /* When the the length of the longest string is known and not
1926 excessive use it as the likely length of the string(s). */
1927 res.range.likely = res.range.max;
1929 else
1931 /* When the upper bound is unknown (it can be zero or excessive)
1932 set the likely length to the greater of 1 and the length of
1933 the shortest string and reset the lower bound to zero. */
1934 res.range.likely = res.range.min ? res.range.min : warn_level > 1;
1935 res.range.min = 0;
1938 /* If the range of string length has been estimated from the size
1939 of an array at the end of a struct assume that it's longer than
1940 the array bound says it is in case it's used as a poor man's
1941 flexible array member, such as in struct S { char a[4]; }; */
1942 res.range.unlikely = flexarray ? HOST_WIDE_INT_MAX : res.range.max;
1944 return res;
1947 return get_string_length (NULL_TREE);
1950 /* Return the minimum and maximum number of characters formatted
1951 by the '%c' format directives and its wide character form for
1952 the argument ARG. ARG can be null (for functions such as
1953 vsprinf). */
1955 static fmtresult
1956 format_character (const directive &dir, tree arg)
1958 fmtresult res;
1960 res.knownrange = true;
1962 if (dir.modifier == FMT_LEN_l)
1964 /* A wide character can result in as few as zero bytes. */
1965 res.range.min = 0;
1967 HOST_WIDE_INT min, max;
1968 if (get_int_range (arg, &min, &max, false, 0))
1970 if (min == 0 && max == 0)
1972 /* The NUL wide character results in no bytes. */
1973 res.range.max = 0;
1974 res.range.likely = 0;
1975 res.range.unlikely = 0;
1977 else if (min > 0 && min < 128)
1979 /* A wide character in the ASCII range most likely results
1980 in a single byte, and only unlikely in up to MB_LEN_MAX. */
1981 res.range.max = 1;
1982 res.range.likely = 1;
1983 res.range.unlikely = target_mb_len_max ();
1985 else
1987 /* A wide character outside the ASCII range likely results
1988 in up to two bytes, and only unlikely in up to MB_LEN_MAX. */
1989 res.range.max = target_mb_len_max ();
1990 res.range.likely = 2;
1991 res.range.unlikely = res.range.max;
1994 else
1996 /* An unknown wide character is treated the same as a wide
1997 character outside the ASCII range. */
1998 res.range.max = target_mb_len_max ();
1999 res.range.likely = 2;
2000 res.range.unlikely = res.range.max;
2003 else
2005 /* A plain '%c' directive. Its ouput is exactly 1. */
2006 res.range.min = res.range.max = 1;
2007 res.range.likely = res.range.unlikely = 1;
2008 res.knownrange = true;
2011 /* Bump up the byte counters if WIDTH is greater. */
2012 return res.adjust_for_width_or_precision (dir.width);
2015 /* Return the minimum and maximum number of characters formatted
2016 by the '%s' format directive and its wide character form for
2017 the argument ARG. ARG can be null (for functions such as
2018 vsprinf). */
2020 static fmtresult
2021 format_string (const directive &dir, tree arg)
2023 fmtresult res;
2025 /* Compute the range the argument's length can be in. */
2026 fmtresult slen = get_string_length (arg);
2027 if (slen.range.min == slen.range.max
2028 && slen.range.min < HOST_WIDE_INT_MAX)
2030 /* The argument is either a string constant or it refers
2031 to one of a number of strings of the same length. */
2033 /* A '%s' directive with a string argument with constant length. */
2034 res.range = slen.range;
2036 if (dir.modifier == FMT_LEN_l)
2038 /* In the worst case the length of output of a wide string S
2039 is bounded by MB_LEN_MAX * wcslen (S). */
2040 res.range.max *= target_mb_len_max ();
2041 res.range.unlikely = res.range.max;
2042 /* It's likely that the the total length is not more that
2043 2 * wcslen (S).*/
2044 res.range.likely = res.range.min * 2;
2046 if (dir.prec[1] >= 0
2047 && (unsigned HOST_WIDE_INT)dir.prec[1] < res.range.max)
2049 res.range.max = dir.prec[1];
2050 res.range.likely = dir.prec[1];
2051 res.range.unlikely = dir.prec[1];
2054 if (dir.prec[0] < 0 && dir.prec[1] > -1)
2055 res.range.min = 0;
2056 else if (dir.prec[0] >= 0)
2057 res.range.likely = dir.prec[0];
2059 /* Even a non-empty wide character string need not convert into
2060 any bytes. */
2061 res.range.min = 0;
2063 else
2065 res.knownrange = true;
2067 if (dir.prec[0] < 0 && dir.prec[1] > -1)
2068 res.range.min = 0;
2069 else if ((unsigned HOST_WIDE_INT)dir.prec[0] < res.range.min)
2070 res.range.min = dir.prec[0];
2072 if ((unsigned HOST_WIDE_INT)dir.prec[1] < res.range.max)
2074 res.range.max = dir.prec[1];
2075 res.range.likely = dir.prec[1];
2076 res.range.unlikely = dir.prec[1];
2080 else if (arg && integer_zerop (arg))
2082 /* Handle null pointer argument. */
2084 fmtresult res (0);
2085 res.nullp = true;
2086 return res;
2088 else
2090 /* For a '%s' and '%ls' directive with a non-constant string (either
2091 one of a number of strings of known length or an unknown string)
2092 the minimum number of characters is lesser of PRECISION[0] and
2093 the length of the shortest known string or zero, and the maximum
2094 is the lessser of the length of the longest known string or
2095 PTRDIFF_MAX and PRECISION[1]. The likely length is either
2096 the minimum at level 1 and the greater of the minimum and 1
2097 at level 2. This result is adjust upward for width (if it's
2098 specified). */
2100 if (dir.modifier == FMT_LEN_l)
2102 /* A wide character converts to as few as zero bytes. */
2103 slen.range.min = 0;
2104 if (slen.range.max < target_int_max ())
2105 slen.range.max *= target_mb_len_max ();
2107 if (slen.range.likely < target_int_max ())
2108 slen.range.likely *= 2;
2110 if (slen.range.likely < target_int_max ())
2111 slen.range.unlikely *= target_mb_len_max ();
2114 res.range = slen.range;
2116 if (dir.prec[0] >= 0)
2118 /* Adjust the minimum to zero if the string length is unknown,
2119 or at most the lower bound of the precision otherwise. */
2120 if (slen.range.min >= target_int_max ())
2121 res.range.min = 0;
2122 else if ((unsigned HOST_WIDE_INT)dir.prec[0] < slen.range.min)
2123 res.range.min = dir.prec[0];
2125 /* Make both maxima no greater than the upper bound of precision. */
2126 if ((unsigned HOST_WIDE_INT)dir.prec[1] < slen.range.max
2127 || slen.range.max >= target_int_max ())
2129 res.range.max = dir.prec[1];
2130 res.range.unlikely = dir.prec[1];
2133 /* If precision is constant, set the likely counter to the lesser
2134 of it and the maximum string length. Otherwise, if the lower
2135 bound of precision is greater than zero, set the likely counter
2136 to the minimum. Otherwise set it to zero or one based on
2137 the warning level. */
2138 if (dir.prec[0] == dir.prec[1])
2139 res.range.likely
2140 = ((unsigned HOST_WIDE_INT)dir.prec[0] < slen.range.max
2141 ? dir.prec[0] : slen.range.max);
2142 else if (dir.prec[0] > 0)
2143 res.range.likely = res.range.min;
2144 else
2145 res.range.likely = warn_level > 1;
2147 else if (dir.prec[1] >= 0)
2149 res.range.min = 0;
2150 if ((unsigned HOST_WIDE_INT)dir.prec[1] < slen.range.max)
2151 res.range.max = dir.prec[1];
2152 res.range.likely = dir.prec[1] ? warn_level > 1 : 0;
2154 else if (slen.range.min >= target_int_max ())
2156 res.range.min = 0;
2157 res.range.max = HOST_WIDE_INT_MAX;
2158 /* At level 1 strings of unknown length are assumed to be
2159 empty, while at level 1 they are assumed to be one byte
2160 long. */
2161 res.range.likely = warn_level > 1;
2163 else
2165 /* A string of unknown length unconstrained by precision is
2166 assumed to be empty at level 1 and just one character long
2167 at higher levels. */
2168 if (res.range.likely >= target_int_max ())
2169 res.range.likely = warn_level > 1;
2172 res.range.unlikely = res.range.max;
2175 /* Bump up the byte counters if WIDTH is greater. */
2176 return res.adjust_for_width_or_precision (dir.width);
2179 /* Format plain string (part of the format string itself). */
2181 static fmtresult
2182 format_plain (const directive &dir, tree)
2184 fmtresult res (dir.len);
2185 return res;
2188 /* Return true if the RESULT of a directive in a call describe by INFO
2189 should be diagnosed given the AVAILable space in the destination. */
2191 static bool
2192 should_warn_p (const pass_sprintf_length::call_info &info,
2193 const result_range &avail, const result_range &result)
2195 if (result.max <= avail.min)
2197 /* The least amount of space remaining in the destination is big
2198 enough for the longest output. */
2199 return false;
2202 if (info.bounded)
2204 if (warn_format_trunc == 1 && result.min <= avail.max
2205 && info.retval_used ())
2207 /* The likely amount of space remaining in the destination is big
2208 enough for the least output and the return value is used. */
2209 return false;
2212 if (warn_format_trunc == 1 && result.likely <= avail.likely
2213 && !info.retval_used ())
2215 /* The likely amount of space remaining in the destination is big
2216 enough for the likely output and the return value is unused. */
2217 return false;
2220 if (warn_format_trunc == 2
2221 && result.likely <= avail.min
2222 && (result.max <= avail.min
2223 || result.max > HOST_WIDE_INT_MAX))
2225 /* The minimum amount of space remaining in the destination is big
2226 enough for the longest output. */
2227 return false;
2230 else
2232 if (warn_level == 1 && result.likely <= avail.likely)
2234 /* The likely amount of space remaining in the destination is big
2235 enough for the likely output. */
2236 return false;
2239 if (warn_level == 2
2240 && result.likely <= avail.min
2241 && (result.max <= avail.min
2242 || result.max > HOST_WIDE_INT_MAX))
2244 /* The minimum amount of space remaining in the destination is big
2245 enough for the longest output. */
2246 return false;
2250 return true;
2253 /* At format string location describe by DIRLOC in a call described
2254 by INFO, issue a warning for a directive DIR whose output may be
2255 in excess of the available space AVAIL_RANGE in the destination
2256 given the formatting result FMTRES. This function does nothing
2257 except decide whether to issue a warning for a possible write
2258 past the end or truncation and, if so, format the warning.
2259 Return true if a warning has been issued. */
2261 static bool
2262 maybe_warn (substring_loc &dirloc, source_range *pargrange,
2263 const pass_sprintf_length::call_info &info,
2264 const result_range &avail_range, const result_range &res,
2265 const directive &dir)
2267 if (!should_warn_p (info, avail_range, res))
2268 return false;
2270 /* A warning will definitely be issued below. */
2272 /* The maximum byte count to reference in the warning. Larger counts
2273 imply that the upper bound is unknown (and could be anywhere between
2274 RES.MIN + 1 and SIZE_MAX / 2) are printed as "N or more bytes" rather
2275 than "between N and X" where X is some huge number. */
2276 unsigned HOST_WIDE_INT maxbytes = target_dir_max ();
2278 /* True when there is enough room in the destination for the least
2279 amount of a directive's output but not enough for its likely or
2280 maximum output. */
2281 bool maybe = (res.min <= avail_range.max
2282 && (avail_range.min < res.likely
2283 || (res.max < HOST_WIDE_INT_MAX
2284 && avail_range.min < res.max)));
2286 if (avail_range.min == avail_range.max)
2288 /* The size of the destination region is exact. */
2289 unsigned HOST_WIDE_INT navail = avail_range.max;
2291 if (*dir.beg != '%')
2293 /* For plain character directives (i.e., the format string itself)
2294 but not others, point the caret at the first character that's
2295 past the end of the destination. */
2296 dirloc.set_caret_index (dirloc.get_caret_idx () + navail);
2299 if (*dir.beg == '\0')
2301 /* This is the terminating nul. */
2302 gcc_assert (res.min == 1 && res.min == res.max);
2304 const char *fmtstr
2305 = (info.bounded
2306 ? (maybe
2307 ? G_("%qE output may be truncated before the last format "
2308 "character")
2309 : G_("%qE output truncated before the last format character"))
2310 : (maybe
2311 ? G_("%qE may write a terminating nul past the end "
2312 "of the destination")
2313 : G_("%qE writing a terminating nul past the end "
2314 "of the destination")));
2316 return fmtwarn (dirloc, NULL, NULL, info.warnopt (), fmtstr,
2317 info.func);
2320 if (res.min == res.max)
2322 const char* fmtstr
2323 = (res.min == 1
2324 ? (info.bounded
2325 ? (maybe
2326 ? G_("%<%.*s%> directive output may be truncated writing "
2327 "%wu byte into a region of size %wu")
2328 : G_("%<%.*s%> directive output truncated writing "
2329 "%wu byte into a region of size %wu"))
2330 : G_("%<%.*s%> directive writing %wu byte "
2331 "into a region of size %wu"))
2332 : (info.bounded
2333 ? (maybe
2334 ? G_("%<%.*s%> directive output may be truncated writing "
2335 "%wu bytes into a region of size %wu")
2336 : G_("%<%.*s%> directive output truncated writing "
2337 "%wu bytes into a region of size %wu"))
2338 : G_("%<%.*s%> directive writing %wu bytes "
2339 "into a region of size %wu")));
2340 return fmtwarn (dirloc, pargrange, NULL,
2341 info.warnopt (), fmtstr,
2342 dir.len, dir.beg, res.min,
2343 navail);
2346 if (res.min == 0 && res.max < maxbytes)
2348 const char* fmtstr
2349 = (info.bounded
2350 ? (maybe
2351 ? G_("%<%.*s%> directive output may be truncated writing "
2352 "up to %wu bytes into a region of size %wu")
2353 : G_("%<%.*s%> directive output truncated writing "
2354 "up to %wu bytes into a region of size %wu"))
2355 : G_("%<%.*s%> directive writing up to %wu bytes "
2356 "into a region of size %wu"));
2357 return fmtwarn (dirloc, pargrange, NULL,
2358 info.warnopt (), fmtstr,
2359 dir.len, dir.beg,
2360 res.max, navail);
2363 if (res.min == 0 && maxbytes <= res.max)
2365 /* This is a special case to avoid issuing the potentially
2366 confusing warning:
2367 writing 0 or more bytes into a region of size 0. */
2368 const char* fmtstr
2369 = (info.bounded
2370 ? (maybe
2371 ? G_("%<%.*s%> directive output may be truncated writing "
2372 "likely %wu or more bytes into a region of size %wu")
2373 : G_("%<%.*s%> directive output truncated writing "
2374 "likely %wu or more bytes into a region of size %wu"))
2375 : G_("%<%.*s%> directive writing likely %wu or more bytes "
2376 "into a region of size %wu"));
2377 return fmtwarn (dirloc, pargrange, NULL,
2378 info.warnopt (), fmtstr,
2379 dir.len, dir.beg,
2380 res.likely, navail);
2383 if (res.max < maxbytes)
2385 const char* fmtstr
2386 = (info.bounded
2387 ? (maybe
2388 ? G_("%<%.*s%> directive output may be truncated writing "
2389 "between %wu and %wu bytes into a region of size %wu")
2390 : G_("%<%.*s%> directive output truncated writing "
2391 "between %wu and %wu bytes into a region of size %wu"))
2392 : G_("%<%.*s%> directive writing between %wu and "
2393 "%wu bytes into a region of size %wu"));
2394 return fmtwarn (dirloc, pargrange, NULL,
2395 info.warnopt (), fmtstr,
2396 dir.len, dir.beg,
2397 res.min, res.max,
2398 navail);
2401 const char* fmtstr
2402 = (info.bounded
2403 ? (maybe
2404 ? G_("%<%.*s%> directive output may be truncated writing "
2405 "%wu or more bytes into a region of size %wu")
2406 : G_("%<%.*s%> directive output truncated writing "
2407 "%wu or more bytes into a region of size %wu"))
2408 : G_("%<%.*s%> directive writing %wu or more bytes "
2409 "into a region of size %wu"));
2410 return fmtwarn (dirloc, pargrange, NULL,
2411 info.warnopt (), fmtstr,
2412 dir.len, dir.beg,
2413 res.min, navail);
2416 /* The size of the destination region is a range. */
2418 if (*dir.beg != '%')
2420 unsigned HOST_WIDE_INT navail = avail_range.max;
2422 /* For plain character directives (i.e., the format string itself)
2423 but not others, point the caret at the first character that's
2424 past the end of the destination. */
2425 dirloc.set_caret_index (dirloc.get_caret_idx () + navail);
2428 if (*dir.beg == '\0')
2430 gcc_assert (res.min == 1 && res.min == res.max);
2432 const char *fmtstr
2433 = (info.bounded
2434 ? (maybe
2435 ? G_("%qE output may be truncated before the last format "
2436 "character")
2437 : G_("%qE output truncated before the last format character"))
2438 : (maybe
2439 ? G_("%qE may write a terminating nul past the end "
2440 "of the destination")
2441 : G_("%qE writing a terminating nul past the end "
2442 "of the destination")));
2444 return fmtwarn (dirloc, NULL, NULL, info.warnopt (), fmtstr,
2445 info.func);
2448 if (res.min == res.max)
2450 const char* fmtstr
2451 = (res.min == 1
2452 ? (info.bounded
2453 ? (maybe
2454 ? G_("%<%.*s%> directive output may be truncated writing "
2455 "%wu byte into a region of size between %wu and %wu")
2456 : G_("%<%.*s%> directive output truncated writing "
2457 "%wu byte into a region of size between %wu and %wu"))
2458 : G_("%<%.*s%> directive writing %wu byte "
2459 "into a region of size between %wu and %wu"))
2460 : (info.bounded
2461 ? (maybe
2462 ? G_("%<%.*s%> directive output may be truncated writing "
2463 "%wu bytes into a region of size between %wu and %wu")
2464 : G_("%<%.*s%> directive output truncated writing "
2465 "%wu bytes into a region of size between %wu and %wu"))
2466 : G_("%<%.*s%> directive writing %wu bytes "
2467 "into a region of size between %wu and %wu")));
2469 return fmtwarn (dirloc, pargrange, NULL,
2470 info.warnopt (), fmtstr,
2471 dir.len, dir.beg, res.min,
2472 avail_range.min, avail_range.max);
2475 if (res.min == 0 && res.max < maxbytes)
2477 const char* fmtstr
2478 = (info.bounded
2479 ? (maybe
2480 ? G_("%<%.*s%> directive output may be truncated writing "
2481 "up to %wu bytes into a region of size between "
2482 "%wu and %wu")
2483 : G_("%<%.*s%> directive output truncated writing "
2484 "up to %wu bytes into a region of size between "
2485 "%wu and %wu"))
2486 : G_("%<%.*s%> directive writing up to %wu bytes "
2487 "into a region of size between %wu and %wu"));
2488 return fmtwarn (dirloc, pargrange, NULL,
2489 info.warnopt (), fmtstr,
2490 dir.len, dir.beg, res.max,
2491 avail_range.min, avail_range.max);
2494 if (res.min == 0 && maxbytes <= res.max)
2496 /* This is a special case to avoid issuing the potentially confusing
2497 warning:
2498 writing 0 or more bytes into a region of size between 0 and N. */
2499 const char* fmtstr
2500 = (info.bounded
2501 ? (maybe
2502 ? G_("%<%.*s%> directive output may be truncated writing "
2503 "likely %wu or more bytes into a region of size between "
2504 "%wu and %wu")
2505 : G_("%<%.*s%> directive output truncated writing likely "
2506 "%wu or more bytes into a region of size between "
2507 "%wu and %wu"))
2508 : G_("%<%.*s%> directive writing likely %wu or more bytes "
2509 "into a region of size between %wu and %wu"));
2510 return fmtwarn (dirloc, pargrange, NULL,
2511 info.warnopt (), fmtstr,
2512 dir.len, dir.beg, res.likely,
2513 avail_range.min, avail_range.max);
2516 if (res.max < maxbytes)
2518 const char* fmtstr
2519 = (info.bounded
2520 ? (maybe
2521 ? G_("%<%.*s%> directive output may be truncated writing "
2522 "between %wu and %wu bytes into a region of size "
2523 "between %wu and %wu")
2524 : G_("%<%.*s%> directive output truncated writing "
2525 "between %wu and %wu bytes into a region of size "
2526 "between %wu and %wu"))
2527 : G_("%<%.*s%> directive writing between %wu and "
2528 "%wu bytes into a region of size between %wu and %wu"));
2529 return fmtwarn (dirloc, pargrange, NULL,
2530 info.warnopt (), fmtstr,
2531 dir.len, dir.beg,
2532 res.min, res.max,
2533 avail_range.min, avail_range.max);
2536 const char* fmtstr
2537 = (info.bounded
2538 ? (maybe
2539 ? G_("%<%.*s%> directive output may be truncated writing "
2540 "%wu or more bytes into a region of size between "
2541 "%wu and %wu")
2542 : G_("%<%.*s%> directive output truncated writing "
2543 "%wu or more bytes into a region of size between "
2544 "%wu and %wu"))
2545 : G_("%<%.*s%> directive writing %wu or more bytes "
2546 "into a region of size between %wu and %wu"));
2547 return fmtwarn (dirloc, pargrange, NULL,
2548 info.warnopt (), fmtstr,
2549 dir.len, dir.beg,
2550 res.min,
2551 avail_range.min, avail_range.max);
2554 /* Compute the length of the output resulting from the directive DIR
2555 in a call described by INFO and update the overall result of the call
2556 in *RES. Return true if the directive has been handled. */
2558 static bool
2559 format_directive (const pass_sprintf_length::call_info &info,
2560 format_result *res, const directive &dir)
2562 /* Offset of the beginning of the directive from the beginning
2563 of the format string. */
2564 size_t offset = dir.beg - info.fmtstr;
2565 size_t start = offset;
2566 size_t length = offset + dir.len - !!dir.len;
2568 /* Create a location for the whole directive from the % to the format
2569 specifier. */
2570 substring_loc dirloc (info.fmtloc, TREE_TYPE (info.format),
2571 offset, start, length);
2573 /* Also create a location range for the argument if possible.
2574 This doesn't work for integer literals or function calls. */
2575 source_range argrange;
2576 source_range *pargrange;
2577 if (dir.arg && CAN_HAVE_LOCATION_P (dir.arg))
2579 argrange = EXPR_LOCATION_RANGE (dir.arg);
2580 pargrange = &argrange;
2582 else
2583 pargrange = NULL;
2585 /* Bail when there is no function to compute the output length,
2586 or when minimum length checking has been disabled. */
2587 if (!dir.fmtfunc || res->range.min >= HOST_WIDE_INT_MAX)
2588 return false;
2590 /* Compute the range of lengths of the formatted output. */
2591 fmtresult fmtres = dir.fmtfunc (dir, dir.arg);
2593 /* Record whether the output of all directives is known to be
2594 bounded by some maximum, implying that their arguments are
2595 either known exactly or determined to be in a known range
2596 or, for strings, limited by the upper bounds of the arrays
2597 they refer to. */
2598 res->knownrange &= fmtres.knownrange;
2600 if (!fmtres.knownrange)
2602 /* Only when the range is known, check it against the host value
2603 of INT_MAX + (the number of bytes of the "%.*Lf" directive with
2604 INT_MAX precision, which is the longest possible output of any
2605 single directive). That's the largest valid byte count (though
2606 not valid call to a printf-like function because it can never
2607 return such a count). Otherwise, the range doesn't correspond
2608 to known values of the argument. */
2609 if (fmtres.range.max > target_dir_max ())
2611 /* Normalize the MAX counter to avoid having to deal with it
2612 later. The counter can be less than HOST_WIDE_INT_M1U
2613 when compiling for an ILP32 target on an LP64 host. */
2614 fmtres.range.max = HOST_WIDE_INT_M1U;
2615 /* Disable exact and maximum length checking after a failure
2616 to determine the maximum number of characters (for example
2617 for wide characters or wide character strings) but continue
2618 tracking the minimum number of characters. */
2619 res->range.max = HOST_WIDE_INT_M1U;
2622 if (fmtres.range.min > target_dir_max ())
2624 /* Disable exact length checking after a failure to determine
2625 even the minimum number of characters (it shouldn't happen
2626 except in an error) but keep tracking the minimum and maximum
2627 number of characters. */
2628 return true;
2632 int dirlen = dir.len;
2634 if (fmtres.nullp)
2636 fmtwarn (dirloc, pargrange, NULL, info.warnopt (),
2637 "%<%.*s%> directive argument is null",
2638 dirlen, dir.beg);
2640 /* Don't bother processing the rest of the format string. */
2641 res->warned = true;
2642 res->range.min = HOST_WIDE_INT_M1U;
2643 res->range.max = HOST_WIDE_INT_M1U;
2644 return false;
2647 /* Compute the number of available bytes in the destination. There
2648 must always be at least one byte of space for the terminating
2649 NUL that's appended after the format string has been processed. */
2650 result_range avail_range = bytes_remaining (info.objsize, *res);
2652 bool warned = res->warned;
2654 if (!warned)
2655 warned = maybe_warn (dirloc, pargrange, info, avail_range,
2656 fmtres.range, dir);
2658 /* Bump up the total maximum if it isn't too big. */
2659 if (res->range.max < HOST_WIDE_INT_MAX
2660 && fmtres.range.max < HOST_WIDE_INT_MAX)
2661 res->range.max += fmtres.range.max;
2663 /* Raise the total unlikely maximum by the larger of the maximum
2664 and the unlikely maximum. */
2665 unsigned HOST_WIDE_INT save = res->range.unlikely;
2666 if (fmtres.range.max < fmtres.range.unlikely)
2667 res->range.unlikely += fmtres.range.unlikely;
2668 else
2669 res->range.unlikely += fmtres.range.max;
2671 if (res->range.unlikely < save)
2672 res->range.unlikely = HOST_WIDE_INT_M1U;
2674 res->range.min += fmtres.range.min;
2675 res->range.likely += fmtres.range.likely;
2677 /* Has the minimum directive output length exceeded the maximum
2678 of 4095 bytes required to be supported? */
2679 bool minunder4k = fmtres.range.min < 4096;
2680 bool maxunder4k = fmtres.range.max < 4096;
2681 /* Clear UNDER4K in the overall result if the maximum has exceeded
2682 the 4k (this is necessary to avoid the return valuye optimization
2683 that may not be safe in the maximum case). */
2684 if (!maxunder4k)
2685 res->under4k = false;
2687 if (!warned
2688 /* Only warn at level 2. */
2689 && 1 < warn_level
2690 && (!minunder4k
2691 || (!maxunder4k && fmtres.range.max < HOST_WIDE_INT_MAX)))
2693 /* The directive output may be longer than the maximum required
2694 to be handled by an implementation according to 7.21.6.1, p15
2695 of C11. Warn on this only at level 2 but remember this and
2696 prevent folding the return value when done. This allows for
2697 the possibility of the actual libc call failing due to ENOMEM
2698 (like Glibc does under some conditions). */
2700 if (fmtres.range.min == fmtres.range.max)
2701 warned = fmtwarn (dirloc, pargrange, NULL,
2702 info.warnopt (),
2703 "%<%.*s%> directive output of %wu bytes exceeds "
2704 "minimum required size of 4095",
2705 dirlen, dir.beg, fmtres.range.min);
2706 else
2708 const char *fmtstr
2709 = (minunder4k
2710 ? G_("%<%.*s%> directive output between %wu and %wu "
2711 "bytes may exceed minimum required size of 4095")
2712 : G_("%<%.*s%> directive output between %wu and %wu "
2713 "bytes exceeds minimum required size of 4095"));
2715 warned = fmtwarn (dirloc, pargrange, NULL,
2716 info.warnopt (), fmtstr,
2717 dirlen, dir.beg,
2718 fmtres.range.min, fmtres.range.max);
2722 /* Has the likely and maximum directive output exceeded INT_MAX? */
2723 bool likelyximax = *dir.beg && res->range.likely > target_int_max ();
2724 /* Don't consider the maximum to be in excess when it's the result
2725 of a string of unknown length (i.e., whose maximum has been set
2726 to be greater than or equal to HOST_WIDE_INT_MAX. */
2727 bool maxximax = (*dir.beg
2728 && res->range.max > target_int_max ()
2729 && res->range.max < HOST_WIDE_INT_MAX);
2731 if (!warned
2732 /* Warn for the likely output size at level 1. */
2733 && (likelyximax
2734 /* But only warn for the maximum at level 2. */
2735 || (1 < warn_level
2736 && maxximax
2737 && fmtres.range.max < HOST_WIDE_INT_MAX)))
2739 /* The directive output causes the total length of output
2740 to exceed INT_MAX bytes. */
2742 if (fmtres.range.min == fmtres.range.max)
2743 warned = fmtwarn (dirloc, pargrange, NULL, info.warnopt (),
2744 "%<%.*s%> directive output of %wu bytes causes "
2745 "result to exceed %<INT_MAX%>",
2746 dirlen, dir.beg, fmtres.range.min);
2747 else
2749 const char *fmtstr
2750 = (fmtres.range.min > target_int_max ()
2751 ? G_ ("%<%.*s%> directive output between %wu and %wu "
2752 "bytes causes result to exceed %<INT_MAX%>")
2753 : G_ ("%<%.*s%> directive output between %wu and %wu "
2754 "bytes may cause result to exceed %<INT_MAX%>"));
2755 warned = fmtwarn (dirloc, pargrange, NULL,
2756 info.warnopt (), fmtstr,
2757 dirlen, dir.beg,
2758 fmtres.range.min, fmtres.range.max);
2762 if (warned && fmtres.range.min < fmtres.range.likely
2763 && fmtres.range.likely < fmtres.range.max)
2765 inform (info.fmtloc,
2766 (1 == fmtres.range.likely
2767 ? G_("assuming directive output of %wu byte")
2768 : G_("assuming directive output of %wu bytes")),
2769 fmtres.range.likely);
2772 if (warned && fmtres.argmin)
2774 if (fmtres.argmin == fmtres.argmax)
2775 inform (info.fmtloc, "directive argument %qE", fmtres.argmin);
2776 else if (fmtres.knownrange)
2777 inform (info.fmtloc, "directive argument in the range [%E, %E]",
2778 fmtres.argmin, fmtres.argmax);
2779 else
2780 inform (info.fmtloc,
2781 "using the range [%E, %E] for directive argument",
2782 fmtres.argmin, fmtres.argmax);
2785 res->warned |= warned;
2787 if (!dir.beg[0] && res->warned && info.objsize < HOST_WIDE_INT_MAX)
2789 /* If a warning has been issued for buffer overflow or truncation
2790 (but not otherwise) help the user figure out how big a buffer
2791 they need. */
2793 location_t callloc = gimple_location (info.callstmt);
2795 unsigned HOST_WIDE_INT min = res->range.min;
2796 unsigned HOST_WIDE_INT max = res->range.max;
2798 if (min == max)
2799 inform (callloc,
2800 (min == 1
2801 ? G_("%qE output %wu byte into a destination of size %wu")
2802 : G_("%qE output %wu bytes into a destination of size %wu")),
2803 info.func, min, info.objsize);
2804 else if (max < HOST_WIDE_INT_MAX)
2805 inform (callloc,
2806 "%qE output between %wu and %wu bytes into "
2807 "a destination of size %wu",
2808 info.func, min, max, info.objsize);
2809 else if (min < res->range.likely && res->range.likely < max)
2810 inform (callloc,
2811 "%qE output %wu or more bytes (assuming %wu) into "
2812 "a destination of size %wu",
2813 info.func, min, res->range.likely, info.objsize);
2814 else
2815 inform (callloc,
2816 "%qE output %wu or more bytes into a destination of size %wu",
2817 info.func, min, info.objsize);
2820 if (dump_file && *dir.beg)
2822 fprintf (dump_file, " Result: %lli, %lli, %lli, %lli "
2823 "(%lli, %lli, %lli, %lli)\n",
2824 (long long)fmtres.range.min,
2825 (long long)fmtres.range.likely,
2826 (long long)fmtres.range.max,
2827 (long long)fmtres.range.unlikely,
2828 (long long)res->range.min,
2829 (long long)res->range.likely,
2830 (long long)res->range.max,
2831 (long long)res->range.unlikely);
2834 return true;
2837 #pragma GCC diagnostic pop
2839 /* Parse a format directive in function call described by INFO starting
2840 at STR and populate DIR structure. Bump up *ARGNO by the number of
2841 arguments extracted for the directive. Return the length of
2842 the directive. */
2844 static size_t
2845 parse_directive (pass_sprintf_length::call_info &info,
2846 directive &dir, format_result *res,
2847 const char *str, unsigned *argno)
2849 const char *pcnt = strchr (str, '%');
2850 dir.beg = str;
2852 if (size_t len = pcnt ? pcnt - str : *str ? strlen (str) : 1)
2854 /* This directive is either a plain string or the terminating nul
2855 (which isn't really a directive but it simplifies things to
2856 handle it as if it were). */
2857 dir.len = len;
2858 dir.fmtfunc = format_plain;
2860 if (dump_file)
2862 fprintf (dump_file, " Directive %u at offset %llu: \"%.*s\", "
2863 "length = %llu\n",
2864 dir.dirno,
2865 (unsigned long long)(size_t)(dir.beg - info.fmtstr),
2866 (int)dir.len, dir.beg, (unsigned long long)dir.len);
2869 return len - !*str;
2872 const char *pf = pcnt + 1;
2874 /* POSIX numbered argument index or zero when none. */
2875 unsigned dollar = 0;
2877 /* With and precision. -1 when not specified, HOST_WIDE_INT_MIN
2878 when given by a va_list argument, and a non-negative value
2879 when specified in the format string itself. */
2880 HOST_WIDE_INT width = -1;
2881 HOST_WIDE_INT precision = -1;
2883 /* Width specified via the asterisk. Need not be INTEGER_CST.
2884 For vararg functions set to void_node. */
2885 tree star_width = NULL_TREE;
2887 /* Width specified via the asterisk. Need not be INTEGER_CST.
2888 For vararg functions set to void_node. */
2889 tree star_precision = NULL_TREE;
2891 if (ISDIGIT (*pf))
2893 /* This could be either a POSIX positional argument, the '0'
2894 flag, or a width, depending on what follows. Store it as
2895 width and sort it out later after the next character has
2896 been seen. */
2897 char *end;
2898 width = strtol (pf, &end, 10);
2899 pf = end;
2901 else if ('*' == *pf)
2903 /* Similarly to the block above, this could be either a POSIX
2904 positional argument or a width, depending on what follows. */
2905 if (*argno < gimple_call_num_args (info.callstmt))
2906 star_width = gimple_call_arg (info.callstmt, (*argno)++);
2907 else
2908 star_width = void_node;
2909 ++pf;
2912 if (*pf == '$')
2914 /* Handle the POSIX dollar sign which references the 1-based
2915 positional argument number. */
2916 if (width != -1)
2917 dollar = width + info.argidx;
2918 else if (star_width
2919 && TREE_CODE (star_width) == INTEGER_CST)
2920 dollar = width + tree_to_shwi (star_width);
2922 /* Bail when the numbered argument is out of range (it will
2923 have already been diagnosed by -Wformat). */
2924 if (dollar == 0
2925 || dollar == info.argidx
2926 || dollar > gimple_call_num_args (info.callstmt))
2927 return false;
2929 --dollar;
2931 star_width = NULL_TREE;
2932 width = -1;
2933 ++pf;
2936 if (dollar || !star_width)
2938 if (width != -1)
2940 if (width == 0)
2942 /* The '0' that has been interpreted as a width above is
2943 actually a flag. Reset HAVE_WIDTH, set the '0' flag,
2944 and continue processing other flags. */
2945 width = -1;
2946 dir.set_flag ('0');
2948 else if (!dollar)
2950 /* (Non-zero) width has been seen. The next character
2951 is either a period or a digit. */
2952 goto start_precision;
2955 /* When either '$' has been seen, or width has not been seen,
2956 the next field is the optional flags followed by an optional
2957 width. */
2958 for ( ; ; ) {
2959 switch (*pf)
2961 case ' ':
2962 case '0':
2963 case '+':
2964 case '-':
2965 case '#':
2966 dir.set_flag (*pf++);
2967 break;
2969 default:
2970 goto start_width;
2974 start_width:
2975 if (ISDIGIT (*pf))
2977 char *end;
2978 width = strtol (pf, &end, 10);
2979 pf = end;
2981 else if ('*' == *pf)
2983 if (*argno < gimple_call_num_args (info.callstmt))
2984 star_width = gimple_call_arg (info.callstmt, (*argno)++);
2985 else
2987 /* This is (likely) a va_list. It could also be an invalid
2988 call with insufficient arguments. */
2989 star_width = void_node;
2991 ++pf;
2993 else if ('\'' == *pf)
2995 /* The POSIX apostrophe indicating a numeric grouping
2996 in the current locale. Even though it's possible to
2997 estimate the upper bound on the size of the output
2998 based on the number of digits it probably isn't worth
2999 continuing. */
3000 return 0;
3004 start_precision:
3005 if ('.' == *pf)
3007 ++pf;
3009 if (ISDIGIT (*pf))
3011 char *end;
3012 precision = strtol (pf, &end, 10);
3013 pf = end;
3015 else if ('*' == *pf)
3017 if (*argno < gimple_call_num_args (info.callstmt))
3018 star_precision = gimple_call_arg (info.callstmt, (*argno)++);
3019 else
3021 /* This is (likely) a va_list. It could also be an invalid
3022 call with insufficient arguments. */
3023 star_precision = void_node;
3025 ++pf;
3027 else
3029 /* The decimal precision or the asterisk are optional.
3030 When neither is dirified it's taken to be zero. */
3031 precision = 0;
3035 switch (*pf)
3037 case 'h':
3038 if (pf[1] == 'h')
3040 ++pf;
3041 dir.modifier = FMT_LEN_hh;
3043 else
3044 dir.modifier = FMT_LEN_h;
3045 ++pf;
3046 break;
3048 case 'j':
3049 dir.modifier = FMT_LEN_j;
3050 ++pf;
3051 break;
3053 case 'L':
3054 dir.modifier = FMT_LEN_L;
3055 ++pf;
3056 break;
3058 case 'l':
3059 if (pf[1] == 'l')
3061 ++pf;
3062 dir.modifier = FMT_LEN_ll;
3064 else
3065 dir.modifier = FMT_LEN_l;
3066 ++pf;
3067 break;
3069 case 't':
3070 dir.modifier = FMT_LEN_t;
3071 ++pf;
3072 break;
3074 case 'z':
3075 dir.modifier = FMT_LEN_z;
3076 ++pf;
3077 break;
3080 switch (*pf)
3082 /* Handle a sole '%' character the same as "%%" but since it's
3083 undefined prevent the result from being folded. */
3084 case '\0':
3085 --pf;
3086 res->range.min = res->range.max = HOST_WIDE_INT_M1U;
3087 /* FALLTHRU */
3088 case '%':
3089 dir.fmtfunc = format_percent;
3090 break;
3092 case 'a':
3093 case 'A':
3094 case 'e':
3095 case 'E':
3096 case 'f':
3097 case 'F':
3098 case 'g':
3099 case 'G':
3100 res->floating = true;
3101 dir.fmtfunc = format_floating;
3102 break;
3104 case 'd':
3105 case 'i':
3106 case 'o':
3107 case 'u':
3108 case 'x':
3109 case 'X':
3110 dir.fmtfunc = format_integer;
3111 break;
3113 case 'p':
3114 /* The %p output is implementation-defined. It's possible
3115 to determine this format but due to extensions (edirially
3116 those of the Linux kernel -- see bug 78512) the first %p
3117 in the format string disables any further processing. */
3118 return false;
3120 case 'n':
3121 /* %n has side-effects even when nothing is actually printed to
3122 any buffer. */
3123 info.nowrite = false;
3124 dir.fmtfunc = format_none;
3125 break;
3127 case 'c':
3128 dir.fmtfunc = format_character;
3129 break;
3131 case 'S':
3132 case 's':
3133 dir.fmtfunc = format_string;
3134 break;
3136 default:
3137 /* Unknown conversion specification. */
3138 return 0;
3141 dir.specifier = *pf++;
3143 if (star_width)
3145 if (INTEGRAL_TYPE_P (TREE_TYPE (star_width)))
3146 dir.set_width (star_width);
3147 else
3149 /* Width specified by a va_list takes on the range [0, -INT_MIN]
3150 (width is the absolute value of that specified). */
3151 dir.width[0] = 0;
3152 dir.width[1] = target_int_max () + 1;
3155 else
3156 dir.set_width (width);
3158 if (star_precision)
3160 if (INTEGRAL_TYPE_P (TREE_TYPE (star_precision)))
3161 dir.set_precision (star_precision);
3162 else
3164 /* Precision specified by a va_list takes on the range [-1, INT_MAX]
3165 (unlike width, negative precision is ignored). */
3166 dir.prec[0] = -1;
3167 dir.prec[1] = target_int_max ();
3170 else
3171 dir.set_precision (precision);
3173 /* Extract the argument if the directive takes one and if it's
3174 available (e.g., the function doesn't take a va_list). Treat
3175 missing arguments the same as va_list, even though they will
3176 have likely already been diagnosed by -Wformat. */
3177 if (dir.specifier != '%'
3178 && *argno < gimple_call_num_args (info.callstmt))
3179 dir.arg = gimple_call_arg (info.callstmt, dollar ? dollar : (*argno)++);
3181 /* Return the length of the format directive. */
3182 dir.len = pf - pcnt;
3184 if (dump_file)
3186 fprintf (dump_file, " Directive %u at offset %llu: \"%.*s\"",
3187 dir.dirno, (unsigned long long)(size_t)(dir.beg - info.fmtstr),
3188 (int)dir.len, dir.beg);
3189 if (star_width)
3191 if (dir.width[0] == dir.width[1])
3192 fprintf (dump_file, ", width = %lli", (long long)dir.width[0]);
3193 else
3194 fprintf (dump_file, ", width in range [%lli, %lli]",
3195 (long long)dir.width[0], (long long)dir.width[1]);
3198 if (star_precision)
3200 if (dir.prec[0] == dir.prec[1])
3201 fprintf (dump_file, ", precision = %lli", (long long)dir.prec[0]);
3202 else
3203 fprintf (dump_file, ", precision in range [%lli, %lli]",
3204 (long long)dir.prec[0], (long long)dir.prec[1]);
3206 fputc ('\n', dump_file);
3209 return dir.len;
3212 /* Compute the length of the output resulting from the call to a formatted
3213 output function described by INFO and store the result of the call in
3214 *RES. Issue warnings for detected past the end writes. Return true
3215 if the complete format string has been processed and *RES can be relied
3216 on, false otherwise (e.g., when a unknown or unhandled directive was seen
3217 that caused the processing to be terminated early). */
3219 bool
3220 pass_sprintf_length::compute_format_length (call_info &info,
3221 format_result *res)
3223 if (dump_file)
3225 location_t callloc = gimple_location (info.callstmt);
3226 fprintf (dump_file, "%s:%i: ",
3227 LOCATION_FILE (callloc), LOCATION_LINE (callloc));
3228 print_generic_expr (dump_file, info.func, dump_flags);
3230 fprintf (dump_file, ": objsize = %llu, fmtstr = \"%s\"\n",
3231 (unsigned long long)info.objsize, info.fmtstr);
3234 /* Reset the minimum and maximum byte counters. */
3235 res->range.min = res->range.max = 0;
3237 /* No directive has been seen yet so the length of output is bounded
3238 by the known range [0, 0] (with no conversion producing more than
3239 4K bytes) until determined otherwise. */
3240 res->knownrange = true;
3241 res->under4k = true;
3242 res->floating = false;
3243 res->warned = false;
3245 /* 1-based directive counter. */
3246 unsigned dirno = 1;
3248 /* The variadic argument counter. */
3249 unsigned argno = info.argidx;
3251 for (const char *pf = info.fmtstr; ; ++dirno)
3253 directive dir = directive ();
3254 dir.dirno = dirno;
3256 size_t n = parse_directive (info, dir, res, pf, &argno);
3258 /* Return failure if the format function fails. */
3259 if (!format_directive (info, res, dir))
3260 return false;
3262 /* Return success the directive is zero bytes long and it's
3263 the last think in the format string (i.e., it's the terminating
3264 nul, which isn't really a directive but handling it as one makes
3265 things simpler). */
3266 if (!n)
3267 return *pf == '\0';
3269 pf += n;
3272 /* The complete format string was processed (with or without warnings). */
3273 return true;
3276 /* Return the size of the object referenced by the expression DEST if
3277 available, or -1 otherwise. */
3279 static unsigned HOST_WIDE_INT
3280 get_destination_size (tree dest)
3282 /* Initialize object size info before trying to compute it. */
3283 init_object_sizes ();
3285 /* Use __builtin_object_size to determine the size of the destination
3286 object. When optimizing, determine the smallest object (such as
3287 a member array as opposed to the whole enclosing object), otherwise
3288 use type-zero object size to determine the size of the enclosing
3289 object (the function fails without optimization in this type). */
3290 int ost = optimize > 0;
3291 unsigned HOST_WIDE_INT size;
3292 if (compute_builtin_object_size (dest, ost, &size))
3293 return size;
3295 return HOST_WIDE_INT_M1U;
3298 /* Given a suitable result RES of a call to a formatted output function
3299 described by INFO, substitute the result for the return value of
3300 the call. The result is suitable if the number of bytes it represents
3301 is known and exact. A result that isn't suitable for substitution may
3302 have its range set to the range of return values, if that is known.
3303 Return true if the call is removed and gsi_next should not be performed
3304 in the caller. */
3306 static bool
3307 try_substitute_return_value (gimple_stmt_iterator *gsi,
3308 const pass_sprintf_length::call_info &info,
3309 const format_result &res)
3311 tree lhs = gimple_get_lhs (info.callstmt);
3313 /* Set to true when the entire call has been removed. */
3314 bool removed = false;
3316 /* The minimum return value. */
3317 unsigned HOST_WIDE_INT minretval = res.range.min;
3319 /* The maximum return value is in most cases bounded by RES.RANGE.MAX
3320 but in cases involving multibyte characters could be as large as
3321 RES.RANGE.UNLIKELY. */
3322 unsigned HOST_WIDE_INT maxretval
3323 = res.range.unlikely < res.range.max ? res.range.max : res.range.unlikely;
3325 /* Adjust the number of bytes which includes the terminating nul
3326 to reflect the return value of the function which does not.
3327 Because the valid range of the function is [INT_MIN, INT_MAX],
3328 a valid range before the adjustment below is [0, INT_MAX + 1]
3329 (the functions only return negative values on error or undefined
3330 behavior). */
3331 if (minretval <= target_int_max () + 1)
3332 --minretval;
3333 if (maxretval <= target_int_max () + 1)
3334 --maxretval;
3336 /* Avoid the return value optimization when the behavior of the call
3337 is undefined either because any directive may have produced 4K or
3338 more of output, or the return value exceeds INT_MAX, or because
3339 the output overflows the destination object (but leave it enabled
3340 when the function is bounded because then the behavior is well-
3341 defined). */
3342 if (res.under4k
3343 && minretval == maxretval
3344 && (info.bounded || minretval < info.objsize)
3345 && minretval <= target_int_max ()
3346 /* Not prepared to handle possibly throwing calls here; they shouldn't
3347 appear in non-artificial testcases, except when the __*_chk routines
3348 are badly declared. */
3349 && !stmt_ends_bb_p (info.callstmt))
3351 tree cst = build_int_cst (integer_type_node, minretval);
3353 if (lhs == NULL_TREE
3354 && info.nowrite)
3356 /* Remove the call to the bounded function with a zero size
3357 (e.g., snprintf(0, 0, "%i", 123)) if there is no lhs. */
3358 unlink_stmt_vdef (info.callstmt);
3359 gsi_remove (gsi, true);
3360 removed = true;
3362 else if (info.nowrite)
3364 /* Replace the call to the bounded function with a zero size
3365 (e.g., snprintf(0, 0, "%i", 123) with the constant result
3366 of the function. */
3367 if (!update_call_from_tree (gsi, cst))
3368 gimplify_and_update_call_from_tree (gsi, cst);
3369 gimple *callstmt = gsi_stmt (*gsi);
3370 update_stmt (callstmt);
3372 else if (lhs)
3374 /* Replace the left-hand side of the call with the constant
3375 result of the formatted function. */
3376 gimple_call_set_lhs (info.callstmt, NULL_TREE);
3377 gimple *g = gimple_build_assign (lhs, cst);
3378 gsi_insert_after (gsi, g, GSI_NEW_STMT);
3379 update_stmt (info.callstmt);
3382 if (dump_file)
3384 if (removed)
3385 fprintf (dump_file, " Removing call statement.");
3386 else
3388 fprintf (dump_file, " Substituting ");
3389 print_generic_expr (dump_file, cst, dump_flags);
3390 fprintf (dump_file, " for %s.\n",
3391 info.nowrite ? "statement" : "return value");
3395 else if (lhs)
3397 bool setrange = false;
3399 if ((info.bounded || maxretval < info.objsize)
3400 && res.under4k
3401 && (minretval < target_int_max ()
3402 && maxretval < target_int_max ()))
3404 /* If the result is in a valid range bounded by the size of
3405 the destination set it so that it can be used for subsequent
3406 optimizations. */
3407 int prec = TYPE_PRECISION (integer_type_node);
3409 wide_int min = wi::shwi (minretval, prec);
3410 wide_int max = wi::shwi (maxretval, prec);
3411 set_range_info (lhs, VR_RANGE, min, max);
3413 setrange = true;
3416 if (dump_file)
3418 const char *inbounds
3419 = (minretval < info.objsize
3420 ? (maxretval < info.objsize
3421 ? "in" : "potentially out-of")
3422 : "out-of");
3424 const char *what = setrange ? "Setting" : "Discarding";
3425 if (minretval != maxretval)
3426 fprintf (dump_file,
3427 " %s %s-bounds return value range [%llu, %llu].\n",
3428 what, inbounds,
3429 (unsigned long long)minretval,
3430 (unsigned long long)maxretval);
3431 else
3432 fprintf (dump_file, " %s %s-bounds return value %llu.\n",
3433 what, inbounds, (unsigned long long)minretval);
3437 if (dump_file)
3438 fputc ('\n', dump_file);
3440 return removed;
3443 /* Determine if a GIMPLE CALL is to one of the sprintf-like built-in
3444 functions and if so, handle it. Return true if the call is removed
3445 and gsi_next should not be performed in the caller. */
3447 bool
3448 pass_sprintf_length::handle_gimple_call (gimple_stmt_iterator *gsi)
3450 call_info info = call_info ();
3452 info.callstmt = gsi_stmt (*gsi);
3453 if (!gimple_call_builtin_p (info.callstmt, BUILT_IN_NORMAL))
3454 return false;
3456 info.func = gimple_call_fndecl (info.callstmt);
3457 info.fncode = DECL_FUNCTION_CODE (info.func);
3459 /* The size of the destination as in snprintf(dest, size, ...). */
3460 unsigned HOST_WIDE_INT dstsize = HOST_WIDE_INT_M1U;
3462 /* The size of the destination determined by __builtin_object_size. */
3463 unsigned HOST_WIDE_INT objsize = HOST_WIDE_INT_M1U;
3465 /* Buffer size argument number (snprintf and vsnprintf). */
3466 unsigned HOST_WIDE_INT idx_dstsize = HOST_WIDE_INT_M1U;
3468 /* Object size argument number (snprintf_chk and vsnprintf_chk). */
3469 unsigned HOST_WIDE_INT idx_objsize = HOST_WIDE_INT_M1U;
3471 /* Format string argument number (valid for all functions). */
3472 unsigned idx_format;
3474 switch (info.fncode)
3476 case BUILT_IN_SPRINTF:
3477 // Signature:
3478 // __builtin_sprintf (dst, format, ...)
3479 idx_format = 1;
3480 info.argidx = 2;
3481 break;
3483 case BUILT_IN_SPRINTF_CHK:
3484 // Signature:
3485 // __builtin___sprintf_chk (dst, ost, objsize, format, ...)
3486 idx_objsize = 2;
3487 idx_format = 3;
3488 info.argidx = 4;
3489 break;
3491 case BUILT_IN_SNPRINTF:
3492 // Signature:
3493 // __builtin_snprintf (dst, size, format, ...)
3494 idx_dstsize = 1;
3495 idx_format = 2;
3496 info.argidx = 3;
3497 info.bounded = true;
3498 break;
3500 case BUILT_IN_SNPRINTF_CHK:
3501 // Signature:
3502 // __builtin___snprintf_chk (dst, size, ost, objsize, format, ...)
3503 idx_dstsize = 1;
3504 idx_objsize = 3;
3505 idx_format = 4;
3506 info.argidx = 5;
3507 info.bounded = true;
3508 break;
3510 case BUILT_IN_VSNPRINTF:
3511 // Signature:
3512 // __builtin_vsprintf (dst, size, format, va)
3513 idx_dstsize = 1;
3514 idx_format = 2;
3515 info.argidx = -1;
3516 info.bounded = true;
3517 break;
3519 case BUILT_IN_VSNPRINTF_CHK:
3520 // Signature:
3521 // __builtin___vsnprintf_chk (dst, size, ost, objsize, format, va)
3522 idx_dstsize = 1;
3523 idx_objsize = 3;
3524 idx_format = 4;
3525 info.argidx = -1;
3526 info.bounded = true;
3527 break;
3529 case BUILT_IN_VSPRINTF:
3530 // Signature:
3531 // __builtin_vsprintf (dst, format, va)
3532 idx_format = 1;
3533 info.argidx = -1;
3534 break;
3536 case BUILT_IN_VSPRINTF_CHK:
3537 // Signature:
3538 // __builtin___vsprintf_chk (dst, ost, objsize, format, va)
3539 idx_format = 3;
3540 idx_objsize = 2;
3541 info.argidx = -1;
3542 break;
3544 default:
3545 return false;
3548 /* Set the global warning level for this function. */
3549 warn_level = info.bounded ? warn_format_trunc : warn_format_overflow;
3551 /* The first argument is a pointer to the destination. */
3552 tree dstptr = gimple_call_arg (info.callstmt, 0);
3554 info.format = gimple_call_arg (info.callstmt, idx_format);
3556 /* True when the destination size is constant as opposed to the lower
3557 or upper bound of a range. */
3558 bool dstsize_cst_p = true;
3560 if (idx_dstsize == HOST_WIDE_INT_M1U)
3562 /* For non-bounded functions like sprintf, determine the size
3563 of the destination from the object or pointer passed to it
3564 as the first argument. */
3565 dstsize = get_destination_size (dstptr);
3567 else if (tree size = gimple_call_arg (info.callstmt, idx_dstsize))
3569 /* For bounded functions try to get the size argument. */
3571 if (TREE_CODE (size) == INTEGER_CST)
3573 dstsize = tree_to_uhwi (size);
3574 /* No object can be larger than SIZE_MAX bytes (half the address
3575 space) on the target.
3576 The functions are defined only for output of at most INT_MAX
3577 bytes. Specifying a bound in excess of that limit effectively
3578 defeats the bounds checking (and on some implementations such
3579 as Solaris cause the function to fail with EINVAL). */
3580 if (dstsize > target_size_max () / 2)
3582 /* Avoid warning if -Wstringop-overflow is specified since
3583 it also warns for the same thing though only for the
3584 checking built-ins. */
3585 if ((idx_objsize == HOST_WIDE_INT_M1U
3586 || !warn_stringop_overflow))
3587 warning_at (gimple_location (info.callstmt), info.warnopt (),
3588 "specified bound %wu exceeds maximum object size "
3589 "%wu",
3590 dstsize, target_size_max () / 2);
3592 else if (dstsize > target_int_max ())
3593 warning_at (gimple_location (info.callstmt), info.warnopt (),
3594 "specified bound %wu exceeds %<INT_MAX %>",
3595 dstsize);
3597 else if (TREE_CODE (size) == SSA_NAME)
3599 /* Try to determine the range of values of the argument
3600 and use the greater of the two at level 1 and the smaller
3601 of them at level 2. */
3602 wide_int min, max;
3603 enum value_range_type range_type
3604 = get_range_info (size, &min, &max);
3605 if (range_type == VR_RANGE)
3607 dstsize
3608 = (warn_level < 2
3609 ? wi::fits_uhwi_p (max) ? max.to_uhwi () : max.to_shwi ()
3610 : wi::fits_uhwi_p (min) ? min.to_uhwi () : min.to_shwi ());
3613 /* The destination size is not constant. If the function is
3614 bounded (e.g., snprintf) a lower bound of zero doesn't
3615 necessarily imply it can be eliminated. */
3616 dstsize_cst_p = false;
3620 if (idx_objsize != HOST_WIDE_INT_M1U)
3621 if (tree size = gimple_call_arg (info.callstmt, idx_objsize))
3622 if (tree_fits_uhwi_p (size))
3623 objsize = tree_to_uhwi (size);
3625 if (info.bounded && !dstsize)
3627 /* As a special case, when the explicitly specified destination
3628 size argument (to a bounded function like snprintf) is zero
3629 it is a request to determine the number of bytes on output
3630 without actually producing any. Pretend the size is
3631 unlimited in this case. */
3632 info.objsize = HOST_WIDE_INT_MAX;
3633 info.nowrite = dstsize_cst_p;
3635 else
3637 /* For calls to non-bounded functions or to those of bounded
3638 functions with a non-zero size, warn if the destination
3639 pointer is null. */
3640 if (integer_zerop (dstptr))
3642 /* This is diagnosed with -Wformat only when the null is a constant
3643 pointer. The warning here diagnoses instances where the pointer
3644 is not constant. */
3645 location_t loc = gimple_location (info.callstmt);
3646 warning_at (EXPR_LOC_OR_LOC (dstptr, loc),
3647 info.warnopt (), "null destination pointer");
3648 return false;
3651 /* Set the object size to the smaller of the two arguments
3652 of both have been specified and they're not equal. */
3653 info.objsize = dstsize < objsize ? dstsize : objsize;
3655 if (info.bounded
3656 && dstsize < target_size_max () / 2 && objsize < dstsize
3657 /* Avoid warning if -Wstringop-overflow is specified since
3658 it also warns for the same thing though only for the
3659 checking built-ins. */
3660 && (idx_objsize == HOST_WIDE_INT_M1U
3661 || !warn_stringop_overflow))
3663 warning_at (gimple_location (info.callstmt), info.warnopt (),
3664 "specified bound %wu exceeds the size %wu "
3665 "of the destination object", dstsize, objsize);
3669 if (integer_zerop (info.format))
3671 /* This is diagnosed with -Wformat only when the null is a constant
3672 pointer. The warning here diagnoses instances where the pointer
3673 is not constant. */
3674 location_t loc = gimple_location (info.callstmt);
3675 warning_at (EXPR_LOC_OR_LOC (info.format, loc),
3676 info.warnopt (), "null format string");
3677 return false;
3680 info.fmtstr = get_format_string (info.format, &info.fmtloc);
3681 if (!info.fmtstr)
3682 return false;
3684 /* The result is the number of bytes output by the formatted function,
3685 including the terminating NUL. */
3686 format_result res = format_result ();
3688 bool success = compute_format_length (info, &res);
3690 /* When optimizing and the printf return value optimization is enabled,
3691 attempt to substitute the computed result for the return value of
3692 the call. Avoid this optimization when -frounding-math is in effect
3693 and the format string contains a floating point directive. */
3694 if (success
3695 && optimize > 0
3696 && flag_printf_return_value
3697 && (!flag_rounding_math || !res.floating))
3698 return try_substitute_return_value (gsi, info, res);
3700 return false;
3703 /* Execute the pass for function FUN. */
3705 unsigned int
3706 pass_sprintf_length::execute (function *fun)
3708 basic_block bb;
3709 FOR_EACH_BB_FN (bb, fun)
3711 for (gimple_stmt_iterator si = gsi_start_bb (bb); !gsi_end_p (si); )
3713 /* Iterate over statements, looking for function calls. */
3714 gimple *stmt = gsi_stmt (si);
3716 if (is_gimple_call (stmt) && handle_gimple_call (&si))
3717 /* If handle_gimple_call returns true, the iterator is
3718 already pointing to the next statement. */
3719 continue;
3721 gsi_next (&si);
3725 /* Clean up object size info. */
3726 fini_object_sizes ();
3728 return 0;
3731 } /* Unnamed namespace. */
3733 /* Return a pointer to a pass object newly constructed from the context
3734 CTXT. */
3736 gimple_opt_pass *
3737 make_pass_sprintf_length (gcc::context *ctxt)
3739 return new pass_sprintf_length (ctxt);