These are the C solutions:
Are you just trying to parse numbers from a string? Then you can just go through the line using strtol().
long num = 0;
char *endptr = NULL;
while (*s) {
num = strtol(s, &endptr, 10);
if (endptr == s) {
s++;
continue;
}
s = endptr;
}
If you have a specific location and verification number, you can still do something similar.
For example: “19” at position 10?
int pos = 10;
int value = 19;
if (pos >= strlen(s))
return false;
if (value == strtol(s + pos, &endptr, 10) && endptr != s + pos)
return true;
return false;
- ?
. ...
int num=0;
int sign=1;
while (*s) {
switch (*s) {
case '-':
sign = -1;
case '+':
s++;
if (*s < '0' || *s > '9') {
sign = 1;
break;
}
case '0':
case '1':
case '2':
case '3':
case '4':
case '5':
case '6':
case '7':
case '8':
case '9':
num = 0;
do {
num = (num * 10) + (*s - '0');
s++;
} while (*s >= '0' && *s <= '9');
num *= sign;
sign = 1;
break;
default:
s++;
}
}