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