0

我正在尝试将 9 个字符的字符串读入 9 个整数值,然后存储在一个数组中(现在我将它们存储在 9 个单独的整数中,一旦它们读取成功,就会将它们放入数组中)。我采用的一般方法:con 字符串,将其拆分为 9 个字符值,将(atoi)每个转换为整数并存储为 9 个整数,将整数放入数组中。奇怪的是,虽然单个值被毫无问题地拆分为单个字符,但在某种程度上“看到”其他相邻值(根本不包含在该字符中!)并将它们向后转换。

示例代码:

countrows = 1;
countcols = 1;
cout << endl << "Enter values for boxes in row " << countrows << ", enter 0 for open boxes (enter 9 numbers, with no spaces or delimiters): ";
string inputline;
cin >> inputline;
char col1, col2, col3, col4, col5, col6, col7, col8, col9;
int int1, int2, int3, int4, int5, int6, int7, int8, int9;
col1 = inputline[0];
col2 = inputline[1];
col3 = inputline[2];
col4 = inputline[3];
col5 = inputline[4];
col6 = inputline[5];
col7 = inputline[6];
col8 = inputline[7];
col9 = inputline[8];
int1 = atoi(&col1);
int2 = atoi(&col2);
int3 = atoi(&col3);
int4 = atoi(&col4);
int5 = atoi(&col5);
int6 = atoi(&col6);
int7 = atoi(&col7);
int8 = atoi(&col8);
int9 = atoi(&col9);
cout << "inputline: " << inputline << endl;
cout << "col1: " << col1 << " col2: " << col2 << " col3: " << col3 << endl; //debug line
cout << "int1: " << int1 << " int2: " << int2 << " int3: " << int3 << endl; //debug line

结果是:

在第 1 行输入框的值,为打开的框输入 0(输入 9 个数字,没有空格或分隔符):456123789 输入行:456123789 col1:4 col2:5 col3:6 int1:4 int2:54 int3:654

为什么int包含5和int3 65(应该是int1:4 int2:5 int3:6)

4

1 回答 1

3

atoi用于将 NULL 终止的字符串 (char*),而不是字符转换为整数。您的col1, col2, 不是以 NULL 结尾的字符串,并且atoi将读取内存,直到达到 NULL 值(这将结束字符串)。

如果要将 ASCII 数字更改为数字,可以使用简单的数学:

int1 = col1 - '0';

col1:4 col2:5 col3:6 int1:4 int2:54 int3:654

所有这些值都存储在堆栈中。让我们假设堆栈当前是空的(不是,还有其他局部变量、返回地址等),并且顶部元素为 0:

 STACK
 ----------
 0           <- top

现在,当您声明它们时,您的col1, col2,col3被放置在堆栈中:

 STACK
 ----------
 0
 col1
 col2
 col3

而且,一旦你给它们赋值,你会得到下面的图片:

 STACK
 ----------
 0
 '4'
 '5'
 '6'

当您调用atoi(col1)它时,它将读取'4', 然后 ,0将终止字符串,并且它只会解析 ASCII '4'。当您调用atoi(col2)时,它将读取'5', '4',然后0是 ,因此输入字符串将是"54"这样,它将完全解析。col所有其他变量也会发生类似情况。

请注意,以相反的顺序读取堆栈元素并没有什么神奇之处 - 实际上,您正在以直接顺序读取内存 - 因为在我(可能还有你的)机器上,堆栈正在向下增长。在某些机器上,情况并非如此(有关更多详细信息,请查看此链接),并且您将获得456...col1可能只是零(atoi如果您将非数字字符串作为参数传递,则将返回零)。

于 2013-04-29T19:20:28.550 回答