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