Last active
December 21, 2021 15:15
-
-
Save sasaki-shigeo/b0107ff4e4a37b535ff1855274edbfcd to your computer and use it in GitHub Desktop.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <stdlib.h> | |
#include <stdio.h> | |
#include <ctype.h> | |
int e_atoi(char *str) { | |
enum { ST_START, ST_ZERO, ST_DEC, ST_OCT, ST_X, ST_HEX } state = ST_START; | |
int result = 0; | |
for (int c = *(str++); c != '\0'; c = *(str++)) { | |
switch (state) { | |
case ST_START: | |
if (c == '0') { | |
state = ST_ZERO; | |
continue; | |
} | |
else if (isdigit(c)) { | |
state = ST_DEC; | |
result = 'c' - '0'; | |
continue; | |
} | |
else { | |
return result; | |
} | |
case ST_ZERO: | |
if (c == 'x' || c == 'X') { | |
state = ST_X; | |
continue; | |
} | |
else if ('0' <= c && c <= '7') { | |
state = ST_OCT; | |
result = c - '0'; | |
continue; | |
} | |
else { | |
return result; | |
} | |
case ST_DEC: | |
if (isdigit(c)) { | |
result *= 10; | |
result += c - '0'; | |
continue; | |
} | |
else { | |
return result; | |
} | |
case ST_OCT: | |
if ('0' <= c && c <= '7') { | |
result *= 8; | |
result += c - '0'; | |
continue; | |
} | |
else { | |
return result; | |
} | |
case ST_X: | |
if (isdigit(c)) { | |
result = c - '0'; | |
continue; | |
} | |
else if ('A' <= c && c <= 'F') { | |
result = c - 'A' + 10; | |
continue; | |
} | |
else if ('a' <= c && c <= 'f') { | |
result = c - 'a' + 10; | |
continue; | |
} | |
else { | |
return -1; | |
} | |
case ST_HEX: | |
if (isdigit(c)) { | |
result *= 16; | |
result += c - '0'; | |
continue; | |
} | |
else if ('A' <= c && c <= 'F') { | |
result *= 16; | |
result += c - 'A' + 10; | |
continue; | |
} | |
else if ('a' <= c && c <= 'f') { | |
result *= 16; | |
result += c - 'a' + 10; | |
continue; | |
} | |
else { | |
return result; | |
} | |
default: | |
fprintf(stderr, "internal error\n"); | |
exit(1); | |
} | |
} | |
return result; | |
} | |
int main() { | |
static char *literals[] = { | |
"0", "123", "077", "0xff", "0XFF", | |
NULL | |
}; | |
for (char **p = literals; *p != NULL; p++) { | |
printf("%s = %d\n", *p, e_atoi(*p)); | |
} | |
exit(0); | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment