-2
#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

4 回答 4

4

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

于 2013-03-03T06:14:28.580 回答
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' == ???
于 2013-03-03T06:23:18.633 回答
3

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

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

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

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

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

来自www.cplusplus.com

于 2013-03-03T06:15:01.670 回答
0

' here[0] ' 以 char 形式返回 ' here ' 的第一个字符

'&here[0]' 返回' here[0] ' 的地址。你不想要地址。'&' 用于获取变量的地址。

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

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

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

  • std::atoi(&here[0]) 将返回“987654321”
  • std::atoi(&here 1 ) 将返回“87654321”
  • std::atoi(&here 2 ) 将返回“7654321”
  • std::atoi(&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);
}
于 2013-03-05T20:46:44.537 回答