Możliwe opcje opisano poniżej:
1. Pierwsza opcja: sscanf ()
#include <cstdio>
#include <string>
int i;
float f;
double d;
std::string str;
// string -> integer
if(sscanf(str.c_str(), "%d", &i) != 1)
// error management
// string -> float
if(sscanf(str.c_str(), "%f", &f) != 1)
// error management
// string -> double
if(sscanf(str.c_str(), "%lf", &d) != 1)
// error management
Jest to błąd (również pokazany przez cppcheck), ponieważ „scanf bez ograniczeń szerokości pola może ulec awarii z ogromnymi danymi wejściowymi w niektórych wersjach libc” (patrz tutaj i tutaj ).
2. Druga opcja: std :: sto * ()
#include <iostream>
#include <string>
int i;
float f;
double d;
std::string str;
try {
// string -> integer
int i = std::stoi(str);
// string -> float
float f = std::stof(str);
// string -> double
double d = std::stod(str);
} catch (...) {
// error management
}
To rozwiązanie jest krótkie i eleganckie, ale jest dostępne tylko w kompilatorach zgodnych z C ++ 11.
3. Trzecia opcja: sstreams
#include <string>
#include <sstream>
int i;
float f;
double d;
std::string str;
// string -> integer
std::istringstream ( str ) >> i;
// string -> float
std::istringstream ( str ) >> f;
// string -> double
std::istringstream ( str ) >> d;
// error management ??
Jednak dzięki temu rozwiązaniu trudno jest odróżnić złe dane wejściowe (patrz tutaj ).
4. Czwarta opcja: Boost's lexical_cast
#include <boost/lexical_cast.hpp>
#include <string>
std::string str;
try {
int i = boost::lexical_cast<int>( str.c_str());
float f = boost::lexical_cast<int>( str.c_str());
double d = boost::lexical_cast<int>( str.c_str());
} catch( boost::bad_lexical_cast const& ) {
// Error management
}
Jest to jednak tylko opakowanie sstream
, a dokumentacja sugeruje użycie w sstream
celu lepszego zarządzania błędami (patrz tutaj ).
5. Piąta opcja: strto * ()
To rozwiązanie jest bardzo długie ze względu na zarządzanie błędami i zostało opisane tutaj. Ponieważ żadna funkcja nie zwraca zwykłej liczby całkowitej, konwersja jest konieczna w przypadku liczby całkowitej (zobacz tutaj, jak można uzyskać tę konwersję).
6. Szósta opcja: Qt
#include <QString>
#include <string>
bool ok;
std::string;
int i = QString::fromStdString(str).toInt(&ok);
if (!ok)
// Error management
float f = QString::fromStdString(str).toFloat(&ok);
if (!ok)
// Error management
double d = QString::fromStdString(str).toDouble(&ok);
if (!ok)
// Error management
Wnioski
Podsumowując, najlepszym rozwiązaniem jest C ++ 11 std::stoi()
lub, jako druga opcja, użycie bibliotek Qt. Wszystkie inne rozwiązania są odradzane lub zawierają błędy.
atoi()
?