Проверка ограничений int в функции stoi() в C++ [дубликат]
этот вопрос уже есть ответ здесь:
мне дали строку y, в которой я уверен, что она состоит только из цифр. Как проверить, превышает ли он границы целого числа, прежде чем хранить его в переменной int с помощью функции stoi?
string y = "2323298347293874928374927392374924"
int x = stoi(y); // The program gets aborted when I execute this as it exceeds the bounds
// of int. How do I check the bounds before I store it?
3 ответов
вы можете использовать механизм обработки исключений:
#include <stdexcept>
std::string y = "2323298347293874928374927392374924"
int x;
try {
x = stoi(y);
}
catch(std::invalid_argument& e){
// if no conversion could be performed
}
catch(std::out_of_range& e){
// if the converted value would fall out of the range of the result type
// or if the underlying function (std::strtol or std::strtoull) sets errno
// to ERANGE.
}
catch(...) {
// everything else
}
поймать исключение:
string y = "2323298347293874928374927392374924"
int x;
try {
x = stoi(y);
}
catch(...) {
// String could not be read properly as an int.
}
Если есть законная возможность, что строка представляет значение, которое слишком велико для хранения в int
, преобразуйте его во что-то большее и проверьте, соответствует ли результат int
:
long long temp = stoll(y);
if (std::numeric_limits<int>::max() < temp
|| temp < std::numeric_limits<int>::min())
throw my_invalid_input_exception();
int i = temp; // "helpful" compilers will warn here; ignore them.