{
for(int i=0;i<strlen(argv[2]);i++)
if(isalpha(argv[2][i]))
{
cout<<"X"<<endl;
return (0);
}
}
如果输入诸如 1e10 之类的指数函数,我不希望它运行任何想法??
ps 试图区分数字和非数字并希望 1e10 (和类似的)算作数字
{
for(int i=0;i<strlen(argv[2]);i++)
if(isalpha(argv[2][i]))
{
cout<<"X"<<endl;
return (0);
}
}
如果输入诸如 1e10 之类的指数函数,我不希望它运行任何想法??
ps 试图区分数字和非数字并希望 1e10 (和类似的)算作数字
最简单的方法是使用 C++ 的内置数字解析。放入argv[2]
aistringstream
然后尝试将其作为double
.
#include <sstream>
#include <iostream>
using namespace std;
int main(int argc, char** argv)
{
istreamstream buf(argv[2]);
double x;
if (buf >> x)
{
cout << "argv[2] is a number and it's value is " << x << "\n";
}
else
{
cout << "argv[2] is not a number\n";
}
}
希望这可以帮助。
编辑
由于上述内容并不完全正确(即错误),这里的另一个版本希望更像 OP 所期望的。该函数is_a_number
将对任何具有普通浮点数形式的字符串返回true,例如“1e10”、“1.2”、“-3”、“1.2e-10”等
#include <iostream>
using namespace std;
static bool is_a_number(const char* str);
int main()
{
if (is_a_number(argv[2]))
{
cout << "its a number\n";
}
else
{
cout << "not a number\n";
}
}
static bool is_a_number(const char* str)
{
bool mant_digits = false, exp_digits = true;
if (*str == '-' || *str == '+')
++str;
while (isdigit((unsigned char)*str))
{
mant_digits = true;
++str;
}
if (*str == '.')
{
++str;
while (isdigit((unsigned char)*str))
{
mant_digits = true;
++str;
}
}
if (*str == 'e' || *str == 'E')
{
++str;
if (*str == '-' || *str == '+')
++str;
exp_digits = false;
while (isdigit((unsigned char)*str))
{
exp_digits = true;
++str;
}
}
return *str == '\0' && mant_digits && exp_digits;
}
这首先测试输入的格式是否正确,然后执行转换。如果输入无效,则会引发std::runtime_error
异常。
class CommandLine
{
public:
CommandLine(int argc, char*argv[]) :
locale(""), arguments(argv, argv+ argc)
{
if (argc < 3)
throw std::runtime_error("not enough arguments.");
}
double GetValueXYZ()
{
if (!IsValidInput(arguments[2]))
throw std::runtime_error(
arguments[2] + " is invalid input for XYZ.");
return std::strtod(arguments[2].c_str(), nullptr);
// You could use a stringstream instead
}
private:
bool IsValidInput(const std::string& arg)
{
const auto& numpunct = std::use_facet<std::numpunct<char>>(locale);
auto err = std::find_if(begin(arg), end(arg), [&](char c)
{
return !(std::isdigit(c, locale) ||
c == numpunct.thousands_sep() ||
c == numpunct.decimal_point());
});
return err == end(arg);
}
std::locale locale;
std::vector<std::string> arguments;
};
int main()
{
char*argv[] = { "main", "2.34" , "1.10"};
try
{
CommandLine cmd(3, argv);
std::cout << cmd.GetValueXYZ();
}
catch(std::runtime_error& e)
{
std::cout << e.what();
}
}