1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72
|
/*
* getopt.c
*
* Simple POSIX getopt(), no GNU extensions...
*/
#include <stdint.h>
#include <unistd.h>
#include <string.h>
char *optarg;
int optind = 1;
int opterr, optopt;
static const char *__optptr;
int getopt(int argc, char * const *argv, const char *optstring)
{
const char *carg = argv[optind];
const char *osptr;
int opt;
/* We don't actually need argc */
(void)argc;
/* First, eliminate all non-option cases */
if ( !carg || carg[0] != '-' || !carg[1] ) {
return -1;
}
if ( carg[1] == '-' && !carg[2] ) {
optind++;
return -1;
}
if ( (uintptr_t)(__optptr-carg) > (uintptr_t)strlen(carg) )
__optptr = carg+1; /* Someone frobbed optind, change to new opt. */
opt = *__optptr++;
if ( opt != ':' && (osptr = strchr(optstring, opt)) ) {
if ( osptr[1] == ':' ) {
if ( *__optptr ) {
/* Argument-taking option with attached argument */
optarg = (char *)__optptr;
optind++;
} else {
/* Argument-taking option with non-attached argument */
if ( argv[optind+1] ) {
optarg = (char *)argv[optind+1];
optind += 2;
} else {
/* Missing argument */
return (optstring[0] == ':') ? ':' : '?';
}
}
return opt;
} else {
/* Non-argument-taking option */
/* __optptr will remember the exact position to resume at */
if ( ! *__optptr )
optind++;
return opt;
}
} else {
/* Unknown option */
optopt = opt;
if ( ! *__optptr )
optind++;
return '?';
}
}
|