用char *增加数组[C ++]

时间:2017-01-21 14:45:07

标签: c++ arrays pointers dynamic char

我正在处理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;
}

2 个答案:

答案 0 :(得分:2)

在函数increaseArray中,您将newStr分配给str,但strincreaseArray函数中指针的本地副本,因此更改在其外部不可见。

最简单的解决方法是将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);
}