As opções possíveis estão descritas abaixo:
1. Primeira opção: 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
Este é um erro (também mostrado pelo cppcheck) porque "scanf sem limites de largura de campo pode travar com enormes dados de entrada em algumas versões da libc" (veja aqui e aqui ).
2. Segunda opção: 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
}
Essa solução é curta e elegante, mas está disponível apenas em compiladores compatíveis com C ++ 11.
3. Terceira opção: fluxos
#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 ??
No entanto, com esta solução é difícil distinguir entre entrada incorreta (veja aqui ).
4. Quarta opção: lexical_cast da Boost
#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
}
No entanto, este é apenas um invólucro sstream
e a documentação sugere usarsstream
para um melhor gerenciamento de erros (veja aqui ).
5. Quinta opção: strto * ()
Esta solução é muito longa, devido ao gerenciamento de erros, e é descrita aqui. Como nenhuma função retorna um int simples, é necessária uma conversão no caso de um número inteiro (consulte aqui como obter essa conversão).
6. Sexta opção: 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
Conclusões
Resumindo, a melhor solução é o C ++ 11 std::stoi()
ou, como segunda opção, o uso de bibliotecas Qt. Todas as outras soluções são desencorajadas ou com erros.
atoi()
?