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