web-dev-qa-db-fra.com

Convertir un tableau de caractères en simple int?

Quelqu'un sait comment convertir un tableau de caractères en un seul int? 

char hello[5];
hello = "12345";

int myNumber = convert_char_to_int(hello);
Printf("My number is: %d", myNumber);
19
IsThisTheEnd

Il existe plusieurs façons de convertir une chaîne en un entier.

Solution 1: Utilisation de la fonctionnalité Legacy C

int main()
{
    //char hello[5];     
    //hello = "12345";   --->This wont compile

    char hello[] = "12345";

    Printf("My number is: %d", atoi(hello)); 

    return 0;
}

Solution 2: Utilisation de lexical_cast (le plus approprié et le plus simple)

int x = boost::lexical_cast<int>("12345"); 

Solution 3: Utiliser C++ Streams

std::string hello("123"); 
std::stringstream str(hello); 
int x;  
str >> x;  
if (!str) 
{      
   // The conversion failed.      
} 
29
Alok Save

Si vous utilisez C++11, vous devriez probablement utiliser stoi car cela permet de faire la distinction entre une erreur et l'analyse "0".

try {
    int number = std::stoi("1234abc");
} catch (std::exception const &e) {
    // This could not be parsed into a number so an exception is thrown.
    // atoi() would return 0, which is less helpful if it could be a valid value.
}

Il convient de noter que "1234abc" est converti implicitement d'un char[] en un std:string avant d'être passé à stoi()

5
Rick Smith

Utilisez sscanf

/* sscanf example */
#include <stdio.h>

int main ()
{
  char sentence []="Rudolph is 12 years old";
  char str [20];
  int i;

  sscanf (sentence,"%s %*s %d",str,&i);
  printf ("%s -> %d\n",str,i);

  return 0;
}
1
Sergei Kurenkov

Je laisserai simplement cela ici pour les personnes intéressées par une implémentation sans dépendance.

inline int
stringLength (char *String)
    {
    int Count = 0;
    while (*String ++) ++ Count;
    return Count;
    }

inline int
stringToInt (char *String)
    {
    int Integer = 0;
    int Length = stringLength(String);
    for (int Caret = Length - 1, Digit = 1; Caret >= 0; -- Caret, Digit *= 10)
        {
        if (String[Caret] == '-') return Integer * -1;
        Integer += (String[Caret] - '0') * Digit;
        }

    return Integer;
    }

Fonctionne avec des valeurs négatives, mais ne peut pas gérer les caractères non numériques mélangés (devrait être facile à ajouter cependant). Entiers uniquement.

0
Holly