是否存在将std::string_view
转换为int
的安全标准方法?
由于C ++ 11 std::string
使我们可以使用stoi
转换为int
:
std::string str = "12345";
int i1 = stoi(str); // Works, have i1 = 12345
int i2 = stoi(str.substr(1,2)); // Works, have i2 = 23
try {
int i3 = stoi(std::string("abc"));
}
catch(const std::exception& e) {
std::cout << e.what() << std::endl; // Correctly throws 'invalid stoi argument'
}
但是stoi
不支持std::string_view
。因此,也可以使用atoi
,但必须非常小心,例如:
std::string_view sv = "12345";
int i1 = atoi(sv.data()); // Works, have i1 = 12345
int i2 = atoi(sv.substr(1,2).data()); // Works, but wrong, have i2 = 2345, not 23
atoi
也不起作用,因为它基于空终止符'\0'
(例如sv.substr
不能简单地插入/添加一个)。
现在,由于C ++ 17也有from_chars
,但是在提供不良输入时似乎不会抛出该错误:
try {
int i3;
std::string_view sv = "abc";
std::from_chars(sv.data(), sv.data() + sv.size(), i3);
}
catch (const std::exception& e) {
std::cout << e.what() << std::endl; // Does not get called
}
答案 0 :(得分:2)
以@Ron 和@Holt 的出色回答为基础,这里有一个围绕 std::from_chars()
的小包装器,它在输入解析失败时返回一个可选的(std::nullopt
)。
#include <charconv>
#include <optional>
#include <string_view>
std::optional<int> to_int(const std::string_view & input)
{
int out;
const std::from_chars_result result = std::from_chars(input.data(), input.data() + input.size(), out);
if(result.ec == std::errc::invalid_argument || result.ec == std::errc::result_out_of_range)
{
return std::nullopt;
}
return out;
}
答案 1 :(得分:1)
std::from_chars函数不会抛出,只会返回类型为from_chars_result
的值,该值基本上是一个具有两个字段的结构:
struct from_chars_result {
const char* ptr;
std::errc ec;
};
当函数返回时,您应该检查ptr
和ec
的值:
#include <iostream>
#include <string>
#include <charconv>
int main()
{
int i3;
std::string_view sv = "abc";
auto result = std::from_chars(sv.data(), sv.data() + sv.size(), i3);
if (result.ec == std::errc::invalid_argument) {
std::cout << "Could not convert.";
}
}
答案 2 :(得分:1)
不幸的是,没有标准的方法可以为您抛出异常,但是std::from_chars
拥有您可以使用的返回值代码:
#include <charconv>
#include <stdexcept>
template <class T, class... Args>
void from_chars_throws(const char* first, const char* last, T &t, Args... args) {
std::from_chars_result res = std::from_chars(first, last, t, args... );
// These two exceptions reflect the behavior of std::stoi.
if (res.ec == std::errc::invalid_argument) {
throw std::invalid_argument{"invalid_argument"};
}
else if (res.ec == std::errc::result_out_of_range) {
throw std::out_of_range{"out_of_range"};
}
}
很明显,您可以由此创建svtoi
,svtol
,但是“扩展” from_chars
的优点是您只需要一个模板函数。