为什么在 C++ 中 "size_type" 变量的地址用作 "stoi()" 的参数?
Why does the address of a "size_type" variable is used as an argument of "stoi()" in C++?
size_type 变量的地址用作 stoi()[=25=] 的参数。参考link如下:
不用size_type我也可以做同样的操作。我已经阅读了我提供的文档,但我不知道什么时候应该使用它。
那么,在这里使用 size_type 变量的地址有什么贡献,我们应该何时使用它?
如果您的字符串包含的数据不仅仅是数字,您可以使用 idx
来解析其余数据。
这可能有用的另一种情况:如果你想确保你的字符串只包含一个数字 - 你解析数字,看看之后出现什么,如果有什么,你抛出一个异常:像 1234heh
不是有效数字。
首先,它不是强制的,它可以是NULL。
该贡献适用于您的字符串包含多个值的情况。这允许一个一个地解析它们。在调用 stoi 之后,*idx 将包含下一个整数的起始索引。
例如:
int main() {
std::string str = "23 45 56 5656";
std::string::size_type off = 0;
do {
std::string::size_type sz;
cout << std::stoi(str.substr(off), &sz) << endl;
off += sz;
} while (off < str.length());
}
// will print
// 23
// 45
// 56
// 5656
编辑: 正如@Surt 正确评论的那样,可以而且应该在此处添加一些错误处理。所以让我们完成这个例子。函数 stoi 可以抛出 invalid_argument
或 out_of_range
,这些异常应该被处理。如何处理它们 - IDK,你的决定就是一个例子:
int main() {
std::string str = "23 45 56 5656 no int";
std::string::size_type off = 0;
try {
do {
std::string::size_type sz;
std:cout << std::stoi(str.substr(off), &sz) << std::endl;
off += sz;
} while (off < str.length());
} catch(const std::invalid_argument &e) {
std::cout << "Oops, string contains something that is not a number"
<< std::endl;
} catch(const std::out_of_range &e) {
std::cout << "Oops, some integer is too long" << std::endl;
}
}
size_type 变量的地址用作 stoi()[=25=] 的参数。参考link如下:
不用size_type我也可以做同样的操作。我已经阅读了我提供的文档,但我不知道什么时候应该使用它。
那么,在这里使用 size_type 变量的地址有什么贡献,我们应该何时使用它?
如果您的字符串包含的数据不仅仅是数字,您可以使用 idx
来解析其余数据。
这可能有用的另一种情况:如果你想确保你的字符串只包含一个数字 - 你解析数字,看看之后出现什么,如果有什么,你抛出一个异常:像 1234heh
不是有效数字。
首先,它不是强制的,它可以是NULL。 该贡献适用于您的字符串包含多个值的情况。这允许一个一个地解析它们。在调用 stoi 之后,*idx 将包含下一个整数的起始索引。 例如:
int main() {
std::string str = "23 45 56 5656";
std::string::size_type off = 0;
do {
std::string::size_type sz;
cout << std::stoi(str.substr(off), &sz) << endl;
off += sz;
} while (off < str.length());
}
// will print
// 23
// 45
// 56
// 5656
编辑: 正如@Surt 正确评论的那样,可以而且应该在此处添加一些错误处理。所以让我们完成这个例子。函数 stoi 可以抛出 invalid_argument
或 out_of_range
,这些异常应该被处理。如何处理它们 - IDK,你的决定就是一个例子:
int main() {
std::string str = "23 45 56 5656 no int";
std::string::size_type off = 0;
try {
do {
std::string::size_type sz;
std:cout << std::stoi(str.substr(off), &sz) << std::endl;
off += sz;
} while (off < str.length());
} catch(const std::invalid_argument &e) {
std::cout << "Oops, string contains something that is not a number"
<< std::endl;
} catch(const std::out_of_range &e) {
std::cout << "Oops, some integer is too long" << std::endl;
}
}