OSDN Git Service

Add ps -Z.
[android-x86/external-toybox.git] / lib / lib.c
1 /* lib.c - various reusable stuff.
2  *
3  * Copyright 2006 Rob Landley <rob@landley.net>
4  */
5
6 #include "toys.h"
7
8 void verror_msg(char *msg, int err, va_list va)
9 {
10   char *s = ": %s";
11
12   fprintf(stderr, "%s: ", toys.which->name);
13   if (msg) vfprintf(stderr, msg, va);
14   else s+=2;
15   if (err) fprintf(stderr, s, strerror(err));
16   if (msg || err) putc('\n', stderr);
17   if (!toys.exitval) toys.exitval++;
18 }
19
20 // These functions don't collapse together because of the va_stuff.
21
22 void error_msg(char *msg, ...)
23 {
24   va_list va;
25
26   va_start(va, msg);
27   verror_msg(msg, 0, va);
28   va_end(va);
29 }
30
31 void perror_msg(char *msg, ...)
32 {
33   va_list va;
34
35   va_start(va, msg);
36   verror_msg(msg, errno, va);
37   va_end(va);
38 }
39
40 // Die with an error message.
41 void error_exit(char *msg, ...)
42 {
43   va_list va;
44
45   va_start(va, msg);
46   verror_msg(msg, 0, va);
47   va_end(va);
48
49   xexit();
50 }
51
52 // Exit with an error message after showing help text.
53 void help_exit(char *msg, ...)
54 {
55   va_list va;
56
57   if (CFG_TOYBOX_HELP) show_help(stderr);
58
59   if (msg) {
60     va_start(va, msg);
61     verror_msg(msg, 0, va);
62     va_end(va);
63   }
64
65   xexit();
66 }
67
68 // Die with an error message and strerror(errno)
69 void perror_exit(char *msg, ...)
70 {
71   va_list va;
72
73   va_start(va, msg);
74   verror_msg(msg, errno, va);
75   va_end(va);
76
77   xexit();
78 }
79
80 // Keep reading until full or EOF
81 ssize_t readall(int fd, void *buf, size_t len)
82 {
83   size_t count = 0;
84
85   while (count<len) {
86     int i = read(fd, (char *)buf+count, len-count);
87     if (!i) break;
88     if (i<0) return i;
89     count += i;
90   }
91
92   return count;
93 }
94
95 // Keep writing until done or EOF
96 ssize_t writeall(int fd, void *buf, size_t len)
97 {
98   size_t count = 0;
99   while (count<len) {
100     int i = write(fd, count+(char *)buf, len-count);
101     if (i<1) return i;
102     count += i;
103   }
104
105   return count;
106 }
107
108 // skip this many bytes of input. Return 0 for success, >0 means this much
109 // left after input skipped.
110 off_t lskip(int fd, off_t offset)
111 {
112   off_t cur = lseek(fd, 0, SEEK_CUR);
113
114   if (cur != -1) {
115     off_t end = lseek(fd, 0, SEEK_END) - cur;
116
117     if (end > 0 && end < offset) return offset - end;
118     end = offset+cur;
119     if (end == lseek(fd, end, SEEK_SET)) return 0;
120     perror_exit("lseek");
121   }
122
123   while (offset>0) {
124     int try = offset>sizeof(libbuf) ? sizeof(libbuf) : offset, or;
125
126     or = readall(fd, libbuf, try);
127     if (or < 0) perror_exit("lskip to %lld", (long long)offset);
128     else offset -= or;
129     if (or < try) break;
130   }
131
132   return offset;
133 }
134
135 // flags: 1=make last dir (with mode lastmode, otherwise skips last component)
136 //        2=make path (already exists is ok)
137 //        4=verbose
138 // returns 0 = path ok, 1 = error
139 int mkpathat(int atfd, char *dir, mode_t lastmode, int flags)
140 {
141   struct stat buf;
142   char *s;
143
144   // mkdir -p one/two/three is not an error if the path already exists,
145   // but is if "three" is a file. The others we dereference and catch
146   // not-a-directory along the way, but the last one we must explicitly
147   // test for. Might as well do it up front.
148
149   if (!fstatat(atfd, dir, &buf, 0) && !S_ISDIR(buf.st_mode)) {
150     errno = EEXIST;
151     return 1;
152   }
153
154   for (s = dir; ;s++) {
155     char save = 0;
156     mode_t mode = (0777&~toys.old_umask)|0300;
157
158     // find next '/', but don't try to mkdir "" at start of absolute path
159     if (*s == '/' && (flags&2) && s != dir) {
160       save = *s;
161       *s = 0;
162     } else if (*s) continue;
163
164     // Use the mode from the -m option only for the last directory.
165     if (!save) {
166       if (flags&1) mode = lastmode;
167       else break;
168     }
169
170     if (mkdirat(atfd, dir, mode)) {
171       if (!(flags&2) || errno != EEXIST) return 1;
172     } else if (flags&4)
173       fprintf(stderr, "%s: created directory '%s'\n", toys.which->name, dir);
174
175     if (!(*s = save)) break;
176   }
177
178   return 0;
179 }
180
181 // Split a path into linked list of components, tracking head and tail of list.
182 // Filters out // entries with no contents.
183 struct string_list **splitpath(char *path, struct string_list **list)
184 {
185   char *new = path;
186
187   *list = 0;
188   do {
189     int len;
190
191     if (*path && *path != '/') continue;
192     len = path-new;
193     if (len > 0) {
194       *list = xmalloc(sizeof(struct string_list) + len + 1);
195       (*list)->next = 0;
196       memcpy((*list)->str, new, len);
197       (*list)->str[len] = 0;
198       list = &(*list)->next;
199     }
200     new = path+1;
201   } while (*path++);
202
203   return list;
204 }
205
206 // Find all file in a colon-separated path with access type "type" (generally
207 // X_OK or R_OK).  Returns a list of absolute paths to each file found, in
208 // order.
209
210 struct string_list *find_in_path(char *path, char *filename)
211 {
212   struct string_list *rlist = NULL, **prlist=&rlist;
213   char *cwd;
214
215   if (!path) return 0;
216
217   cwd = xgetcwd();
218   for (;;) {
219     char *next = strchr(path, ':');
220     int len = next ? next-path : strlen(path);
221     struct string_list *rnext;
222     struct stat st;
223
224     rnext = xmalloc(sizeof(void *) + strlen(filename)
225       + (len ? len : strlen(cwd)) + 2);
226     if (!len) sprintf(rnext->str, "%s/%s", cwd, filename);
227     else {
228       char *res = rnext->str;
229
230       memcpy(res, path, len);
231       res += len;
232       *(res++) = '/';
233       strcpy(res, filename);
234     }
235
236     // Confirm it's not a directory.
237     if (!stat(rnext->str, &st) && S_ISREG(st.st_mode)) {
238       *prlist = rnext;
239       rnext->next = NULL;
240       prlist = &(rnext->next);
241     } else free(rnext);
242
243     if (!next) break;
244     path += len;
245     path++;
246   }
247   free(cwd);
248
249   return rlist;
250 }
251
252 long estrtol(char *str, char **end, int base)
253 {
254   errno = 0;
255
256   return strtol(str, end, base);
257 }
258
259 long xstrtol(char *str, char **end, int base)
260 {
261   long l = estrtol(str, end, base);
262
263   if (errno) perror_exit("%s", str);
264
265   return l;
266 }
267
268 // atol() with the kilo/mega/giga/tera/peta/exa extensions.
269 // (zetta and yotta don't fit in 64 bits.)
270 long atolx(char *numstr)
271 {
272   char *c, *suffixes="cbkmgtpe", *end;
273   long val;
274
275   val = xstrtol(numstr, &c, 0);
276   if (*c) {
277     if (c != numstr && (end = strchr(suffixes, tolower(*c)))) {
278       int shift = end-suffixes-2;
279       if (shift >= 0) val *= 1024L<<(shift*10);
280     } else {
281       while (isspace(*c)) c++;
282       if (*c) error_exit("not integer: %s", numstr);
283     }
284   }
285
286   return val;
287 }
288
289 long atolx_range(char *numstr, long low, long high)
290 {
291   long val = atolx(numstr);
292
293   if (val < low) error_exit("%ld < %ld", val, low);
294   if (val > high) error_exit("%ld > %ld", val, high);
295
296   return val;
297 }
298
299 int stridx(char *haystack, char needle)
300 {
301   char *off;
302
303   if (!needle) return -1;
304   off = strchr(haystack, needle);
305   if (!off) return -1;
306
307   return off-haystack;
308 }
309
310 char *strlower(char *s)
311 {
312   char *try, *new;
313
314   if (!CFG_TOYBOX_I18N) {
315     try = new = xstrdup(s);
316     for (; *s; s++) *(new++) = tolower(*s);
317   } else {
318     // I can't guarantee the string _won't_ expand during reencoding, so...?
319     try = new = xmalloc(strlen(s)*2+1);
320
321     while (*s) {
322       wchar_t c;
323       int len = mbrtowc(&c, s, MB_CUR_MAX, 0);
324
325       if (len < 1) *(new++) = *(s++);
326       else {
327         s += len;
328         // squash title case too
329         c = towlower(c);
330
331         // if we had a valid utf8 sequence, convert it to lower case, and can't
332         // encode back to utf8, something is wrong with your libc. But just
333         // in case somebody finds an exploit...
334         len = wcrtomb(new, c, 0);
335         if (len < 1) error_exit("bad utf8 %x", (int)c);
336         new += len;
337       }
338     }
339     *new = 0;
340   }
341
342   return try;
343 }
344
345 char *chomp(char *s)
346 {
347   char *p = strrchr(s, '\n');
348
349   if (p) *p = 0;
350   return s;
351 }
352
353 int unescape(char c)
354 {
355   char *from = "\\abefnrtv", *to = "\\\a\b\033\f\n\r\t\v";
356   int idx = stridx(from, c);
357
358   return (idx == -1) ? 0 : to[idx];
359 }
360
361 // If *a starts with b, advance *a past it and return 1, else return 0;
362 int strstart(char **a, char *b)
363 {
364   int len = strlen(b), i = !strncmp(*a, b, len);
365
366   if (i) *a += len;
367
368   return i;
369 }
370
371 // Return how long the file at fd is, if there's any way to determine it.
372 off_t fdlength(int fd)
373 {
374   struct stat st;
375   off_t base = 0, range = 1, expand = 1, old;
376
377   if (!fstat(fd, &st) && S_ISREG(st.st_mode)) return st.st_size;
378
379   // If the ioctl works for this, return it.
380   // TODO: is blocksize still always 512, or do we stat for it?
381   // unsigned int size;
382   // if (ioctl(fd, BLKGETSIZE, &size) >= 0) return size*512L;
383
384   // If not, do a binary search for the last location we can read.  (Some
385   // block devices don't do BLKGETSIZE right.)  This should probably have
386   // a CONFIG option...
387
388   // If not, do a binary search for the last location we can read.
389
390   old = lseek(fd, 0, SEEK_CUR);
391   do {
392     char temp;
393     off_t pos = base + range / 2;
394
395     if (lseek(fd, pos, 0)>=0 && read(fd, &temp, 1)==1) {
396       off_t delta = (pos + 1) - base;
397
398       base += delta;
399       if (expand) range = (expand <<= 1) - base;
400       else range -= delta;
401     } else {
402       expand = 0;
403       range = pos - base;
404     }
405   } while (range > 0);
406
407   lseek(fd, old, SEEK_SET);
408
409   return base;
410 }
411
412 // Read contents of file as a single nul-terminated string.
413 // malloc new one if buf=len=0
414 char *readfileat(int dirfd, char *name, char *ibuf, off_t len)
415 {
416   int fd;
417   char *buf;
418
419   if (-1 == (fd = openat(dirfd, name, O_RDONLY))) return 0;
420   if (len<1) {
421     len = fdlength(fd);
422     // proc files don't report a length, so try 1 page minimum.
423     if (len<4096) len = 4096;
424   }
425   if (!ibuf) buf = xmalloc(len+1);
426   else buf = ibuf;
427
428   len = readall(fd, buf, len-1);
429   close(fd);
430   if (len<0) {
431     if (ibuf != buf) free(buf);
432     buf = 0;
433   } else buf[len] = 0;
434
435   return buf;
436 }
437
438 char *readfile(char *name, char *ibuf, off_t len)
439 {
440   return readfileat(AT_FDCWD, name, ibuf, len);
441 }
442
443 // Sleep for this many thousandths of a second
444 void msleep(long miliseconds)
445 {
446   struct timespec ts;
447
448   ts.tv_sec = miliseconds/1000;
449   ts.tv_nsec = (miliseconds%1000)*1000000;
450   nanosleep(&ts, &ts);
451 }
452
453 // Inefficient, but deals with unaligned access
454 int64_t peek_le(void *ptr, unsigned size)
455 {
456   int64_t ret = 0;
457   char *c = ptr;
458   int i;
459
460   for (i=0; i<size; i++) ret |= ((int64_t)c[i])<<i;
461
462   return ret;
463 }
464
465 int64_t peek_be(void *ptr, unsigned size)
466 {
467   int64_t ret = 0;
468   char *c = ptr;
469
470   while (size--) ret = (ret<<8)|c[size];
471
472   return ret;
473 }
474
475 int64_t peek(void *ptr, unsigned size)
476 {
477   return IS_BIG_ENDIAN ? peek_be(ptr, size) : peek_le(ptr, size);
478 }
479
480 void poke(void *ptr, uint64_t val, int size)
481 {
482   if (size & 8) {
483     volatile uint64_t *p = (uint64_t *)ptr;
484     *p = val;
485   } else if (size & 4) {
486     volatile int *p = (int *)ptr;
487     *p = val;
488   } else if (size & 2) {
489     volatile short *p = (short *)ptr;
490     *p = val;
491   } else {
492     volatile char *p = (char *)ptr;
493     *p = val;
494   }
495 }
496
497 // Iterate through an array of files, opening each one and calling a function
498 // on that filehandle and name.  The special filename "-" means stdin if
499 // flags is O_RDONLY, stdout otherwise.  An empty argument list calls
500 // function() on just stdin/stdout.
501 //
502 // Note: pass O_CLOEXEC to automatically close filehandles when function()
503 // returns, otherwise filehandles must be closed by function()
504 void loopfiles_rw(char **argv, int flags, int permissions, int failok,
505   void (*function)(int fd, char *name))
506 {
507   int fd;
508
509   // If no arguments, read from stdin.
510   if (!*argv) function((flags & O_ACCMODE) != O_RDONLY ? 1 : 0, "-");
511   else do {
512     // Filename "-" means read from stdin.
513     // Inability to open a file prints a warning, but doesn't exit.
514
515     if (!strcmp(*argv, "-")) fd=0;
516     else if (0>(fd = open(*argv, flags, permissions)) && !failok) {
517       perror_msg("%s", *argv);
518       toys.exitval = 1;
519       continue;
520     }
521     function(fd, *argv);
522     if (flags & O_CLOEXEC) close(fd);
523   } while (*++argv);
524 }
525
526 // Call loopfiles_rw with O_RDONLY|O_CLOEXEC and !failok (common case).
527 void loopfiles(char **argv, void (*function)(int fd, char *name))
528 {
529   loopfiles_rw(argv, O_RDONLY|O_CLOEXEC, 0, 0, function);
530 }
531
532 // Slow, but small.
533
534 char *get_rawline(int fd, long *plen, char end)
535 {
536   char c, *buf = NULL;
537   long len = 0;
538
539   for (;;) {
540     if (1>read(fd, &c, 1)) break;
541     if (!(len & 63)) buf=xrealloc(buf, len+65);
542     if ((buf[len++]=c) == end) break;
543   }
544   if (buf) buf[len]=0;
545   if (plen) *plen = len;
546
547   return buf;
548 }
549
550 char *get_line(int fd)
551 {
552   long len;
553   char *buf = get_rawline(fd, &len, '\n');
554
555   if (buf && buf[--len]=='\n') buf[len]=0;
556
557   return buf;
558 }
559
560 int wfchmodat(int fd, char *name, mode_t mode)
561 {
562   int rc = fchmodat(fd, name, mode, 0);
563
564   if (rc) {
565     perror_msg("chmod '%s' to %04o", name, mode);
566     toys.exitval=1;
567   }
568   return rc;
569 }
570
571 static char *tempfile2zap;
572 static void tempfile_handler(int i)
573 {
574   if (1 < (long)tempfile2zap) unlink(tempfile2zap);
575   _exit(1);
576 }
577
578 // Open a temporary file to copy an existing file into.
579 int copy_tempfile(int fdin, char *name, char **tempname)
580 {
581   struct stat statbuf;
582   int fd;
583
584   *tempname = xmprintf("%s%s", name, "XXXXXX");
585   if(-1 == (fd = mkstemp(*tempname))) error_exit("no temp file");
586   if (!tempfile2zap) sigatexit(tempfile_handler);
587   tempfile2zap = *tempname;
588
589   // Set permissions of output file
590
591   fstat(fdin, &statbuf);
592   fchmod(fd, statbuf.st_mode);
593
594   return fd;
595 }
596
597 // Abort the copy and delete the temporary file.
598 void delete_tempfile(int fdin, int fdout, char **tempname)
599 {
600   close(fdin);
601   close(fdout);
602   if (*tempname) unlink(*tempname);
603   tempfile2zap = (char *)1;
604   free(*tempname);
605   *tempname = NULL;
606 }
607
608 // Copy the rest of the data and replace the original with the copy.
609 void replace_tempfile(int fdin, int fdout, char **tempname)
610 {
611   char *temp = xstrdup(*tempname);
612
613   temp[strlen(temp)-6]=0;
614   if (fdin != -1) {
615     xsendfile(fdin, fdout);
616     xclose(fdin);
617   }
618   xclose(fdout);
619   rename(*tempname, temp);
620   tempfile2zap = (char *)1;
621   free(*tempname);
622   free(temp);
623   *tempname = NULL;
624 }
625
626 // Create a 256 entry CRC32 lookup table.
627
628 void crc_init(unsigned int *crc_table, int little_endian)
629 {
630   unsigned int i;
631
632   // Init the CRC32 table (big endian)
633   for (i=0; i<256; i++) {
634     unsigned int j, c = little_endian ? i : i<<24;
635     for (j=8; j; j--)
636       if (little_endian) c = (c&1) ? (c>>1)^0xEDB88320 : c>>1;
637       else c=c&0x80000000 ? (c<<1)^0x04c11db7 : (c<<1);
638     crc_table[i] = c;
639   }
640 }
641
642 // Init base64 table
643
644 void base64_init(char *p)
645 {
646   int i;
647
648   for (i = 'A'; i != ':'; i++) {
649     if (i == 'Z'+1) i = 'a';
650     if (i == 'z'+1) i = '0';
651     *(p++) = i;
652   }
653   *(p++) = '+';
654   *(p++) = '/';
655 }
656
657 int yesno(int def)
658 {
659   char buf;
660
661   fprintf(stderr, " (%c/%c):", def ? 'Y' : 'y', def ? 'n' : 'N');
662   fflush(stderr);
663   while (fread(&buf, 1, 1, stdin)) {
664     int new;
665
666     // The letter changes the value, the newline (or space) returns it.
667     if (isspace(buf)) break;
668     if (-1 != (new = stridx("ny", tolower(buf)))) def = new;
669   }
670
671   return def;
672 }
673
674 struct signame {
675   int num;
676   char *name;
677 };
678
679 // Signals required by POSIX 2008:
680 // http://pubs.opengroup.org/onlinepubs/9699919799/basedefs/signal.h.html
681
682 #define SIGNIFY(x) {SIG##x, #x}
683
684 static struct signame signames[] = {
685   SIGNIFY(ABRT), SIGNIFY(ALRM), SIGNIFY(BUS),
686   SIGNIFY(FPE), SIGNIFY(HUP), SIGNIFY(ILL), SIGNIFY(INT), SIGNIFY(KILL),
687   SIGNIFY(PIPE), SIGNIFY(QUIT), SIGNIFY(SEGV), SIGNIFY(TERM),
688   SIGNIFY(USR1), SIGNIFY(USR2), SIGNIFY(SYS), SIGNIFY(TRAP),
689   SIGNIFY(VTALRM), SIGNIFY(XCPU), SIGNIFY(XFSZ),
690
691   // Start of non-terminal signals
692
693   SIGNIFY(CHLD), SIGNIFY(CONT), SIGNIFY(STOP), SIGNIFY(TSTP),
694   SIGNIFY(TTIN), SIGNIFY(TTOU), SIGNIFY(URG)
695 };
696
697 // not in posix: SIGNIFY(STKFLT), SIGNIFY(WINCH), SIGNIFY(IO), SIGNIFY(PWR)
698 // obsolete: SIGNIFY(PROF) SIGNIFY(POLL)
699
700 // Handler that sets toys.signal, and writes to toys.signalfd if set
701 void generic_signal(int sig)
702 {
703   if (toys.signalfd) {
704     char c = sig;
705
706     writeall(toys.signalfd, &c, 1);
707   }
708   toys.signal = sig;
709 }
710
711 // Install the same handler on every signal that defaults to killing the process
712 void sigatexit(void *handler)
713 {
714   int i;
715   for (i=0; signames[i].num != SIGCHLD; i++) signal(signames[i].num, handler);
716 }
717
718 // Convert name to signal number.  If name == NULL print names.
719 int sig_to_num(char *pidstr)
720 {
721   int i;
722
723   if (pidstr) {
724     char *s;
725
726     i = estrtol(pidstr, &s, 10);
727     if (!errno && !*s) return i;
728
729     if (!strncasecmp(pidstr, "sig", 3)) pidstr+=3;
730   }
731   for (i = 0; i < sizeof(signames)/sizeof(struct signame); i++)
732     if (!pidstr) xputs(signames[i].name);
733     else if (!strcasecmp(pidstr, signames[i].name)) return signames[i].num;
734
735   return -1;
736 }
737
738 char *num_to_sig(int sig)
739 {
740   int i;
741
742   for (i=0; i<sizeof(signames)/sizeof(struct signame); i++)
743     if (signames[i].num == sig) return signames[i].name;
744   return NULL;
745 }
746
747 // premute mode bits based on posix mode strings.
748 mode_t string_to_mode(char *modestr, mode_t mode)
749 {
750   char *whos = "ogua", *hows = "=+-", *whats = "xwrstX", *whys = "ogu",
751        *s, *str = modestr;
752   mode_t extrabits = mode & ~(07777);
753
754   // Handle octal mode
755   if (isdigit(*str)) {
756     mode = estrtol(str, &s, 8);
757     if (errno || *s || (mode & ~(07777))) goto barf;
758
759     return mode | extrabits;
760   }
761
762   // Gaze into the bin of permission...
763   for (;;) {
764     int i, j, dowho, dohow, dowhat, amask;
765
766     dowho = dohow = dowhat = amask = 0;
767
768     // Find the who, how, and what stanzas, in that order
769     while (*str && (s = strchr(whos, *str))) {
770       dowho |= 1<<(s-whos);
771       str++;
772     }
773     // If who isn't specified, like "a" but honoring umask.
774     if (!dowho) {
775       dowho = 8;
776       umask(amask=umask(0));
777     }
778     if (!*str || !(s = strchr(hows, *str))) goto barf;
779     dohow = *(str++);
780
781     if (!dohow) goto barf;
782     while (*str && (s = strchr(whats, *str))) {
783       dowhat |= 1<<(s-whats);
784       str++;
785     }
786
787     // Convert X to x for directory or if already executable somewhere
788     if ((dowhat&32) &&  (S_ISDIR(mode) || (mode&0111))) dowhat |= 1;
789
790     // Copy mode from another category?
791     if (!dowhat && *str && (s = strchr(whys, *str))) {
792       dowhat = (mode>>(3*(s-whys)))&7;
793       str++;
794     }
795
796     // Are we ready to do a thing yet?
797     if (*str && *(str++) != ',') goto barf;
798
799     // Ok, apply the bits to the mode.
800     for (i=0; i<4; i++) {
801       for (j=0; j<3; j++) {
802         mode_t bit = 0;
803         int where = 1<<((3*i)+j);
804
805         if (amask & where) continue;
806
807         // Figure out new value at this location
808         if (i == 3) {
809           // suid/sticky bit.
810           if (j) {
811             if ((dowhat & 8) && (dowho&(8|(1<<i)))) bit++;
812           } else if (dowhat & 16) bit++;
813         } else {
814           if (!(dowho&(8|(1<<i)))) continue;
815           if (dowhat&(1<<j)) bit++;
816         }
817
818         // When selection active, modify bit
819
820         if (dohow == '=' || (bit && dohow == '-')) mode &= ~where;
821         if (bit && dohow != '-') mode |= where;
822       }
823     }
824
825     if (!*str) break;
826   }
827
828   return mode|extrabits;
829 barf:
830   error_exit("bad mode '%s'", modestr);
831 }
832
833 // Format access mode into a drwxrwxrwx string
834 void mode_to_string(mode_t mode, char *buf)
835 {
836   char c, d;
837   int i, bit;
838
839   buf[10]=0;
840   for (i=0; i<9; i++) {
841     bit = mode & (1<<i);
842     c = i%3;
843     if (!c && (mode & (1<<((d=i/3)+9)))) {
844       c = "tss"[d];
845       if (!bit) c &= ~0x20;
846     } else c = bit ? "xwr"[c] : '-';
847     buf[9-i] = c;
848   }
849
850   if (S_ISDIR(mode)) c = 'd';
851   else if (S_ISBLK(mode)) c = 'b';
852   else if (S_ISCHR(mode)) c = 'c';
853   else if (S_ISLNK(mode)) c = 'l';
854   else if (S_ISFIFO(mode)) c = 'p';
855   else if (S_ISSOCK(mode)) c = 's';
856   else c = '-';
857   *buf = c;
858 }
859
860 char *basename_r(char *name)
861 {
862   char *s = strrchr(name, '/');
863
864   if (s) return s+1;
865   return name;
866 }
867
868 // Execute a callback for each PID that matches a process name from a list.
869 void names_to_pid(char **names, int (*callback)(pid_t pid, char *name))
870 {
871   DIR *dp;
872   struct dirent *entry;
873
874   if (!(dp = opendir("/proc"))) perror_exit("opendir");
875
876   while ((entry = readdir(dp))) {
877     unsigned u;
878     char *cmd, **curname;
879
880     if (!(u = atoi(entry->d_name))) continue;
881     sprintf(libbuf, "/proc/%u/cmdline", u);
882     if (!(cmd = readfile(libbuf, libbuf, sizeof(libbuf)))) continue;
883
884     for (curname = names; *curname; curname++)
885       if (**curname == '/' ? !strcmp(cmd, *curname)
886           : !strcmp(basename_r(cmd), basename_r(*curname)))
887         if (callback(u, *curname)) break;
888     if (*curname) break;
889   }
890   closedir(dp);
891 }
892
893 // display first few digits of number with power of two units
894 int human_readable(char *buf, unsigned long long num, int style)
895 {
896   unsigned long long snap = 0;
897   int len, unit, divisor = (style&HR_1000) ? 1000 : 1024;
898
899   // Divide rounding up until we have 3 or fewer digits. Since the part we
900   // print is decimal, the test is 999 even when we divide by 1024.
901   // We can't run out of units because 2<<64 is 18 exabytes.
902   // test 5675 is 5.5k not 5.6k.
903   for (unit = 0; num > 999; unit++) num = ((snap = num)+(divisor/2))/divisor;
904   len = sprintf(buf, "%llu", num);
905   if (unit && len == 1) {
906     // Redo rounding for 1.2M case, this works with and without HR_1000.
907     num = snap/divisor;
908     snap -= num*divisor;
909     snap = ((snap*100)+50)/divisor;
910     snap /= 10;
911     len = sprintf(buf, "%llu.%llu", num, snap);
912   }
913   if (style & HR_SPACE) buf[len++] = ' ';
914   if (unit) {
915     unit = " kMGTPE"[unit];
916
917     if (!(style&HR_1000)) unit = toupper(unit);
918     buf[len++] = unit;
919   } else if (style & HR_B) buf[len++] = 'B';
920   buf[len] = 0;
921
922   return len;
923 }
924
925 // The qsort man page says you can use alphasort, the posix committee
926 // disagreed, and doubled down: http://austingroupbugs.net/view.php?id=142
927 // So just do our own. (The const is entirely to humor the stupid compiler.)
928 int qstrcmp(const void *a, const void *b)
929 {
930   return strcmp(*(char **)a, *(char **)b);
931 }
932
933 int xpoll(struct pollfd *fds, int nfds, int timeout)
934 {
935   int i;
936
937   for (;;) {
938     if (0>(i = poll(fds, nfds, timeout))) {
939       if (errno != EINTR && errno != ENOMEM) perror_exit("xpoll");
940       else if (timeout>0) timeout--;
941     } else return i;
942   }
943 }