在c中扩展字符串数组的大小

时间:2018-03-11 08:02:51

标签: c memory multidimensional-array memory-management

我正在尝试从用户获取字符串,然后在输入长字符串时扩展字符串的大小,并且如果输入的字符串超出预期,则扩展包含字符串的数组的大小。这是我的代码:

#include <stdio.h>
#include <stdlib.h>
#include <malloc.h>
#include <string.h>

int main(int argc, char* argv[]) 
{
    int number_of_strings = 5;
    int string_size = 5;
    int count = 0;
    char **array = (char**)calloc(number_of_strings, sizeof(char*));
    for (int i = 0; i < number_of_strings; i++)
    {
        array[i] = (char*)calloc(string_size + 1, sizeof(char));
    }

////////////////////////////MAIN PART///////////////////////////////////////////////
    int arr_size = number_of_strings;
    int str_count = 0;                          //Total number of input strings counter

    for (int j = 0; j < arr_size; j++)
    {
        if (arr_size >= str_count)              //Check if the number of input strings is more than expected
        {
            array = (char**)realloc(array, (arr_size + 1) * sizeof(char*));     //allocate memory for 1 more string
            arr_size++;                         //Increase the loop rounds
        }

        int str_size = string_size; 
        int char_count = 0;                     //Total number of input characters counter

        for (int h = 0; h < str_size; h++)
        {
            if (str_size >= char_count)         //Check if the input string size is more than expected
            {
                array[j] = (char*)realloc(array[j], (str_size + 1) * sizeof(char));     //allocate memory for 1 more char
                str_size++;                     //Increase the loop rounds
            }
            scanf(" %c", &array[j][h]);         //get a single char
            char_count++;                       //Increment the total input character count
        }
        str_count++;                            //Increment the total input string count
    }
////////////////////////////////////////////////////////////////////////////////////

    for (int k = 0; k < number_of_strings; k++)
    {
        printf("%s", array[k]);
        free(array[k]);
    }
    free(array);

    return 0;
}

输入:这不是什么看起来像但我不知道为什么会发生这种情况
输出:清空标准输出。超出时限
预期产出:这不是什么样的看似但是我不知道为什么会这样做

程序长时间等待用户输入并且不会停止扫描输入,即使用户没有输入任何输入,因此最终程序崩溃。

我认为错误是由于数组重新分配不当造成的。任何关于为什么导致这个错误以及如何修复它的想法都非常感谢。谢谢!

1 个答案:

答案 0 :(得分:0)

目前还不清楚你要做什么。以下是代码中的一些问题:

  • 您故意忽略输入中的空格,那么如何检测字符串边界?
  • 所有输入都聚集成一个内部循环永不停止的字符串。
  • 你也没有检查EOF:如果遇到输入流的结尾,循环继续,重新分配内存直到系统崩溃或分配失败......
  • 也没有测试分配失败,因此在所有情况下都是未定义的行为。
  • 不需要在C中强制转换malloccalloc的返回值。在C ++中这是必要的,但您肯定希望在C ++中使用不同的方法。为了避免类型差异,您可以使用目标指针的类型而不是硬编码:要重新分配数组,请将array = (char**)realloc(array, (arr_size + 1) * sizeof(char*));替换为

    array = realloc(array, sizeof(*array) * (arr_size + 1));