]> sjero.net Git - wget/blob - src/utils.c
[svn] Doc fix.
[wget] / src / utils.c
1 /* Various utility functions.
2    Copyright (C) 1996-2005 Free Software Foundation, Inc.
3
4 This file is part of GNU Wget.
5
6 GNU Wget is free software; you can redistribute it and/or modify
7 it under the terms of the GNU General Public License as published by
8 the Free Software Foundation; either version 2 of the License, or
9 (at your option) any later version.
10
11 GNU Wget is distributed in the hope that it will be useful,
12 but WITHOUT ANY WARRANTY; without even the implied warranty of
13 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14 GNU General Public License for more details.
15
16 You should have received a copy of the GNU General Public License
17 along with Wget; if not, write to the Free Software Foundation, Inc.,
18 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
19
20 In addition, as a special exception, the Free Software Foundation
21 gives permission to link the code of its release of Wget with the
22 OpenSSL project's "OpenSSL" library (or with modified versions of it
23 that use the same license as the "OpenSSL" library), and distribute
24 the linked executables.  You must obey the GNU General Public License
25 in all respects for all of the code used other than "OpenSSL".  If you
26 modify this file, you may extend this exception to your version of the
27 file, but you are not obligated to do so.  If you do not wish to do
28 so, delete this exception statement from your version.  */
29
30 #include <config.h>
31
32 #include <stdio.h>
33 #include <stdlib.h>
34 #include <string.h>
35 #include <time.h>
36 #ifdef HAVE_SYS_TIME_H
37 # include <sys/time.h>
38 #endif
39 #ifdef HAVE_UNISTD_H
40 # include <unistd.h>
41 #endif
42 #ifdef HAVE_MMAP
43 # include <sys/mman.h>
44 #endif
45 #ifdef HAVE_PWD_H
46 # include <pwd.h>
47 #endif
48 #ifdef HAVE_UTIME_H
49 # include <utime.h>
50 #endif
51 #ifdef HAVE_SYS_UTIME_H
52 # include <sys/utime.h>
53 #endif
54 #include <errno.h>
55 #ifdef NeXT
56 # include <libc.h>              /* for access() */
57 #endif
58 #include <fcntl.h>
59 #include <assert.h>
60 #include <stdarg.h>
61 #include <locale.h>
62
63 /* For TIOCGWINSZ and friends: */
64 #ifdef HAVE_SYS_IOCTL_H
65 # include <sys/ioctl.h>
66 #endif
67 #ifdef HAVE_TERMIOS_H
68 # include <termios.h>
69 #endif
70
71 /* Needed for run_with_timeout. */
72 #include <signal.h>
73 #ifdef HAVE_SETJMP_H
74 # include <setjmp.h>
75 #endif
76
77 #ifndef HAVE_SIGSETJMP
78 /* If sigsetjmp is a macro, configure won't pick it up. */
79 # ifdef sigsetjmp
80 #  define HAVE_SIGSETJMP
81 # endif
82 #endif
83
84 #undef USE_SIGNAL_TIMEOUT
85 #if defined(HAVE_SIGSETJMP) || defined(HAVE_SIGBLOCK)
86 # define USE_SIGNAL_TIMEOUT
87 #endif
88
89 #include "wget.h"
90 #include "utils.h"
91 #include "hash.h"
92
93 /* Utility function: like xstrdup(), but also lowercases S.  */
94
95 char *
96 xstrdup_lower (const char *s)
97 {
98   char *copy = xstrdup (s);
99   char *p = copy;
100   for (; *p; p++)
101     *p = TOLOWER (*p);
102   return copy;
103 }
104
105 /* Copy the string formed by two pointers (one on the beginning, other
106    on the char after the last char) to a new, malloc-ed location.
107    0-terminate it.  */
108 char *
109 strdupdelim (const char *beg, const char *end)
110 {
111   char *res = xmalloc (end - beg + 1);
112   memcpy (res, beg, end - beg);
113   res[end - beg] = '\0';
114   return res;
115 }
116
117 /* Parse a string containing comma-separated elements, and return a
118    vector of char pointers with the elements.  Spaces following the
119    commas are ignored.  */
120 char **
121 sepstring (const char *s)
122 {
123   char **res;
124   const char *p;
125   int i = 0;
126
127   if (!s || !*s)
128     return NULL;
129   res = NULL;
130   p = s;
131   while (*s)
132     {
133       if (*s == ',')
134         {
135           res = xrealloc (res, (i + 2) * sizeof (char *));
136           res[i] = strdupdelim (p, s);
137           res[++i] = NULL;
138           ++s;
139           /* Skip the blanks following the ','.  */
140           while (ISSPACE (*s))
141             ++s;
142           p = s;
143         }
144       else
145         ++s;
146     }
147   res = xrealloc (res, (i + 2) * sizeof (char *));
148   res[i] = strdupdelim (p, s);
149   res[i + 1] = NULL;
150   return res;
151 }
152 \f
153 /* Like sprintf, but allocates a string of sufficient size with malloc
154    and returns it.  GNU libc has a similar function named asprintf,
155    which requires the pointer to the string to be passed.  */
156
157 char *
158 aprintf (const char *fmt, ...)
159 {
160   /* This function is implemented using vsnprintf, which we provide
161      for the systems that don't have it.  Therefore, it should be 100%
162      portable.  */
163
164   int size = 32;
165   char *str = xmalloc (size);
166
167   while (1)
168     {
169       int n;
170       va_list args;
171
172       /* See log_vprintf_internal for explanation why it's OK to rely
173          on the return value of vsnprintf.  */
174
175       va_start (args, fmt);
176       n = vsnprintf (str, size, fmt, args);
177       va_end (args);
178
179       /* If the printing worked, return the string. */
180       if (n > -1 && n < size)
181         return str;
182
183       /* Else try again with a larger buffer. */
184       if (n > -1)               /* C99 */
185         size = n + 1;           /* precisely what is needed */
186       else
187         size <<= 1;             /* twice the old size */
188       str = xrealloc (str, size);
189     }
190 }
191
192 /* Concatenate the NULL-terminated list of string arguments into
193    freshly allocated space.  */
194
195 char *
196 concat_strings (const char *str0, ...)
197 {
198   va_list args;
199   int saved_lengths[5];         /* inspired by Apache's apr_pstrcat */
200   char *ret, *p;
201
202   const char *next_str;
203   int total_length = 0;
204   int argcount;
205
206   /* Calculate the length of and allocate the resulting string. */
207
208   argcount = 0;
209   va_start (args, str0);
210   for (next_str = str0; next_str != NULL; next_str = va_arg (args, char *))
211     {
212       int len = strlen (next_str);
213       if (argcount < countof (saved_lengths))
214         saved_lengths[argcount++] = len;
215       total_length += len;
216     }
217   va_end (args);
218   p = ret = xmalloc (total_length + 1);
219
220   /* Copy the strings into the allocated space. */
221
222   argcount = 0;
223   va_start (args, str0);
224   for (next_str = str0; next_str != NULL; next_str = va_arg (args, char *))
225     {
226       int len;
227       if (argcount < countof (saved_lengths))
228         len = saved_lengths[argcount++];
229       else
230         len = strlen (next_str);
231       memcpy (p, next_str, len);
232       p += len;
233     }
234   va_end (args);
235   *p = '\0';
236
237   return ret;
238 }
239 \f
240 /* Return pointer to a static char[] buffer in which zero-terminated
241    string-representation of TM (in form hh:mm:ss) is printed.
242
243    If TM is NULL, the current time will be used.  */
244
245 char *
246 time_str (time_t *tm)
247 {
248   static char output[15];
249   struct tm *ptm;
250   time_t secs = tm ? *tm : time (NULL);
251
252   if (secs == -1)
253     {
254       /* In case of error, return the empty string.  Maybe we should
255          just abort if this happens?  */
256       *output = '\0';
257       return output;
258     }
259   ptm = localtime (&secs);
260   sprintf (output, "%02d:%02d:%02d", ptm->tm_hour, ptm->tm_min, ptm->tm_sec);
261   return output;
262 }
263
264 /* Like the above, but include the date: YYYY-MM-DD hh:mm:ss.  */
265
266 char *
267 datetime_str (time_t *tm)
268 {
269   static char output[20];       /* "YYYY-MM-DD hh:mm:ss" + \0 */
270   struct tm *ptm;
271   time_t secs = tm ? *tm : time (NULL);
272
273   if (secs == -1)
274     {
275       /* In case of error, return the empty string.  Maybe we should
276          just abort if this happens?  */
277       *output = '\0';
278       return output;
279     }
280   ptm = localtime (&secs);
281   sprintf (output, "%04d-%02d-%02d %02d:%02d:%02d",
282            ptm->tm_year + 1900, ptm->tm_mon + 1, ptm->tm_mday,
283            ptm->tm_hour, ptm->tm_min, ptm->tm_sec);
284   return output;
285 }
286 \f
287 /* The Windows versions of the following two functions are defined in
288    mswindows.c.  */
289
290 #ifndef WINDOWS
291 void
292 fork_to_background (void)
293 {
294   pid_t pid;
295   /* Whether we arrange our own version of opt.lfilename here.  */
296   bool logfile_changed = false;
297
298   if (!opt.lfilename)
299     {
300       /* We must create the file immediately to avoid either a race
301          condition (which arises from using unique_name and failing to
302          use fopen_excl) or lying to the user about the log file name
303          (which arises from using unique_name, printing the name, and
304          using fopen_excl later on.)  */
305       FILE *new_log_fp = unique_create (DEFAULT_LOGFILE, false, &opt.lfilename);
306       if (new_log_fp)
307         {
308           logfile_changed = true;
309           fclose (new_log_fp);
310         }
311     }
312   pid = fork ();
313   if (pid < 0)
314     {
315       /* parent, error */
316       perror ("fork");
317       exit (1);
318     }
319   else if (pid != 0)
320     {
321       /* parent, no error */
322       printf (_("Continuing in background, pid %d.\n"), (int) pid);
323       if (logfile_changed)
324         printf (_("Output will be written to `%s'.\n"), opt.lfilename);
325       exit (0);                 /* #### should we use _exit()? */
326     }
327
328   /* child: give up the privileges and keep running. */
329   setsid ();
330   freopen ("/dev/null", "r", stdin);
331   freopen ("/dev/null", "w", stdout);
332   freopen ("/dev/null", "w", stderr);
333 }
334 #endif /* not WINDOWS */
335 \f
336 /* "Touch" FILE, i.e. make its mtime ("modified time") equal the time
337    specified with TM.  The atime ("access time") is set to the current
338    time.  */
339
340 void
341 touch (const char *file, time_t tm)
342 {
343 #ifdef HAVE_STRUCT_UTIMBUF
344   struct utimbuf times;
345 #else
346   struct {
347     time_t actime;
348     time_t modtime;
349   } times;
350 #endif
351   times.modtime = tm;
352   times.actime = time (NULL);
353   if (utime (file, &times) == -1)
354     logprintf (LOG_NOTQUIET, "utime(%s): %s\n", file, strerror (errno));
355 }
356
357 /* Checks if FILE is a symbolic link, and removes it if it is.  Does
358    nothing under MS-Windows.  */
359 int
360 remove_link (const char *file)
361 {
362   int err = 0;
363   struct_stat st;
364
365   if (lstat (file, &st) == 0 && S_ISLNK (st.st_mode))
366     {
367       DEBUGP (("Unlinking %s (symlink).\n", file));
368       err = unlink (file);
369       if (err != 0)
370         logprintf (LOG_VERBOSE, _("Failed to unlink symlink `%s': %s\n"),
371                    file, strerror (errno));
372     }
373   return err;
374 }
375
376 /* Does FILENAME exist?  This is quite a lousy implementation, since
377    it supplies no error codes -- only a yes-or-no answer.  Thus it
378    will return that a file does not exist if, e.g., the directory is
379    unreadable.  I don't mind it too much currently, though.  The
380    proper way should, of course, be to have a third, error state,
381    other than true/false, but that would introduce uncalled-for
382    additional complexity to the callers.  */
383 bool
384 file_exists_p (const char *filename)
385 {
386 #ifdef HAVE_ACCESS
387   return access (filename, F_OK) >= 0;
388 #else
389   struct_stat buf;
390   return stat (filename, &buf) >= 0;
391 #endif
392 }
393
394 /* Returns 0 if PATH is a directory, 1 otherwise (any kind of file).
395    Returns 0 on error.  */
396 bool
397 file_non_directory_p (const char *path)
398 {
399   struct_stat buf;
400   /* Use lstat() rather than stat() so that symbolic links pointing to
401      directories can be identified correctly.  */
402   if (lstat (path, &buf) != 0)
403     return false;
404   return S_ISDIR (buf.st_mode) ? false : true;
405 }
406
407 /* Return the size of file named by FILENAME, or -1 if it cannot be
408    opened or seeked into. */
409 wgint
410 file_size (const char *filename)
411 {
412 #if defined(HAVE_FSEEKO) && defined(HAVE_FTELLO)
413   wgint size;
414   /* We use fseek rather than stat to determine the file size because
415      that way we can also verify that the file is readable without
416      explicitly checking for permissions.  Inspired by the POST patch
417      by Arnaud Wylie.  */
418   FILE *fp = fopen (filename, "rb");
419   if (!fp)
420     return -1;
421   fseeko (fp, 0, SEEK_END);
422   size = ftello (fp);
423   fclose (fp);
424   return size;
425 #else
426   struct_stat st;
427   if (stat (filename, &st) < 0)
428     return -1;
429   return st.st_size;
430 #endif
431 }
432
433 /* stat file names named PREFIX.1, PREFIX.2, etc., until one that
434    doesn't exist is found.  Return a freshly allocated copy of the
435    unused file name.  */
436
437 static char *
438 unique_name_1 (const char *prefix)
439 {
440   int count = 1;
441   int plen = strlen (prefix);
442   char *template = (char *)alloca (plen + 1 + 24);
443   char *template_tail = template + plen;
444
445   memcpy (template, prefix, plen);
446   *template_tail++ = '.';
447
448   do
449     number_to_string (template_tail, count++);
450   while (file_exists_p (template));
451
452   return xstrdup (template);
453 }
454
455 /* Return a unique file name, based on FILE.
456
457    More precisely, if FILE doesn't exist, it is returned unmodified.
458    If not, FILE.1 is tried, then FILE.2, etc.  The first FILE.<number>
459    file name that doesn't exist is returned.
460
461    The resulting file is not created, only verified that it didn't
462    exist at the point in time when the function was called.
463    Therefore, where security matters, don't rely that the file created
464    by this function exists until you open it with O_EXCL or
465    equivalent.
466
467    If ALLOW_PASSTHROUGH is 0, it always returns a freshly allocated
468    string.  Otherwise, it may return FILE if the file doesn't exist
469    (and therefore doesn't need changing).  */
470
471 char *
472 unique_name (const char *file, bool allow_passthrough)
473 {
474   /* If the FILE itself doesn't exist, return it without
475      modification. */
476   if (!file_exists_p (file))
477     return allow_passthrough ? (char *)file : xstrdup (file);
478
479   /* Otherwise, find a numeric suffix that results in unused file name
480      and return it.  */
481   return unique_name_1 (file);
482 }
483
484 /* Create a file based on NAME, except without overwriting an existing
485    file with that name.  Providing O_EXCL is correctly implemented,
486    this function does not have the race condition associated with
487    opening the file returned by unique_name.  */
488
489 FILE *
490 unique_create (const char *name, bool binary, char **opened_name)
491 {
492   /* unique file name, based on NAME */
493   char *uname = unique_name (name, false);
494   FILE *fp;
495   while ((fp = fopen_excl (uname, binary)) == NULL && errno == EEXIST)
496     {
497       xfree (uname);
498       uname = unique_name (name, false);
499     }
500   if (opened_name && fp != NULL)
501     {
502       if (fp)
503         *opened_name = uname;
504       else
505         {
506           *opened_name = NULL;
507           xfree (uname);
508         }
509     }
510   else
511     xfree (uname);
512   return fp;
513 }
514
515 /* Open the file for writing, with the addition that the file is
516    opened "exclusively".  This means that, if the file already exists,
517    this function will *fail* and errno will be set to EEXIST.  If
518    BINARY is set, the file will be opened in binary mode, equivalent
519    to fopen's "wb".
520
521    If opening the file fails for any reason, including the file having
522    previously existed, this function returns NULL and sets errno
523    appropriately.  */
524    
525 FILE *
526 fopen_excl (const char *fname, bool binary)
527 {
528   int fd;
529 #ifdef O_EXCL
530   int flags = O_WRONLY | O_CREAT | O_EXCL;
531 # ifdef O_BINARY
532   if (binary)
533     flags |= O_BINARY;
534 # endif
535   fd = open (fname, flags, 0666);
536   if (fd < 0)
537     return NULL;
538   return fdopen (fd, binary ? "wb" : "w");
539 #else  /* not O_EXCL */
540   /* Manually check whether the file exists.  This is prone to race
541      conditions, but systems without O_EXCL haven't deserved
542      better.  */
543   if (file_exists_p (fname))
544     {
545       errno = EEXIST;
546       return NULL;
547     }
548   return fopen (fname, binary ? "wb" : "w");
549 #endif /* not O_EXCL */
550 }
551 \f
552 /* Create DIRECTORY.  If some of the pathname components of DIRECTORY
553    are missing, create them first.  In case any mkdir() call fails,
554    return its error status.  Returns 0 on successful completion.
555
556    The behaviour of this function should be identical to the behaviour
557    of `mkdir -p' on systems where mkdir supports the `-p' option.  */
558 int
559 make_directory (const char *directory)
560 {
561   int i, ret, quit = 0;
562   char *dir;
563
564   /* Make a copy of dir, to be able to write to it.  Otherwise, the
565      function is unsafe if called with a read-only char *argument.  */
566   STRDUP_ALLOCA (dir, directory);
567
568   /* If the first character of dir is '/', skip it (and thus enable
569      creation of absolute-pathname directories.  */
570   for (i = (*dir == '/'); 1; ++i)
571     {
572       for (; dir[i] && dir[i] != '/'; i++)
573         ;
574       if (!dir[i])
575         quit = 1;
576       dir[i] = '\0';
577       /* Check whether the directory already exists.  Allow creation of
578          of intermediate directories to fail, as the initial path components
579          are not necessarily directories!  */
580       if (!file_exists_p (dir))
581         ret = mkdir (dir, 0777);
582       else
583         ret = 0;
584       if (quit)
585         break;
586       else
587         dir[i] = '/';
588     }
589   return ret;
590 }
591
592 /* Merge BASE with FILE.  BASE can be a directory or a file name, FILE
593    should be a file name.
594
595    file_merge("/foo/bar", "baz")  => "/foo/baz"
596    file_merge("/foo/bar/", "baz") => "/foo/bar/baz"
597    file_merge("foo", "bar")       => "bar"
598
599    In other words, it's a simpler and gentler version of uri_merge.  */
600
601 char *
602 file_merge (const char *base, const char *file)
603 {
604   char *result;
605   const char *cut = (const char *)strrchr (base, '/');
606
607   if (!cut)
608     return xstrdup (file);
609
610   result = xmalloc (cut - base + 1 + strlen (file) + 1);
611   memcpy (result, base, cut - base);
612   result[cut - base] = '/';
613   strcpy (result + (cut - base) + 1, file);
614
615   return result;
616 }
617 \f
618 /* Like fnmatch, but performs a case-insensitive match.  */
619
620 int
621 fnmatch_nocase (const char *pattern, const char *string, int flags)
622 {
623 #ifdef FNM_CASEFOLD
624   /* The FNM_CASEFOLD flag started as a GNU extension, but it is now
625      also present on *BSD platforms, and possibly elsewhere.  */
626   return fnmatch (pattern, string, flags | FNM_CASEFOLD);
627 #else
628   /* Turn PATTERN and STRING to lower case and call fnmatch on them. */
629   char *patcopy = (char *) alloca (strlen (pattern) + 1);
630   char *strcopy = (char *) alloca (strlen (string) + 1);
631   char *p;
632   for (p = patcopy; *pattern; pattern++, p++)
633     *p = TOLOWER (*pattern);
634   *p = '\0';
635   for (p = strcopy; *string; string++, p++)
636     *p = TOLOWER (*string);
637   *p = '\0';
638   return fnmatch (patcopy, strcopy, flags);
639 #endif
640 }
641
642 static bool in_acclist (const char *const *, const char *, bool);
643
644 /* Determine whether a file is acceptable to be followed, according to
645    lists of patterns to accept/reject.  */
646 bool
647 acceptable (const char *s)
648 {
649   int l = strlen (s);
650
651   while (l && s[l] != '/')
652     --l;
653   if (s[l] == '/')
654     s += (l + 1);
655   if (opt.accepts)
656     {
657       if (opt.rejects)
658         return (in_acclist ((const char *const *)opt.accepts, s, true)
659                 && !in_acclist ((const char *const *)opt.rejects, s, true));
660       else
661         return in_acclist ((const char *const *)opt.accepts, s, true);
662     }
663   else if (opt.rejects)
664     return !in_acclist ((const char *const *)opt.rejects, s, true);
665   return true;
666 }
667
668 /* Compare S1 and S2 frontally; S2 must begin with S1.  E.g. if S1 is
669    `/something', frontcmp() will return true only if S2 begins with
670    `/something'.  */
671 bool
672 frontcmp (const char *s1, const char *s2)
673 {
674   if (!opt.ignore_case)
675     for (; *s1 && *s2 && (*s1 == *s2); ++s1, ++s2);
676   else
677     for (; *s1 && *s2 && (TOLOWER (*s1) == TOLOWER (*s2)); ++s1, ++s2);
678   return *s1 == '\0';
679 }
680
681 /* Iterate through STRLIST, and return the first element that matches
682    S, through wildcards or front comparison (as appropriate).  */
683 static char *
684 proclist (char **strlist, const char *s)
685 {
686   char **x;
687   int (*matcher) (const char *, const char *, int)
688     = opt.ignore_case ? fnmatch_nocase : fnmatch;
689
690   for (x = strlist; *x; x++)
691     {
692       /* Remove leading '/' */
693       char *p = *x + (**x == '/');
694       if (has_wildcards_p (p))
695         {
696           if (matcher (p, s, FNM_PATHNAME) == 0)
697             break;
698         }
699       else
700         {
701           if (frontcmp (p, s))
702             break;
703         }
704     }
705   return *x;
706 }
707
708 /* Returns whether DIRECTORY is acceptable for download, wrt the
709    include/exclude lists.
710
711    The leading `/' is ignored in paths; relative and absolute paths
712    may be freely intermixed.  */
713
714 bool
715 accdir (const char *directory)
716 {
717   /* Remove starting '/'.  */
718   if (*directory == '/')
719     ++directory;
720   if (opt.includes)
721     {
722       if (!proclist (opt.includes, directory))
723         return false;
724     }
725   if (opt.excludes)
726     {
727       if (proclist (opt.excludes, directory))
728         return false;
729     }
730   return true;
731 }
732
733 /* Return true if STRING ends with TAIL.  For instance:
734
735    match_tail ("abc", "bc", false)  -> 1
736    match_tail ("abc", "ab", false)  -> 0
737    match_tail ("abc", "abc", false) -> 1
738
739    If FOLD_CASE is true, the comparison will be case-insensitive.  */
740
741 bool
742 match_tail (const char *string, const char *tail, bool fold_case)
743 {
744   int i, j;
745
746   /* We want this to be fast, so we code two loops, one with
747      case-folding, one without. */
748
749   if (!fold_case)
750     {
751       for (i = strlen (string), j = strlen (tail); i >= 0 && j >= 0; i--, j--)
752         if (string[i] != tail[j])
753           break;
754     }
755   else
756     {
757       for (i = strlen (string), j = strlen (tail); i >= 0 && j >= 0; i--, j--)
758         if (TOLOWER (string[i]) != TOLOWER (tail[j]))
759           break;
760     }
761
762   /* If the tail was exhausted, the match was succesful.  */
763   if (j == -1)
764     return true;
765   else
766     return false;
767 }
768
769 /* Checks whether string S matches each element of ACCEPTS.  A list
770    element are matched either with fnmatch() or match_tail(),
771    according to whether the element contains wildcards or not.
772
773    If the BACKWARD is false, don't do backward comparison -- just compare
774    them normally.  */
775 static bool
776 in_acclist (const char *const *accepts, const char *s, bool backward)
777 {
778   for (; *accepts; accepts++)
779     {
780       if (has_wildcards_p (*accepts))
781         {
782           int res = opt.ignore_case
783             ? fnmatch_nocase (*accepts, s, 0) : fnmatch (*accepts, s, 0);
784           /* fnmatch returns 0 if the pattern *does* match the string.  */
785           if (res == 0)
786             return true;
787         }
788       else
789         {
790           if (backward)
791             {
792               if (match_tail (s, *accepts, opt.ignore_case))
793                 return true;
794             }
795           else
796             {
797               int cmp = opt.ignore_case
798                 ? strcasecmp (s, *accepts) : strcmp (s, *accepts);
799               if (cmp == 0)
800                 return true;
801             }
802         }
803     }
804   return false;
805 }
806
807 /* Return the location of STR's suffix (file extension).  Examples:
808    suffix ("foo.bar")       -> "bar"
809    suffix ("foo.bar.baz")   -> "baz"
810    suffix ("/foo/bar")      -> NULL
811    suffix ("/foo.bar/baz")  -> NULL  */
812 char *
813 suffix (const char *str)
814 {
815   int i;
816
817   for (i = strlen (str); i && str[i] != '/' && str[i] != '.'; i--)
818     ;
819
820   if (str[i++] == '.')
821     return (char *)str + i;
822   else
823     return NULL;
824 }
825
826 /* Return true if S contains globbing wildcards (`*', `?', `[' or
827    `]').  */
828
829 bool
830 has_wildcards_p (const char *s)
831 {
832   for (; *s; s++)
833     if (*s == '*' || *s == '?' || *s == '[' || *s == ']')
834       return true;
835   return false;
836 }
837
838 /* Return true if FNAME ends with a typical HTML suffix.  The
839    following (case-insensitive) suffixes are presumed to be HTML
840    files:
841    
842      html
843      htm
844      ?html (`?' matches one character)
845
846    #### CAVEAT.  This is not necessarily a good indication that FNAME
847    refers to a file that contains HTML!  */
848 bool
849 has_html_suffix_p (const char *fname)
850 {
851   char *suf;
852
853   if ((suf = suffix (fname)) == NULL)
854     return false;
855   if (!strcasecmp (suf, "html"))
856     return true;
857   if (!strcasecmp (suf, "htm"))
858     return true;
859   if (suf[0] && !strcasecmp (suf + 1, "html"))
860     return true;
861   return false;
862 }
863
864 /* Read a line from FP and return the pointer to freshly allocated
865    storage.  The storage space is obtained through malloc() and should
866    be freed with free() when it is no longer needed.
867
868    The length of the line is not limited, except by available memory.
869    The newline character at the end of line is retained.  The line is
870    terminated with a zero character.
871
872    After end-of-file is encountered without anything being read, NULL
873    is returned.  NULL is also returned on error.  To distinguish
874    between these two cases, use the stdio function ferror().  */
875
876 char *
877 read_whole_line (FILE *fp)
878 {
879   int length = 0;
880   int bufsize = 82;
881   char *line = xmalloc (bufsize);
882
883   while (fgets (line + length, bufsize - length, fp))
884     {
885       length += strlen (line + length);
886       if (length == 0)
887         /* Possible for example when reading from a binary file where
888            a line begins with \0.  */
889         continue;
890
891       if (line[length - 1] == '\n')
892         break;
893
894       /* fgets() guarantees to read the whole line, or to use up the
895          space we've given it.  We can double the buffer
896          unconditionally.  */
897       bufsize <<= 1;
898       line = xrealloc (line, bufsize);
899     }
900   if (length == 0 || ferror (fp))
901     {
902       xfree (line);
903       return NULL;
904     }
905   if (length + 1 < bufsize)
906     /* Relieve the memory from our exponential greediness.  We say
907        `length + 1' because the terminating \0 is not included in
908        LENGTH.  We don't need to zero-terminate the string ourselves,
909        though, because fgets() does that.  */
910     line = xrealloc (line, length + 1);
911   return line;
912 }
913 \f
914 /* Read FILE into memory.  A pointer to `struct file_memory' are
915    returned; use struct element `content' to access file contents, and
916    the element `length' to know the file length.  `content' is *not*
917    zero-terminated, and you should *not* read or write beyond the [0,
918    length) range of characters.
919
920    After you are done with the file contents, call read_file_free to
921    release the memory.
922
923    Depending on the operating system and the type of file that is
924    being read, read_file() either mmap's the file into memory, or
925    reads the file into the core using read().
926
927    If file is named "-", fileno(stdin) is used for reading instead.
928    If you want to read from a real file named "-", use "./-" instead.  */
929
930 struct file_memory *
931 read_file (const char *file)
932 {
933   int fd;
934   struct file_memory *fm;
935   long size;
936   bool inhibit_close = false;
937
938   /* Some magic in the finest tradition of Perl and its kin: if FILE
939      is "-", just use stdin.  */
940   if (HYPHENP (file))
941     {
942       fd = fileno (stdin);
943       inhibit_close = true;
944       /* Note that we don't inhibit mmap() in this case.  If stdin is
945          redirected from a regular file, mmap() will still work.  */
946     }
947   else
948     fd = open (file, O_RDONLY);
949   if (fd < 0)
950     return NULL;
951   fm = xnew (struct file_memory);
952
953 #ifdef HAVE_MMAP
954   {
955     struct_fstat buf;
956     if (fstat (fd, &buf) < 0)
957       goto mmap_lose;
958     fm->length = buf.st_size;
959     /* NOTE: As far as I know, the callers of this function never
960        modify the file text.  Relying on this would enable us to
961        specify PROT_READ and MAP_SHARED for a marginal gain in
962        efficiency, but at some cost to generality.  */
963     fm->content = mmap (NULL, fm->length, PROT_READ | PROT_WRITE,
964                         MAP_PRIVATE, fd, 0);
965     if (fm->content == (char *)MAP_FAILED)
966       goto mmap_lose;
967     if (!inhibit_close)
968       close (fd);
969
970     fm->mmap_p = 1;
971     return fm;
972   }
973
974  mmap_lose:
975   /* The most common reason why mmap() fails is that FD does not point
976      to a plain file.  However, it's also possible that mmap() doesn't
977      work for a particular type of file.  Therefore, whenever mmap()
978      fails, we just fall back to the regular method.  */
979 #endif /* HAVE_MMAP */
980
981   fm->length = 0;
982   size = 512;                   /* number of bytes fm->contents can
983                                    hold at any given time. */
984   fm->content = xmalloc (size);
985   while (1)
986     {
987       wgint nread;
988       if (fm->length > size / 2)
989         {
990           /* #### I'm not sure whether the whole exponential-growth
991              thing makes sense with kernel read.  On Linux at least,
992              read() refuses to read more than 4K from a file at a
993              single chunk anyway.  But other Unixes might optimize it
994              better, and it doesn't *hurt* anything, so I'm leaving
995              it.  */
996
997           /* Normally, we grow SIZE exponentially to make the number
998              of calls to read() and realloc() logarithmic in relation
999              to file size.  However, read() can read an amount of data
1000              smaller than requested, and it would be unreasonable to
1001              double SIZE every time *something* was read.  Therefore,
1002              we double SIZE only when the length exceeds half of the
1003              entire allocated size.  */
1004           size <<= 1;
1005           fm->content = xrealloc (fm->content, size);
1006         }
1007       nread = read (fd, fm->content + fm->length, size - fm->length);
1008       if (nread > 0)
1009         /* Successful read. */
1010         fm->length += nread;
1011       else if (nread < 0)
1012         /* Error. */
1013         goto lose;
1014       else
1015         /* EOF */
1016         break;
1017     }
1018   if (!inhibit_close)
1019     close (fd);
1020   if (size > fm->length && fm->length != 0)
1021     /* Due to exponential growth of fm->content, the allocated region
1022        might be much larger than what is actually needed.  */
1023     fm->content = xrealloc (fm->content, fm->length);
1024   fm->mmap_p = 0;
1025   return fm;
1026
1027  lose:
1028   if (!inhibit_close)
1029     close (fd);
1030   xfree (fm->content);
1031   xfree (fm);
1032   return NULL;
1033 }
1034
1035 /* Release the resources held by FM.  Specifically, this calls
1036    munmap() or xfree() on fm->content, depending whether mmap or
1037    malloc/read were used to read in the file.  It also frees the
1038    memory needed to hold the FM structure itself.  */
1039
1040 void
1041 read_file_free (struct file_memory *fm)
1042 {
1043 #ifdef HAVE_MMAP
1044   if (fm->mmap_p)
1045     {
1046       munmap (fm->content, fm->length);
1047     }
1048   else
1049 #endif
1050     {
1051       xfree (fm->content);
1052     }
1053   xfree (fm);
1054 }
1055 \f
1056 /* Free the pointers in a NULL-terminated vector of pointers, then
1057    free the pointer itself.  */
1058 void
1059 free_vec (char **vec)
1060 {
1061   if (vec)
1062     {
1063       char **p = vec;
1064       while (*p)
1065         xfree (*p++);
1066       xfree (vec);
1067     }
1068 }
1069
1070 /* Append vector V2 to vector V1.  The function frees V2 and
1071    reallocates V1 (thus you may not use the contents of neither
1072    pointer after the call).  If V1 is NULL, V2 is returned.  */
1073 char **
1074 merge_vecs (char **v1, char **v2)
1075 {
1076   int i, j;
1077
1078   if (!v1)
1079     return v2;
1080   if (!v2)
1081     return v1;
1082   if (!*v2)
1083     {
1084       /* To avoid j == 0 */
1085       xfree (v2);
1086       return v1;
1087     }
1088   /* Count v1.  */
1089   for (i = 0; v1[i]; i++);
1090   /* Count v2.  */
1091   for (j = 0; v2[j]; j++);
1092   /* Reallocate v1.  */
1093   v1 = xrealloc (v1, (i + j + 1) * sizeof (char **));
1094   memcpy (v1 + i, v2, (j + 1) * sizeof (char *));
1095   xfree (v2);
1096   return v1;
1097 }
1098
1099 /* Append a freshly allocated copy of STR to VEC.  If VEC is NULL, it
1100    is allocated as needed.  Return the new value of the vector. */
1101
1102 char **
1103 vec_append (char **vec, const char *str)
1104 {
1105   int cnt;                      /* count of vector elements, including
1106                                    the one we're about to append */
1107   if (vec != NULL)
1108     {
1109       for (cnt = 0; vec[cnt]; cnt++)
1110         ;
1111       ++cnt;
1112     }
1113   else
1114     cnt = 1;
1115   /* Reallocate the array to fit the new element and the NULL. */
1116   vec = xrealloc (vec, (cnt + 1) * sizeof (char *));
1117   /* Append a copy of STR to the vector. */
1118   vec[cnt - 1] = xstrdup (str);
1119   vec[cnt] = NULL;
1120   return vec;
1121 }
1122 \f
1123 /* Sometimes it's useful to create "sets" of strings, i.e. special
1124    hash tables where you want to store strings as keys and merely
1125    query for their existence.  Here is a set of utility routines that
1126    makes that transparent.  */
1127
1128 void
1129 string_set_add (struct hash_table *ht, const char *s)
1130 {
1131   /* First check whether the set element already exists.  If it does,
1132      do nothing so that we don't have to free() the old element and
1133      then strdup() a new one.  */
1134   if (hash_table_contains (ht, s))
1135     return;
1136
1137   /* We use "1" as value.  It provides us a useful and clear arbitrary
1138      value, and it consumes no memory -- the pointers to the same
1139      string "1" will be shared by all the key-value pairs in all `set'
1140      hash tables.  */
1141   hash_table_put (ht, xstrdup (s), "1");
1142 }
1143
1144 /* Synonym for hash_table_contains... */
1145
1146 int
1147 string_set_contains (struct hash_table *ht, const char *s)
1148 {
1149   return hash_table_contains (ht, s);
1150 }
1151
1152 static int
1153 string_set_to_array_mapper (void *key, void *value_ignored, void *arg)
1154 {
1155   char ***arrayptr = (char ***) arg;
1156   *(*arrayptr)++ = (char *) key;
1157   return 0;
1158 }
1159
1160 /* Convert the specified string set to array.  ARRAY should be large
1161    enough to hold hash_table_count(ht) char pointers.  */
1162
1163 void string_set_to_array (struct hash_table *ht, char **array)
1164 {
1165   hash_table_map (ht, string_set_to_array_mapper, &array);
1166 }
1167
1168 static int
1169 string_set_free_mapper (void *key, void *value_ignored, void *arg_ignored)
1170 {
1171   xfree (key);
1172   return 0;
1173 }
1174
1175 void
1176 string_set_free (struct hash_table *ht)
1177 {
1178   hash_table_map (ht, string_set_free_mapper, NULL);
1179   hash_table_destroy (ht);
1180 }
1181
1182 static int
1183 free_keys_and_values_mapper (void *key, void *value, void *arg_ignored)
1184 {
1185   xfree (key);
1186   xfree (value);
1187   return 0;
1188 }
1189
1190 /* Another utility function: call free() on all keys and values of HT.  */
1191
1192 void
1193 free_keys_and_values (struct hash_table *ht)
1194 {
1195   hash_table_map (ht, free_keys_and_values_mapper, NULL);
1196 }
1197
1198 \f
1199 /* Get grouping data, the separator and grouping info, by calling
1200    localeconv().  The information is cached after the first call to
1201    the function.
1202
1203    In locales that don't set a thousand separator (such as the "C"
1204    locale), this forces it to be ",".  We are now only showing
1205    thousand separators in one place, so this shouldn't be a problem in
1206    practice.  */
1207
1208 static void
1209 get_grouping_data (const char **sep, const char **grouping)
1210 {
1211   static const char *cached_sep;
1212   static const char *cached_grouping;
1213   static bool initialized;
1214   if (!initialized)
1215     {
1216       /* Get the grouping info from the locale. */
1217       struct lconv *lconv = localeconv ();
1218       cached_sep = lconv->thousands_sep;
1219       cached_grouping = lconv->grouping;
1220       if (!*cached_sep)
1221         {
1222           /* Many locales (such as "C" or "hr_HR") don't specify
1223              grouping, which we still want to use it for legibility.
1224              In those locales set the sep char to ',', unless that
1225              character is used for decimal point, in which case set it
1226              to ".".  */
1227           if (*lconv->decimal_point != ',')
1228             cached_sep = ",";
1229           else
1230             cached_sep = ".";
1231           cached_grouping = "\x03";
1232         }
1233       initialized = true;
1234     }
1235   *sep = cached_sep;
1236   *grouping = cached_grouping;
1237 }
1238
1239 /* Return a printed representation of N with thousand separators.
1240    This should respect locale settings, with the exception of the "C"
1241    locale which mandates no separator, but we use one anyway.
1242
1243    Unfortunately, we cannot use %'d (in fact it would be %'j) to get
1244    the separators because it's too non-portable, and it's hard to test
1245    for this feature at configure time.  Besides, it wouldn't work in
1246    the "C" locale, which many Unix users still work in.  */
1247
1248 const char *
1249 with_thousand_seps (wgint n)
1250 {
1251   static char outbuf[48];
1252   char *p = outbuf + sizeof outbuf;
1253
1254   /* Info received from locale */
1255   const char *grouping, *sep;
1256   int seplen;
1257
1258   /* State information */
1259   int i = 0, groupsize;
1260   const char *atgroup;
1261
1262   bool negative = n < 0;
1263
1264   /* Initialize grouping data. */
1265   get_grouping_data (&sep, &grouping);
1266   seplen = strlen (sep);
1267   atgroup = grouping;
1268   groupsize = *atgroup++;
1269
1270   /* This will overflow on WGINT_MIN, but we're not using this to
1271      print negative numbers anyway.  */
1272   if (negative)
1273     n = -n;
1274
1275   /* Write the number into the buffer, backwards, inserting the
1276      separators as necessary.  */
1277   *--p = '\0';
1278   while (1)
1279     {
1280       *--p = n % 10 + '0';
1281       n /= 10;
1282       if (n == 0)
1283         break;
1284       /* Prepend SEP to every groupsize'd digit and get new groupsize.  */
1285       if (++i == groupsize)
1286         {
1287           if (seplen == 1)
1288             *--p = *sep;
1289           else
1290             memcpy (p -= seplen, sep, seplen);
1291           i = 0;
1292           if (*atgroup)
1293             groupsize = *atgroup++;
1294         }
1295     }
1296   if (negative)
1297     *--p = '-';
1298
1299   return p;
1300 }
1301
1302 /* N, a byte quantity, is converted to a human-readable abberviated
1303    form a la sizes printed by `ls -lh'.  The result is written to a
1304    static buffer, a pointer to which is returned.
1305
1306    Unlike `with_thousand_seps', this approximates to the nearest unit.
1307    Quoting GNU libit: "Most people visually process strings of 3-4
1308    digits effectively, but longer strings of digits are more prone to
1309    misinterpretation.  Hence, converting to an abbreviated form
1310    usually improves readability."
1311
1312    This intentionally uses kilobyte (KB), megabyte (MB), etc. in their
1313    original computer-related meaning of "powers of 1024".  Powers of
1314    1000 would be useless since Wget already displays sizes with
1315    thousand separators.  We don't use the "*bibyte" names invented in
1316    1998, and seldom used in practice.  Wikipedia's entry on kilobyte
1317    discusses this in some detail.  */
1318
1319 char *
1320 human_readable (HR_NUMTYPE n)
1321 {
1322   /* These suffixes are compatible with those of GNU `ls -lh'. */
1323   static char powers[] =
1324     {
1325       'K',                      /* kilobyte, 2^10 bytes */
1326       'M',                      /* megabyte, 2^20 bytes */
1327       'G',                      /* gigabyte, 2^30 bytes */
1328       'T',                      /* terabyte, 2^40 bytes */
1329       'P',                      /* petabyte, 2^50 bytes */
1330       'E',                      /* exabyte,  2^60 bytes */
1331     };
1332   static char buf[8];
1333   int i;
1334
1335   /* If the quantity is smaller than 1K, just print it. */
1336   if (n < 1024)
1337     {
1338       snprintf (buf, sizeof (buf), "%d", (int) n);
1339       return buf;
1340     }
1341
1342   /* Loop over powers, dividing N with 1024 in each iteration.  This
1343      works unchanged for all sizes of wgint, while still avoiding
1344      non-portable `long double' arithmetic.  */
1345   for (i = 0; i < countof (powers); i++)
1346     {
1347       /* At each iteration N is greater than the *subsequent* power.
1348          That way N/1024.0 produces a decimal number in the units of
1349          *this* power.  */
1350       if ((n / 1024) < 1024 || i == countof (powers) - 1)
1351         {
1352           double val = n / 1024.0;
1353           /* Print values smaller than 10 with one decimal digits, and
1354              others without any decimals.  */
1355           snprintf (buf, sizeof (buf), "%.*f%c",
1356                     val < 10 ? 1 : 0, val, powers[i]);
1357           return buf;
1358         }
1359       n /= 1024;
1360     }
1361   return NULL;                  /* unreached */
1362 }
1363
1364 /* Count the digits in the provided number.  Used to allocate space
1365    when printing numbers.  */
1366
1367 int
1368 numdigit (wgint number)
1369 {
1370   int cnt = 1;
1371   if (number < 0)
1372     ++cnt;                      /* accomodate '-' */
1373   while ((number /= 10) != 0)
1374     ++cnt;
1375   return cnt;
1376 }
1377
1378 #define PR(mask) *p++ = n / (mask) + '0'
1379
1380 /* DIGITS_<D> is used to print a D-digit number and should be called
1381    with mask==10^(D-1).  It prints n/mask (the first digit), reducing
1382    n to n%mask (the remaining digits), and calling DIGITS_<D-1>.
1383    Recursively this continues until DIGITS_1 is invoked.  */
1384
1385 #define DIGITS_1(mask) PR (mask)
1386 #define DIGITS_2(mask) PR (mask), n %= (mask), DIGITS_1 ((mask) / 10)
1387 #define DIGITS_3(mask) PR (mask), n %= (mask), DIGITS_2 ((mask) / 10)
1388 #define DIGITS_4(mask) PR (mask), n %= (mask), DIGITS_3 ((mask) / 10)
1389 #define DIGITS_5(mask) PR (mask), n %= (mask), DIGITS_4 ((mask) / 10)
1390 #define DIGITS_6(mask) PR (mask), n %= (mask), DIGITS_5 ((mask) / 10)
1391 #define DIGITS_7(mask) PR (mask), n %= (mask), DIGITS_6 ((mask) / 10)
1392 #define DIGITS_8(mask) PR (mask), n %= (mask), DIGITS_7 ((mask) / 10)
1393 #define DIGITS_9(mask) PR (mask), n %= (mask), DIGITS_8 ((mask) / 10)
1394 #define DIGITS_10(mask) PR (mask), n %= (mask), DIGITS_9 ((mask) / 10)
1395
1396 /* DIGITS_<11-20> are only used on machines with 64-bit wgints. */
1397
1398 #define DIGITS_11(mask) PR (mask), n %= (mask), DIGITS_10 ((mask) / 10)
1399 #define DIGITS_12(mask) PR (mask), n %= (mask), DIGITS_11 ((mask) / 10)
1400 #define DIGITS_13(mask) PR (mask), n %= (mask), DIGITS_12 ((mask) / 10)
1401 #define DIGITS_14(mask) PR (mask), n %= (mask), DIGITS_13 ((mask) / 10)
1402 #define DIGITS_15(mask) PR (mask), n %= (mask), DIGITS_14 ((mask) / 10)
1403 #define DIGITS_16(mask) PR (mask), n %= (mask), DIGITS_15 ((mask) / 10)
1404 #define DIGITS_17(mask) PR (mask), n %= (mask), DIGITS_16 ((mask) / 10)
1405 #define DIGITS_18(mask) PR (mask), n %= (mask), DIGITS_17 ((mask) / 10)
1406 #define DIGITS_19(mask) PR (mask), n %= (mask), DIGITS_18 ((mask) / 10)
1407
1408 /* SPRINTF_WGINT is used by number_to_string to handle pathological
1409    cases and to portably support strange sizes of wgint.  Ideally this
1410    would just use "%j" and intmax_t, but many systems don't support
1411    it, so it's used only if nothing else works.  */
1412 #if SIZEOF_LONG >= SIZEOF_WGINT
1413 # define SPRINTF_WGINT(buf, n) sprintf (buf, "%ld", (long) (n))
1414 #elif SIZEOF_LONG_LONG >= SIZEOF_WGINT
1415 # define SPRINTF_WGINT(buf, n) sprintf (buf, "%lld", (long long) (n))
1416 #elif defined(WINDOWS)
1417 # define SPRINTF_WGINT(buf, n) sprintf (buf, "%I64d", (__int64) (n))
1418 #else
1419 # define SPRINTF_WGINT(buf, n) sprintf (buf, "%j", (intmax_t) (n))
1420 #endif
1421
1422 /* Shorthand for casting to wgint. */
1423 #define W wgint
1424
1425 /* Print NUMBER to BUFFER in base 10.  This is equivalent to
1426    `sprintf(buffer, "%lld", (long long) number)', only typically much
1427    faster and portable to machines without long long.
1428
1429    The speedup may make a difference in programs that frequently
1430    convert numbers to strings.  Some implementations of sprintf,
1431    particularly the one in GNU libc, have been known to be extremely
1432    slow when converting integers to strings.
1433
1434    Return the pointer to the location where the terminating zero was
1435    printed.  (Equivalent to calling buffer+strlen(buffer) after the
1436    function is done.)
1437
1438    BUFFER should be big enough to accept as many bytes as you expect
1439    the number to take up.  On machines with 64-bit longs the maximum
1440    needed size is 24 bytes.  That includes the digits needed for the
1441    largest 64-bit number, the `-' sign in case it's negative, and the
1442    terminating '\0'.  */
1443
1444 char *
1445 number_to_string (char *buffer, wgint number)
1446 {
1447   char *p = buffer;
1448   wgint n = number;
1449
1450 #if (SIZEOF_WGINT != 4) && (SIZEOF_WGINT != 8)
1451   /* We are running in a strange or misconfigured environment.  Let
1452      sprintf cope with it.  */
1453   SPRINTF_WGINT (buffer, n);
1454   p += strlen (buffer);
1455 #else  /* (SIZEOF_WGINT == 4) || (SIZEOF_WGINT == 8) */
1456
1457   if (n < 0)
1458     {
1459       if (n < -WGINT_MAX)
1460         {
1461           /* -n would overflow.  Have sprintf deal with this.  */
1462           SPRINTF_WGINT (buffer, n);
1463           p += strlen (buffer);
1464           return p;
1465         }
1466
1467       *p++ = '-';
1468       n = -n;
1469     }
1470
1471   /* Use the DIGITS_ macro appropriate for N's number of digits.  That
1472      way printing any N is fully open-coded without a loop or jump.
1473      (Also see description of DIGITS_*.)  */
1474
1475   if      (n < 10)                       DIGITS_1 (1);
1476   else if (n < 100)                      DIGITS_2 (10);
1477   else if (n < 1000)                     DIGITS_3 (100);
1478   else if (n < 10000)                    DIGITS_4 (1000);
1479   else if (n < 100000)                   DIGITS_5 (10000);
1480   else if (n < 1000000)                  DIGITS_6 (100000);
1481   else if (n < 10000000)                 DIGITS_7 (1000000);
1482   else if (n < 100000000)                DIGITS_8 (10000000);
1483   else if (n < 1000000000)               DIGITS_9 (100000000);
1484 #if SIZEOF_WGINT == 4
1485   /* wgint is 32 bits wide: no number has more than 10 digits. */
1486   else                                   DIGITS_10 (1000000000);
1487 #else
1488   /* wgint is 64 bits wide: handle numbers with 9-19 decimal digits.
1489      Constants are constructed by compile-time multiplication to avoid
1490      dealing with different notations for 64-bit constants
1491      (nL/nLL/nI64, depending on the compiler and architecture).  */
1492   else if (n < 10*(W)1000000000)         DIGITS_10 (1000000000);
1493   else if (n < 100*(W)1000000000)        DIGITS_11 (10*(W)1000000000);
1494   else if (n < 1000*(W)1000000000)       DIGITS_12 (100*(W)1000000000);
1495   else if (n < 10000*(W)1000000000)      DIGITS_13 (1000*(W)1000000000);
1496   else if (n < 100000*(W)1000000000)     DIGITS_14 (10000*(W)1000000000);
1497   else if (n < 1000000*(W)1000000000)    DIGITS_15 (100000*(W)1000000000);
1498   else if (n < 10000000*(W)1000000000)   DIGITS_16 (1000000*(W)1000000000);
1499   else if (n < 100000000*(W)1000000000)  DIGITS_17 (10000000*(W)1000000000);
1500   else if (n < 1000000000*(W)1000000000) DIGITS_18 (100000000*(W)1000000000);
1501   else                                   DIGITS_19 (1000000000*(W)1000000000);
1502 #endif
1503
1504   *p = '\0';
1505 #endif /* (SIZEOF_WGINT == 4) || (SIZEOF_WGINT == 8) */
1506
1507   return p;
1508 }
1509
1510 #undef PR
1511 #undef W
1512 #undef SPRINTF_WGINT
1513 #undef DIGITS_1
1514 #undef DIGITS_2
1515 #undef DIGITS_3
1516 #undef DIGITS_4
1517 #undef DIGITS_5
1518 #undef DIGITS_6
1519 #undef DIGITS_7
1520 #undef DIGITS_8
1521 #undef DIGITS_9
1522 #undef DIGITS_10
1523 #undef DIGITS_11
1524 #undef DIGITS_12
1525 #undef DIGITS_13
1526 #undef DIGITS_14
1527 #undef DIGITS_15
1528 #undef DIGITS_16
1529 #undef DIGITS_17
1530 #undef DIGITS_18
1531 #undef DIGITS_19
1532
1533 #define RING_SIZE 3
1534
1535 /* Print NUMBER to a statically allocated string and return a pointer
1536    to the printed representation.
1537
1538    This function is intended to be used in conjunction with printf.
1539    It is hard to portably print wgint values:
1540     a) you cannot use printf("%ld", number) because wgint can be long
1541        long on 32-bit machines with LFS.
1542     b) you cannot use printf("%lld", number) because NUMBER could be
1543        long on 32-bit machines without LFS, or on 64-bit machines,
1544        which do not require LFS.  Also, Windows doesn't support %lld.
1545     c) you cannot use printf("%j", (int_max_t) number) because not all
1546        versions of printf support "%j", the most notable being the one
1547        on Windows.
1548     d) you cannot #define WGINT_FMT to the appropriate format and use
1549        printf(WGINT_FMT, number) because that would break translations
1550        for user-visible messages, such as printf("Downloaded: %d
1551        bytes\n", number).
1552
1553    What you should use instead is printf("%s", number_to_static_string
1554    (number)).
1555
1556    CAVEAT: since the function returns pointers to static data, you
1557    must be careful to copy its result before calling it again.
1558    However, to make it more useful with printf, the function maintains
1559    an internal ring of static buffers to return.  That way things like
1560    printf("%s %s", number_to_static_string (num1),
1561    number_to_static_string (num2)) work as expected.  Three buffers
1562    are currently used, which means that "%s %s %s" will work, but "%s
1563    %s %s %s" won't.  If you need to print more than three wgints,
1564    bump the RING_SIZE (or rethink your message.)  */
1565
1566 char *
1567 number_to_static_string (wgint number)
1568 {
1569   static char ring[RING_SIZE][24];
1570   static int ringpos;
1571   char *buf = ring[ringpos];
1572   number_to_string (buf, number);
1573   ringpos = (ringpos + 1) % RING_SIZE;
1574   return buf;
1575 }
1576 \f
1577 /* Determine the width of the terminal we're running on.  If that's
1578    not possible, return 0.  */
1579
1580 int
1581 determine_screen_width (void)
1582 {
1583   /* If there's a way to get the terminal size using POSIX
1584      tcgetattr(), somebody please tell me.  */
1585 #ifdef TIOCGWINSZ
1586   int fd;
1587   struct winsize wsz;
1588
1589   if (opt.lfilename != NULL)
1590     return 0;
1591
1592   fd = fileno (stderr);
1593   if (ioctl (fd, TIOCGWINSZ, &wsz) < 0)
1594     return 0;                   /* most likely ENOTTY */
1595
1596   return wsz.ws_col;
1597 #elif defined(WINDOWS)
1598   CONSOLE_SCREEN_BUFFER_INFO csbi;
1599   if (!GetConsoleScreenBufferInfo (GetStdHandle (STD_ERROR_HANDLE), &csbi))
1600     return 0;
1601   return csbi.dwSize.X;
1602 #else  /* neither TIOCGWINSZ nor WINDOWS */
1603   return 0;
1604 #endif /* neither TIOCGWINSZ nor WINDOWS */
1605 }
1606 \f
1607 /* Whether the rnd system (either rand or [dl]rand48) has been
1608    seeded.  */
1609 static int rnd_seeded;
1610
1611 /* Return a random number between 0 and MAX-1, inclusive.
1612
1613    If the system does not support lrand48 and MAX is greater than the
1614    value of RAND_MAX+1 on the system, the returned value will be in
1615    the range [0, RAND_MAX].  This may be fixed in a future release.
1616    The random number generator is seeded automatically the first time
1617    it is called.
1618
1619    This uses lrand48 where available, rand elsewhere.  DO NOT use it
1620    for cryptography.  It is only meant to be used in situations where
1621    quality of the random numbers returned doesn't really matter.  */
1622
1623 int
1624 random_number (int max)
1625 {
1626 #ifdef HAVE_DRAND48
1627   if (!rnd_seeded)
1628     {
1629       srand48 ((long) time (NULL) ^ (long) getpid ());
1630       rnd_seeded = 1;
1631     }
1632   return lrand48 () % max;
1633 #else  /* not HAVE_DRAND48 */
1634
1635   double bounded;
1636   int rnd;
1637   if (!rnd_seeded)
1638     {
1639       srand ((unsigned) time (NULL) ^ (unsigned) getpid ());
1640       rnd_seeded = 1;
1641     }
1642   rnd = rand ();
1643
1644   /* Like rand() % max, but uses the high-order bits for better
1645      randomness on architectures where rand() is implemented using a
1646      simple congruential generator.  */
1647
1648   bounded = (double) max * rnd / (RAND_MAX + 1.0);
1649   return (int) bounded;
1650
1651 #endif /* not HAVE_DRAND48 */
1652 }
1653
1654 /* Return a random uniformly distributed floating point number in the
1655    [0, 1) range.  Uses drand48 where available, and a really lame
1656    kludge elsewhere.  */
1657
1658 double
1659 random_float (void)
1660 {
1661 #ifdef HAVE_DRAND48
1662   if (!rnd_seeded)
1663     {
1664       srand48 ((long) time (NULL) ^ (long) getpid ());
1665       rnd_seeded = 1;
1666     }
1667   return drand48 ();
1668 #else  /* not HAVE_DRAND48 */
1669   return (  random_number (10000) / 10000.0
1670           + random_number (10000) / (10000.0 * 10000.0)
1671           + random_number (10000) / (10000.0 * 10000.0 * 10000.0)
1672           + random_number (10000) / (10000.0 * 10000.0 * 10000.0 * 10000.0));
1673 #endif /* not HAVE_DRAND48 */
1674 }
1675 \f
1676 /* Implementation of run_with_timeout, a generic timeout-forcing
1677    routine for systems with Unix-like signal handling.  */
1678
1679 #ifdef USE_SIGNAL_TIMEOUT
1680 # ifdef HAVE_SIGSETJMP
1681 #  define SETJMP(env) sigsetjmp (env, 1)
1682
1683 static sigjmp_buf run_with_timeout_env;
1684
1685 static void
1686 abort_run_with_timeout (int sig)
1687 {
1688   assert (sig == SIGALRM);
1689   siglongjmp (run_with_timeout_env, -1);
1690 }
1691 # else /* not HAVE_SIGSETJMP */
1692 #  define SETJMP(env) setjmp (env)
1693
1694 static jmp_buf run_with_timeout_env;
1695
1696 static void
1697 abort_run_with_timeout (int sig)
1698 {
1699   assert (sig == SIGALRM);
1700   /* We don't have siglongjmp to preserve the set of blocked signals;
1701      if we longjumped out of the handler at this point, SIGALRM would
1702      remain blocked.  We must unblock it manually. */
1703   int mask = siggetmask ();
1704   mask &= ~sigmask (SIGALRM);
1705   sigsetmask (mask);
1706
1707   /* Now it's safe to longjump. */
1708   longjmp (run_with_timeout_env, -1);
1709 }
1710 # endif /* not HAVE_SIGSETJMP */
1711
1712 /* Arrange for SIGALRM to be delivered in TIMEOUT seconds.  This uses
1713    setitimer where available, alarm otherwise.
1714
1715    TIMEOUT should be non-zero.  If the timeout value is so small that
1716    it would be rounded to zero, it is rounded to the least legal value
1717    instead (1us for setitimer, 1s for alarm).  That ensures that
1718    SIGALRM will be delivered in all cases.  */
1719
1720 static void
1721 alarm_set (double timeout)
1722 {
1723 #ifdef ITIMER_REAL
1724   /* Use the modern itimer interface. */
1725   struct itimerval itv;
1726   xzero (itv);
1727   itv.it_value.tv_sec = (long) timeout;
1728   itv.it_value.tv_usec = 1000000 * (timeout - (long)timeout);
1729   if (itv.it_value.tv_sec == 0 && itv.it_value.tv_usec == 0)
1730     /* Ensure that we wait for at least the minimum interval.
1731        Specifying zero would mean "wait forever".  */
1732     itv.it_value.tv_usec = 1;
1733   setitimer (ITIMER_REAL, &itv, NULL);
1734 #else  /* not ITIMER_REAL */
1735   /* Use the old alarm() interface. */
1736   int secs = (int) timeout;
1737   if (secs == 0)
1738     /* Round TIMEOUTs smaller than 1 to 1, not to zero.  This is
1739        because alarm(0) means "never deliver the alarm", i.e. "wait
1740        forever", which is not what someone who specifies a 0.5s
1741        timeout would expect.  */
1742     secs = 1;
1743   alarm (secs);
1744 #endif /* not ITIMER_REAL */
1745 }
1746
1747 /* Cancel the alarm set with alarm_set. */
1748
1749 static void
1750 alarm_cancel (void)
1751 {
1752 #ifdef ITIMER_REAL
1753   struct itimerval disable;
1754   xzero (disable);
1755   setitimer (ITIMER_REAL, &disable, NULL);
1756 #else  /* not ITIMER_REAL */
1757   alarm (0);
1758 #endif /* not ITIMER_REAL */
1759 }
1760
1761 /* Call FUN(ARG), but don't allow it to run for more than TIMEOUT
1762    seconds.  Returns true if the function was interrupted with a
1763    timeout, false otherwise.
1764
1765    This works by setting up SIGALRM to be delivered in TIMEOUT seconds
1766    using setitimer() or alarm().  The timeout is enforced by
1767    longjumping out of the SIGALRM handler.  This has several
1768    advantages compared to the traditional approach of relying on
1769    signals causing system calls to exit with EINTR:
1770
1771      * The callback function is *forcibly* interrupted after the
1772        timeout expires, (almost) regardless of what it was doing and
1773        whether it was in a syscall.  For example, a calculation that
1774        takes a long time is interrupted as reliably as an IO
1775        operation.
1776
1777      * It works with both SYSV and BSD signals because it doesn't
1778        depend on the default setting of SA_RESTART.
1779
1780      * It doesn't require special handler setup beyond a simple call
1781        to signal().  (It does use sigsetjmp/siglongjmp, but they're
1782        optional.)
1783
1784    The only downside is that, if FUN allocates internal resources that
1785    are normally freed prior to exit from the functions, they will be
1786    lost in case of timeout.  */
1787
1788 bool
1789 run_with_timeout (double timeout, void (*fun) (void *), void *arg)
1790 {
1791   int saved_errno;
1792
1793   if (timeout == 0)
1794     {
1795       fun (arg);
1796       return false;
1797     }
1798
1799   signal (SIGALRM, abort_run_with_timeout);
1800   if (SETJMP (run_with_timeout_env) != 0)
1801     {
1802       /* Longjumped out of FUN with a timeout. */
1803       signal (SIGALRM, SIG_DFL);
1804       return true;
1805     }
1806   alarm_set (timeout);
1807   fun (arg);
1808
1809   /* Preserve errno in case alarm() or signal() modifies it. */
1810   saved_errno = errno;
1811   alarm_cancel ();
1812   signal (SIGALRM, SIG_DFL);
1813   errno = saved_errno;
1814
1815   return false;
1816 }
1817
1818 #else  /* not USE_SIGNAL_TIMEOUT */
1819
1820 #ifndef WINDOWS
1821 /* A stub version of run_with_timeout that just calls FUN(ARG).  Don't
1822    define it under Windows, because Windows has its own version of
1823    run_with_timeout that uses threads.  */
1824
1825 int
1826 run_with_timeout (double timeout, void (*fun) (void *), void *arg)
1827 {
1828   fun (arg);
1829   return false;
1830 }
1831 #endif /* not WINDOWS */
1832 #endif /* not USE_SIGNAL_TIMEOUT */
1833 \f
1834 #ifndef WINDOWS
1835
1836 /* Sleep the specified amount of seconds.  On machines without
1837    nanosleep(), this may sleep shorter if interrupted by signals.  */
1838
1839 void
1840 xsleep (double seconds)
1841 {
1842 #ifdef HAVE_NANOSLEEP
1843   /* nanosleep is the preferred interface because it offers high
1844      accuracy and, more importantly, because it allows us to reliably
1845      restart receiving a signal such as SIGWINCH.  (There was an
1846      actual Debian bug report about --limit-rate malfunctioning while
1847      the terminal was being resized.)  */
1848   struct timespec sleep, remaining;
1849   sleep.tv_sec = (long) seconds;
1850   sleep.tv_nsec = 1000000000 * (seconds - (long) seconds);
1851   while (nanosleep (&sleep, &remaining) < 0 && errno == EINTR)
1852     /* If nanosleep has been interrupted by a signal, adjust the
1853        sleeping period and return to sleep.  */
1854     sleep = remaining;
1855 #elif defined(HAVE_USLEEP)
1856   /* If usleep is available, use it in preference to select.  */
1857   if (seconds >= 1)
1858     {
1859       /* On some systems, usleep cannot handle values larger than
1860          1,000,000.  If the period is larger than that, use sleep
1861          first, then add usleep for subsecond accuracy.  */
1862       sleep (seconds);
1863       seconds -= (long) seconds;
1864     }
1865   usleep (seconds * 1000000);
1866 #else /* fall back select */
1867   /* Note that, although Windows supports select, it can't be used to
1868      implement sleeping because Winsock's select doesn't implement
1869      timeout when it is passed NULL pointers for all fd sets.  (But it
1870      does under Cygwin, which implements Unix-compatible select.)  */
1871   struct timeval sleep;
1872   sleep.tv_sec = (long) seconds;
1873   sleep.tv_usec = 1000000 * (seconds - (long) seconds);
1874   select (0, NULL, NULL, NULL, &sleep);
1875   /* If select returns -1 and errno is EINTR, it means we were
1876      interrupted by a signal.  But without knowing how long we've
1877      actually slept, we can't return to sleep.  Using gettimeofday to
1878      track sleeps is slow and unreliable due to clock skew.  */
1879 #endif
1880 }
1881
1882 #endif /* not WINDOWS */
1883
1884 /* Encode the string STR of length LENGTH to base64 format and place it
1885    to B64STORE.  The output will be \0-terminated, and must point to a
1886    writable buffer of at least 1+BASE64_LENGTH(length) bytes.  It
1887    returns the length of the resulting base64 data, not counting the
1888    terminating zero.
1889
1890    This implementation will not emit newlines after 76 characters of
1891    base64 data.  */
1892
1893 int
1894 base64_encode (const char *str, int length, char *b64store)
1895 {
1896   /* Conversion table.  */
1897   static char tbl[64] = {
1898     'A','B','C','D','E','F','G','H',
1899     'I','J','K','L','M','N','O','P',
1900     'Q','R','S','T','U','V','W','X',
1901     'Y','Z','a','b','c','d','e','f',
1902     'g','h','i','j','k','l','m','n',
1903     'o','p','q','r','s','t','u','v',
1904     'w','x','y','z','0','1','2','3',
1905     '4','5','6','7','8','9','+','/'
1906   };
1907   int i;
1908   const unsigned char *s = (const unsigned char *) str;
1909   char *p = b64store;
1910
1911   /* Transform the 3x8 bits to 4x6 bits, as required by base64.  */
1912   for (i = 0; i < length; i += 3)
1913     {
1914       *p++ = tbl[s[0] >> 2];
1915       *p++ = tbl[((s[0] & 3) << 4) + (s[1] >> 4)];
1916       *p++ = tbl[((s[1] & 0xf) << 2) + (s[2] >> 6)];
1917       *p++ = tbl[s[2] & 0x3f];
1918       s += 3;
1919     }
1920
1921   /* Pad the result if necessary...  */
1922   if (i == length + 1)
1923     *(p - 1) = '=';
1924   else if (i == length + 2)
1925     *(p - 1) = *(p - 2) = '=';
1926
1927   /* ...and zero-terminate it.  */
1928   *p = '\0';
1929
1930   return p - b64store;
1931 }
1932
1933 /* Store in C the next non-whitespace character from the string, or \0
1934    when end of string is reached.  */
1935 #define NEXT_CHAR(c, p) do {                    \
1936   c = (unsigned char) *p++;                     \
1937 } while (ISSPACE (c))
1938
1939 #define IS_ASCII(c) (((c) & 0x80) == 0)
1940
1941 /* Decode data from BASE64 (pointer to \0-terminated text) into memory
1942    pointed to by TO.  TO should be large enough to accomodate the
1943    decoded data, which is guaranteed to be less than strlen(base64).
1944
1945    Since TO is assumed to contain binary data, it is not
1946    NUL-terminated.  The function returns the length of the data
1947    written to TO.  -1 is returned in case of error caused by malformed
1948    base64 input.  */
1949
1950 int
1951 base64_decode (const char *base64, char *to)
1952 {
1953   /* Table of base64 values for first 128 characters.  Note that this
1954      assumes ASCII (but so does Wget in other places).  */
1955   static signed char base64_char_to_value[128] =
1956     {
1957       -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  /*   0-  9 */
1958       -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  /*  10- 19 */
1959       -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  /*  20- 29 */
1960       -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  -1,  /*  30- 39 */
1961       -1,  -1,  -1,  62,  -1,  -1,  -1,  63,  52,  53,  /*  40- 49 */
1962       54,  55,  56,  57,  58,  59,  60,  61,  -1,  -1,  /*  50- 59 */
1963       -1,  -1,  -1,  -1,  -1,  0,   1,   2,   3,   4,   /*  60- 69 */
1964       5,   6,   7,   8,   9,   10,  11,  12,  13,  14,  /*  70- 79 */
1965       15,  16,  17,  18,  19,  20,  21,  22,  23,  24,  /*  80- 89 */
1966       25,  -1,  -1,  -1,  -1,  -1,  -1,  26,  27,  28,  /*  90- 99 */
1967       29,  30,  31,  32,  33,  34,  35,  36,  37,  38,  /* 100-109 */
1968       39,  40,  41,  42,  43,  44,  45,  46,  47,  48,  /* 110-119 */
1969       49,  50,  51,  -1,  -1,  -1,  -1,  -1             /* 120-127 */
1970     };
1971 #define BASE64_CHAR_TO_VALUE(c) ((int) base64_char_to_value[c])
1972 #define IS_BASE64(c) ((IS_ASCII (c) && BASE64_CHAR_TO_VALUE (c) >= 0) || c == '=')
1973
1974   const char *p = base64;
1975   char *q = to;
1976
1977   while (1)
1978     {
1979       unsigned char c;
1980       unsigned long value;
1981
1982       /* Process first byte of a quadruplet.  */
1983       NEXT_CHAR (c, p);
1984       if (!c)
1985         break;
1986       if (c == '=' || !IS_BASE64 (c))
1987         return -1;              /* illegal char while decoding base64 */
1988       value = BASE64_CHAR_TO_VALUE (c) << 18;
1989
1990       /* Process second byte of a quadruplet.  */
1991       NEXT_CHAR (c, p);
1992       if (!c)
1993         return -1;              /* premature EOF while decoding base64 */
1994       if (c == '=' || !IS_BASE64 (c))
1995         return -1;              /* illegal char while decoding base64 */
1996       value |= BASE64_CHAR_TO_VALUE (c) << 12;
1997       *q++ = value >> 16;
1998
1999       /* Process third byte of a quadruplet.  */
2000       NEXT_CHAR (c, p);
2001       if (!c)
2002         return -1;              /* premature EOF while decoding base64 */
2003       if (!IS_BASE64 (c))
2004         return -1;              /* illegal char while decoding base64 */
2005
2006       if (c == '=')
2007         {
2008           NEXT_CHAR (c, p);
2009           if (!c)
2010             return -1;          /* premature EOF while decoding base64 */
2011           if (c != '=')
2012             return -1;          /* padding `=' expected but not found */
2013           continue;
2014         }
2015
2016       value |= BASE64_CHAR_TO_VALUE (c) << 6;
2017       *q++ = 0xff & value >> 8;
2018
2019       /* Process fourth byte of a quadruplet.  */
2020       NEXT_CHAR (c, p);
2021       if (!c)
2022         return -1;              /* premature EOF while decoding base64 */
2023       if (c == '=')
2024         continue;
2025       if (!IS_BASE64 (c))
2026         return -1;              /* illegal char while decoding base64 */
2027
2028       value |= BASE64_CHAR_TO_VALUE (c);
2029       *q++ = 0xff & value;
2030     }
2031 #undef IS_BASE64
2032 #undef BASE64_CHAR_TO_VALUE
2033
2034   return q - to;
2035 }
2036
2037 #undef IS_ASCII
2038 #undef NEXT_CHAR
2039 \f
2040 /* Simple merge sort for use by stable_sort.  Implementation courtesy
2041    Zeljko Vrba with additional debugging by Nenad Barbutov.  */
2042
2043 static void
2044 mergesort_internal (void *base, void *temp, size_t size, size_t from, size_t to,
2045                     int (*cmpfun) (const void *, const void *))
2046 {
2047 #define ELT(array, pos) ((char *)(array) + (pos) * size)
2048   if (from < to)
2049     {
2050       size_t i, j, k;
2051       size_t mid = (to + from) / 2;
2052       mergesort_internal (base, temp, size, from, mid, cmpfun);
2053       mergesort_internal (base, temp, size, mid + 1, to, cmpfun);
2054       i = from;
2055       j = mid + 1;
2056       for (k = from; (i <= mid) && (j <= to); k++)
2057         if (cmpfun (ELT (base, i), ELT (base, j)) <= 0)
2058           memcpy (ELT (temp, k), ELT (base, i++), size);
2059         else
2060           memcpy (ELT (temp, k), ELT (base, j++), size);
2061       while (i <= mid)
2062         memcpy (ELT (temp, k++), ELT (base, i++), size);
2063       while (j <= to)
2064         memcpy (ELT (temp, k++), ELT (base, j++), size);
2065       for (k = from; k <= to; k++)
2066         memcpy (ELT (base, k), ELT (temp, k), size);
2067     }
2068 #undef ELT
2069 }
2070
2071 /* Stable sort with interface exactly like standard library's qsort.
2072    Uses mergesort internally, allocating temporary storage with
2073    alloca.  */
2074
2075 void
2076 stable_sort (void *base, size_t nmemb, size_t size,
2077              int (*cmpfun) (const void *, const void *))
2078 {
2079   if (size > 1)
2080     {
2081       void *temp = alloca (nmemb * size * sizeof (void *));
2082       mergesort_internal (base, temp, size, 0, nmemb - 1, cmpfun);
2083     }
2084 }
2085 \f
2086 /* Print a decimal number.  If it is equal to or larger than ten, the
2087    number is rounded.  Otherwise it is printed with one significant
2088    digit without trailing zeros and with no more than three fractional
2089    digits total.  For example, 0.1 is printed as "0.1", 0.035 is
2090    printed as "0.04", 0.0091 as "0.009", and 0.0003 as simply "0".
2091
2092    This is useful for displaying durations because it provides
2093    order-of-magnitude information without unnecessary clutter --
2094    long-running downloads are shown without the fractional part, and
2095    short ones still retain one significant digit.  */
2096
2097 const char *
2098 print_decimal (double number)
2099 {
2100   static char buf[32];
2101   double n = number >= 0 ? number : -number;
2102
2103   if (n >= 9.95)
2104     /* Cut off at 9.95 because the below %.1f would round 9.96 to
2105        "10.0" instead of "10".  OTOH 9.94 will print as "9.9".  */
2106     snprintf (buf, sizeof buf, "%.0f", number);
2107   else if (n >= 0.95)
2108     snprintf (buf, sizeof buf, "%.1f", number);
2109   else if (n >= 0.001)
2110     snprintf (buf, sizeof buf, "%.1g", number);
2111   else if (n >= 0.0005)
2112     /* round [0.0005, 0.001) to 0.001 */
2113     snprintf (buf, sizeof buf, "%.3f", number);
2114   else
2115     /* print numbers close to 0 as 0, not 0.000 */
2116     strcpy (buf, "0");
2117
2118   return buf;
2119 }