]> git.ipfire.org Git - thirdparty/gcc.git/blob - gcc/gimple-ssa-sprintf.c
Correct a function pre/postcondition [PR102403].
[thirdparty/gcc.git] / gcc / gimple-ssa-sprintf.c
1 /* Copyright (C) 2016-2021 Free Software Foundation, Inc.
2 Contributed by Martin Sebor <msebor@redhat.com>.
3
4 This file is part of GCC.
5
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.
10
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.
15
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/>. */
19
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.
28
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 rather 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.
37
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 format 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. */
47
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 "tree-cfg.h"
64 #include "tree-ssa-propagate.h"
65 #include "calls.h"
66 #include "cfgloop.h"
67 #include "tree-scalar-evolution.h"
68 #include "tree-ssa-loop.h"
69 #include "intl.h"
70 #include "langhooks.h"
71
72 #include "attribs.h"
73 #include "builtins.h"
74 #include "pointer-query.h"
75 #include "stor-layout.h"
76
77 #include "realmpfr.h"
78 #include "target.h"
79
80 #include "cpplib.h"
81 #include "input.h"
82 #include "toplev.h"
83 #include "substring-locations.h"
84 #include "diagnostic.h"
85 #include "domwalk.h"
86 #include "alloc-pool.h"
87 #include "vr-values.h"
88 #include "tree-ssa-strlen.h"
89 #include "tree-dfa.h"
90
91 /* The likely worst case value of MB_LEN_MAX for the target, large enough
92 for UTF-8. Ideally, this would be obtained by a target hook if it were
93 to be used for optimization but it's good enough as is for warnings. */
94 #define target_mb_len_max() 6
95
96 /* The maximum number of bytes a single non-string directive can result
97 in. This is the result of printf("%.*Lf", INT_MAX, -LDBL_MAX) for
98 LDBL_MAX_10_EXP of 4932. */
99 #define IEEE_MAX_10_EXP 4932
100 #define target_dir_max() (target_int_max () + IEEE_MAX_10_EXP + 2)
101
102 namespace {
103
104 /* Set to the warning level for the current function which is equal
105 either to warn_format_trunc for bounded functions or to
106 warn_format_overflow otherwise. */
107
108 static int warn_level;
109
110 /* The minimum, maximum, likely, and unlikely maximum number of bytes
111 of output either a formatting function or an individual directive
112 can result in. */
113
114 struct result_range
115 {
116 /* The absolute minimum number of bytes. The result of a successful
117 conversion is guaranteed to be no less than this. (An erroneous
118 conversion can be indicated by MIN > HOST_WIDE_INT_MAX.) */
119 unsigned HOST_WIDE_INT min;
120 /* The likely maximum result that is used in diagnostics. In most
121 cases MAX is the same as the worst case UNLIKELY result. */
122 unsigned HOST_WIDE_INT max;
123 /* The likely result used to trigger diagnostics. For conversions
124 that result in a range of bytes [MIN, MAX], LIKELY is somewhere
125 in that range. */
126 unsigned HOST_WIDE_INT likely;
127 /* In rare cases (e.g., for multibyte characters) UNLIKELY gives
128 the worst cases maximum result of a directive. In most cases
129 UNLIKELY == MAX. UNLIKELY is used to control the return value
130 optimization but not in diagnostics. */
131 unsigned HOST_WIDE_INT unlikely;
132 };
133
134 /* Return the value of INT_MIN for the target. */
135
136 static inline HOST_WIDE_INT
137 target_int_min ()
138 {
139 return tree_to_shwi (TYPE_MIN_VALUE (integer_type_node));
140 }
141
142 /* Return the value of INT_MAX for the target. */
143
144 static inline unsigned HOST_WIDE_INT
145 target_int_max ()
146 {
147 return tree_to_uhwi (TYPE_MAX_VALUE (integer_type_node));
148 }
149
150 /* Return the value of SIZE_MAX for the target. */
151
152 static inline unsigned HOST_WIDE_INT
153 target_size_max ()
154 {
155 return tree_to_uhwi (TYPE_MAX_VALUE (size_type_node));
156 }
157
158 /* A straightforward mapping from the execution character set to the host
159 character set indexed by execution character. */
160
161 static char target_to_host_charmap[256];
162
163 /* Initialize a mapping from the execution character set to the host
164 character set. */
165
166 static bool
167 init_target_to_host_charmap ()
168 {
169 /* If the percent sign is non-zero the mapping has already been
170 initialized. */
171 if (target_to_host_charmap['%'])
172 return true;
173
174 /* Initialize the target_percent character (done elsewhere). */
175 if (!init_target_chars ())
176 return false;
177
178 /* The subset of the source character set used by printf conversion
179 specifications (strictly speaking, not all letters are used but
180 they are included here for the sake of simplicity). The dollar
181 sign must be included even though it's not in the basic source
182 character set. */
183 const char srcset[] = " 0123456789!\"#%&'()*+,-./:;<=>?[\\]^_{|}~$"
184 "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz";
185
186 /* Set the mapping for all characters to some ordinary value (i,e.,
187 not none used in printf conversion specifications) and overwrite
188 those that are used by conversion specifications with their
189 corresponding values. */
190 memset (target_to_host_charmap + 1, '?', sizeof target_to_host_charmap - 1);
191
192 /* Are the two sets of characters the same? */
193 bool all_same_p = true;
194
195 for (const char *pc = srcset; *pc; ++pc)
196 {
197 /* Slice off the high end bits in case target characters are
198 signed. All values are expected to be non-nul, otherwise
199 there's a problem. */
200 if (unsigned char tc = lang_hooks.to_target_charset (*pc))
201 {
202 target_to_host_charmap[tc] = *pc;
203 if (tc != *pc)
204 all_same_p = false;
205 }
206 else
207 return false;
208
209 }
210
211 /* Set the first element to a non-zero value if the mapping
212 is 1-to-1, otherwise leave it clear (NUL is assumed to be
213 the same in both character sets). */
214 target_to_host_charmap[0] = all_same_p;
215
216 return true;
217 }
218
219 /* Return the host source character corresponding to the character
220 CH in the execution character set if one exists, or some innocuous
221 (non-special, non-nul) source character otherwise. */
222
223 static inline unsigned char
224 target_to_host (unsigned char ch)
225 {
226 return target_to_host_charmap[ch];
227 }
228
229 /* Convert an initial substring of the string TARGSTR consisting of
230 characters in the execution character set into a string in the
231 source character set on the host and store up to HOSTSZ characters
232 in the buffer pointed to by HOSTR. Return HOSTR. */
233
234 static const char*
235 target_to_host (char *hostr, size_t hostsz, const char *targstr)
236 {
237 /* Make sure the buffer is reasonably big. */
238 gcc_assert (hostsz > 4);
239
240 /* The interesting subset of source and execution characters are
241 the same so no conversion is necessary. However, truncate
242 overlong strings just like the translated strings are. */
243 if (target_to_host_charmap['\0'] == 1)
244 {
245 size_t len = strlen (targstr);
246 if (len >= hostsz)
247 {
248 memcpy (hostr, targstr, hostsz - 4);
249 strcpy (hostr + hostsz - 4, "...");
250 }
251 else
252 memcpy (hostr, targstr, len + 1);
253 return hostr;
254 }
255
256 /* Convert the initial substring of TARGSTR to the corresponding
257 characters in the host set, appending "..." if TARGSTR is too
258 long to fit. Using the static buffer assumes the function is
259 not called in between sequence points (which it isn't). */
260 for (char *ph = hostr; ; ++targstr)
261 {
262 *ph++ = target_to_host (*targstr);
263 if (!*targstr)
264 break;
265
266 if (size_t (ph - hostr) == hostsz)
267 {
268 strcpy (ph - 4, "...");
269 break;
270 }
271 }
272
273 return hostr;
274 }
275
276 /* Convert the sequence of decimal digits in the execution character
277 starting at *PS to a HOST_WIDE_INT, analogously to strtol. Return
278 the result and set *PS to one past the last converted character.
279 On range error set ERANGE to the digit that caused it. */
280
281 static inline HOST_WIDE_INT
282 target_strtowi (const char **ps, const char **erange)
283 {
284 unsigned HOST_WIDE_INT val = 0;
285 for ( ; ; ++*ps)
286 {
287 unsigned char c = target_to_host (**ps);
288 if (ISDIGIT (c))
289 {
290 c -= '0';
291
292 /* Check for overflow. */
293 if (val > ((unsigned HOST_WIDE_INT) HOST_WIDE_INT_MAX - c) / 10LU)
294 {
295 val = HOST_WIDE_INT_MAX;
296 *erange = *ps;
297
298 /* Skip the remaining digits. */
299 do
300 c = target_to_host (*++*ps);
301 while (ISDIGIT (c));
302 break;
303 }
304 else
305 val = val * 10 + c;
306 }
307 else
308 break;
309 }
310
311 return val;
312 }
313
314 /* Given FORMAT, set *PLOC to the source location of the format string
315 and return the format string if it is known or null otherwise. */
316
317 static const char*
318 get_format_string (tree format, location_t *ploc)
319 {
320 *ploc = EXPR_LOC_OR_LOC (format, input_location);
321
322 return c_getstr (format);
323 }
324
325 /* For convenience and brevity, shorter named entrypoints of
326 format_string_diagnostic_t::emit_warning_va and
327 format_string_diagnostic_t::emit_warning_n_va.
328 These have to be functions with the attribute so that exgettext
329 works properly. */
330
331 static bool
332 ATTRIBUTE_GCC_DIAG (5, 6)
333 fmtwarn (const substring_loc &fmt_loc, location_t param_loc,
334 const char *corrected_substring, opt_code opt,
335 const char *gmsgid, ...)
336 {
337 format_string_diagnostic_t diag (fmt_loc, NULL, param_loc, NULL,
338 corrected_substring);
339 va_list ap;
340 va_start (ap, gmsgid);
341 bool warned = diag.emit_warning_va (opt, gmsgid, &ap);
342 va_end (ap);
343
344 return warned;
345 }
346
347 static bool
348 ATTRIBUTE_GCC_DIAG (6, 8) ATTRIBUTE_GCC_DIAG (7, 8)
349 fmtwarn_n (const substring_loc &fmt_loc, location_t param_loc,
350 const char *corrected_substring, opt_code opt,
351 unsigned HOST_WIDE_INT n,
352 const char *singular_gmsgid, const char *plural_gmsgid, ...)
353 {
354 format_string_diagnostic_t diag (fmt_loc, NULL, param_loc, NULL,
355 corrected_substring);
356 va_list ap;
357 va_start (ap, plural_gmsgid);
358 bool warned = diag.emit_warning_n_va (opt, n, singular_gmsgid, plural_gmsgid,
359 &ap);
360 va_end (ap);
361
362 return warned;
363 }
364
365 /* Format length modifiers. */
366
367 enum format_lengths
368 {
369 FMT_LEN_none,
370 FMT_LEN_hh, // char argument
371 FMT_LEN_h, // short
372 FMT_LEN_l, // long
373 FMT_LEN_ll, // long long
374 FMT_LEN_L, // long double (and GNU long long)
375 FMT_LEN_z, // size_t
376 FMT_LEN_t, // ptrdiff_t
377 FMT_LEN_j // intmax_t
378 };
379
380
381 /* Description of the result of conversion either of a single directive
382 or the whole format string. */
383
384 class fmtresult
385 {
386 public:
387 /* Construct a FMTRESULT object with all counters initialized
388 to MIN. KNOWNRANGE is set when MIN is valid. */
389 fmtresult (unsigned HOST_WIDE_INT min = HOST_WIDE_INT_MAX)
390 : argmin (), argmax (), dst_offset (HOST_WIDE_INT_MIN), nonstr (),
391 knownrange (min < HOST_WIDE_INT_MAX),
392 mayfail (), nullp ()
393 {
394 range.min = min;
395 range.max = min;
396 range.likely = min;
397 range.unlikely = min;
398 }
399
400 /* Construct a FMTRESULT object with MIN, MAX, and LIKELY counters.
401 KNOWNRANGE is set when both MIN and MAX are valid. */
402 fmtresult (unsigned HOST_WIDE_INT min, unsigned HOST_WIDE_INT max,
403 unsigned HOST_WIDE_INT likely = HOST_WIDE_INT_MAX)
404 : argmin (), argmax (), dst_offset (HOST_WIDE_INT_MIN), nonstr (),
405 knownrange (min < HOST_WIDE_INT_MAX && max < HOST_WIDE_INT_MAX),
406 mayfail (), nullp ()
407 {
408 range.min = min;
409 range.max = max;
410 range.likely = max < likely ? min : likely;
411 range.unlikely = max;
412 }
413
414 /* Adjust result upward to reflect the RANGE of values the specified
415 width or precision is known to be in. */
416 fmtresult& adjust_for_width_or_precision (const HOST_WIDE_INT[2],
417 tree = NULL_TREE,
418 unsigned = 0, unsigned = 0);
419
420 /* Return the maximum number of decimal digits a value of TYPE
421 formats as on output. */
422 static unsigned type_max_digits (tree, int);
423
424 /* The range a directive's argument is in. */
425 tree argmin, argmax;
426
427 /* The starting offset into the destination of the formatted function
428 call of the %s argument that points into (aliases with) the same
429 destination array. */
430 HOST_WIDE_INT dst_offset;
431
432 /* The minimum and maximum number of bytes that a directive
433 results in on output for an argument in the range above. */
434 result_range range;
435
436 /* Non-nul when the argument of a string directive is not a nul
437 terminated string. */
438 tree nonstr;
439
440 /* True when the range above is obtained from a known value of
441 a directive's argument or its bounds and not the result of
442 heuristics that depend on warning levels. */
443 bool knownrange;
444
445 /* True for a directive that may fail (such as wide character
446 directives). */
447 bool mayfail;
448
449 /* True when the argument is a null pointer. */
450 bool nullp;
451 };
452
453 /* Adjust result upward to reflect the range ADJUST of values the
454 specified width or precision is known to be in. When non-null,
455 TYPE denotes the type of the directive whose result is being
456 adjusted, BASE gives the base of the directive (octal, decimal,
457 or hex), and ADJ denotes the additional adjustment to the LIKELY
458 counter that may need to be added when ADJUST is a range. */
459
460 fmtresult&
461 fmtresult::adjust_for_width_or_precision (const HOST_WIDE_INT adjust[2],
462 tree type /* = NULL_TREE */,
463 unsigned base /* = 0 */,
464 unsigned adj /* = 0 */)
465 {
466 bool minadjusted = false;
467
468 /* Adjust the minimum and likely counters. */
469 if (adjust[0] >= 0)
470 {
471 if (range.min < (unsigned HOST_WIDE_INT)adjust[0])
472 {
473 range.min = adjust[0];
474 minadjusted = true;
475 }
476
477 /* Adjust the likely counter. */
478 if (range.likely < range.min)
479 range.likely = range.min;
480 }
481 else if (adjust[0] == target_int_min ()
482 && (unsigned HOST_WIDE_INT)adjust[1] == target_int_max ())
483 knownrange = false;
484
485 /* Adjust the maximum counter. */
486 if (adjust[1] > 0)
487 {
488 if (range.max < (unsigned HOST_WIDE_INT)adjust[1])
489 {
490 range.max = adjust[1];
491
492 /* Set KNOWNRANGE if both the minimum and maximum have been
493 adjusted. Otherwise leave it at what it was before. */
494 knownrange = minadjusted;
495 }
496 }
497
498 if (warn_level > 1 && type)
499 {
500 /* For large non-constant width or precision whose range spans
501 the maximum number of digits produced by the directive for
502 any argument, set the likely number of bytes to be at most
503 the number digits plus other adjustment determined by the
504 caller (one for sign or two for the hexadecimal "0x"
505 prefix). */
506 unsigned dirdigs = type_max_digits (type, base);
507 if (adjust[0] < dirdigs && dirdigs < adjust[1]
508 && range.likely < dirdigs)
509 range.likely = dirdigs + adj;
510 }
511 else if (range.likely < (range.min ? range.min : 1))
512 {
513 /* Conservatively, set LIKELY to at least MIN but no less than
514 1 unless MAX is zero. */
515 range.likely = (range.min
516 ? range.min
517 : range.max && (range.max < HOST_WIDE_INT_MAX
518 || warn_level > 1) ? 1 : 0);
519 }
520
521 /* Finally adjust the unlikely counter to be at least as large as
522 the maximum. */
523 if (range.unlikely < range.max)
524 range.unlikely = range.max;
525
526 return *this;
527 }
528
529 /* Return the maximum number of digits a value of TYPE formats in
530 BASE on output, not counting base prefix . */
531
532 unsigned
533 fmtresult::type_max_digits (tree type, int base)
534 {
535 unsigned prec = TYPE_PRECISION (type);
536 switch (base)
537 {
538 case 8:
539 return (prec + 2) / 3;
540 case 10:
541 /* Decimal approximation: yields 3, 5, 10, and 20 for precision
542 of 8, 16, 32, and 64 bits. */
543 return prec * 301 / 1000 + 1;
544 case 16:
545 return prec / 4;
546 }
547
548 gcc_unreachable ();
549 }
550
551 static bool
552 get_int_range (tree, gimple *, HOST_WIDE_INT *, HOST_WIDE_INT *,
553 bool, HOST_WIDE_INT, range_query *);
554
555 struct call_info;
556
557 /* Description of a format directive. A directive is either a plain
558 string or a conversion specification that starts with '%'. */
559
560 struct directive
561 {
562 directive (const call_info *inf, unsigned dno)
563 : info (inf), dirno (dno), argno (), beg (), len (), flags (),
564 width (), prec (), modifier (), specifier (), arg (), fmtfunc ()
565 { }
566
567 /* Reference to the info structure describing the call that this
568 directive is a part of. */
569 const call_info *info;
570
571 /* The 1-based directive number (for debugging). */
572 unsigned dirno;
573
574 /* The zero-based argument number of the directive's argument ARG in
575 the function's argument list. */
576 unsigned argno;
577
578 /* The first character of the directive and its length. */
579 const char *beg;
580 size_t len;
581
582 /* A bitmap of flags, one for each character. */
583 unsigned flags[256 / sizeof (int)];
584
585 /* The range of values of the specified width, or -1 if not specified. */
586 HOST_WIDE_INT width[2];
587 /* The range of values of the specified precision, or -1 if not
588 specified. */
589 HOST_WIDE_INT prec[2];
590
591 /* Length modifier. */
592 format_lengths modifier;
593
594 /* Format specifier character. */
595 char specifier;
596
597 /* The argument of the directive or null when the directive doesn't
598 take one or when none is available (such as for vararg functions). */
599 tree arg;
600
601 /* Format conversion function that given a directive and an argument
602 returns the formatting result. */
603 fmtresult (*fmtfunc) (const directive &, tree, range_query *);
604
605 /* Return True when the format flag CHR has been used. */
606 bool get_flag (char chr) const
607 {
608 unsigned char c = chr & 0xff;
609 return (flags[c / (CHAR_BIT * sizeof *flags)]
610 & (1U << (c % (CHAR_BIT * sizeof *flags))));
611 }
612
613 /* Make a record of the format flag CHR having been used. */
614 void set_flag (char chr)
615 {
616 unsigned char c = chr & 0xff;
617 flags[c / (CHAR_BIT * sizeof *flags)]
618 |= (1U << (c % (CHAR_BIT * sizeof *flags)));
619 }
620
621 /* Reset the format flag CHR. */
622 void clear_flag (char chr)
623 {
624 unsigned char c = chr & 0xff;
625 flags[c / (CHAR_BIT * sizeof *flags)]
626 &= ~(1U << (c % (CHAR_BIT * sizeof *flags)));
627 }
628
629 /* Set both bounds of the width range to VAL. */
630 void set_width (HOST_WIDE_INT val)
631 {
632 width[0] = width[1] = val;
633 }
634
635 /* Set the width range according to ARG, with both bounds being
636 no less than 0. For a constant ARG set both bounds to its value
637 or 0, whichever is greater. For a non-constant ARG in some range
638 set width to its range adjusting each bound to -1 if it's less.
639 For an indeterminate ARG set width to [0, INT_MAX]. */
640 void set_width (tree arg, range_query *);
641
642 /* Set both bounds of the precision range to VAL. */
643 void set_precision (HOST_WIDE_INT val)
644 {
645 prec[0] = prec[1] = val;
646 }
647
648 /* Set the precision range according to ARG, with both bounds being
649 no less than -1. For a constant ARG set both bounds to its value
650 or -1 whichever is greater. For a non-constant ARG in some range
651 set precision to its range adjusting each bound to -1 if it's less.
652 For an indeterminate ARG set precision to [-1, INT_MAX]. */
653 void set_precision (tree arg, range_query *query);
654
655 /* Return true if both width and precision are known to be
656 either constant or in some range, false otherwise. */
657 bool known_width_and_precision () const
658 {
659 return ((width[1] < 0
660 || (unsigned HOST_WIDE_INT)width[1] <= target_int_max ())
661 && (prec[1] < 0
662 || (unsigned HOST_WIDE_INT)prec[1] < target_int_max ()));
663 }
664 };
665
666 /* The result of a call to a formatted function. */
667
668 struct format_result
669 {
670 format_result ()
671 : range (), aliases (), alias_count (), knownrange (), posunder4k (),
672 floating (), warned () { /* No-op. */ }
673
674 ~format_result ()
675 {
676 XDELETEVEC (aliases);
677 }
678
679 /* Range of characters written by the formatted function.
680 Setting the minimum to HOST_WIDE_INT_MAX disables all
681 length tracking for the remainder of the format string. */
682 result_range range;
683
684 struct alias_info
685 {
686 directive dir; /* The directive that aliases the destination. */
687 HOST_WIDE_INT offset; /* The offset at which it aliases it. */
688 result_range range; /* The raw result of the directive. */
689 };
690
691 /* An array of directives whose pointer argument aliases a part
692 of the destination object of the formatted function. */
693 alias_info *aliases;
694 unsigned alias_count;
695
696 /* True when the range above is obtained from known values of
697 directive arguments, or bounds on the amount of output such
698 as width and precision, and not the result of heuristics that
699 depend on warning levels. It's used to issue stricter diagnostics
700 in cases where strings of unknown lengths are bounded by the arrays
701 they are determined to refer to. KNOWNRANGE must not be used for
702 the return value optimization. */
703 bool knownrange;
704
705 /* True if no individual directive could fail or result in more than
706 4095 bytes of output (the total NUMBER_CHARS_{MIN,MAX} might be
707 greater). Implementations are not required to handle directives
708 that produce more than 4K bytes (leading to undefined behavior)
709 and so when one is found it disables the return value optimization.
710 Similarly, directives that can fail (such as wide character
711 directives) disable the optimization. */
712 bool posunder4k;
713
714 /* True when a floating point directive has been seen in the format
715 string. */
716 bool floating;
717
718 /* True when an intermediate result has caused a warning. Used to
719 avoid issuing duplicate warnings while finishing the processing
720 of a call. WARNED also disables the return value optimization. */
721 bool warned;
722
723 /* Preincrement the number of output characters by 1. */
724 format_result& operator++ ()
725 {
726 return *this += 1;
727 }
728
729 /* Postincrement the number of output characters by 1. */
730 format_result operator++ (int)
731 {
732 format_result prev (*this);
733 *this += 1;
734 return prev;
735 }
736
737 /* Increment the number of output characters by N. */
738 format_result& operator+= (unsigned HOST_WIDE_INT);
739
740 /* Add a directive to the sequence of those with potentially aliasing
741 arguments. */
742 void append_alias (const directive &, HOST_WIDE_INT, const result_range &);
743
744 private:
745 /* Not copyable or assignable. */
746 format_result (format_result&);
747 void operator= (format_result&);
748 };
749
750 format_result&
751 format_result::operator+= (unsigned HOST_WIDE_INT n)
752 {
753 gcc_assert (n < HOST_WIDE_INT_MAX);
754
755 if (range.min < HOST_WIDE_INT_MAX)
756 range.min += n;
757
758 if (range.max < HOST_WIDE_INT_MAX)
759 range.max += n;
760
761 if (range.likely < HOST_WIDE_INT_MAX)
762 range.likely += n;
763
764 if (range.unlikely < HOST_WIDE_INT_MAX)
765 range.unlikely += n;
766
767 return *this;
768 }
769
770 void
771 format_result::append_alias (const directive &d, HOST_WIDE_INT off,
772 const result_range &resrng)
773 {
774 unsigned cnt = alias_count + 1;
775 alias_info *ar = XNEWVEC (alias_info, cnt);
776
777 for (unsigned i = 0; i != alias_count; ++i)
778 ar[i] = aliases[i];
779
780 ar[alias_count].dir = d;
781 ar[alias_count].offset = off;
782 ar[alias_count].range = resrng;
783
784 XDELETEVEC (aliases);
785
786 alias_count = cnt;
787 aliases = ar;
788 }
789
790 /* Return the logarithm of X in BASE. */
791
792 static int
793 ilog (unsigned HOST_WIDE_INT x, int base)
794 {
795 int res = 0;
796 do
797 {
798 ++res;
799 x /= base;
800 } while (x);
801 return res;
802 }
803
804 /* Return the number of bytes resulting from converting into a string
805 the INTEGER_CST tree node X in BASE with a minimum of PREC digits.
806 PLUS indicates whether 1 for a plus sign should be added for positive
807 numbers, and PREFIX whether the length of an octal ('O') or hexadecimal
808 ('0x') prefix should be added for nonzero numbers. Return -1 if X cannot
809 be represented. */
810
811 static HOST_WIDE_INT
812 tree_digits (tree x, int base, HOST_WIDE_INT prec, bool plus, bool prefix)
813 {
814 unsigned HOST_WIDE_INT absval;
815
816 HOST_WIDE_INT res;
817
818 if (TYPE_UNSIGNED (TREE_TYPE (x)))
819 {
820 if (tree_fits_uhwi_p (x))
821 {
822 absval = tree_to_uhwi (x);
823 res = plus;
824 }
825 else
826 return -1;
827 }
828 else
829 {
830 if (tree_fits_shwi_p (x))
831 {
832 HOST_WIDE_INT i = tree_to_shwi (x);
833 if (HOST_WIDE_INT_MIN == i)
834 {
835 /* Avoid undefined behavior due to negating a minimum. */
836 absval = HOST_WIDE_INT_MAX;
837 res = 1;
838 }
839 else if (i < 0)
840 {
841 absval = -i;
842 res = 1;
843 }
844 else
845 {
846 absval = i;
847 res = plus;
848 }
849 }
850 else
851 return -1;
852 }
853
854 int ndigs = ilog (absval, base);
855
856 res += prec < ndigs ? ndigs : prec;
857
858 /* Adjust a non-zero value for the base prefix, either hexadecimal,
859 or, unless precision has resulted in a leading zero, also octal. */
860 if (prefix && absval && (base == 16 || prec <= ndigs))
861 {
862 if (base == 8)
863 res += 1;
864 else if (base == 16)
865 res += 2;
866 }
867
868 return res;
869 }
870
871 /* Description of a call to a formatted function. */
872
873 struct call_info
874 {
875 /* Function call statement. */
876 gimple *callstmt;
877
878 /* Function called. */
879 tree func;
880
881 /* Called built-in function code. */
882 built_in_function fncode;
883
884 /* The "origin" of the destination pointer argument, which is either
885 the DECL of the destination buffer being written into or a pointer
886 that points to it, plus some offset. */
887 tree dst_origin;
888
889 /* For a destination pointing to a struct array member, the offset of
890 the member. */
891 HOST_WIDE_INT dst_field;
892
893 /* The offset into the destination buffer. */
894 HOST_WIDE_INT dst_offset;
895
896 /* Format argument and format string extracted from it. */
897 tree format;
898 const char *fmtstr;
899
900 /* The location of the format argument. */
901 location_t fmtloc;
902
903 /* The destination object size for __builtin___xxx_chk functions
904 typically determined by __builtin_object_size, or -1 if unknown. */
905 unsigned HOST_WIDE_INT objsize;
906
907 /* Number of the first variable argument. */
908 unsigned HOST_WIDE_INT argidx;
909
910 /* True for functions like snprintf that specify the size of
911 the destination, false for others like sprintf that don't. */
912 bool bounded;
913
914 /* True for bounded functions like snprintf that specify a zero-size
915 buffer as a request to compute the size of output without actually
916 writing any. NOWRITE is cleared in response to the %n directive
917 which has side-effects similar to writing output. */
918 bool nowrite;
919
920 /* Return true if the called function's return value is used. */
921 bool retval_used () const
922 {
923 return gimple_get_lhs (callstmt);
924 }
925
926 /* Return the warning option corresponding to the called function. */
927 opt_code warnopt () const
928 {
929 return bounded ? OPT_Wformat_truncation_ : OPT_Wformat_overflow_;
930 }
931
932 /* Return true for calls to file formatted functions. */
933 bool is_file_func () const
934 {
935 return (fncode == BUILT_IN_FPRINTF
936 || fncode == BUILT_IN_FPRINTF_CHK
937 || fncode == BUILT_IN_FPRINTF_UNLOCKED
938 || fncode == BUILT_IN_VFPRINTF
939 || fncode == BUILT_IN_VFPRINTF_CHK);
940 }
941
942 /* Return true for calls to string formatted functions. */
943 bool is_string_func () const
944 {
945 return (fncode == BUILT_IN_SPRINTF
946 || fncode == BUILT_IN_SPRINTF_CHK
947 || fncode == BUILT_IN_SNPRINTF
948 || fncode == BUILT_IN_SNPRINTF_CHK
949 || fncode == BUILT_IN_VSPRINTF
950 || fncode == BUILT_IN_VSPRINTF_CHK
951 || fncode == BUILT_IN_VSNPRINTF
952 || fncode == BUILT_IN_VSNPRINTF_CHK);
953 }
954 };
955
956 void
957 directive::set_width (tree arg, range_query *query)
958 {
959 get_int_range (arg, info->callstmt, width, width + 1, true, 0, query);
960 }
961
962 void
963 directive::set_precision (tree arg, range_query *query)
964 {
965 get_int_range (arg, info->callstmt, prec, prec + 1, false, -1, query);
966 }
967
968 /* Return the result of formatting a no-op directive (such as '%n'). */
969
970 static fmtresult
971 format_none (const directive &, tree, range_query *)
972 {
973 fmtresult res (0);
974 return res;
975 }
976
977 /* Return the result of formatting the '%%' directive. */
978
979 static fmtresult
980 format_percent (const directive &, tree, range_query *)
981 {
982 fmtresult res (1);
983 return res;
984 }
985
986
987 /* Compute intmax_type_node and uintmax_type_node similarly to how
988 tree.c builds size_type_node. */
989
990 static void
991 build_intmax_type_nodes (tree *pintmax, tree *puintmax)
992 {
993 if (strcmp (UINTMAX_TYPE, "unsigned int") == 0)
994 {
995 *pintmax = integer_type_node;
996 *puintmax = unsigned_type_node;
997 }
998 else if (strcmp (UINTMAX_TYPE, "long unsigned int") == 0)
999 {
1000 *pintmax = long_integer_type_node;
1001 *puintmax = long_unsigned_type_node;
1002 }
1003 else if (strcmp (UINTMAX_TYPE, "long long unsigned int") == 0)
1004 {
1005 *pintmax = long_long_integer_type_node;
1006 *puintmax = long_long_unsigned_type_node;
1007 }
1008 else
1009 {
1010 for (int i = 0; i < NUM_INT_N_ENTS; i++)
1011 if (int_n_enabled_p[i])
1012 {
1013 char name[50], altname[50];
1014 sprintf (name, "__int%d unsigned", int_n_data[i].bitsize);
1015 sprintf (altname, "__int%d__ unsigned", int_n_data[i].bitsize);
1016
1017 if (strcmp (name, UINTMAX_TYPE) == 0
1018 || strcmp (altname, UINTMAX_TYPE) == 0)
1019 {
1020 *pintmax = int_n_trees[i].signed_type;
1021 *puintmax = int_n_trees[i].unsigned_type;
1022 return;
1023 }
1024 }
1025 gcc_unreachable ();
1026 }
1027 }
1028
1029 /* Determine the range [*PMIN, *PMAX] that the expression ARG is
1030 in and that is representable in type int.
1031 Return true when the range is a subrange of that of int.
1032 When ARG is null it is as if it had the full range of int.
1033 When ABSOLUTE is true the range reflects the absolute value of
1034 the argument. When ABSOLUTE is false, negative bounds of
1035 the determined range are replaced with NEGBOUND. */
1036
1037 static bool
1038 get_int_range (tree arg, gimple *stmt,
1039 HOST_WIDE_INT *pmin, HOST_WIDE_INT *pmax,
1040 bool absolute, HOST_WIDE_INT negbound,
1041 range_query *query)
1042 {
1043 /* The type of the result. */
1044 const_tree type = integer_type_node;
1045
1046 bool knownrange = false;
1047
1048 if (!arg)
1049 {
1050 *pmin = tree_to_shwi (TYPE_MIN_VALUE (type));
1051 *pmax = tree_to_shwi (TYPE_MAX_VALUE (type));
1052 }
1053 else if (TREE_CODE (arg) == INTEGER_CST
1054 && TYPE_PRECISION (TREE_TYPE (arg)) <= TYPE_PRECISION (type))
1055 {
1056 /* For a constant argument return its value adjusted as specified
1057 by NEGATIVE and NEGBOUND and return true to indicate that the
1058 result is known. */
1059 *pmin = tree_fits_shwi_p (arg) ? tree_to_shwi (arg) : tree_to_uhwi (arg);
1060 *pmax = *pmin;
1061 knownrange = true;
1062 }
1063 else
1064 {
1065 /* True if the argument's range cannot be determined. */
1066 bool unknown = true;
1067
1068 tree argtype = TREE_TYPE (arg);
1069
1070 /* Ignore invalid arguments with greater precision that that
1071 of the expected type (e.g., in sprintf("%*i", 12LL, i)).
1072 They will have been detected and diagnosed by -Wformat and
1073 so it's not important to complicate this code to try to deal
1074 with them again. */
1075 if (TREE_CODE (arg) == SSA_NAME
1076 && INTEGRAL_TYPE_P (argtype)
1077 && TYPE_PRECISION (argtype) <= TYPE_PRECISION (type))
1078 {
1079 /* Try to determine the range of values of the integer argument. */
1080 value_range vr;
1081 query->range_of_expr (vr, arg, stmt);
1082
1083 if (!vr.undefined_p () && !vr.varying_p ())
1084 {
1085 HOST_WIDE_INT type_min
1086 = (TYPE_UNSIGNED (argtype)
1087 ? tree_to_uhwi (TYPE_MIN_VALUE (argtype))
1088 : tree_to_shwi (TYPE_MIN_VALUE (argtype)));
1089
1090 HOST_WIDE_INT type_max = tree_to_uhwi (TYPE_MAX_VALUE (argtype));
1091
1092 tree type = TREE_TYPE (arg);
1093 tree tmin = wide_int_to_tree (type, vr.lower_bound ());
1094 tree tmax = wide_int_to_tree (type, vr.upper_bound ());
1095 *pmin = TREE_INT_CST_LOW (tmin);
1096 *pmax = TREE_INT_CST_LOW (tmax);
1097
1098 if (*pmin < *pmax)
1099 {
1100 /* Return true if the adjusted range is a subrange of
1101 the full range of the argument's type. *PMAX may
1102 be less than *PMIN when the argument is unsigned
1103 and its upper bound is in excess of TYPE_MAX. In
1104 that (invalid) case disregard the range and use that
1105 of the expected type instead. */
1106 knownrange = type_min < *pmin || *pmax < type_max;
1107
1108 unknown = false;
1109 }
1110 }
1111 }
1112
1113 /* Handle an argument with an unknown range as if none had been
1114 provided. */
1115 if (unknown)
1116 return get_int_range (NULL_TREE, NULL, pmin, pmax, absolute,
1117 negbound, query);
1118 }
1119
1120 /* Adjust each bound as specified by ABSOLUTE and NEGBOUND. */
1121 if (absolute)
1122 {
1123 if (*pmin < 0)
1124 {
1125 if (*pmin == *pmax)
1126 *pmin = *pmax = -*pmin;
1127 else
1128 {
1129 /* Make sure signed overlow is avoided. */
1130 gcc_assert (*pmin != HOST_WIDE_INT_MIN);
1131
1132 HOST_WIDE_INT tmp = -*pmin;
1133 *pmin = 0;
1134 if (*pmax < tmp)
1135 *pmax = tmp;
1136 }
1137 }
1138 }
1139 else if (*pmin < negbound)
1140 *pmin = negbound;
1141
1142 return knownrange;
1143 }
1144
1145 /* With the range [*ARGMIN, *ARGMAX] of an integer directive's actual
1146 argument, due to the conversion from either *ARGMIN or *ARGMAX to
1147 the type of the directive's formal argument it's possible for both
1148 to result in the same number of bytes or a range of bytes that's
1149 less than the number of bytes that would result from formatting
1150 some other value in the range [*ARGMIN, *ARGMAX]. This can be
1151 determined by checking for the actual argument being in the range
1152 of the type of the directive. If it isn't it must be assumed to
1153 take on the full range of the directive's type.
1154 Return true when the range has been adjusted to the full range
1155 of DIRTYPE, and false otherwise. */
1156
1157 static bool
1158 adjust_range_for_overflow (tree dirtype, tree *argmin, tree *argmax)
1159 {
1160 tree argtype = TREE_TYPE (*argmin);
1161 unsigned argprec = TYPE_PRECISION (argtype);
1162 unsigned dirprec = TYPE_PRECISION (dirtype);
1163
1164 /* If the actual argument and the directive's argument have the same
1165 precision and sign there can be no overflow and so there is nothing
1166 to adjust. */
1167 if (argprec == dirprec && TYPE_SIGN (argtype) == TYPE_SIGN (dirtype))
1168 return false;
1169
1170 /* The logic below was inspired/lifted from the CONVERT_EXPR_CODE_P
1171 branch in the extract_range_from_unary_expr function in tree-vrp.c. */
1172
1173 if (TREE_CODE (*argmin) == INTEGER_CST
1174 && TREE_CODE (*argmax) == INTEGER_CST
1175 && (dirprec >= argprec
1176 || integer_zerop (int_const_binop (RSHIFT_EXPR,
1177 int_const_binop (MINUS_EXPR,
1178 *argmax,
1179 *argmin),
1180 size_int (dirprec)))))
1181 {
1182 *argmin = force_fit_type (dirtype, wi::to_widest (*argmin), 0, false);
1183 *argmax = force_fit_type (dirtype, wi::to_widest (*argmax), 0, false);
1184
1185 /* If *ARGMIN is still less than *ARGMAX the conversion above
1186 is safe. Otherwise, it has overflowed and would be unsafe. */
1187 if (tree_int_cst_le (*argmin, *argmax))
1188 return false;
1189 }
1190
1191 *argmin = TYPE_MIN_VALUE (dirtype);
1192 *argmax = TYPE_MAX_VALUE (dirtype);
1193 return true;
1194 }
1195
1196 /* Return a range representing the minimum and maximum number of bytes
1197 that the format directive DIR will output for any argument given
1198 the WIDTH and PRECISION (extracted from DIR). This function is
1199 used when the directive argument or its value isn't known. */
1200
1201 static fmtresult
1202 format_integer (const directive &dir, tree arg, range_query *query)
1203 {
1204 tree intmax_type_node;
1205 tree uintmax_type_node;
1206
1207 /* Base to format the number in. */
1208 int base;
1209
1210 /* True when a conversion is preceded by a prefix indicating the base
1211 of the argument (octal or hexadecimal). */
1212 bool maybebase = dir.get_flag ('#');
1213
1214 /* True when a signed conversion is preceded by a sign or space. */
1215 bool maybesign = false;
1216
1217 /* True for signed conversions (i.e., 'd' and 'i'). */
1218 bool sign = false;
1219
1220 switch (dir.specifier)
1221 {
1222 case 'd':
1223 case 'i':
1224 /* Space and '+' are only meaningful for signed conversions. */
1225 maybesign = dir.get_flag (' ') | dir.get_flag ('+');
1226 sign = true;
1227 base = 10;
1228 break;
1229 case 'u':
1230 base = 10;
1231 break;
1232 case 'o':
1233 base = 8;
1234 break;
1235 case 'X':
1236 case 'x':
1237 base = 16;
1238 break;
1239 default:
1240 gcc_unreachable ();
1241 }
1242
1243 /* The type of the "formal" argument expected by the directive. */
1244 tree dirtype = NULL_TREE;
1245
1246 /* Determine the expected type of the argument from the length
1247 modifier. */
1248 switch (dir.modifier)
1249 {
1250 case FMT_LEN_none:
1251 if (dir.specifier == 'p')
1252 dirtype = ptr_type_node;
1253 else
1254 dirtype = sign ? integer_type_node : unsigned_type_node;
1255 break;
1256
1257 case FMT_LEN_h:
1258 dirtype = sign ? short_integer_type_node : short_unsigned_type_node;
1259 break;
1260
1261 case FMT_LEN_hh:
1262 dirtype = sign ? signed_char_type_node : unsigned_char_type_node;
1263 break;
1264
1265 case FMT_LEN_l:
1266 dirtype = sign ? long_integer_type_node : long_unsigned_type_node;
1267 break;
1268
1269 case FMT_LEN_L:
1270 case FMT_LEN_ll:
1271 dirtype = (sign
1272 ? long_long_integer_type_node
1273 : long_long_unsigned_type_node);
1274 break;
1275
1276 case FMT_LEN_z:
1277 dirtype = signed_or_unsigned_type_for (!sign, size_type_node);
1278 break;
1279
1280 case FMT_LEN_t:
1281 dirtype = signed_or_unsigned_type_for (!sign, ptrdiff_type_node);
1282 break;
1283
1284 case FMT_LEN_j:
1285 build_intmax_type_nodes (&intmax_type_node, &uintmax_type_node);
1286 dirtype = sign ? intmax_type_node : uintmax_type_node;
1287 break;
1288
1289 default:
1290 return fmtresult ();
1291 }
1292
1293 /* The type of the argument to the directive, either deduced from
1294 the actual non-constant argument if one is known, or from
1295 the directive itself when none has been provided because it's
1296 a va_list. */
1297 tree argtype = NULL_TREE;
1298
1299 if (!arg)
1300 {
1301 /* When the argument has not been provided, use the type of
1302 the directive's argument as an approximation. This will
1303 result in false positives for directives like %i with
1304 arguments with smaller precision (such as short or char). */
1305 argtype = dirtype;
1306 }
1307 else if (TREE_CODE (arg) == INTEGER_CST)
1308 {
1309 /* When a constant argument has been provided use its value
1310 rather than type to determine the length of the output. */
1311 fmtresult res;
1312
1313 if ((dir.prec[0] <= 0 && dir.prec[1] >= 0) && integer_zerop (arg))
1314 {
1315 /* As a special case, a precision of zero with a zero argument
1316 results in zero bytes except in base 8 when the '#' flag is
1317 specified, and for signed conversions in base 8 and 10 when
1318 either the space or '+' flag has been specified and it results
1319 in just one byte (with width having the normal effect). This
1320 must extend to the case of a specified precision with
1321 an unknown value because it can be zero. */
1322 res.range.min = ((base == 8 && dir.get_flag ('#')) || maybesign);
1323 if (res.range.min == 0 && dir.prec[0] != dir.prec[1])
1324 {
1325 res.range.max = 1;
1326 res.range.likely = 1;
1327 }
1328 else
1329 {
1330 res.range.max = res.range.min;
1331 res.range.likely = res.range.min;
1332 }
1333 }
1334 else
1335 {
1336 /* Convert the argument to the type of the directive. */
1337 arg = fold_convert (dirtype, arg);
1338
1339 res.range.min = tree_digits (arg, base, dir.prec[0],
1340 maybesign, maybebase);
1341 if (dir.prec[0] == dir.prec[1])
1342 res.range.max = res.range.min;
1343 else
1344 res.range.max = tree_digits (arg, base, dir.prec[1],
1345 maybesign, maybebase);
1346 res.range.likely = res.range.min;
1347 res.knownrange = true;
1348 }
1349
1350 res.range.unlikely = res.range.max;
1351
1352 /* Bump up the counters if WIDTH is greater than LEN. */
1353 res.adjust_for_width_or_precision (dir.width, dirtype, base,
1354 (sign | maybebase) + (base == 16));
1355 /* Bump up the counters again if PRECision is greater still. */
1356 res.adjust_for_width_or_precision (dir.prec, dirtype, base,
1357 (sign | maybebase) + (base == 16));
1358
1359 return res;
1360 }
1361 else if (INTEGRAL_TYPE_P (TREE_TYPE (arg))
1362 || TREE_CODE (TREE_TYPE (arg)) == POINTER_TYPE)
1363 /* Determine the type of the provided non-constant argument. */
1364 argtype = TREE_TYPE (arg);
1365 else
1366 /* Don't bother with invalid arguments since they likely would
1367 have already been diagnosed, and disable any further checking
1368 of the format string by returning [-1, -1]. */
1369 return fmtresult ();
1370
1371 fmtresult res;
1372
1373 /* Using either the range the non-constant argument is in, or its
1374 type (either "formal" or actual), create a range of values that
1375 constrain the length of output given the warning level. */
1376 tree argmin = NULL_TREE;
1377 tree argmax = NULL_TREE;
1378
1379 if (arg
1380 && TREE_CODE (arg) == SSA_NAME
1381 && INTEGRAL_TYPE_P (argtype))
1382 {
1383 /* Try to determine the range of values of the integer argument
1384 (range information is not available for pointers). */
1385 value_range vr;
1386 query->range_of_expr (vr, arg, dir.info->callstmt);
1387
1388 if (!vr.varying_p () && !vr.undefined_p ())
1389 {
1390 argmin = wide_int_to_tree (TREE_TYPE (arg), vr.lower_bound ());
1391 argmax = wide_int_to_tree (TREE_TYPE (arg), vr.upper_bound ());
1392
1393 /* Set KNOWNRANGE if the argument is in a known subrange
1394 of the directive's type and neither width nor precision
1395 is unknown. (KNOWNRANGE may be reset below). */
1396 res.knownrange
1397 = ((!tree_int_cst_equal (TYPE_MIN_VALUE (dirtype), argmin)
1398 || !tree_int_cst_equal (TYPE_MAX_VALUE (dirtype), argmax))
1399 && dir.known_width_and_precision ());
1400
1401 res.argmin = argmin;
1402 res.argmax = argmax;
1403 }
1404 else
1405 {
1406 /* The argument here may be the result of promoting the actual
1407 argument to int. Try to determine the type of the actual
1408 argument before promotion and narrow down its range that
1409 way. */
1410 gimple *def = SSA_NAME_DEF_STMT (arg);
1411 if (is_gimple_assign (def))
1412 {
1413 tree_code code = gimple_assign_rhs_code (def);
1414 if (code == INTEGER_CST)
1415 {
1416 arg = gimple_assign_rhs1 (def);
1417 return format_integer (dir, arg, query);
1418 }
1419
1420 if (code == NOP_EXPR)
1421 {
1422 tree type = TREE_TYPE (gimple_assign_rhs1 (def));
1423 if (INTEGRAL_TYPE_P (type)
1424 || TREE_CODE (type) == POINTER_TYPE)
1425 argtype = type;
1426 }
1427 }
1428 }
1429 }
1430
1431 if (!argmin)
1432 {
1433 if (TREE_CODE (argtype) == POINTER_TYPE)
1434 {
1435 argmin = build_int_cst (pointer_sized_int_node, 0);
1436 argmax = build_all_ones_cst (pointer_sized_int_node);
1437 }
1438 else
1439 {
1440 argmin = TYPE_MIN_VALUE (argtype);
1441 argmax = TYPE_MAX_VALUE (argtype);
1442 }
1443 }
1444
1445 /* Clear KNOWNRANGE if the range has been adjusted to the maximum
1446 of the directive. If it has been cleared then since ARGMIN and/or
1447 ARGMAX have been adjusted also adjust the corresponding ARGMIN and
1448 ARGMAX in the result to include in diagnostics. */
1449 if (adjust_range_for_overflow (dirtype, &argmin, &argmax))
1450 {
1451 res.knownrange = false;
1452 res.argmin = argmin;
1453 res.argmax = argmax;
1454 }
1455
1456 /* Recursively compute the minimum and maximum from the known range. */
1457 if (TYPE_UNSIGNED (dirtype) || tree_int_cst_sgn (argmin) >= 0)
1458 {
1459 /* For unsigned conversions/directives or signed when
1460 the minimum is positive, use the minimum and maximum to compute
1461 the shortest and longest output, respectively. */
1462 res.range.min = format_integer (dir, argmin, query).range.min;
1463 res.range.max = format_integer (dir, argmax, query).range.max;
1464 }
1465 else if (tree_int_cst_sgn (argmax) < 0)
1466 {
1467 /* For signed conversions/directives if maximum is negative,
1468 use the minimum as the longest output and maximum as the
1469 shortest output. */
1470 res.range.min = format_integer (dir, argmax, query).range.min;
1471 res.range.max = format_integer (dir, argmin, query).range.max;
1472 }
1473 else
1474 {
1475 /* Otherwise, 0 is inside of the range and minimum negative. Use 0
1476 as the shortest output and for the longest output compute the
1477 length of the output of both minimum and maximum and pick the
1478 longer. */
1479 unsigned HOST_WIDE_INT max1
1480 = format_integer (dir, argmin, query).range.max;
1481 unsigned HOST_WIDE_INT max2
1482 = format_integer (dir, argmax, query).range.max;
1483 res.range.min
1484 = format_integer (dir, integer_zero_node, query).range.min;
1485 res.range.max = MAX (max1, max2);
1486 }
1487
1488 /* If the range is known, use the maximum as the likely length. */
1489 if (res.knownrange)
1490 res.range.likely = res.range.max;
1491 else
1492 {
1493 /* Otherwise, use the minimum. Except for the case where for %#x or
1494 %#o the minimum is just for a single value in the range (0) and
1495 for all other values it is something longer, like 0x1 or 01.
1496 Use the length for value 1 in that case instead as the likely
1497 length. */
1498 res.range.likely = res.range.min;
1499 if (maybebase
1500 && base != 10
1501 && (tree_int_cst_sgn (argmin) < 0 || tree_int_cst_sgn (argmax) > 0))
1502 {
1503 if (res.range.min == 1)
1504 res.range.likely += base == 8 ? 1 : 2;
1505 else if (res.range.min == 2
1506 && base == 16
1507 && (dir.width[0] == 2 || dir.prec[0] == 2))
1508 ++res.range.likely;
1509 }
1510 }
1511
1512 res.range.unlikely = res.range.max;
1513 res.adjust_for_width_or_precision (dir.width, dirtype, base,
1514 (sign | maybebase) + (base == 16));
1515 res.adjust_for_width_or_precision (dir.prec, dirtype, base,
1516 (sign | maybebase) + (base == 16));
1517
1518 return res;
1519 }
1520
1521 /* Return the number of bytes that a format directive consisting of FLAGS,
1522 PRECision, format SPECification, and MPFR rounding specifier RNDSPEC,
1523 would result for argument X under ideal conditions (i.e., if PREC
1524 weren't excessive). MPFR 3.1 allocates large amounts of memory for
1525 values of PREC with large magnitude and can fail (see MPFR bug #21056).
1526 This function works around those problems. */
1527
1528 static unsigned HOST_WIDE_INT
1529 get_mpfr_format_length (mpfr_ptr x, const char *flags, HOST_WIDE_INT prec,
1530 char spec, char rndspec)
1531 {
1532 char fmtstr[40];
1533
1534 HOST_WIDE_INT len = strlen (flags);
1535
1536 fmtstr[0] = '%';
1537 memcpy (fmtstr + 1, flags, len);
1538 memcpy (fmtstr + 1 + len, ".*R", 3);
1539 fmtstr[len + 4] = rndspec;
1540 fmtstr[len + 5] = spec;
1541 fmtstr[len + 6] = '\0';
1542
1543 spec = TOUPPER (spec);
1544 if (spec == 'E' || spec == 'F')
1545 {
1546 /* For %e, specify the precision explicitly since mpfr_sprintf
1547 does its own thing just to be different (see MPFR bug 21088). */
1548 if (prec < 0)
1549 prec = 6;
1550 }
1551 else
1552 {
1553 /* Avoid passing negative precisions with larger magnitude to MPFR
1554 to avoid exposing its bugs. (A negative precision is supposed
1555 to be ignored.) */
1556 if (prec < 0)
1557 prec = -1;
1558 }
1559
1560 HOST_WIDE_INT p = prec;
1561
1562 if (spec == 'G' && !strchr (flags, '#'))
1563 {
1564 /* For G/g without the pound flag, precision gives the maximum number
1565 of significant digits which is bounded by LDBL_MAX_10_EXP, or, for
1566 a 128 bit IEEE extended precision, 4932. Using twice as much here
1567 should be more than sufficient for any real format. */
1568 if ((IEEE_MAX_10_EXP * 2) < prec)
1569 prec = IEEE_MAX_10_EXP * 2;
1570 p = prec;
1571 }
1572 else
1573 {
1574 /* Cap precision arbitrarily at 1KB and add the difference
1575 (if any) to the MPFR result. */
1576 if (prec > 1024)
1577 p = 1024;
1578 }
1579
1580 len = mpfr_snprintf (NULL, 0, fmtstr, (int)p, x);
1581
1582 /* Handle the unlikely (impossible?) error by returning more than
1583 the maximum dictated by the function's return type. */
1584 if (len < 0)
1585 return target_dir_max () + 1;
1586
1587 /* Adjust the return value by the difference. */
1588 if (p < prec)
1589 len += prec - p;
1590
1591 return len;
1592 }
1593
1594 /* Return the number of bytes to format using the format specifier
1595 SPEC and the precision PREC the largest value in the real floating
1596 TYPE. */
1597
1598 static unsigned HOST_WIDE_INT
1599 format_floating_max (tree type, char spec, HOST_WIDE_INT prec)
1600 {
1601 machine_mode mode = TYPE_MODE (type);
1602
1603 /* IBM Extended mode. */
1604 if (MODE_COMPOSITE_P (mode))
1605 mode = DFmode;
1606
1607 /* Get the real type format description for the target. */
1608 const real_format *rfmt = REAL_MODE_FORMAT (mode);
1609 REAL_VALUE_TYPE rv;
1610
1611 real_maxval (&rv, 0, mode);
1612
1613 /* Convert the GCC real value representation with the precision
1614 of the real type to the mpfr_t format with the GCC default
1615 round-to-nearest mode. */
1616 mpfr_t x;
1617 mpfr_init2 (x, rfmt->p);
1618 mpfr_from_real (x, &rv, MPFR_RNDN);
1619
1620 /* Return a value one greater to account for the leading minus sign. */
1621 unsigned HOST_WIDE_INT r
1622 = 1 + get_mpfr_format_length (x, "", prec, spec, 'D');
1623 mpfr_clear (x);
1624 return r;
1625 }
1626
1627 /* Return a range representing the minimum and maximum number of bytes
1628 that the directive DIR will output for any argument. PREC gives
1629 the adjusted precision range to account for negative precisions
1630 meaning the default 6. This function is used when the directive
1631 argument or its value isn't known. */
1632
1633 static fmtresult
1634 format_floating (const directive &dir, const HOST_WIDE_INT prec[2])
1635 {
1636 tree type;
1637
1638 switch (dir.modifier)
1639 {
1640 case FMT_LEN_l:
1641 case FMT_LEN_none:
1642 type = double_type_node;
1643 break;
1644
1645 case FMT_LEN_L:
1646 type = long_double_type_node;
1647 break;
1648
1649 case FMT_LEN_ll:
1650 type = long_double_type_node;
1651 break;
1652
1653 default:
1654 return fmtresult ();
1655 }
1656
1657 /* The minimum and maximum number of bytes produced by the directive. */
1658 fmtresult res;
1659
1660 /* The minimum output as determined by flags. It's always at least 1.
1661 When plus or space are set the output is preceded by either a sign
1662 or a space. */
1663 unsigned flagmin = (1 /* for the first digit */
1664 + (dir.get_flag ('+') | dir.get_flag (' ')));
1665
1666 /* The minimum is 3 for "inf" and "nan" for all specifiers, plus 1
1667 for the plus sign/space with the '+' and ' ' flags, respectively,
1668 unless reduced below. */
1669 res.range.min = 2 + flagmin;
1670
1671 /* When the pound flag is set the decimal point is included in output
1672 regardless of precision. Whether or not a decimal point is included
1673 otherwise depends on the specification and precision. */
1674 bool radix = dir.get_flag ('#');
1675
1676 switch (dir.specifier)
1677 {
1678 case 'A':
1679 case 'a':
1680 {
1681 HOST_WIDE_INT minprec = 6 + !radix /* decimal point */;
1682 if (dir.prec[0] <= 0)
1683 minprec = 0;
1684 else if (dir.prec[0] > 0)
1685 minprec = dir.prec[0] + !radix /* decimal point */;
1686
1687 res.range.likely = (2 /* 0x */
1688 + flagmin
1689 + radix
1690 + minprec
1691 + 3 /* p+0 */);
1692
1693 res.range.max = format_floating_max (type, 'a', prec[1]);
1694
1695 /* The unlikely maximum accounts for the longest multibyte
1696 decimal point character. */
1697 res.range.unlikely = res.range.max;
1698 if (dir.prec[1] > 0)
1699 res.range.unlikely += target_mb_len_max () - 1;
1700
1701 break;
1702 }
1703
1704 case 'E':
1705 case 'e':
1706 {
1707 /* Minimum output attributable to precision and, when it's
1708 non-zero, decimal point. */
1709 HOST_WIDE_INT minprec = prec[0] ? prec[0] + !radix : 0;
1710
1711 /* The likely minimum output is "[-+]1.234567e+00" regardless
1712 of the value of the actual argument. */
1713 res.range.likely = (flagmin
1714 + radix
1715 + minprec
1716 + 2 /* e+ */ + 2);
1717
1718 res.range.max = format_floating_max (type, 'e', prec[1]);
1719
1720 /* The unlikely maximum accounts for the longest multibyte
1721 decimal point character. */
1722 if (dir.prec[0] != dir.prec[1]
1723 || dir.prec[0] == -1 || dir.prec[0] > 0)
1724 res.range.unlikely = res.range.max + target_mb_len_max () -1;
1725 else
1726 res.range.unlikely = res.range.max;
1727 break;
1728 }
1729
1730 case 'F':
1731 case 'f':
1732 {
1733 /* Minimum output attributable to precision and, when it's non-zero,
1734 decimal point. */
1735 HOST_WIDE_INT minprec = prec[0] ? prec[0] + !radix : 0;
1736
1737 /* For finite numbers (i.e., not infinity or NaN) the lower bound
1738 when precision isn't specified is 8 bytes ("1.23456" since
1739 precision is taken to be 6). When precision is zero, the lower
1740 bound is 1 byte (e.g., "1"). Otherwise, when precision is greater
1741 than zero, then the lower bound is 2 plus precision (plus flags).
1742 But in all cases, the lower bound is no greater than 3. */
1743 unsigned HOST_WIDE_INT min = flagmin + radix + minprec;
1744 if (min < res.range.min)
1745 res.range.min = min;
1746
1747 /* Compute the upper bound for -TYPE_MAX. */
1748 res.range.max = format_floating_max (type, 'f', prec[1]);
1749
1750 /* The minimum output with unknown precision is a single byte
1751 (e.g., "0") but the more likely output is 3 bytes ("0.0"). */
1752 if (dir.prec[0] < 0 && dir.prec[1] > 0)
1753 res.range.likely = 3;
1754 else
1755 res.range.likely = min;
1756
1757 /* The unlikely maximum accounts for the longest multibyte
1758 decimal point character. */
1759 if (dir.prec[0] != dir.prec[1]
1760 || dir.prec[0] == -1 || dir.prec[0] > 0)
1761 res.range.unlikely = res.range.max + target_mb_len_max () - 1;
1762 break;
1763 }
1764
1765 case 'G':
1766 case 'g':
1767 {
1768 /* The %g output depends on precision and the exponent of
1769 the argument. Since the value of the argument isn't known
1770 the lower bound on the range of bytes (not counting flags
1771 or width) is 1 plus radix (i.e., either "0" or "0." for
1772 "%g" and "%#g", respectively, with a zero argument). */
1773 unsigned HOST_WIDE_INT min = flagmin + radix;
1774 if (min < res.range.min)
1775 res.range.min = min;
1776
1777 char spec = 'g';
1778 HOST_WIDE_INT maxprec = dir.prec[1];
1779 if (radix && maxprec)
1780 {
1781 /* When the pound flag (radix) is set, trailing zeros aren't
1782 trimmed and so the longest output is the same as for %e,
1783 except with precision minus 1 (as specified in C11). */
1784 spec = 'e';
1785 if (maxprec > 0)
1786 --maxprec;
1787 else if (maxprec < 0)
1788 maxprec = 5;
1789 }
1790 else
1791 maxprec = prec[1];
1792
1793 res.range.max = format_floating_max (type, spec, maxprec);
1794
1795 /* The likely output is either the maximum computed above
1796 minus 1 (assuming the maximum is positive) when precision
1797 is known (or unspecified), or the same minimum as for %e
1798 (which is computed for a non-negative argument). Unlike
1799 for the other specifiers above the likely output isn't
1800 the minimum because for %g that's 1 which is unlikely. */
1801 if (dir.prec[1] < 0
1802 || (unsigned HOST_WIDE_INT)dir.prec[1] < target_int_max ())
1803 res.range.likely = res.range.max - 1;
1804 else
1805 {
1806 HOST_WIDE_INT minprec = 6 + !radix /* decimal point */;
1807 res.range.likely = (flagmin
1808 + radix
1809 + minprec
1810 + 2 /* e+ */ + 2);
1811 }
1812
1813 /* The unlikely maximum accounts for the longest multibyte
1814 decimal point character. */
1815 res.range.unlikely = res.range.max + target_mb_len_max () - 1;
1816 break;
1817 }
1818
1819 default:
1820 return fmtresult ();
1821 }
1822
1823 /* Bump up the byte counters if WIDTH is greater. */
1824 res.adjust_for_width_or_precision (dir.width);
1825 return res;
1826 }
1827
1828 /* Return a range representing the minimum and maximum number of bytes
1829 that the directive DIR will write on output for the floating argument
1830 ARG. */
1831
1832 static fmtresult
1833 format_floating (const directive &dir, tree arg, range_query *)
1834 {
1835 HOST_WIDE_INT prec[] = { dir.prec[0], dir.prec[1] };
1836 tree type = (dir.modifier == FMT_LEN_L || dir.modifier == FMT_LEN_ll
1837 ? long_double_type_node : double_type_node);
1838
1839 /* For an indeterminate precision the lower bound must be assumed
1840 to be zero. */
1841 if (TOUPPER (dir.specifier) == 'A')
1842 {
1843 /* Get the number of fractional decimal digits needed to represent
1844 the argument without a loss of accuracy. */
1845 unsigned fmtprec
1846 = REAL_MODE_FORMAT (TYPE_MODE (type))->p;
1847
1848 /* The precision of the IEEE 754 double format is 53.
1849 The precision of all other GCC binary double formats
1850 is 56 or less. */
1851 unsigned maxprec = fmtprec <= 56 ? 13 : 15;
1852
1853 /* For %a, leave the minimum precision unspecified to let
1854 MFPR trim trailing zeros (as it and many other systems
1855 including Glibc happen to do) and set the maximum
1856 precision to reflect what it would be with trailing zeros
1857 present (as Solaris and derived systems do). */
1858 if (dir.prec[1] < 0)
1859 {
1860 /* Both bounds are negative implies that precision has
1861 not been specified. */
1862 prec[0] = maxprec;
1863 prec[1] = -1;
1864 }
1865 else if (dir.prec[0] < 0)
1866 {
1867 /* With a negative lower bound and a non-negative upper
1868 bound set the minimum precision to zero and the maximum
1869 to the greater of the maximum precision (i.e., with
1870 trailing zeros present) and the specified upper bound. */
1871 prec[0] = 0;
1872 prec[1] = dir.prec[1] < maxprec ? maxprec : dir.prec[1];
1873 }
1874 }
1875 else if (dir.prec[0] < 0)
1876 {
1877 if (dir.prec[1] < 0)
1878 {
1879 /* A precision in a strictly negative range is ignored and
1880 the default of 6 is used instead. */
1881 prec[0] = prec[1] = 6;
1882 }
1883 else
1884 {
1885 /* For a precision in a partly negative range, the lower bound
1886 must be assumed to be zero and the new upper bound is the
1887 greater of 6 (the default precision used when the specified
1888 precision is negative) and the upper bound of the specified
1889 range. */
1890 prec[0] = 0;
1891 prec[1] = dir.prec[1] < 6 ? 6 : dir.prec[1];
1892 }
1893 }
1894
1895 if (!arg
1896 || TREE_CODE (arg) != REAL_CST
1897 || !useless_type_conversion_p (type, TREE_TYPE (arg)))
1898 return format_floating (dir, prec);
1899
1900 /* The minimum and maximum number of bytes produced by the directive. */
1901 fmtresult res;
1902
1903 /* Get the real type format description for the target. */
1904 const REAL_VALUE_TYPE *rvp = TREE_REAL_CST_PTR (arg);
1905 const real_format *rfmt = REAL_MODE_FORMAT (TYPE_MODE (TREE_TYPE (arg)));
1906
1907 if (!real_isfinite (rvp))
1908 {
1909 /* The format for Infinity and NaN is "[-]inf"/"[-]infinity"
1910 and "[-]nan" with the choice being implementation-defined
1911 but not locale dependent. */
1912 bool sign = dir.get_flag ('+') || real_isneg (rvp);
1913 res.range.min = 3 + sign;
1914
1915 res.range.likely = res.range.min;
1916 res.range.max = res.range.min;
1917 /* The unlikely maximum is "[-/+]infinity" or "[-/+][qs]nan".
1918 For NaN, the C/POSIX standards specify two formats:
1919 "[-/+]nan"
1920 and
1921 "[-/+]nan(n-char-sequence)"
1922 No known printf implementation outputs the latter format but AIX
1923 outputs QNaN and SNaN for quiet and signalling NaN, respectively,
1924 so the unlikely maximum reflects that. */
1925 res.range.unlikely = sign + (real_isinf (rvp) ? 8 : 4);
1926
1927 /* The range for infinity and NaN is known unless either width
1928 or precision is unknown. Width has the same effect regardless
1929 of whether the argument is finite. Precision is either ignored
1930 (e.g., Glibc) or can have an effect on the short vs long format
1931 such as inf/infinity (e.g., Solaris). */
1932 res.knownrange = dir.known_width_and_precision ();
1933
1934 /* Adjust the range for width but ignore precision. */
1935 res.adjust_for_width_or_precision (dir.width);
1936
1937 return res;
1938 }
1939
1940 char fmtstr [40];
1941 char *pfmt = fmtstr;
1942
1943 /* Append flags. */
1944 for (const char *pf = "-+ #0"; *pf; ++pf)
1945 if (dir.get_flag (*pf))
1946 *pfmt++ = *pf;
1947
1948 *pfmt = '\0';
1949
1950 {
1951 /* Set up an array to easily iterate over. */
1952 unsigned HOST_WIDE_INT* const minmax[] = {
1953 &res.range.min, &res.range.max
1954 };
1955
1956 for (int i = 0; i != sizeof minmax / sizeof *minmax; ++i)
1957 {
1958 /* Convert the GCC real value representation with the precision
1959 of the real type to the mpfr_t format rounding down in the
1960 first iteration that computes the minimum and up in the second
1961 that computes the maximum. This order is arbitrary because
1962 rounding in either direction can result in longer output. */
1963 mpfr_t mpfrval;
1964 mpfr_init2 (mpfrval, rfmt->p);
1965 mpfr_from_real (mpfrval, rvp, i ? MPFR_RNDU : MPFR_RNDD);
1966
1967 /* Use the MPFR rounding specifier to round down in the first
1968 iteration and then up. In most but not all cases this will
1969 result in the same number of bytes. */
1970 char rndspec = "DU"[i];
1971
1972 /* Format it and store the result in the corresponding member
1973 of the result struct. */
1974 *minmax[i] = get_mpfr_format_length (mpfrval, fmtstr, prec[i],
1975 dir.specifier, rndspec);
1976 mpfr_clear (mpfrval);
1977 }
1978 }
1979
1980 /* Make sure the minimum is less than the maximum (MPFR rounding
1981 in the call to mpfr_snprintf can result in the reverse. */
1982 if (res.range.max < res.range.min)
1983 {
1984 unsigned HOST_WIDE_INT tmp = res.range.min;
1985 res.range.min = res.range.max;
1986 res.range.max = tmp;
1987 }
1988
1989 /* The range is known unless either width or precision is unknown. */
1990 res.knownrange = dir.known_width_and_precision ();
1991
1992 /* For the same floating point constant, unless width or precision
1993 is unknown, use the longer output as the likely maximum since
1994 with round to nearest either is equally likely. Otherwise, when
1995 precision is unknown, use the greater of the minimum and 3 as
1996 the likely output (for "0.0" since zero precision is unlikely). */
1997 if (res.knownrange)
1998 res.range.likely = res.range.max;
1999 else if (res.range.min < 3
2000 && dir.prec[0] < 0
2001 && (unsigned HOST_WIDE_INT)dir.prec[1] == target_int_max ())
2002 res.range.likely = 3;
2003 else
2004 res.range.likely = res.range.min;
2005
2006 res.range.unlikely = res.range.max;
2007
2008 if (res.range.max > 2 && (prec[0] != 0 || prec[1] != 0))
2009 {
2010 /* Unless the precision is zero output longer than 2 bytes may
2011 include the decimal point which must be a single character
2012 up to MB_LEN_MAX in length. This is overly conservative
2013 since in some conversions some constants result in no decimal
2014 point (e.g., in %g). */
2015 res.range.unlikely += target_mb_len_max () - 1;
2016 }
2017
2018 res.adjust_for_width_or_precision (dir.width);
2019 return res;
2020 }
2021
2022 /* Return a FMTRESULT struct set to the lengths of the shortest and longest
2023 strings referenced by the expression STR, or (-1, -1) when not known.
2024 Used by the format_string function below. */
2025
2026 static fmtresult
2027 get_string_length (tree str, gimple *stmt, unsigned eltsize,
2028 range_query *query)
2029 {
2030 if (!str)
2031 return fmtresult ();
2032
2033 /* Try to determine the dynamic string length first.
2034 Set MAXBOUND to an arbitrary non-null non-integer node as a request
2035 to have it set to the length of the longest string in a PHI. */
2036 c_strlen_data lendata = { };
2037 lendata.maxbound = str;
2038 if (eltsize == 1)
2039 get_range_strlen_dynamic (str, stmt, &lendata, query);
2040 else
2041 {
2042 /* Determine the length of the shortest and longest string referenced
2043 by STR. Strings of unknown lengths are bounded by the sizes of
2044 arrays that subexpressions of STR may refer to. Pointers that
2045 aren't known to point any such arrays result in LENDATA.MAXLEN
2046 set to SIZE_MAX. */
2047 get_range_strlen (str, &lendata, eltsize);
2048 }
2049
2050 /* If LENDATA.MAXBOUND is not equal to .MINLEN it corresponds to the bound
2051 of the largest array STR refers to, if known, or it's set to SIZE_MAX
2052 otherwise. */
2053
2054 /* Return the default result when nothing is known about the string. */
2055 if ((lendata.maxbound && !tree_fits_uhwi_p (lendata.maxbound))
2056 || !tree_fits_uhwi_p (lendata.maxlen))
2057 {
2058 fmtresult res;
2059 res.nonstr = lendata.decl;
2060 return res;
2061 }
2062
2063 unsigned HOST_WIDE_INT lenmax = tree_to_uhwi (max_object_size ()) - 2;
2064 if (integer_zerop (lendata.minlen)
2065 && (!lendata.maxbound || lenmax <= tree_to_uhwi (lendata.maxbound))
2066 && lenmax <= tree_to_uhwi (lendata.maxlen))
2067 {
2068 fmtresult res;
2069 res.nonstr = lendata.decl;
2070 return res;
2071 }
2072
2073 HOST_WIDE_INT min
2074 = (tree_fits_uhwi_p (lendata.minlen)
2075 ? tree_to_uhwi (lendata.minlen)
2076 : 0);
2077
2078 HOST_WIDE_INT max
2079 = (lendata.maxbound && tree_fits_uhwi_p (lendata.maxbound)
2080 ? tree_to_uhwi (lendata.maxbound)
2081 : HOST_WIDE_INT_M1U);
2082
2083 const bool unbounded = integer_all_onesp (lendata.maxlen);
2084
2085 /* Set the max/likely counters to unbounded when a minimum is known
2086 but the maximum length isn't bounded. This implies that STR is
2087 a conditional expression involving a string of known length and
2088 an expression of unknown/unbounded length. */
2089 if (min
2090 && (unsigned HOST_WIDE_INT)min < HOST_WIDE_INT_M1U
2091 && unbounded)
2092 max = HOST_WIDE_INT_M1U;
2093
2094 /* get_range_strlen() returns the target value of SIZE_MAX for
2095 strings of unknown length. Bump it up to HOST_WIDE_INT_M1U
2096 which may be bigger. */
2097 if ((unsigned HOST_WIDE_INT)min == target_size_max ())
2098 min = HOST_WIDE_INT_M1U;
2099 if ((unsigned HOST_WIDE_INT)max == target_size_max ())
2100 max = HOST_WIDE_INT_M1U;
2101
2102 fmtresult res (min, max);
2103 res.nonstr = lendata.decl;
2104
2105 /* Set RES.KNOWNRANGE to true if and only if all strings referenced
2106 by STR are known to be bounded (though not necessarily by their
2107 actual length but perhaps by their maximum possible length). */
2108 if (res.range.max < target_int_max ())
2109 {
2110 res.knownrange = true;
2111 /* When the length of the longest string is known and not
2112 excessive use it as the likely length of the string(s). */
2113 res.range.likely = res.range.max;
2114 }
2115 else
2116 {
2117 /* When the upper bound is unknown (it can be zero or excessive)
2118 set the likely length to the greater of 1. If MAXBOUND is
2119 known, also reset the length of the lower bound to zero. */
2120 res.range.likely = res.range.min ? res.range.min : warn_level > 1;
2121 if (lendata.maxbound && !integer_all_onesp (lendata.maxbound))
2122 res.range.min = 0;
2123 }
2124
2125 res.range.unlikely = unbounded ? HOST_WIDE_INT_MAX : res.range.max;
2126
2127 return res;
2128 }
2129
2130 /* Return the minimum and maximum number of characters formatted
2131 by the '%c' format directives and its wide character form for
2132 the argument ARG. ARG can be null (for functions such as
2133 vsprinf). */
2134
2135 static fmtresult
2136 format_character (const directive &dir, tree arg, range_query *query)
2137 {
2138 fmtresult res;
2139
2140 res.knownrange = true;
2141
2142 if (dir.specifier == 'C'
2143 || dir.modifier == FMT_LEN_l)
2144 {
2145 /* A wide character can result in as few as zero bytes. */
2146 res.range.min = 0;
2147
2148 HOST_WIDE_INT min, max;
2149 if (get_int_range (arg, dir.info->callstmt, &min, &max, false, 0, query))
2150 {
2151 if (min == 0 && max == 0)
2152 {
2153 /* The NUL wide character results in no bytes. */
2154 res.range.max = 0;
2155 res.range.likely = 0;
2156 res.range.unlikely = 0;
2157 }
2158 else if (min >= 0 && min < 128)
2159 {
2160 /* Be conservative if the target execution character set
2161 is not a 1-to-1 mapping to the source character set or
2162 if the source set is not ASCII. */
2163 bool one_2_one_ascii
2164 = (target_to_host_charmap[0] == 1 && target_to_host ('a') == 97);
2165
2166 /* A wide character in the ASCII range most likely results
2167 in a single byte, and only unlikely in up to MB_LEN_MAX. */
2168 res.range.max = one_2_one_ascii ? 1 : target_mb_len_max ();;
2169 res.range.likely = 1;
2170 res.range.unlikely = target_mb_len_max ();
2171 res.mayfail = !one_2_one_ascii;
2172 }
2173 else
2174 {
2175 /* A wide character outside the ASCII range likely results
2176 in up to two bytes, and only unlikely in up to MB_LEN_MAX. */
2177 res.range.max = target_mb_len_max ();
2178 res.range.likely = 2;
2179 res.range.unlikely = res.range.max;
2180 /* Converting such a character may fail. */
2181 res.mayfail = true;
2182 }
2183 }
2184 else
2185 {
2186 /* An unknown wide character is treated the same as a wide
2187 character outside the ASCII range. */
2188 res.range.max = target_mb_len_max ();
2189 res.range.likely = 2;
2190 res.range.unlikely = res.range.max;
2191 res.mayfail = true;
2192 }
2193 }
2194 else
2195 {
2196 /* A plain '%c' directive. Its output is exactly 1. */
2197 res.range.min = res.range.max = 1;
2198 res.range.likely = res.range.unlikely = 1;
2199 res.knownrange = true;
2200 }
2201
2202 /* Bump up the byte counters if WIDTH is greater. */
2203 return res.adjust_for_width_or_precision (dir.width);
2204 }
2205
2206 /* Determine the offset *INDEX of the first byte of an array element of
2207 TYPE (possibly recursively) into which the byte offset OFF points.
2208 On success set *INDEX to the offset of the first byte and return type.
2209 Otherwise, if no such element can be found, return null. */
2210
2211 static tree
2212 array_elt_at_offset (tree type, HOST_WIDE_INT off, HOST_WIDE_INT *index)
2213 {
2214 gcc_assert (TREE_CODE (type) == ARRAY_TYPE);
2215
2216 tree eltype = type;
2217 while (TREE_CODE (TREE_TYPE (eltype)) == ARRAY_TYPE)
2218 eltype = TREE_TYPE (eltype);
2219
2220 if (TYPE_MODE (TREE_TYPE (eltype)) != TYPE_MODE (char_type_node))
2221 eltype = TREE_TYPE (eltype);
2222
2223 if (eltype == type)
2224 {
2225 *index = 0;
2226 return type;
2227 }
2228
2229 HOST_WIDE_INT typsz = int_size_in_bytes (type);
2230 HOST_WIDE_INT eltsz = int_size_in_bytes (eltype);
2231 if (off < typsz * eltsz)
2232 {
2233 *index = (off / eltsz) * eltsz;
2234 return TREE_CODE (eltype) == ARRAY_TYPE ? TREE_TYPE (eltype) : eltype;
2235 }
2236
2237 return NULL_TREE;
2238 }
2239
2240 /* Determine the offset *INDEX of the first byte of a struct member of TYPE
2241 (possibly recursively) into which the byte offset OFF points. On success
2242 set *INDEX to the offset of the first byte and return true. Otherwise,
2243 if no such member can be found, return false. */
2244
2245 static bool
2246 field_at_offset (tree type, HOST_WIDE_INT off, HOST_WIDE_INT *index)
2247 {
2248 gcc_assert (RECORD_OR_UNION_TYPE_P (type));
2249
2250 for (tree fld = TYPE_FIELDS (type); fld; fld = TREE_CHAIN (fld))
2251 {
2252 if (TREE_CODE (fld) != FIELD_DECL || DECL_ARTIFICIAL (fld))
2253 continue;
2254
2255 tree fldtype = TREE_TYPE (fld);
2256 HOST_WIDE_INT fldoff = int_byte_position (fld);
2257
2258 /* If the size is not available the field is a flexible array
2259 member. Treat this case as success. */
2260 tree typesize = TYPE_SIZE_UNIT (fldtype);
2261 HOST_WIDE_INT fldsize = (tree_fits_uhwi_p (typesize)
2262 ? tree_to_uhwi (typesize)
2263 : off);
2264
2265 if (fldoff + fldsize < off)
2266 continue;
2267
2268 if (TREE_CODE (fldtype) == ARRAY_TYPE)
2269 {
2270 HOST_WIDE_INT idx = 0;
2271 if (tree ft = array_elt_at_offset (fldtype, off, &idx))
2272 fldtype = ft;
2273 else
2274 break;
2275
2276 *index += idx;
2277 fldoff -= idx;
2278 off -= idx;
2279 }
2280
2281 if (RECORD_OR_UNION_TYPE_P (fldtype))
2282 {
2283 *index += fldoff;
2284 return field_at_offset (fldtype, off - fldoff, index);
2285 }
2286
2287 *index += fldoff;
2288 return true;
2289 }
2290
2291 return false;
2292 }
2293
2294 /* For an expression X of pointer type, recursively try to find the same
2295 origin (object or pointer) as Y it references and return such an X.
2296 When X refers to a struct member, set *FLDOFF to the offset of the
2297 member from the beginning of the "most derived" object. */
2298
2299 static tree
2300 get_origin_and_offset (tree x, HOST_WIDE_INT *fldoff, HOST_WIDE_INT *off)
2301 {
2302 if (!x)
2303 return NULL_TREE;
2304
2305 switch (TREE_CODE (x))
2306 {
2307 case ADDR_EXPR:
2308 x = TREE_OPERAND (x, 0);
2309 return get_origin_and_offset (x, fldoff, off);
2310
2311 case ARRAY_REF:
2312 {
2313 tree offset = TREE_OPERAND (x, 1);
2314 HOST_WIDE_INT idx = (tree_fits_uhwi_p (offset)
2315 ? tree_to_uhwi (offset) : HOST_WIDE_INT_MAX);
2316
2317 tree eltype = TREE_TYPE (x);
2318 if (TREE_CODE (eltype) == INTEGER_TYPE)
2319 {
2320 if (off)
2321 *off = idx;
2322 }
2323 else if (idx < HOST_WIDE_INT_MAX)
2324 *fldoff += idx * int_size_in_bytes (eltype);
2325 else
2326 *fldoff = idx;
2327
2328 x = TREE_OPERAND (x, 0);
2329 return get_origin_and_offset (x, fldoff, NULL);
2330 }
2331
2332 case MEM_REF:
2333 if (off)
2334 {
2335 tree offset = TREE_OPERAND (x, 1);
2336 *off = (tree_fits_uhwi_p (offset)
2337 ? tree_to_uhwi (offset) : HOST_WIDE_INT_MAX);
2338 }
2339
2340 x = TREE_OPERAND (x, 0);
2341
2342 if (off)
2343 {
2344 tree xtype
2345 = (TREE_CODE (x) == ADDR_EXPR
2346 ? TREE_TYPE (TREE_OPERAND (x, 0)) : TREE_TYPE (TREE_TYPE (x)));
2347
2348 /* The byte offset of the most basic struct member the byte
2349 offset *OFF corresponds to, or for a (multidimensional)
2350 array member, the byte offset of the array element. */
2351 HOST_WIDE_INT index = 0;
2352
2353 if ((RECORD_OR_UNION_TYPE_P (xtype)
2354 && field_at_offset (xtype, *off, &index))
2355 || (TREE_CODE (xtype) == ARRAY_TYPE
2356 && TREE_CODE (TREE_TYPE (xtype)) == ARRAY_TYPE
2357 && array_elt_at_offset (xtype, *off, &index)))
2358 {
2359 *fldoff += index;
2360 *off -= index;
2361 }
2362 }
2363
2364 return get_origin_and_offset (x, fldoff, NULL);
2365
2366 case COMPONENT_REF:
2367 {
2368 tree fld = TREE_OPERAND (x, 1);
2369 *fldoff += int_byte_position (fld);
2370
2371 get_origin_and_offset (fld, fldoff, off);
2372 x = TREE_OPERAND (x, 0);
2373 return get_origin_and_offset (x, fldoff, off);
2374 }
2375
2376 case SSA_NAME:
2377 {
2378 gimple *def = SSA_NAME_DEF_STMT (x);
2379 if (is_gimple_assign (def))
2380 {
2381 tree_code code = gimple_assign_rhs_code (def);
2382 if (code == ADDR_EXPR)
2383 {
2384 x = gimple_assign_rhs1 (def);
2385 return get_origin_and_offset (x, fldoff, off);
2386 }
2387
2388 if (code == POINTER_PLUS_EXPR)
2389 {
2390 tree offset = gimple_assign_rhs2 (def);
2391 if (off)
2392 *off = (tree_fits_uhwi_p (offset)
2393 ? tree_to_uhwi (offset) : HOST_WIDE_INT_MAX);
2394
2395 x = gimple_assign_rhs1 (def);
2396 return get_origin_and_offset (x, fldoff, NULL);
2397 }
2398 else if (code == VAR_DECL)
2399 {
2400 x = gimple_assign_rhs1 (def);
2401 return get_origin_and_offset (x, fldoff, off);
2402 }
2403 }
2404 else if (gimple_nop_p (def) && SSA_NAME_VAR (x))
2405 x = SSA_NAME_VAR (x);
2406 }
2407
2408 default:
2409 break;
2410 }
2411
2412 return x;
2413 }
2414
2415 /* If ARG refers to the same (sub)object or array element as described
2416 by DST and DST_FLD, return the byte offset into the struct member or
2417 array element referenced by ARG. Otherwise return HOST_WIDE_INT_MIN
2418 to indicate that ARG and DST do not refer to the same object. */
2419
2420 static HOST_WIDE_INT
2421 alias_offset (tree arg, tree dst, HOST_WIDE_INT dst_fld)
2422 {
2423 /* See if the argument refers to the same base object as the destination
2424 of the formatted function call, and if so, try to determine if they
2425 can alias. */
2426 if (!arg || !dst || !ptr_derefs_may_alias_p (arg, dst))
2427 return HOST_WIDE_INT_MIN;
2428
2429 /* The two arguments may refer to the same object. If they both refer
2430 to a struct member, see if the members are one and the same. */
2431 HOST_WIDE_INT arg_off = 0, arg_fld = 0;
2432
2433 tree arg_orig = get_origin_and_offset (arg, &arg_fld, &arg_off);
2434
2435 if (arg_orig == dst && arg_fld == dst_fld)
2436 return arg_off;
2437
2438 return HOST_WIDE_INT_MIN;
2439 }
2440
2441 /* Return the minimum and maximum number of characters formatted
2442 by the '%s' format directive and its wide character form for
2443 the argument ARG. ARG can be null (for functions such as
2444 vsprinf). */
2445
2446 static fmtresult
2447 format_string (const directive &dir, tree arg, range_query *query)
2448 {
2449 fmtresult res;
2450
2451 if (warn_restrict)
2452 {
2453 /* See if ARG might alias the destination of the call with
2454 DST_ORIGIN and DST_FIELD. If so, store the starting offset
2455 so that the overlap can be determined for certain later,
2456 when the amount of output of the call (including subsequent
2457 directives) has been computed. Otherwise, store HWI_MIN. */
2458 res.dst_offset = alias_offset (arg, dir.info->dst_origin,
2459 dir.info->dst_field);
2460 }
2461
2462 /* Compute the range the argument's length can be in. */
2463 int count_by = 1;
2464 if (dir.specifier == 'S' || dir.modifier == FMT_LEN_l)
2465 {
2466 /* Get a node for a C type that will be the same size
2467 as a wchar_t on the target. */
2468 tree node = get_typenode_from_name (MODIFIED_WCHAR_TYPE);
2469
2470 /* Now that we have a suitable node, get the number of
2471 bytes it occupies. */
2472 count_by = int_size_in_bytes (node);
2473 gcc_checking_assert (count_by == 2 || count_by == 4);
2474 }
2475
2476 fmtresult slen = get_string_length (arg, dir.info->callstmt, count_by, query);
2477 if (slen.range.min == slen.range.max
2478 && slen.range.min < HOST_WIDE_INT_MAX)
2479 {
2480 /* The argument is either a string constant or it refers
2481 to one of a number of strings of the same length. */
2482
2483 /* A '%s' directive with a string argument with constant length. */
2484 res.range = slen.range;
2485
2486 if (dir.specifier == 'S'
2487 || dir.modifier == FMT_LEN_l)
2488 {
2489 /* In the worst case the length of output of a wide string S
2490 is bounded by MB_LEN_MAX * wcslen (S). */
2491 res.range.max *= target_mb_len_max ();
2492 res.range.unlikely = res.range.max;
2493 /* It's likely that the total length is not more that
2494 2 * wcslen (S).*/
2495 res.range.likely = res.range.min * 2;
2496
2497 if (dir.prec[1] >= 0
2498 && (unsigned HOST_WIDE_INT)dir.prec[1] < res.range.max)
2499 {
2500 res.range.max = dir.prec[1];
2501 res.range.likely = dir.prec[1];
2502 res.range.unlikely = dir.prec[1];
2503 }
2504
2505 if (dir.prec[0] < 0 && dir.prec[1] > -1)
2506 res.range.min = 0;
2507 else if (dir.prec[0] >= 0)
2508 res.range.likely = dir.prec[0];
2509
2510 /* Even a non-empty wide character string need not convert into
2511 any bytes. */
2512 res.range.min = 0;
2513
2514 /* A non-empty wide character conversion may fail. */
2515 if (slen.range.max > 0)
2516 res.mayfail = true;
2517 }
2518 else
2519 {
2520 res.knownrange = true;
2521
2522 if (dir.prec[0] < 0 && dir.prec[1] > -1)
2523 res.range.min = 0;
2524 else if ((unsigned HOST_WIDE_INT)dir.prec[0] < res.range.min)
2525 res.range.min = dir.prec[0];
2526
2527 if ((unsigned HOST_WIDE_INT)dir.prec[1] < res.range.max)
2528 {
2529 res.range.max = dir.prec[1];
2530 res.range.likely = dir.prec[1];
2531 res.range.unlikely = dir.prec[1];
2532 }
2533 }
2534 }
2535 else if (arg && integer_zerop (arg))
2536 {
2537 /* Handle null pointer argument. */
2538
2539 fmtresult res (0);
2540 res.nullp = true;
2541 return res;
2542 }
2543 else
2544 {
2545 /* For a '%s' and '%ls' directive with a non-constant string (either
2546 one of a number of strings of known length or an unknown string)
2547 the minimum number of characters is lesser of PRECISION[0] and
2548 the length of the shortest known string or zero, and the maximum
2549 is the lesser of the length of the longest known string or
2550 PTRDIFF_MAX and PRECISION[1]. The likely length is either
2551 the minimum at level 1 and the greater of the minimum and 1
2552 at level 2. This result is adjust upward for width (if it's
2553 specified). */
2554
2555 if (dir.specifier == 'S'
2556 || dir.modifier == FMT_LEN_l)
2557 {
2558 /* A wide character converts to as few as zero bytes. */
2559 slen.range.min = 0;
2560 if (slen.range.max < target_int_max ())
2561 slen.range.max *= target_mb_len_max ();
2562
2563 if (slen.range.likely < target_int_max ())
2564 slen.range.likely *= 2;
2565
2566 if (slen.range.likely < target_int_max ())
2567 slen.range.unlikely *= target_mb_len_max ();
2568
2569 /* A non-empty wide character conversion may fail. */
2570 if (slen.range.max > 0)
2571 res.mayfail = true;
2572 }
2573
2574 res.range = slen.range;
2575
2576 if (dir.prec[0] >= 0)
2577 {
2578 /* Adjust the minimum to zero if the string length is unknown,
2579 or at most the lower bound of the precision otherwise. */
2580 if (slen.range.min >= target_int_max ())
2581 res.range.min = 0;
2582 else if ((unsigned HOST_WIDE_INT)dir.prec[0] < slen.range.min)
2583 res.range.min = dir.prec[0];
2584
2585 /* Make both maxima no greater than the upper bound of precision. */
2586 if ((unsigned HOST_WIDE_INT)dir.prec[1] < slen.range.max
2587 || slen.range.max >= target_int_max ())
2588 {
2589 res.range.max = dir.prec[1];
2590 res.range.unlikely = dir.prec[1];
2591 }
2592
2593 /* If precision is constant, set the likely counter to the lesser
2594 of it and the maximum string length. Otherwise, if the lower
2595 bound of precision is greater than zero, set the likely counter
2596 to the minimum. Otherwise set it to zero or one based on
2597 the warning level. */
2598 if (dir.prec[0] == dir.prec[1])
2599 res.range.likely
2600 = ((unsigned HOST_WIDE_INT)dir.prec[0] < slen.range.max
2601 ? dir.prec[0] : slen.range.max);
2602 else if (dir.prec[0] > 0)
2603 res.range.likely = res.range.min;
2604 else
2605 res.range.likely = warn_level > 1;
2606 }
2607 else if (dir.prec[1] >= 0)
2608 {
2609 res.range.min = 0;
2610 if ((unsigned HOST_WIDE_INT)dir.prec[1] < slen.range.max)
2611 res.range.max = dir.prec[1];
2612 res.range.likely = dir.prec[1] ? warn_level > 1 : 0;
2613 if ((unsigned HOST_WIDE_INT)dir.prec[1] < slen.range.unlikely)
2614 res.range.unlikely = dir.prec[1];
2615 }
2616 else if (slen.range.min >= target_int_max ())
2617 {
2618 res.range.min = 0;
2619 res.range.max = HOST_WIDE_INT_MAX;
2620 /* At level 1 strings of unknown length are assumed to be
2621 empty, while at level 1 they are assumed to be one byte
2622 long. */
2623 res.range.likely = warn_level > 1;
2624 res.range.unlikely = HOST_WIDE_INT_MAX;
2625 }
2626 else
2627 {
2628 /* A string of unknown length unconstrained by precision is
2629 assumed to be empty at level 1 and just one character long
2630 at higher levels. */
2631 if (res.range.likely >= target_int_max ())
2632 res.range.likely = warn_level > 1;
2633 }
2634 }
2635
2636 /* If the argument isn't a nul-terminated string and the number
2637 of bytes on output isn't bounded by precision, set NONSTR. */
2638 if (slen.nonstr && slen.range.min < (unsigned HOST_WIDE_INT)dir.prec[0])
2639 res.nonstr = slen.nonstr;
2640
2641 /* Bump up the byte counters if WIDTH is greater. */
2642 return res.adjust_for_width_or_precision (dir.width);
2643 }
2644
2645 /* Format plain string (part of the format string itself). */
2646
2647 static fmtresult
2648 format_plain (const directive &dir, tree, range_query *)
2649 {
2650 fmtresult res (dir.len);
2651 return res;
2652 }
2653
2654 /* Return true if the RESULT of a directive in a call describe by INFO
2655 should be diagnosed given the AVAILable space in the destination. */
2656
2657 static bool
2658 should_warn_p (const call_info &info,
2659 const result_range &avail, const result_range &result)
2660 {
2661 if (result.max <= avail.min)
2662 {
2663 /* The least amount of space remaining in the destination is big
2664 enough for the longest output. */
2665 return false;
2666 }
2667
2668 if (info.bounded)
2669 {
2670 if (warn_format_trunc == 1 && result.min <= avail.max
2671 && info.retval_used ())
2672 {
2673 /* The likely amount of space remaining in the destination is big
2674 enough for the least output and the return value is used. */
2675 return false;
2676 }
2677
2678 if (warn_format_trunc == 1 && result.likely <= avail.likely
2679 && !info.retval_used ())
2680 {
2681 /* The likely amount of space remaining in the destination is big
2682 enough for the likely output and the return value is unused. */
2683 return false;
2684 }
2685
2686 if (warn_format_trunc == 2
2687 && result.likely <= avail.min
2688 && (result.max <= avail.min
2689 || result.max > HOST_WIDE_INT_MAX))
2690 {
2691 /* The minimum amount of space remaining in the destination is big
2692 enough for the longest output. */
2693 return false;
2694 }
2695 }
2696 else
2697 {
2698 if (warn_level == 1 && result.likely <= avail.likely)
2699 {
2700 /* The likely amount of space remaining in the destination is big
2701 enough for the likely output. */
2702 return false;
2703 }
2704
2705 if (warn_level == 2
2706 && result.likely <= avail.min
2707 && (result.max <= avail.min
2708 || result.max > HOST_WIDE_INT_MAX))
2709 {
2710 /* The minimum amount of space remaining in the destination is big
2711 enough for the longest output. */
2712 return false;
2713 }
2714 }
2715
2716 return true;
2717 }
2718
2719 /* At format string location describe by DIRLOC in a call described
2720 by INFO, issue a warning for a directive DIR whose output may be
2721 in excess of the available space AVAIL_RANGE in the destination
2722 given the formatting result FMTRES. This function does nothing
2723 except decide whether to issue a warning for a possible write
2724 past the end or truncation and, if so, format the warning.
2725 Return true if a warning has been issued. */
2726
2727 static bool
2728 maybe_warn (substring_loc &dirloc, location_t argloc,
2729 const call_info &info,
2730 const result_range &avail_range, const result_range &res,
2731 const directive &dir)
2732 {
2733 if (!should_warn_p (info, avail_range, res))
2734 return false;
2735
2736 /* A warning will definitely be issued below. */
2737
2738 /* The maximum byte count to reference in the warning. Larger counts
2739 imply that the upper bound is unknown (and could be anywhere between
2740 RES.MIN + 1 and SIZE_MAX / 2) are printed as "N or more bytes" rather
2741 than "between N and X" where X is some huge number. */
2742 unsigned HOST_WIDE_INT maxbytes = target_dir_max ();
2743
2744 /* True when there is enough room in the destination for the least
2745 amount of a directive's output but not enough for its likely or
2746 maximum output. */
2747 bool maybe = (res.min <= avail_range.max
2748 && (avail_range.min < res.likely
2749 || (res.max < HOST_WIDE_INT_MAX
2750 && avail_range.min < res.max)));
2751
2752 /* Buffer for the directive in the host character set (used when
2753 the source character set is different). */
2754 char hostdir[32];
2755
2756 if (avail_range.min == avail_range.max)
2757 {
2758 /* The size of the destination region is exact. */
2759 unsigned HOST_WIDE_INT navail = avail_range.max;
2760
2761 if (target_to_host (*dir.beg) != '%')
2762 {
2763 /* For plain character directives (i.e., the format string itself)
2764 but not others, point the caret at the first character that's
2765 past the end of the destination. */
2766 if (navail < dir.len)
2767 dirloc.set_caret_index (dirloc.get_caret_idx () + navail);
2768 }
2769
2770 if (*dir.beg == '\0')
2771 {
2772 /* This is the terminating nul. */
2773 gcc_assert (res.min == 1 && res.min == res.max);
2774
2775 return fmtwarn (dirloc, UNKNOWN_LOCATION, NULL, info.warnopt (),
2776 info.bounded
2777 ? (maybe
2778 ? G_("%qE output may be truncated before the "
2779 "last format character")
2780 : G_("%qE output truncated before the last "
2781 "format character"))
2782 : (maybe
2783 ? G_("%qE may write a terminating nul past the "
2784 "end of the destination")
2785 : G_("%qE writing a terminating nul past the "
2786 "end of the destination")),
2787 info.func);
2788 }
2789
2790 if (res.min == res.max)
2791 {
2792 const char *d = target_to_host (hostdir, sizeof hostdir, dir.beg);
2793 if (!info.bounded)
2794 return fmtwarn_n (dirloc, argloc, NULL, info.warnopt (), res.min,
2795 "%<%.*s%> directive writing %wu byte into a "
2796 "region of size %wu",
2797 "%<%.*s%> directive writing %wu bytes into a "
2798 "region of size %wu",
2799 (int) dir.len, d, res.min, navail);
2800 else if (maybe)
2801 return fmtwarn_n (dirloc, argloc, NULL, info.warnopt (), res.min,
2802 "%<%.*s%> directive output may be truncated "
2803 "writing %wu byte into a region of size %wu",
2804 "%<%.*s%> directive output may be truncated "
2805 "writing %wu bytes into a region of size %wu",
2806 (int) dir.len, d, res.min, navail);
2807 else
2808 return fmtwarn_n (dirloc, argloc, NULL, info.warnopt (), res.min,
2809 "%<%.*s%> directive output truncated writing "
2810 "%wu byte into a region of size %wu",
2811 "%<%.*s%> directive output truncated writing "
2812 "%wu bytes into a region of size %wu",
2813 (int) dir.len, d, res.min, navail);
2814 }
2815 if (res.min == 0 && res.max < maxbytes)
2816 return fmtwarn (dirloc, argloc, NULL,
2817 info.warnopt (),
2818 info.bounded
2819 ? (maybe
2820 ? G_("%<%.*s%> directive output may be truncated "
2821 "writing up to %wu bytes into a region of "
2822 "size %wu")
2823 : G_("%<%.*s%> directive output truncated writing "
2824 "up to %wu bytes into a region of size %wu"))
2825 : G_("%<%.*s%> directive writing up to %wu bytes "
2826 "into a region of size %wu"), (int) dir.len,
2827 target_to_host (hostdir, sizeof hostdir, dir.beg),
2828 res.max, navail);
2829
2830 if (res.min == 0 && maxbytes <= res.max)
2831 /* This is a special case to avoid issuing the potentially
2832 confusing warning:
2833 writing 0 or more bytes into a region of size 0. */
2834 return fmtwarn (dirloc, argloc, NULL, info.warnopt (),
2835 info.bounded
2836 ? (maybe
2837 ? G_("%<%.*s%> directive output may be truncated "
2838 "writing likely %wu or more bytes into a "
2839 "region of size %wu")
2840 : G_("%<%.*s%> directive output truncated writing "
2841 "likely %wu or more bytes into a region of "
2842 "size %wu"))
2843 : G_("%<%.*s%> directive writing likely %wu or more "
2844 "bytes into a region of size %wu"), (int) dir.len,
2845 target_to_host (hostdir, sizeof hostdir, dir.beg),
2846 res.likely, navail);
2847
2848 if (res.max < maxbytes)
2849 return fmtwarn (dirloc, argloc, NULL, info.warnopt (),
2850 info.bounded
2851 ? (maybe
2852 ? G_("%<%.*s%> directive output may be truncated "
2853 "writing between %wu and %wu bytes into a "
2854 "region of size %wu")
2855 : G_("%<%.*s%> directive output truncated "
2856 "writing between %wu and %wu bytes into a "
2857 "region of size %wu"))
2858 : G_("%<%.*s%> directive writing between %wu and "
2859 "%wu bytes into a region of size %wu"),
2860 (int) dir.len,
2861 target_to_host (hostdir, sizeof hostdir, dir.beg),
2862 res.min, res.max, navail);
2863
2864 return fmtwarn (dirloc, argloc, NULL, info.warnopt (),
2865 info.bounded
2866 ? (maybe
2867 ? G_("%<%.*s%> directive output may be truncated "
2868 "writing %wu or more bytes into a region of "
2869 "size %wu")
2870 : G_("%<%.*s%> directive output truncated writing "
2871 "%wu or more bytes into a region of size %wu"))
2872 : G_("%<%.*s%> directive writing %wu or more bytes "
2873 "into a region of size %wu"), (int) dir.len,
2874 target_to_host (hostdir, sizeof hostdir, dir.beg),
2875 res.min, navail);
2876 }
2877
2878 /* The size of the destination region is a range. */
2879
2880 if (target_to_host (*dir.beg) != '%')
2881 {
2882 unsigned HOST_WIDE_INT navail = avail_range.max;
2883
2884 /* For plain character directives (i.e., the format string itself)
2885 but not others, point the caret at the first character that's
2886 past the end of the destination. */
2887 if (navail < dir.len)
2888 dirloc.set_caret_index (dirloc.get_caret_idx () + navail);
2889 }
2890
2891 if (*dir.beg == '\0')
2892 {
2893 gcc_assert (res.min == 1 && res.min == res.max);
2894
2895 return fmtwarn (dirloc, UNKNOWN_LOCATION, NULL, info.warnopt (),
2896 info.bounded
2897 ? (maybe
2898 ? G_("%qE output may be truncated before the last "
2899 "format character")
2900 : G_("%qE output truncated before the last format "
2901 "character"))
2902 : (maybe
2903 ? G_("%qE may write a terminating nul past the end "
2904 "of the destination")
2905 : G_("%qE writing a terminating nul past the end "
2906 "of the destination")), info.func);
2907 }
2908
2909 if (res.min == res.max)
2910 {
2911 const char *d = target_to_host (hostdir, sizeof hostdir, dir.beg);
2912 if (!info.bounded)
2913 return fmtwarn_n (dirloc, argloc, NULL, info.warnopt (), res.min,
2914 "%<%.*s%> directive writing %wu byte into a region "
2915 "of size between %wu and %wu",
2916 "%<%.*s%> directive writing %wu bytes into a region "
2917 "of size between %wu and %wu", (int) dir.len, d,
2918 res.min, avail_range.min, avail_range.max);
2919 else if (maybe)
2920 return fmtwarn_n (dirloc, argloc, NULL, info.warnopt (), res.min,
2921 "%<%.*s%> directive output may be truncated writing "
2922 "%wu byte into a region of size between %wu and %wu",
2923 "%<%.*s%> directive output may be truncated writing "
2924 "%wu bytes into a region of size between %wu and "
2925 "%wu", (int) dir.len, d, res.min, avail_range.min,
2926 avail_range.max);
2927 else
2928 return fmtwarn_n (dirloc, argloc, NULL, info.warnopt (), res.min,
2929 "%<%.*s%> directive output truncated writing %wu "
2930 "byte into a region of size between %wu and %wu",
2931 "%<%.*s%> directive output truncated writing %wu "
2932 "bytes into a region of size between %wu and %wu",
2933 (int) dir.len, d, res.min, avail_range.min,
2934 avail_range.max);
2935 }
2936
2937 if (res.min == 0 && res.max < maxbytes)
2938 return fmtwarn (dirloc, argloc, NULL, info.warnopt (),
2939 info.bounded
2940 ? (maybe
2941 ? G_("%<%.*s%> directive output may be truncated "
2942 "writing up to %wu bytes into a region of size "
2943 "between %wu and %wu")
2944 : G_("%<%.*s%> directive output truncated writing "
2945 "up to %wu bytes into a region of size between "
2946 "%wu and %wu"))
2947 : G_("%<%.*s%> directive writing up to %wu bytes "
2948 "into a region of size between %wu and %wu"),
2949 (int) dir.len,
2950 target_to_host (hostdir, sizeof hostdir, dir.beg),
2951 res.max, avail_range.min, avail_range.max);
2952
2953 if (res.min == 0 && maxbytes <= res.max)
2954 /* This is a special case to avoid issuing the potentially confusing
2955 warning:
2956 writing 0 or more bytes into a region of size between 0 and N. */
2957 return fmtwarn (dirloc, argloc, NULL, info.warnopt (),
2958 info.bounded
2959 ? (maybe
2960 ? G_("%<%.*s%> directive output may be truncated "
2961 "writing likely %wu or more bytes into a region "
2962 "of size between %wu and %wu")
2963 : G_("%<%.*s%> directive output truncated writing "
2964 "likely %wu or more bytes into a region of size "
2965 "between %wu and %wu"))
2966 : G_("%<%.*s%> directive writing likely %wu or more bytes "
2967 "into a region of size between %wu and %wu"),
2968 (int) dir.len,
2969 target_to_host (hostdir, sizeof hostdir, dir.beg),
2970 res.likely, avail_range.min, avail_range.max);
2971
2972 if (res.max < maxbytes)
2973 return fmtwarn (dirloc, argloc, NULL, info.warnopt (),
2974 info.bounded
2975 ? (maybe
2976 ? G_("%<%.*s%> directive output may be truncated "
2977 "writing between %wu and %wu bytes into a region "
2978 "of size between %wu and %wu")
2979 : G_("%<%.*s%> directive output truncated writing "
2980 "between %wu and %wu bytes into a region of size "
2981 "between %wu and %wu"))
2982 : G_("%<%.*s%> directive writing between %wu and "
2983 "%wu bytes into a region of size between %wu and "
2984 "%wu"), (int) dir.len,
2985 target_to_host (hostdir, sizeof hostdir, dir.beg),
2986 res.min, res.max, avail_range.min, avail_range.max);
2987
2988 return fmtwarn (dirloc, argloc, NULL, info.warnopt (),
2989 info.bounded
2990 ? (maybe
2991 ? G_("%<%.*s%> directive output may be truncated writing "
2992 "%wu or more bytes into a region of size between "
2993 "%wu and %wu")
2994 : G_("%<%.*s%> directive output truncated writing "
2995 "%wu or more bytes into a region of size between "
2996 "%wu and %wu"))
2997 : G_("%<%.*s%> directive writing %wu or more bytes "
2998 "into a region of size between %wu and %wu"),
2999 (int) dir.len,
3000 target_to_host (hostdir, sizeof hostdir, dir.beg),
3001 res.min, avail_range.min, avail_range.max);
3002 }
3003
3004 /* Given the formatting result described by RES and NAVAIL, the number
3005 of available bytes in the destination, return the range of bytes
3006 remaining in the destination. */
3007
3008 static inline result_range
3009 bytes_remaining (unsigned HOST_WIDE_INT navail, const format_result &res)
3010 {
3011 result_range range;
3012
3013 if (HOST_WIDE_INT_MAX <= navail)
3014 {
3015 range.min = range.max = range.likely = range.unlikely = navail;
3016 return range;
3017 }
3018
3019 /* The lower bound of the available range is the available size
3020 minus the maximum output size, and the upper bound is the size
3021 minus the minimum. */
3022 range.max = res.range.min < navail ? navail - res.range.min : 0;
3023
3024 range.likely = res.range.likely < navail ? navail - res.range.likely : 0;
3025
3026 if (res.range.max < HOST_WIDE_INT_MAX)
3027 range.min = res.range.max < navail ? navail - res.range.max : 0;
3028 else
3029 range.min = range.likely;
3030
3031 range.unlikely = (res.range.unlikely < navail
3032 ? navail - res.range.unlikely : 0);
3033
3034 return range;
3035 }
3036
3037 /* Compute the length of the output resulting from the directive DIR
3038 in a call described by INFO and update the overall result of the call
3039 in *RES. Return true if the directive has been handled. */
3040
3041 static bool
3042 format_directive (const call_info &info,
3043 format_result *res, const directive &dir,
3044 range_query *query)
3045 {
3046 /* Offset of the beginning of the directive from the beginning
3047 of the format string. */
3048 size_t offset = dir.beg - info.fmtstr;
3049 size_t start = offset;
3050 size_t length = offset + dir.len - !!dir.len;
3051
3052 /* Create a location for the whole directive from the % to the format
3053 specifier. */
3054 substring_loc dirloc (info.fmtloc, TREE_TYPE (info.format),
3055 offset, start, length);
3056
3057 /* Also get the location of the argument if possible.
3058 This doesn't work for integer literals or function calls. */
3059 location_t argloc = UNKNOWN_LOCATION;
3060 if (dir.arg)
3061 argloc = EXPR_LOCATION (dir.arg);
3062
3063 /* Bail when there is no function to compute the output length,
3064 or when minimum length checking has been disabled. */
3065 if (!dir.fmtfunc || res->range.min >= HOST_WIDE_INT_MAX)
3066 return false;
3067
3068 /* Compute the range of lengths of the formatted output. */
3069 fmtresult fmtres = dir.fmtfunc (dir, dir.arg, query);
3070
3071 /* Record whether the output of all directives is known to be
3072 bounded by some maximum, implying that their arguments are
3073 either known exactly or determined to be in a known range
3074 or, for strings, limited by the upper bounds of the arrays
3075 they refer to. */
3076 res->knownrange &= fmtres.knownrange;
3077
3078 if (!fmtres.knownrange)
3079 {
3080 /* Only when the range is known, check it against the host value
3081 of INT_MAX + (the number of bytes of the "%.*Lf" directive with
3082 INT_MAX precision, which is the longest possible output of any
3083 single directive). That's the largest valid byte count (though
3084 not valid call to a printf-like function because it can never
3085 return such a count). Otherwise, the range doesn't correspond
3086 to known values of the argument. */
3087 if (fmtres.range.max > target_dir_max ())
3088 {
3089 /* Normalize the MAX counter to avoid having to deal with it
3090 later. The counter can be less than HOST_WIDE_INT_M1U
3091 when compiling for an ILP32 target on an LP64 host. */
3092 fmtres.range.max = HOST_WIDE_INT_M1U;
3093 /* Disable exact and maximum length checking after a failure
3094 to determine the maximum number of characters (for example
3095 for wide characters or wide character strings) but continue
3096 tracking the minimum number of characters. */
3097 res->range.max = HOST_WIDE_INT_M1U;
3098 }
3099
3100 if (fmtres.range.min > target_dir_max ())
3101 {
3102 /* Disable exact length checking after a failure to determine
3103 even the minimum number of characters (it shouldn't happen
3104 except in an error) but keep tracking the minimum and maximum
3105 number of characters. */
3106 return true;
3107 }
3108 }
3109
3110 /* Buffer for the directive in the host character set (used when
3111 the source character set is different). */
3112 char hostdir[32];
3113
3114 int dirlen = dir.len;
3115
3116 if (fmtres.nullp)
3117 {
3118 fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3119 "%<%.*s%> directive argument is null",
3120 dirlen, target_to_host (hostdir, sizeof hostdir, dir.beg));
3121
3122 /* Don't bother processing the rest of the format string. */
3123 res->warned = true;
3124 res->range.min = HOST_WIDE_INT_M1U;
3125 res->range.max = HOST_WIDE_INT_M1U;
3126 return false;
3127 }
3128
3129 /* Compute the number of available bytes in the destination. There
3130 must always be at least one byte of space for the terminating
3131 NUL that's appended after the format string has been processed. */
3132 result_range avail_range = bytes_remaining (info.objsize, *res);
3133
3134 /* If the argument aliases a part of the destination of the formatted
3135 call at offset FMTRES.DST_OFFSET append the directive and its result
3136 to the set of aliases for later processing. */
3137 if (fmtres.dst_offset != HOST_WIDE_INT_MIN)
3138 res->append_alias (dir, fmtres.dst_offset, fmtres.range);
3139
3140 bool warned = res->warned;
3141
3142 if (!warned)
3143 warned = maybe_warn (dirloc, argloc, info, avail_range,
3144 fmtres.range, dir);
3145
3146 /* Bump up the total maximum if it isn't too big. */
3147 if (res->range.max < HOST_WIDE_INT_MAX
3148 && fmtres.range.max < HOST_WIDE_INT_MAX)
3149 res->range.max += fmtres.range.max;
3150
3151 /* Raise the total unlikely maximum by the larger of the maximum
3152 and the unlikely maximum. */
3153 unsigned HOST_WIDE_INT save = res->range.unlikely;
3154 if (fmtres.range.max < fmtres.range.unlikely)
3155 res->range.unlikely += fmtres.range.unlikely;
3156 else
3157 res->range.unlikely += fmtres.range.max;
3158
3159 if (res->range.unlikely < save)
3160 res->range.unlikely = HOST_WIDE_INT_M1U;
3161
3162 res->range.min += fmtres.range.min;
3163 res->range.likely += fmtres.range.likely;
3164
3165 /* Has the minimum directive output length exceeded the maximum
3166 of 4095 bytes required to be supported? */
3167 bool minunder4k = fmtres.range.min < 4096;
3168 bool maxunder4k = fmtres.range.max < 4096;
3169 /* Clear POSUNDER4K in the overall result if the maximum has exceeded
3170 the 4k (this is necessary to avoid the return value optimization
3171 that may not be safe in the maximum case). */
3172 if (!maxunder4k)
3173 res->posunder4k = false;
3174 /* Also clear POSUNDER4K if the directive may fail. */
3175 if (fmtres.mayfail)
3176 res->posunder4k = false;
3177
3178 if (!warned
3179 /* Only warn at level 2. */
3180 && warn_level > 1
3181 /* Only warn for string functions. */
3182 && info.is_string_func ()
3183 && (!minunder4k
3184 || (!maxunder4k && fmtres.range.max < HOST_WIDE_INT_MAX)))
3185 {
3186 /* The directive output may be longer than the maximum required
3187 to be handled by an implementation according to 7.21.6.1, p15
3188 of C11. Warn on this only at level 2 but remember this and
3189 prevent folding the return value when done. This allows for
3190 the possibility of the actual libc call failing due to ENOMEM
3191 (like Glibc does with very large precision or width).
3192 Issue the "may exceed" warning only for string functions and
3193 not for fprintf or printf. */
3194
3195 if (fmtres.range.min == fmtres.range.max)
3196 warned = fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3197 "%<%.*s%> directive output of %wu bytes exceeds "
3198 "minimum required size of 4095", dirlen,
3199 target_to_host (hostdir, sizeof hostdir, dir.beg),
3200 fmtres.range.min);
3201 else if (!minunder4k)
3202 warned = fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3203 "%<%.*s%> directive output between %wu and %wu "
3204 "bytes exceeds minimum required size of 4095",
3205 dirlen,
3206 target_to_host (hostdir, sizeof hostdir, dir.beg),
3207 fmtres.range.min, fmtres.range.max);
3208 else if (!info.retval_used () && info.is_string_func ())
3209 warned = fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3210 "%<%.*s%> directive output between %wu and %wu "
3211 "bytes may exceed minimum required size of "
3212 "4095",
3213 dirlen,
3214 target_to_host (hostdir, sizeof hostdir, dir.beg),
3215 fmtres.range.min, fmtres.range.max);
3216 }
3217
3218 /* Has the likely and maximum directive output exceeded INT_MAX? */
3219 bool likelyximax = *dir.beg && res->range.likely > target_int_max ();
3220 /* Don't consider the maximum to be in excess when it's the result
3221 of a string of unknown length (i.e., whose maximum has been set
3222 to be greater than or equal to HOST_WIDE_INT_MAX. */
3223 bool maxximax = (*dir.beg
3224 && res->range.max > target_int_max ()
3225 && res->range.max < HOST_WIDE_INT_MAX);
3226
3227 if (!warned
3228 /* Warn for the likely output size at level 1. */
3229 && (likelyximax
3230 /* But only warn for the maximum at level 2. */
3231 || (warn_level > 1
3232 && maxximax
3233 && fmtres.range.max < HOST_WIDE_INT_MAX)))
3234 {
3235 if (fmtres.range.min > target_int_max ())
3236 {
3237 /* The directive output exceeds INT_MAX bytes. */
3238 if (fmtres.range.min == fmtres.range.max)
3239 warned = fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3240 "%<%.*s%> directive output of %wu bytes exceeds "
3241 "%<INT_MAX%>", dirlen,
3242 target_to_host (hostdir, sizeof hostdir, dir.beg),
3243 fmtres.range.min);
3244 else
3245 warned = fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3246 "%<%.*s%> directive output between %wu and "
3247 "%wu bytes exceeds %<INT_MAX%>", dirlen,
3248 target_to_host (hostdir, sizeof hostdir, dir.beg),
3249 fmtres.range.min, fmtres.range.max);
3250 }
3251 else if (res->range.min > target_int_max ())
3252 {
3253 /* The directive output is under INT_MAX but causes the result
3254 to exceed INT_MAX bytes. */
3255 if (fmtres.range.min == fmtres.range.max)
3256 warned = fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3257 "%<%.*s%> directive output of %wu bytes causes "
3258 "result to exceed %<INT_MAX%>", dirlen,
3259 target_to_host (hostdir, sizeof hostdir, dir.beg),
3260 fmtres.range.min);
3261 else
3262 warned = fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3263 "%<%.*s%> directive output between %wu and "
3264 "%wu bytes causes result to exceed %<INT_MAX%>",
3265 dirlen,
3266 target_to_host (hostdir, sizeof hostdir, dir.beg),
3267 fmtres.range.min, fmtres.range.max);
3268 }
3269 else if ((!info.retval_used () || !info.bounded)
3270 && (info.is_string_func ()))
3271 /* Warn for calls to string functions that either aren't bounded
3272 (sprintf) or whose return value isn't used. */
3273 warned = fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3274 "%<%.*s%> directive output between %wu and "
3275 "%wu bytes may cause result to exceed "
3276 "%<INT_MAX%>", dirlen,
3277 target_to_host (hostdir, sizeof hostdir, dir.beg),
3278 fmtres.range.min, fmtres.range.max);
3279 }
3280
3281 if (!warned && fmtres.nonstr)
3282 {
3283 warned = fmtwarn (dirloc, argloc, NULL, info.warnopt (),
3284 "%<%.*s%> directive argument is not a nul-terminated "
3285 "string",
3286 dirlen,
3287 target_to_host (hostdir, sizeof hostdir, dir.beg));
3288 if (warned && DECL_P (fmtres.nonstr))
3289 inform (DECL_SOURCE_LOCATION (fmtres.nonstr),
3290 "referenced argument declared here");
3291 return false;
3292 }
3293
3294 if (warned && fmtres.range.min < fmtres.range.likely
3295 && fmtres.range.likely < fmtres.range.max)
3296 inform_n (info.fmtloc, fmtres.range.likely,
3297 "assuming directive output of %wu byte",
3298 "assuming directive output of %wu bytes",
3299 fmtres.range.likely);
3300
3301 if (warned && fmtres.argmin)
3302 {
3303 if (fmtres.argmin == fmtres.argmax)
3304 inform (info.fmtloc, "directive argument %qE", fmtres.argmin);
3305 else if (fmtres.knownrange)
3306 inform (info.fmtloc, "directive argument in the range [%E, %E]",
3307 fmtres.argmin, fmtres.argmax);
3308 else
3309 inform (info.fmtloc,
3310 "using the range [%E, %E] for directive argument",
3311 fmtres.argmin, fmtres.argmax);
3312 }
3313
3314 res->warned |= warned;
3315
3316 if (!dir.beg[0] && res->warned)
3317 {
3318 location_t callloc = gimple_location (info.callstmt);
3319
3320 unsigned HOST_WIDE_INT min = res->range.min;
3321 unsigned HOST_WIDE_INT max = res->range.max;
3322
3323 if (info.objsize < HOST_WIDE_INT_MAX)
3324 {
3325 /* If a warning has been issued for buffer overflow or truncation
3326 help the user figure out how big a buffer they need. */
3327
3328 if (min == max)
3329 inform_n (callloc, min,
3330 "%qE output %wu byte into a destination of size %wu",
3331 "%qE output %wu bytes into a destination of size %wu",
3332 info.func, min, info.objsize);
3333 else if (max < HOST_WIDE_INT_MAX)
3334 inform (callloc,
3335 "%qE output between %wu and %wu bytes into "
3336 "a destination of size %wu",
3337 info.func, min, max, info.objsize);
3338 else if (min < res->range.likely && res->range.likely < max)
3339 inform (callloc,
3340 "%qE output %wu or more bytes (assuming %wu) into "
3341 "a destination of size %wu",
3342 info.func, min, res->range.likely, info.objsize);
3343 else
3344 inform (callloc,
3345 "%qE output %wu or more bytes into a destination of size "
3346 "%wu",
3347 info.func, min, info.objsize);
3348 }
3349 else if (!info.is_string_func ())
3350 {
3351 /* If the warning is for a file function like fprintf
3352 of printf with no destination size just print the computed
3353 result. */
3354 if (min == max)
3355 inform_n (callloc, min,
3356 "%qE output %wu byte", "%qE output %wu bytes",
3357 info.func, min);
3358 else if (max < HOST_WIDE_INT_MAX)
3359 inform (callloc,
3360 "%qE output between %wu and %wu bytes",
3361 info.func, min, max);
3362 else if (min < res->range.likely && res->range.likely < max)
3363 inform (callloc,
3364 "%qE output %wu or more bytes (assuming %wu)",
3365 info.func, min, res->range.likely);
3366 else
3367 inform (callloc,
3368 "%qE output %wu or more bytes",
3369 info.func, min);
3370 }
3371 }
3372
3373 if (dump_file && *dir.beg)
3374 {
3375 fprintf (dump_file,
3376 " Result: "
3377 HOST_WIDE_INT_PRINT_DEC ", " HOST_WIDE_INT_PRINT_DEC ", "
3378 HOST_WIDE_INT_PRINT_DEC ", " HOST_WIDE_INT_PRINT_DEC " ("
3379 HOST_WIDE_INT_PRINT_DEC ", " HOST_WIDE_INT_PRINT_DEC ", "
3380 HOST_WIDE_INT_PRINT_DEC ", " HOST_WIDE_INT_PRINT_DEC ")\n",
3381 fmtres.range.min, fmtres.range.likely,
3382 fmtres.range.max, fmtres.range.unlikely,
3383 res->range.min, res->range.likely,
3384 res->range.max, res->range.unlikely);
3385 }
3386
3387 return true;
3388 }
3389
3390 /* Parse a format directive in function call described by INFO starting
3391 at STR and populate DIR structure. Bump up *ARGNO by the number of
3392 arguments extracted for the directive. Return the length of
3393 the directive. */
3394
3395 static size_t
3396 parse_directive (call_info &info,
3397 directive &dir, format_result *res,
3398 const char *str, unsigned *argno,
3399 range_query *query)
3400 {
3401 const char *pcnt = strchr (str, target_percent);
3402 dir.beg = str;
3403
3404 if (size_t len = pcnt ? pcnt - str : *str ? strlen (str) : 1)
3405 {
3406 /* This directive is either a plain string or the terminating nul
3407 (which isn't really a directive but it simplifies things to
3408 handle it as if it were). */
3409 dir.len = len;
3410 dir.fmtfunc = format_plain;
3411
3412 if (dump_file)
3413 {
3414 fprintf (dump_file, " Directive %u at offset "
3415 HOST_WIDE_INT_PRINT_UNSIGNED ": \"%.*s\", "
3416 "length = " HOST_WIDE_INT_PRINT_UNSIGNED "\n",
3417 dir.dirno,
3418 (unsigned HOST_WIDE_INT)(size_t)(dir.beg - info.fmtstr),
3419 (int)dir.len, dir.beg, (unsigned HOST_WIDE_INT) dir.len);
3420 }
3421
3422 return len - !*str;
3423 }
3424
3425 /* Set the directive argument's number to correspond to its position
3426 in the formatted function call's argument list. */
3427 dir.argno = *argno;
3428
3429 const char *pf = pcnt + 1;
3430
3431 /* POSIX numbered argument index or zero when none. */
3432 HOST_WIDE_INT dollar = 0;
3433
3434 /* With and precision. -1 when not specified, HOST_WIDE_INT_MIN
3435 when given by a va_list argument, and a non-negative value
3436 when specified in the format string itself. */
3437 HOST_WIDE_INT width = -1;
3438 HOST_WIDE_INT precision = -1;
3439
3440 /* Pointers to the beginning of the width and precision decimal
3441 string (if any) within the directive. */
3442 const char *pwidth = 0;
3443 const char *pprec = 0;
3444
3445 /* When the value of the decimal string that specifies width or
3446 precision is out of range, points to the digit that causes
3447 the value to exceed the limit. */
3448 const char *werange = NULL;
3449 const char *perange = NULL;
3450
3451 /* Width specified via the asterisk. Need not be INTEGER_CST.
3452 For vararg functions set to void_node. */
3453 tree star_width = NULL_TREE;
3454
3455 /* Width specified via the asterisk. Need not be INTEGER_CST.
3456 For vararg functions set to void_node. */
3457 tree star_precision = NULL_TREE;
3458
3459 if (ISDIGIT (target_to_host (*pf)))
3460 {
3461 /* This could be either a POSIX positional argument, the '0'
3462 flag, or a width, depending on what follows. Store it as
3463 width and sort it out later after the next character has
3464 been seen. */
3465 pwidth = pf;
3466 width = target_strtowi (&pf, &werange);
3467 }
3468 else if (target_to_host (*pf) == '*')
3469 {
3470 /* Similarly to the block above, this could be either a POSIX
3471 positional argument or a width, depending on what follows. */
3472 if (*argno < gimple_call_num_args (info.callstmt))
3473 star_width = gimple_call_arg (info.callstmt, (*argno)++);
3474 else
3475 star_width = void_node;
3476 ++pf;
3477 }
3478
3479 if (target_to_host (*pf) == '$')
3480 {
3481 /* Handle the POSIX dollar sign which references the 1-based
3482 positional argument number. */
3483 if (width != -1)
3484 dollar = width + info.argidx;
3485 else if (star_width
3486 && TREE_CODE (star_width) == INTEGER_CST
3487 && (TYPE_PRECISION (TREE_TYPE (star_width))
3488 <= TYPE_PRECISION (integer_type_node)))
3489 dollar = width + tree_to_shwi (star_width);
3490
3491 /* Bail when the numbered argument is out of range (it will
3492 have already been diagnosed by -Wformat). */
3493 if (dollar == 0
3494 || dollar == (int)info.argidx
3495 || dollar > gimple_call_num_args (info.callstmt))
3496 return false;
3497
3498 --dollar;
3499
3500 star_width = NULL_TREE;
3501 width = -1;
3502 ++pf;
3503 }
3504
3505 if (dollar || !star_width)
3506 {
3507 if (width != -1)
3508 {
3509 if (width == 0)
3510 {
3511 /* The '0' that has been interpreted as a width above is
3512 actually a flag. Reset HAVE_WIDTH, set the '0' flag,
3513 and continue processing other flags. */
3514 width = -1;
3515 dir.set_flag ('0');
3516 }
3517 else if (!dollar)
3518 {
3519 /* (Non-zero) width has been seen. The next character
3520 is either a period or a digit. */
3521 goto start_precision;
3522 }
3523 }
3524 /* When either '$' has been seen, or width has not been seen,
3525 the next field is the optional flags followed by an optional
3526 width. */
3527 for ( ; ; ) {
3528 switch (target_to_host (*pf))
3529 {
3530 case ' ':
3531 case '0':
3532 case '+':
3533 case '-':
3534 case '#':
3535 dir.set_flag (target_to_host (*pf++));
3536 break;
3537
3538 default:
3539 goto start_width;
3540 }
3541 }
3542
3543 start_width:
3544 if (ISDIGIT (target_to_host (*pf)))
3545 {
3546 werange = 0;
3547 pwidth = pf;
3548 width = target_strtowi (&pf, &werange);
3549 }
3550 else if (target_to_host (*pf) == '*')
3551 {
3552 if (*argno < gimple_call_num_args (info.callstmt))
3553 star_width = gimple_call_arg (info.callstmt, (*argno)++);
3554 else
3555 {
3556 /* This is (likely) a va_list. It could also be an invalid
3557 call with insufficient arguments. */
3558 star_width = void_node;
3559 }
3560 ++pf;
3561 }
3562 else if (target_to_host (*pf) == '\'')
3563 {
3564 /* The POSIX apostrophe indicating a numeric grouping
3565 in the current locale. Even though it's possible to
3566 estimate the upper bound on the size of the output
3567 based on the number of digits it probably isn't worth
3568 continuing. */
3569 return 0;
3570 }
3571 }
3572
3573 start_precision:
3574 if (target_to_host (*pf) == '.')
3575 {
3576 ++pf;
3577
3578 if (ISDIGIT (target_to_host (*pf)))
3579 {
3580 pprec = pf;
3581 precision = target_strtowi (&pf, &perange);
3582 }
3583 else if (target_to_host (*pf) == '*')
3584 {
3585 if (*argno < gimple_call_num_args (info.callstmt))
3586 star_precision = gimple_call_arg (info.callstmt, (*argno)++);
3587 else
3588 {
3589 /* This is (likely) a va_list. It could also be an invalid
3590 call with insufficient arguments. */
3591 star_precision = void_node;
3592 }
3593 ++pf;
3594 }
3595 else
3596 {
3597 /* The decimal precision or the asterisk are optional.
3598 When neither is specified it's taken to be zero. */
3599 precision = 0;
3600 }
3601 }
3602
3603 switch (target_to_host (*pf))
3604 {
3605 case 'h':
3606 if (target_to_host (pf[1]) == 'h')
3607 {
3608 ++pf;
3609 dir.modifier = FMT_LEN_hh;
3610 }
3611 else
3612 dir.modifier = FMT_LEN_h;
3613 ++pf;
3614 break;
3615
3616 case 'j':
3617 dir.modifier = FMT_LEN_j;
3618 ++pf;
3619 break;
3620
3621 case 'L':
3622 dir.modifier = FMT_LEN_L;
3623 ++pf;
3624 break;
3625
3626 case 'l':
3627 if (target_to_host (pf[1]) == 'l')
3628 {
3629 ++pf;
3630 dir.modifier = FMT_LEN_ll;
3631 }
3632 else
3633 dir.modifier = FMT_LEN_l;
3634 ++pf;
3635 break;
3636
3637 case 't':
3638 dir.modifier = FMT_LEN_t;
3639 ++pf;
3640 break;
3641
3642 case 'z':
3643 dir.modifier = FMT_LEN_z;
3644 ++pf;
3645 break;
3646 }
3647
3648 switch (target_to_host (*pf))
3649 {
3650 /* Handle a sole '%' character the same as "%%" but since it's
3651 undefined prevent the result from being folded. */
3652 case '\0':
3653 --pf;
3654 res->range.min = res->range.max = HOST_WIDE_INT_M1U;
3655 /* FALLTHRU */
3656 case '%':
3657 dir.fmtfunc = format_percent;
3658 break;
3659
3660 case 'a':
3661 case 'A':
3662 case 'e':
3663 case 'E':
3664 case 'f':
3665 case 'F':
3666 case 'g':
3667 case 'G':
3668 res->floating = true;
3669 dir.fmtfunc = format_floating;
3670 break;
3671
3672 case 'd':
3673 case 'i':
3674 case 'o':
3675 case 'u':
3676 case 'x':
3677 case 'X':
3678 dir.fmtfunc = format_integer;
3679 break;
3680
3681 case 'p':
3682 /* The %p output is implementation-defined. It's possible
3683 to determine this format but due to extensions (especially
3684 those of the Linux kernel -- see bug 78512) the first %p
3685 in the format string disables any further processing. */
3686 return false;
3687
3688 case 'n':
3689 /* %n has side-effects even when nothing is actually printed to
3690 any buffer. */
3691 info.nowrite = false;
3692 dir.fmtfunc = format_none;
3693 break;
3694
3695 case 'C':
3696 case 'c':
3697 /* POSIX wide character and C/POSIX narrow character. */
3698 dir.fmtfunc = format_character;
3699 break;
3700
3701 case 'S':
3702 case 's':
3703 /* POSIX wide string and C/POSIX narrow character string. */
3704 dir.fmtfunc = format_string;
3705 break;
3706
3707 default:
3708 /* Unknown conversion specification. */
3709 return 0;
3710 }
3711
3712 dir.specifier = target_to_host (*pf++);
3713
3714 /* Store the length of the format directive. */
3715 dir.len = pf - pcnt;
3716
3717 /* Buffer for the directive in the host character set (used when
3718 the source character set is different). */
3719 char hostdir[32];
3720
3721 if (star_width)
3722 {
3723 if (INTEGRAL_TYPE_P (TREE_TYPE (star_width)))
3724 dir.set_width (star_width, query);
3725 else
3726 {
3727 /* Width specified by a va_list takes on the range [0, -INT_MIN]
3728 (width is the absolute value of that specified). */
3729 dir.width[0] = 0;
3730 dir.width[1] = target_int_max () + 1;
3731 }
3732 }
3733 else
3734 {
3735 if (width == HOST_WIDE_INT_MAX && werange)
3736 {
3737 size_t begin = dir.beg - info.fmtstr + (pwidth - pcnt);
3738 size_t caret = begin + (werange - pcnt);
3739 size_t end = pf - info.fmtstr - 1;
3740
3741 /* Create a location for the width part of the directive,
3742 pointing the caret at the first out-of-range digit. */
3743 substring_loc dirloc (info.fmtloc, TREE_TYPE (info.format),
3744 caret, begin, end);
3745
3746 fmtwarn (dirloc, UNKNOWN_LOCATION, NULL, info.warnopt (),
3747 "%<%.*s%> directive width out of range", (int) dir.len,
3748 target_to_host (hostdir, sizeof hostdir, dir.beg));
3749 }
3750
3751 dir.set_width (width);
3752 }
3753
3754 if (star_precision)
3755 {
3756 if (INTEGRAL_TYPE_P (TREE_TYPE (star_precision)))
3757 dir.set_precision (star_precision, query);
3758 else
3759 {
3760 /* Precision specified by a va_list takes on the range [-1, INT_MAX]
3761 (unlike width, negative precision is ignored). */
3762 dir.prec[0] = -1;
3763 dir.prec[1] = target_int_max ();
3764 }
3765 }
3766 else
3767 {
3768 if (precision == HOST_WIDE_INT_MAX && perange)
3769 {
3770 size_t begin = dir.beg - info.fmtstr + (pprec - pcnt) - 1;
3771 size_t caret = dir.beg - info.fmtstr + (perange - pcnt) - 1;
3772 size_t end = pf - info.fmtstr - 2;
3773
3774 /* Create a location for the precision part of the directive,
3775 including the leading period, pointing the caret at the first
3776 out-of-range digit . */
3777 substring_loc dirloc (info.fmtloc, TREE_TYPE (info.format),
3778 caret, begin, end);
3779
3780 fmtwarn (dirloc, UNKNOWN_LOCATION, NULL, info.warnopt (),
3781 "%<%.*s%> directive precision out of range", (int) dir.len,
3782 target_to_host (hostdir, sizeof hostdir, dir.beg));
3783 }
3784
3785 dir.set_precision (precision);
3786 }
3787
3788 /* Extract the argument if the directive takes one and if it's
3789 available (e.g., the function doesn't take a va_list). Treat
3790 missing arguments the same as va_list, even though they will
3791 have likely already been diagnosed by -Wformat. */
3792 if (dir.specifier != '%'
3793 && *argno < gimple_call_num_args (info.callstmt))
3794 dir.arg = gimple_call_arg (info.callstmt, dollar ? dollar : (*argno)++);
3795
3796 if (dump_file)
3797 {
3798 fprintf (dump_file,
3799 " Directive %u at offset " HOST_WIDE_INT_PRINT_UNSIGNED
3800 ": \"%.*s\"",
3801 dir.dirno,
3802 (unsigned HOST_WIDE_INT)(size_t)(dir.beg - info.fmtstr),
3803 (int)dir.len, dir.beg);
3804 if (star_width)
3805 {
3806 if (dir.width[0] == dir.width[1])
3807 fprintf (dump_file, ", width = " HOST_WIDE_INT_PRINT_DEC,
3808 dir.width[0]);
3809 else
3810 fprintf (dump_file,
3811 ", width in range [" HOST_WIDE_INT_PRINT_DEC
3812 ", " HOST_WIDE_INT_PRINT_DEC "]",
3813 dir.width[0], dir.width[1]);
3814 }
3815
3816 if (star_precision)
3817 {
3818 if (dir.prec[0] == dir.prec[1])
3819 fprintf (dump_file, ", precision = " HOST_WIDE_INT_PRINT_DEC,
3820 dir.prec[0]);
3821 else
3822 fprintf (dump_file,
3823 ", precision in range [" HOST_WIDE_INT_PRINT_DEC
3824 HOST_WIDE_INT_PRINT_DEC "]",
3825 dir.prec[0], dir.prec[1]);
3826 }
3827 fputc ('\n', dump_file);
3828 }
3829
3830 return dir.len;
3831 }
3832
3833 /* Diagnose overlap between destination and %s directive arguments. */
3834
3835 static void
3836 maybe_warn_overlap (call_info &info, format_result *res)
3837 {
3838 /* Two vectors of 1-based indices corresponding to either certainly
3839 or possibly aliasing arguments. */
3840 auto_vec<int, 16> aliasarg[2];
3841
3842 /* Go through the array of potentially aliasing directives and collect
3843 argument numbers of those that do or may overlap the destination
3844 object given the full result. */
3845 for (unsigned i = 0; i != res->alias_count; ++i)
3846 {
3847 const format_result::alias_info &alias = res->aliases[i];
3848
3849 enum { possible = -1, none = 0, certain = 1 } overlap = none;
3850
3851 /* If the precision is zero there is no overlap. (This only
3852 considers %s directives and ignores %n.) */
3853 if (alias.dir.prec[0] == 0 && alias.dir.prec[1] == 0)
3854 continue;
3855
3856 if (alias.offset == HOST_WIDE_INT_MAX
3857 || info.dst_offset == HOST_WIDE_INT_MAX)
3858 overlap = possible;
3859 else if (alias.offset == info.dst_offset)
3860 overlap = alias.dir.prec[0] == 0 ? possible : certain;
3861 else
3862 {
3863 /* Determine overlap from the range of output and offsets
3864 into the same destination as the source, and rule out
3865 impossible overlap. */
3866 unsigned HOST_WIDE_INT albeg = alias.offset;
3867 unsigned HOST_WIDE_INT dstbeg = info.dst_offset;
3868
3869 unsigned HOST_WIDE_INT alend = albeg + alias.range.min;
3870 unsigned HOST_WIDE_INT dstend = dstbeg + res->range.min - 1;
3871
3872 if ((albeg <= dstbeg && alend > dstbeg)
3873 || (albeg >= dstbeg && albeg < dstend))
3874 overlap = certain;
3875 else
3876 {
3877 alend = albeg + alias.range.max;
3878 if (alend < albeg)
3879 alend = HOST_WIDE_INT_M1U;
3880
3881 dstend = dstbeg + res->range.max - 1;
3882 if (dstend < dstbeg)
3883 dstend = HOST_WIDE_INT_M1U;
3884
3885 if ((albeg >= dstbeg && albeg <= dstend)
3886 || (alend >= dstbeg && alend <= dstend))
3887 overlap = possible;
3888 }
3889 }
3890
3891 if (overlap == none)
3892 continue;
3893
3894 /* Append the 1-based argument number. */
3895 aliasarg[overlap != certain].safe_push (alias.dir.argno + 1);
3896
3897 /* Disable any kind of optimization. */
3898 res->range.unlikely = HOST_WIDE_INT_M1U;
3899 }
3900
3901 tree arg0 = gimple_call_arg (info.callstmt, 0);
3902 location_t loc = gimple_location (info.callstmt);
3903
3904 bool aliaswarn = false;
3905
3906 unsigned ncertain = aliasarg[0].length ();
3907 unsigned npossible = aliasarg[1].length ();
3908 if (ncertain && npossible)
3909 {
3910 /* If there are multiple arguments that overlap, some certainly
3911 and some possibly, handle both sets in a single diagnostic. */
3912 aliaswarn
3913 = warning_at (loc, OPT_Wrestrict,
3914 "%qE arguments %Z and maybe %Z overlap destination "
3915 "object %qE",
3916 info.func, aliasarg[0].address (), ncertain,
3917 aliasarg[1].address (), npossible,
3918 info.dst_origin);
3919 }
3920 else if (ncertain)
3921 {
3922 /* There is only one set of two or more arguments and they all
3923 certainly overlap the destination. */
3924 aliaswarn
3925 = warning_n (loc, OPT_Wrestrict, ncertain,
3926 "%qE argument %Z overlaps destination object %qE",
3927 "%qE arguments %Z overlap destination object %qE",
3928 info.func, aliasarg[0].address (), ncertain,
3929 info.dst_origin);
3930 }
3931 else if (npossible)
3932 {
3933 /* There is only one set of two or more arguments and they all
3934 may overlap (but need not). */
3935 aliaswarn
3936 = warning_n (loc, OPT_Wrestrict, npossible,
3937 "%qE argument %Z may overlap destination object %qE",
3938 "%qE arguments %Z may overlap destination object %qE",
3939 info.func, aliasarg[1].address (), npossible,
3940 info.dst_origin);
3941 }
3942
3943 if (aliaswarn)
3944 {
3945 res->warned = true;
3946
3947 if (info.dst_origin != arg0)
3948 {
3949 /* If its location is different from the first argument of the call
3950 point either at the destination object itself or at the expression
3951 that was used to determine the overlap. */
3952 loc = (DECL_P (info.dst_origin)
3953 ? DECL_SOURCE_LOCATION (info.dst_origin)
3954 : EXPR_LOCATION (info.dst_origin));
3955 if (loc != UNKNOWN_LOCATION)
3956 inform (loc,
3957 "destination object referenced by %<restrict%>-qualified "
3958 "argument 1 was declared here");
3959 }
3960 }
3961 }
3962
3963 /* Compute the length of the output resulting from the call to a formatted
3964 output function described by INFO and store the result of the call in
3965 *RES. Issue warnings for detected past the end writes. Return true
3966 if the complete format string has been processed and *RES can be relied
3967 on, false otherwise (e.g., when a unknown or unhandled directive was seen
3968 that caused the processing to be terminated early). */
3969
3970 static bool
3971 compute_format_length (call_info &info, format_result *res, range_query *query)
3972 {
3973 if (dump_file)
3974 {
3975 location_t callloc = gimple_location (info.callstmt);
3976 fprintf (dump_file, "%s:%i: ",
3977 LOCATION_FILE (callloc), LOCATION_LINE (callloc));
3978 print_generic_expr (dump_file, info.func, dump_flags);
3979
3980 fprintf (dump_file,
3981 ": objsize = " HOST_WIDE_INT_PRINT_UNSIGNED
3982 ", fmtstr = \"%s\"\n",
3983 info.objsize, info.fmtstr);
3984 }
3985
3986 /* Reset the minimum and maximum byte counters. */
3987 res->range.min = res->range.max = 0;
3988
3989 /* No directive has been seen yet so the length of output is bounded
3990 by the known range [0, 0] (with no conversion resulting in a failure
3991 or producing more than 4K bytes) until determined otherwise. */
3992 res->knownrange = true;
3993 res->floating = false;
3994 res->warned = false;
3995
3996 /* 1-based directive counter. */
3997 unsigned dirno = 1;
3998
3999 /* The variadic argument counter. */
4000 unsigned argno = info.argidx;
4001
4002 bool success = true;
4003
4004 for (const char *pf = info.fmtstr; ; ++dirno)
4005 {
4006 directive dir (&info, dirno);
4007
4008 size_t n = parse_directive (info, dir, res, pf, &argno, query);
4009
4010 /* Return failure if the format function fails. */
4011 if (!format_directive (info, res, dir, query))
4012 return false;
4013
4014 /* Return success when the directive is zero bytes long and it's
4015 the last thing in the format string (i.e., it's the terminating
4016 nul, which isn't really a directive but handling it as one makes
4017 things simpler). */
4018 if (!n)
4019 {
4020 success = *pf == '\0';
4021 break;
4022 }
4023
4024 pf += n;
4025 }
4026
4027 maybe_warn_overlap (info, res);
4028
4029 /* The complete format string was processed (with or without warnings). */
4030 return success;
4031 }
4032
4033 /* Return the size of the object referenced by the expression DEST if
4034 available, or the maximum possible size otherwise. */
4035
4036 static unsigned HOST_WIDE_INT
4037 get_destination_size (tree dest, pointer_query &ptr_qry)
4038 {
4039 /* When there is no destination return the maximum. */
4040 if (!dest)
4041 return HOST_WIDE_INT_MAX;
4042
4043 /* Use compute_objsize to determine the size of the destination object. */
4044 access_ref aref;
4045 if (!ptr_qry.get_ref (dest, &aref))
4046 return HOST_WIDE_INT_MAX;
4047
4048 offset_int remsize = aref.size_remaining ();
4049 if (!wi::fits_uhwi_p (remsize))
4050 return HOST_WIDE_INT_MAX;
4051
4052 return remsize.to_uhwi ();
4053 }
4054
4055 /* Return true if the call described by INFO with result RES safe to
4056 optimize (i.e., no undefined behavior), and set RETVAL to the range
4057 of its return values. */
4058
4059 static bool
4060 is_call_safe (const call_info &info,
4061 const format_result &res, bool under4k,
4062 unsigned HOST_WIDE_INT retval[2])
4063 {
4064 if (under4k && !res.posunder4k)
4065 return false;
4066
4067 /* The minimum return value. */
4068 retval[0] = res.range.min;
4069
4070 /* The maximum return value is in most cases bounded by RES.RANGE.MAX
4071 but in cases involving multibyte characters could be as large as
4072 RES.RANGE.UNLIKELY. */
4073 retval[1]
4074 = res.range.unlikely < res.range.max ? res.range.max : res.range.unlikely;
4075
4076 /* Adjust the number of bytes which includes the terminating nul
4077 to reflect the return value of the function which does not.
4078 Because the valid range of the function is [INT_MIN, INT_MAX],
4079 a valid range before the adjustment below is [0, INT_MAX + 1]
4080 (the functions only return negative values on error or undefined
4081 behavior). */
4082 if (retval[0] <= target_int_max () + 1)
4083 --retval[0];
4084 if (retval[1] <= target_int_max () + 1)
4085 --retval[1];
4086
4087 /* Avoid the return value optimization when the behavior of the call
4088 is undefined either because any directive may have produced 4K or
4089 more of output, or the return value exceeds INT_MAX, or because
4090 the output overflows the destination object (but leave it enabled
4091 when the function is bounded because then the behavior is well-
4092 defined). */
4093 if (retval[0] == retval[1]
4094 && (info.bounded || retval[0] < info.objsize)
4095 && retval[0] <= target_int_max ())
4096 return true;
4097
4098 if ((info.bounded || retval[1] < info.objsize)
4099 && (retval[0] < target_int_max ()
4100 && retval[1] < target_int_max ()))
4101 return true;
4102
4103 if (!under4k && (info.bounded || retval[0] < info.objsize))
4104 return true;
4105
4106 return false;
4107 }
4108
4109 /* Given a suitable result RES of a call to a formatted output function
4110 described by INFO, substitute the result for the return value of
4111 the call. The result is suitable if the number of bytes it represents
4112 is known and exact. A result that isn't suitable for substitution may
4113 have its range set to the range of return values, if that is known.
4114 Return true if the call is removed and gsi_next should not be performed
4115 in the caller. */
4116
4117 static bool
4118 try_substitute_return_value (gimple_stmt_iterator *gsi,
4119 const call_info &info,
4120 const format_result &res)
4121 {
4122 tree lhs = gimple_get_lhs (info.callstmt);
4123
4124 /* Set to true when the entire call has been removed. */
4125 bool removed = false;
4126
4127 /* The minimum and maximum return value. */
4128 unsigned HOST_WIDE_INT retval[2] = {0};
4129 bool safe = is_call_safe (info, res, true, retval);
4130
4131 if (safe
4132 && retval[0] == retval[1]
4133 /* Not prepared to handle possibly throwing calls here; they shouldn't
4134 appear in non-artificial testcases, except when the __*_chk routines
4135 are badly declared. */
4136 && !stmt_ends_bb_p (info.callstmt))
4137 {
4138 tree cst = build_int_cst (lhs ? TREE_TYPE (lhs) : integer_type_node,
4139 retval[0]);
4140
4141 if (lhs == NULL_TREE && info.nowrite)
4142 {
4143 /* Remove the call to the bounded function with a zero size
4144 (e.g., snprintf(0, 0, "%i", 123)) if there is no lhs. */
4145 unlink_stmt_vdef (info.callstmt);
4146 gsi_remove (gsi, true);
4147 removed = true;
4148 }
4149 else if (info.nowrite)
4150 {
4151 /* Replace the call to the bounded function with a zero size
4152 (e.g., snprintf(0, 0, "%i", 123) with the constant result
4153 of the function. */
4154 gimplify_and_update_call_from_tree (gsi, cst);
4155 gimple *callstmt = gsi_stmt (*gsi);
4156 update_stmt (callstmt);
4157 }
4158 else if (lhs)
4159 {
4160 /* Replace the left-hand side of the call with the constant
4161 result of the formatted function. */
4162 gimple_call_set_lhs (info.callstmt, NULL_TREE);
4163 gimple *g = gimple_build_assign (lhs, cst);
4164 gsi_insert_after (gsi, g, GSI_NEW_STMT);
4165 update_stmt (info.callstmt);
4166 }
4167
4168 if (dump_file)
4169 {
4170 if (removed)
4171 fprintf (dump_file, " Removing call statement.");
4172 else
4173 {
4174 fprintf (dump_file, " Substituting ");
4175 print_generic_expr (dump_file, cst, dump_flags);
4176 fprintf (dump_file, " for %s.\n",
4177 info.nowrite ? "statement" : "return value");
4178 }
4179 }
4180 }
4181 else if (lhs && types_compatible_p (TREE_TYPE (lhs), integer_type_node))
4182 {
4183 bool setrange = false;
4184
4185 if (safe
4186 && (info.bounded || retval[1] < info.objsize)
4187 && (retval[0] < target_int_max ()
4188 && retval[1] < target_int_max ()))
4189 {
4190 /* If the result is in a valid range bounded by the size of
4191 the destination set it so that it can be used for subsequent
4192 optimizations. */
4193 int prec = TYPE_PRECISION (integer_type_node);
4194
4195 wide_int min = wi::shwi (retval[0], prec);
4196 wide_int max = wi::shwi (retval[1], prec);
4197 set_range_info (lhs, VR_RANGE, min, max);
4198
4199 setrange = true;
4200 }
4201
4202 if (dump_file)
4203 {
4204 const char *inbounds
4205 = (retval[0] < info.objsize
4206 ? (retval[1] < info.objsize
4207 ? "in" : "potentially out-of")
4208 : "out-of");
4209
4210 const char *what = setrange ? "Setting" : "Discarding";
4211 if (retval[0] != retval[1])
4212 fprintf (dump_file,
4213 " %s %s-bounds return value range ["
4214 HOST_WIDE_INT_PRINT_UNSIGNED ", "
4215 HOST_WIDE_INT_PRINT_UNSIGNED "].\n",
4216 what, inbounds, retval[0], retval[1]);
4217 else
4218 fprintf (dump_file, " %s %s-bounds return value "
4219 HOST_WIDE_INT_PRINT_UNSIGNED ".\n",
4220 what, inbounds, retval[0]);
4221 }
4222 }
4223
4224 if (dump_file)
4225 fputc ('\n', dump_file);
4226
4227 return removed;
4228 }
4229
4230 /* Try to simplify a s{,n}printf call described by INFO with result
4231 RES by replacing it with a simpler and presumably more efficient
4232 call (such as strcpy). */
4233
4234 static bool
4235 try_simplify_call (gimple_stmt_iterator *gsi,
4236 const call_info &info,
4237 const format_result &res)
4238 {
4239 unsigned HOST_WIDE_INT dummy[2];
4240 if (!is_call_safe (info, res, info.retval_used (), dummy))
4241 return false;
4242
4243 switch (info.fncode)
4244 {
4245 case BUILT_IN_SNPRINTF:
4246 return gimple_fold_builtin_snprintf (gsi);
4247
4248 case BUILT_IN_SPRINTF:
4249 return gimple_fold_builtin_sprintf (gsi);
4250
4251 default:
4252 ;
4253 }
4254
4255 return false;
4256 }
4257
4258 /* Return the zero-based index of the format string argument of a printf
4259 like function and set *IDX_ARGS to the first format argument. When
4260 no such index exists return UINT_MAX. */
4261
4262 static unsigned
4263 get_user_idx_format (tree fndecl, unsigned *idx_args)
4264 {
4265 tree attrs = lookup_attribute ("format", DECL_ATTRIBUTES (fndecl));
4266 if (!attrs)
4267 attrs = lookup_attribute ("format", TYPE_ATTRIBUTES (TREE_TYPE (fndecl)));
4268
4269 if (!attrs)
4270 return UINT_MAX;
4271
4272 attrs = TREE_VALUE (attrs);
4273
4274 tree archetype = TREE_VALUE (attrs);
4275 if (strcmp ("printf", IDENTIFIER_POINTER (archetype)))
4276 return UINT_MAX;
4277
4278 attrs = TREE_CHAIN (attrs);
4279 tree fmtarg = TREE_VALUE (attrs);
4280
4281 attrs = TREE_CHAIN (attrs);
4282 tree elliparg = TREE_VALUE (attrs);
4283
4284 /* Attribute argument indices are 1-based but we use zero-based. */
4285 *idx_args = tree_to_uhwi (elliparg) - 1;
4286 return tree_to_uhwi (fmtarg) - 1;
4287 }
4288
4289 } /* Unnamed namespace. */
4290
4291 /* Determine if a GIMPLE call at *GSI is to one of the sprintf-like built-in
4292 functions and if so, handle it. Return true if the call is removed and
4293 gsi_next should not be performed in the caller. */
4294
4295 bool
4296 handle_printf_call (gimple_stmt_iterator *gsi, pointer_query &ptr_qry)
4297 {
4298 init_target_to_host_charmap ();
4299
4300 call_info info = call_info ();
4301
4302 info.callstmt = gsi_stmt (*gsi);
4303 info.func = gimple_call_fndecl (info.callstmt);
4304 if (!info.func)
4305 return false;
4306
4307 /* Format string argument number (valid for all functions). */
4308 unsigned idx_format = UINT_MAX;
4309 if (gimple_call_builtin_p (info.callstmt, BUILT_IN_NORMAL))
4310 info.fncode = DECL_FUNCTION_CODE (info.func);
4311 else
4312 {
4313 unsigned idx_args;
4314 idx_format = get_user_idx_format (info.func, &idx_args);
4315 if (idx_format == UINT_MAX
4316 || idx_format >= gimple_call_num_args (info.callstmt)
4317 || idx_args > gimple_call_num_args (info.callstmt)
4318 || !POINTER_TYPE_P (TREE_TYPE (gimple_call_arg (info.callstmt,
4319 idx_format))))
4320 return false;
4321 info.fncode = BUILT_IN_NONE;
4322 info.argidx = idx_args;
4323 }
4324
4325 /* The size of the destination as in snprintf(dest, size, ...). */
4326 unsigned HOST_WIDE_INT dstsize = HOST_WIDE_INT_M1U;
4327
4328 /* The size of the destination determined by __builtin_object_size. */
4329 unsigned HOST_WIDE_INT objsize = HOST_WIDE_INT_M1U;
4330
4331 /* Zero-based buffer size argument number (snprintf and vsnprintf). */
4332 unsigned idx_dstsize = UINT_MAX;
4333
4334 /* Object size argument number (snprintf_chk and vsnprintf_chk). */
4335 unsigned idx_objsize = UINT_MAX;
4336
4337 /* Destinaton argument number (valid for sprintf functions only). */
4338 unsigned idx_dstptr = 0;
4339
4340 switch (info.fncode)
4341 {
4342 case BUILT_IN_NONE:
4343 // User-defined function with attribute format (printf).
4344 idx_dstptr = -1;
4345 break;
4346
4347 case BUILT_IN_FPRINTF:
4348 // Signature:
4349 // __builtin_fprintf (FILE*, format, ...)
4350 idx_format = 1;
4351 info.argidx = 2;
4352 idx_dstptr = -1;
4353 break;
4354
4355 case BUILT_IN_FPRINTF_CHK:
4356 // Signature:
4357 // __builtin_fprintf_chk (FILE*, ost, format, ...)
4358 idx_format = 2;
4359 info.argidx = 3;
4360 idx_dstptr = -1;
4361 break;
4362
4363 case BUILT_IN_FPRINTF_UNLOCKED:
4364 // Signature:
4365 // __builtin_fprintf_unnlocked (FILE*, format, ...)
4366 idx_format = 1;
4367 info.argidx = 2;
4368 idx_dstptr = -1;
4369 break;
4370
4371 case BUILT_IN_PRINTF:
4372 // Signature:
4373 // __builtin_printf (format, ...)
4374 idx_format = 0;
4375 info.argidx = 1;
4376 idx_dstptr = -1;
4377 break;
4378
4379 case BUILT_IN_PRINTF_CHK:
4380 // Signature:
4381 // __builtin_printf_chk (ost, format, ...)
4382 idx_format = 1;
4383 info.argidx = 2;
4384 idx_dstptr = -1;
4385 break;
4386
4387 case BUILT_IN_PRINTF_UNLOCKED:
4388 // Signature:
4389 // __builtin_printf (format, ...)
4390 idx_format = 0;
4391 info.argidx = 1;
4392 idx_dstptr = -1;
4393 break;
4394
4395 case BUILT_IN_SPRINTF:
4396 // Signature:
4397 // __builtin_sprintf (dst, format, ...)
4398 idx_format = 1;
4399 info.argidx = 2;
4400 break;
4401
4402 case BUILT_IN_SPRINTF_CHK:
4403 // Signature:
4404 // __builtin___sprintf_chk (dst, ost, objsize, format, ...)
4405 idx_objsize = 2;
4406 idx_format = 3;
4407 info.argidx = 4;
4408 break;
4409
4410 case BUILT_IN_SNPRINTF:
4411 // Signature:
4412 // __builtin_snprintf (dst, size, format, ...)
4413 idx_dstsize = 1;
4414 idx_format = 2;
4415 info.argidx = 3;
4416 info.bounded = true;
4417 break;
4418
4419 case BUILT_IN_SNPRINTF_CHK:
4420 // Signature:
4421 // __builtin___snprintf_chk (dst, size, ost, objsize, format, ...)
4422 idx_dstsize = 1;
4423 idx_objsize = 3;
4424 idx_format = 4;
4425 info.argidx = 5;
4426 info.bounded = true;
4427 break;
4428
4429 case BUILT_IN_VFPRINTF:
4430 // Signature:
4431 // __builtin_vprintf (FILE*, format, va_list)
4432 idx_format = 1;
4433 info.argidx = -1;
4434 idx_dstptr = -1;
4435 break;
4436
4437 case BUILT_IN_VFPRINTF_CHK:
4438 // Signature:
4439 // __builtin___vfprintf_chk (FILE*, ost, format, va_list)
4440 idx_format = 2;
4441 info.argidx = -1;
4442 idx_dstptr = -1;
4443 break;
4444
4445 case BUILT_IN_VPRINTF:
4446 // Signature:
4447 // __builtin_vprintf (format, va_list)
4448 idx_format = 0;
4449 info.argidx = -1;
4450 idx_dstptr = -1;
4451 break;
4452
4453 case BUILT_IN_VPRINTF_CHK:
4454 // Signature:
4455 // __builtin___vprintf_chk (ost, format, va_list)
4456 idx_format = 1;
4457 info.argidx = -1;
4458 idx_dstptr = -1;
4459 break;
4460
4461 case BUILT_IN_VSNPRINTF:
4462 // Signature:
4463 // __builtin_vsprintf (dst, size, format, va)
4464 idx_dstsize = 1;
4465 idx_format = 2;
4466 info.argidx = -1;
4467 info.bounded = true;
4468 break;
4469
4470 case BUILT_IN_VSNPRINTF_CHK:
4471 // Signature:
4472 // __builtin___vsnprintf_chk (dst, size, ost, objsize, format, va)
4473 idx_dstsize = 1;
4474 idx_objsize = 3;
4475 idx_format = 4;
4476 info.argidx = -1;
4477 info.bounded = true;
4478 break;
4479
4480 case BUILT_IN_VSPRINTF:
4481 // Signature:
4482 // __builtin_vsprintf (dst, format, va)
4483 idx_format = 1;
4484 info.argidx = -1;
4485 break;
4486
4487 case BUILT_IN_VSPRINTF_CHK:
4488 // Signature:
4489 // __builtin___vsprintf_chk (dst, ost, objsize, format, va)
4490 idx_format = 3;
4491 idx_objsize = 2;
4492 info.argidx = -1;
4493 break;
4494
4495 default:
4496 return false;
4497 }
4498
4499 /* Set the global warning level for this function. */
4500 warn_level = info.bounded ? warn_format_trunc : warn_format_overflow;
4501
4502 /* For all string functions the first argument is a pointer to
4503 the destination. */
4504 tree dstptr = (idx_dstptr < gimple_call_num_args (info.callstmt)
4505 ? gimple_call_arg (info.callstmt, 0) : NULL_TREE);
4506
4507 info.format = gimple_call_arg (info.callstmt, idx_format);
4508
4509 /* True when the destination size is constant as opposed to the lower
4510 or upper bound of a range. */
4511 bool dstsize_cst_p = true;
4512 bool posunder4k = true;
4513
4514 if (idx_dstsize == UINT_MAX)
4515 {
4516 /* For non-bounded functions like sprintf, determine the size
4517 of the destination from the object or pointer passed to it
4518 as the first argument. */
4519 dstsize = get_destination_size (dstptr, ptr_qry);
4520 }
4521 else if (tree size = gimple_call_arg (info.callstmt, idx_dstsize))
4522 {
4523 /* For bounded functions try to get the size argument. */
4524
4525 if (TREE_CODE (size) == INTEGER_CST)
4526 {
4527 dstsize = tree_to_uhwi (size);
4528 /* No object can be larger than SIZE_MAX bytes (half the address
4529 space) on the target.
4530 The functions are defined only for output of at most INT_MAX
4531 bytes. Specifying a bound in excess of that limit effectively
4532 defeats the bounds checking (and on some implementations such
4533 as Solaris cause the function to fail with EINVAL). */
4534 if (dstsize > target_size_max () / 2)
4535 {
4536 /* Avoid warning if -Wstringop-overflow is specified since
4537 it also warns for the same thing though only for the
4538 checking built-ins. */
4539 if ((idx_objsize == UINT_MAX
4540 || !warn_stringop_overflow))
4541 warning_at (gimple_location (info.callstmt), info.warnopt (),
4542 "specified bound %wu exceeds maximum object size "
4543 "%wu",
4544 dstsize, target_size_max () / 2);
4545 /* POSIX requires snprintf to fail if DSTSIZE is greater
4546 than INT_MAX. Even though not all POSIX implementations
4547 conform to the requirement, avoid folding in this case. */
4548 posunder4k = false;
4549 }
4550 else if (dstsize > target_int_max ())
4551 {
4552 warning_at (gimple_location (info.callstmt), info.warnopt (),
4553 "specified bound %wu exceeds %<INT_MAX%>",
4554 dstsize);
4555 /* POSIX requires snprintf to fail if DSTSIZE is greater
4556 than INT_MAX. Avoid folding in that case. */
4557 posunder4k = false;
4558 }
4559 }
4560 else if (TREE_CODE (size) == SSA_NAME)
4561 {
4562 /* Try to determine the range of values of the argument
4563 and use the greater of the two at level 1 and the smaller
4564 of them at level 2. */
4565 value_range vr;
4566 ptr_qry.rvals->range_of_expr (vr, size, info.callstmt);
4567
4568 if (!vr.undefined_p ())
4569 {
4570 tree type = TREE_TYPE (size);
4571 tree tmin = wide_int_to_tree (type, vr.lower_bound ());
4572 tree tmax = wide_int_to_tree (type, vr.upper_bound ());
4573 unsigned HOST_WIDE_INT minsize = TREE_INT_CST_LOW (tmin);
4574 unsigned HOST_WIDE_INT maxsize = TREE_INT_CST_LOW (tmax);
4575 dstsize = warn_level < 2 ? maxsize : minsize;
4576
4577 if (minsize > target_int_max ())
4578 warning_at (gimple_location (info.callstmt), info.warnopt (),
4579 "specified bound range [%wu, %wu] exceeds "
4580 "%<INT_MAX%>",
4581 minsize, maxsize);
4582
4583 /* POSIX requires snprintf to fail if DSTSIZE is greater
4584 than INT_MAX. Avoid folding if that's possible. */
4585 if (maxsize > target_int_max ())
4586 posunder4k = false;
4587 }
4588
4589 /* The destination size is not constant. If the function is
4590 bounded (e.g., snprintf) a lower bound of zero doesn't
4591 necessarily imply it can be eliminated. */
4592 dstsize_cst_p = false;
4593 }
4594 }
4595
4596 if (idx_objsize != UINT_MAX)
4597 if (tree size = gimple_call_arg (info.callstmt, idx_objsize))
4598 if (tree_fits_uhwi_p (size))
4599 objsize = tree_to_uhwi (size);
4600
4601 if (info.bounded && !dstsize)
4602 {
4603 /* As a special case, when the explicitly specified destination
4604 size argument (to a bounded function like snprintf) is zero
4605 it is a request to determine the number of bytes on output
4606 without actually producing any. Pretend the size is
4607 unlimited in this case. */
4608 info.objsize = HOST_WIDE_INT_MAX;
4609 info.nowrite = dstsize_cst_p;
4610 }
4611 else
4612 {
4613 /* For calls to non-bounded functions or to those of bounded
4614 functions with a non-zero size, warn if the destination
4615 pointer is null. */
4616 if (dstptr && integer_zerop (dstptr))
4617 {
4618 /* This is diagnosed with -Wformat only when the null is a constant
4619 pointer. The warning here diagnoses instances where the pointer
4620 is not constant. */
4621 location_t loc = gimple_location (info.callstmt);
4622 warning_at (EXPR_LOC_OR_LOC (dstptr, loc),
4623 info.warnopt (), "null destination pointer");
4624 return false;
4625 }
4626
4627 /* Set the object size to the smaller of the two arguments
4628 of both have been specified and they're not equal. */
4629 info.objsize = dstsize < objsize ? dstsize : objsize;
4630
4631 if (info.bounded
4632 && dstsize < target_size_max () / 2 && objsize < dstsize
4633 /* Avoid warning if -Wstringop-overflow is specified since
4634 it also warns for the same thing though only for the
4635 checking built-ins. */
4636 && (idx_objsize == UINT_MAX
4637 || !warn_stringop_overflow))
4638 {
4639 warning_at (gimple_location (info.callstmt), info.warnopt (),
4640 "specified bound %wu exceeds the size %wu "
4641 "of the destination object", dstsize, objsize);
4642 }
4643 }
4644
4645 /* Determine if the format argument may be null and warn if not
4646 and if the argument is null. */
4647 if (integer_zerop (info.format)
4648 && gimple_call_builtin_p (info.callstmt, BUILT_IN_NORMAL))
4649 {
4650 location_t loc = gimple_location (info.callstmt);
4651 warning_at (EXPR_LOC_OR_LOC (info.format, loc),
4652 info.warnopt (), "null format string");
4653 return false;
4654 }
4655
4656 info.fmtstr = get_format_string (info.format, &info.fmtloc);
4657 if (!info.fmtstr)
4658 return false;
4659
4660 if (warn_restrict)
4661 {
4662 /* Compute the origin of the destination pointer and its offset
4663 from the base object/pointer if possible. */
4664 info.dst_offset = 0;
4665 info.dst_origin = get_origin_and_offset (dstptr, &info.dst_field,
4666 &info.dst_offset);
4667 }
4668
4669 /* The result is the number of bytes output by the formatted function,
4670 including the terminating NUL. */
4671 format_result res;
4672
4673 /* I/O functions with no destination argument (i.e., all forms of fprintf
4674 and printf) may fail under any conditions. Others (i.e., all forms of
4675 sprintf) may only fail under specific conditions determined for each
4676 directive. Clear POSUNDER4K for the former set of functions and set
4677 it to true for the latter (it can only be cleared later, but it is
4678 never set to true again). */
4679 res.posunder4k = posunder4k && dstptr;
4680
4681 bool success = compute_format_length (info, &res, ptr_qry.rvals);
4682 if (res.warned)
4683 suppress_warning (info.callstmt, info.warnopt ());
4684
4685 /* When optimizing and the printf return value optimization is enabled,
4686 attempt to substitute the computed result for the return value of
4687 the call. Avoid this optimization when -frounding-math is in effect
4688 and the format string contains a floating point directive. */
4689 bool call_removed = false;
4690 if (success && optimize > 0)
4691 {
4692 /* Save a copy of the iterator pointing at the call. The iterator
4693 may change to point past the call in try_substitute_return_value
4694 but the original value is needed in try_simplify_call. */
4695 gimple_stmt_iterator gsi_call = *gsi;
4696
4697 if (flag_printf_return_value
4698 && (!flag_rounding_math || !res.floating))
4699 call_removed = try_substitute_return_value (gsi, info, res);
4700
4701 if (!call_removed)
4702 try_simplify_call (&gsi_call, info, res);
4703 }
4704
4705 return call_removed;
4706 }