atoi()只给出0结果

时间:2013-03-03 06:09:30

标签: c++

#include <iostream>
#include <math.h>
#include <iomanip>
#include <sstream>
#include <stdio.h>
#include <string>
#include <stdlib.h>
using namespace std;

int main()
{
    ostringstream str;
    double num = pow(2,1000);
    int sum = 0;

    str << setprecision(1000) << num;
    string here = str.str();

    cout << here << "\n\n";

    /*for(int i = 0; i < here.length(); i++)
    {
        sum += atoi(&here[i]);
    }*/

    cout << atoi(&here[0]);
    cout << atoi(&here[1]);
    cout << atoi(&here[2]);
}

输出:

10715086071862673209484250490600018105614048117055336074437503883703510511249361
22493198378815695858127594672917553146825187145285692314043598457757469857480393
45677748242309854210746050623711418779541821530464749835819412673987675591655439
46077062914571196477686542167660429831652624386837205668069376

000

为什么全0?

4 个答案:

答案 0 :(得分:4)

这就是std::atoi表示错误的方式。在这种情况下,错误是数组中的数值大于最大可能的整数(在技术上未定义的行为atoi,但您的实现显然将其视为任何其他误差)

答案 1 :(得分:4)

在这里走出困境,假设你实际上并不想使用std::atoi。如果要对字符串中的每个数字求和,则需要将数字字符转换为其数字。最快的方法是减去字符常量'0'。在你的循环中,只需使用:

for(int i = 0; i < here.length(); i++)
{
    sum += here[i] - '0';
}

这是可能的,因为从字符串中的各个字符中减去'0'会得到字符所代表的数值。

'0' - '0' == 0
'1' - '0' == 1
'2' - '0' == 2
//etc
'9' - '0' == 9

据我所知,C ++标准并没有强制任何特定的编码,但它确实指定数字字符必须是连续的,所以当字符串只包含数字时,上述是安全的,其他字符的减法可能会出现在字符串中会导致结果失效:

'E' - '0' == ???
'.' - '0' == ???
'+' - '0' == ???

答案 2 :(得分:3)

atoi将字符串转换为整数(在您的平台上可能是32位或64位)。

您在here中存储的数字大于INT_MAX,因此atoi返回零:

  

成功时,该函数将转换后的整数作为int值返回。如果无法执行有效转换,则返回零值。

编辑:实际上,甚至没有仔细阅读我自己的链接,显然在这种情况下它是未定义的行为

  

当转换后的值超出int的可表示值范围时,没有标准规范。

来自www.cplusplus.com

答案 3 :(得分:0)

'此处[0] '将此处'的第一个字符作为字符返回。

'&amp; here [0]'返回 地址 ' here [0] '。你不想要这个地址。 '&安培;'用于获取变量的地址。

std :: atoi(此处为[0])此处的第一个字符作为字符返回,并转换为 char int ...或者,如果'atoi'处理了字符。它没有 - 它处理字符数组。给它一个char可能不会编译。

std :: atoi(&amp; here [0])编译,但不是你想要的。 atoi将继续阅读字符,直到它达到空字符。

这意味着给定字符串“567321”:

  • std :: atoi(&amp; here [0])将返回“987654321”
  • std :: atoi(&amp; here 1)将返回“87654321”
  • std :: atoi(&amp; here 2)将返回“7654321”
  • std :: atoi(&amp; here [3])将返回“654321”
  • ......等等。

如果你真的想要总结所有数字,并且需要使用std :: atoi(),那么你可以使用std::string::substr():

for(int i = 0; i < here.length(); i++)
{
    std::string subString = here.substr(i,1); //Returns a substring starting at 'i', and including 1 character 
    sum += atoi(subString.c_str());
}

更好的方法是使用@dreamlax发布的方法...但是如果你正在学习字符串和std :: atoi,那么学习 std :: string :: substr ()很重要知道。

如果您使用的是C ++ 11,则使用std::stoi重写它:

for(int i = 0; i < here.length(); i++)
{
    std::string subString = here.substr(i,1); //Returns a substring starting at 'i', and including 1 character 
    sum += std::stoi(subString);
}