Question

I have been given a string y in which I'm ensured that it only consists digits. How do I check if it exceeds the bounds of an integer before storing it in an int variable using the stoi function?

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?
Was it helpful?

Solution

you can use exception handling mechanism:

#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
}

detailed description of stoi function and how to handle errors

OTHER TIPS

Catch the exception:

string y = "2323298347293874928374927392374924"
int x;

try {
  x = stoi(y);
}
catch(...) {
  // String could not be read properly as an int.
}

If there is a legitimate possibility that the string represents a value that's too large to store in an int, convert it to something larger and check whether the result fits in an 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.
Licensed under: CC-BY-SA with attribution
Not affiliated with StackOverflow
scroll top