我正在处理C ++中的动态数组。帮助您使用以下代码。
我正在尝试逐个读取字符并制作C字符串。如果数组大小不够,我会增加它。但函数increaseArray处理错误并返回包含其他字符的字符串。我错了什么?
void increaseArray(char* str, int &size){
char* newStr = new char[size * 2];
for (int i = 0; i < size; i++){
newStr[i] = str[i];
}
size *= 2;
delete[] str;
str = newStr;
}
char* getline()
{
int size = 8;
char* str = new char[size];
char c;
int index = 0;
while (c = getchar()) {
if (index == size) increaseArray(str, size);
if (c == '\n') {
str[index] = '\0';
break;
};
str[index] = c;
index++;
}
return str;
}
答案 0 :(得分:2)
在函数increaseArray
中,您将newStr
分配给str
,但str
是increaseArray
函数中指针的本地副本,因此更改在其外部不可见。
最简单的解决方法是将increaseArray
签名更改为:
void increaseArray(char*& str, int &size)
因此,将传递对指针的引用,因此str
内的increaseArray
更改将在其外部显示。
答案 1 :(得分:1)
你可以这样做。 它简单..
#include <string.h>
#include <stdlib.h>
using namespace std;
void increaseArray(char* &str, int size){
str = (char *)realloc(str,size*2);
}