将str转换为int的简单方法? C ++

时间:2013-10-31 15:56:39

标签: c++

我正在尝试将字符串转换为整数。我记得老师说有些事你必须从中减去48,但我不确定,当我这样做时,我得到17作为A的值,这是我是正确的64。 这是我的代码。任何更好的方式将不胜感激。

#include <cstdlib>
#include <iostream>
#include <conio.h>
using namespace std;
int main()
{
    string str;
    getline(cin,str);
    cout << str[0] - 48;
    getch();
}

4 个答案:

答案 0 :(得分:1)

A不是数字,那么如何将其转换为int?你的代码已经有效了。例如,输入5,您将看到5作为输出。当然,由于您只是打印该值,因此没有任何区别。但您可以存储在int变量中:

int num = str[0] - 48;

顺便说一下,通常使用'0'代替48(48是0的ASCII代码)。所以你可以写str[0] - '0'

答案 1 :(得分:1)

仅使用C ++工具的简单且类型安全的解决方案是以下方法:

#include <iostream>
#include <sstream>

int fromString(const std::string& s)
{
  std::stringstream stream;
  stream << s;

  int value = 0;
  stream >> value;

  if(stream.fail()) // if the conversion fails, the failbit will be set
  {                 // this is a recoverable error, because the stream
                    // is not in an unusable state at this point
    // handle faulty conversion somehow
    // - print a message
    // - throw an exception
    // - etc ...
  }

  return value;
}

int main (int argc, char ** argv)
{
  std::cout << fromString ("123") << std::endl; // C++03 (and earlier I think)
  std::cout << std::stoi("123") << std::endl; // C++ 11

  return 0;
}

注意:在fromString()中,您应该检查字符串的所有字符是否实际形成有效的整数值。例如,GH1234或某些东西不会,并且在调用operator>>后,值将保持为0。

编辑:记住,检查转换是否成功的简单方法是检查流的failbit。我相应地更新了答案。

答案 2 :(得分:0)

atoi函数将字符串转换为int,但我猜你想在没有库函数的情况下这样做。

我能给你的最好的提示是看一下ascii表并记住:

int c = '6';
printf("%d", c); 

将打印ascii值为'6'。

答案 3 :(得分:0)

cstdlib中有一个名为atoi的函数,它最简单: http://www.cplusplus.com/reference/cstdlib/atoi/

int number = atoi(str.c_str()); // .c_str() is used because atoi is a C function and needs a C string

这些功能的工作方式如下:

int sum = 0;
foreach(character; string) {
    sum *= 10; // since we're going left to right, if you do this step by step, you'll see we read the ten's place first...
    if(character < '0' || character > '9')
         return 0; // invalid character, signal error somehow

    sum += character - '0'; // individual character to string, works because the ascii vales for 0-9 are consecutive
}

如果给出“23”,则为0 * 10 = 0. 0 +'2' - '0'= 2.

下一循环迭代:2 * 10 = 20. 20 +'3' - '0'= 23

完成!