需要检查给定的字符串是否为常量值(int / long / double)?
这里strtol函数用于查找常量值。但面临问题
示例:
if(li1 = strtol (str,NULL,0))
printf("valid Integer ...");
str = "1"
output = 1.00 str = "0.99999"
output = 0.00 str = "tab"
output = 0.00 那么如何通过查看输出来区分“0.99999”和“tab”?
答案 0 :(得分:3)
对于整数,strtol
提供第二个参数,该参数将被设置为指向第一个不可转换的字符。
如果它是null终止符\0
的其他内容,则数字末尾会有垃圾。如果它等于原始字符串,则找到 no 合适的字符。
示例:
char *str = "72";
char *estr;
float val = strtol (str, &estr, 10);
if (estr == str) {
// there was no convertible characters.
}
if (*estr != '\0') {
// there was rubbish at the end.
}
if (errno != 0) {
// underflow/overflow.
}
对于浮点数,您需要使用strtoX
函数之一。
它的行为与strtol
函数非常相似。
使用示例:
char *str = "0.9999";
char *estr;
float val = strtof (str, &estr);
if (estr == str) {
// there was no convertible characters.
}
if (*estr != '\0') {
// there was rubbish at the end.
}
if (errno != 0) {
// underflow/overflow.
}
计算字符串所代表的类型的函数显示在下面的完整程序中:
#include <stdio.h>
#include <stdlib.h>
#include <inttypes.h>
#define TYP_INTEGRAL 0
#define TYP_FLOATING 1
#define TYP_BAD 2
int getTypeAndData (char *str, long *valL, float *valF) {
char *end;
*valL = strtol (str, &end, 10);
if ((end != str) && (*end == '\0'))
return TYP_INTEGRAL;
*valF = strtof (str, &end);
if ((end != str) && (*end == '\0'))
return TYP_FLOATING;
return TYP_BAD;
}
int main (int argc, char *argv[]) {
char *desc[] = {"INT", "FLT", "BAD"};
int i, typ;
long lvar;
float fvar;
for (i = 1; i < argc; i++) {
lvar = 0; fvar = 0;
typ = getTypeAndData (argv[i], &lvar, &fvar);
printf ("%s: [%-10s] %10ld %10.3f\n", desc[typ], argv[i], lvar, fvar);
}
return 0;
}
使用myprog 12345 hello 12.7 1e2 0.4 .1 "" 0
运行时,输出为:
INT: [12345 ] 12345 0.000
BAD: [hello ] 0 0.000
FLT: [12.7 ] 12 12.700
FLT: [1e2 ] 1 100.000
FLT: [0.4 ] 0 0.400
FLT: [.1 ] 0 0.100
BAD: [ ] 0 0.000
INT: [0 ] 0 0.000
你可以看到它至少检测到我能快速提出的单元测试用例。
请注意,这不会直接传递下溢和溢出情况。在这些情况下返回默认值,因为它们通常是明智的选项,但如果您想要捕获这些条件,则可以在返回后检查errno
。