2

TL;DR:在二维数组中苦苦挣扎。

我正在尝试从文本文件中的整数列表创建两个二维数组。这是用 C 编程的。

tester.txt 包含:

2 1 2 3 4 5 6 7 8 

第一个数字意味着两个数组都有 2 行和 2 列,如果它是任何其他数字,则列/行将被表示为这样。

tester.txt 应输出以下内容:

1 2    5 6
3 4    7 8

这是我的代码:

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

int main()
{
    int i,j,k;
    FILE *filepointer;
    int nrows;
    int size;

    fputs("Enter a filename: ", stdout);
    fflush(stdout);

    if ( fgets(filename, sizeof filename, stdin) != NULL )
    {
        char *newline = strchr(filename, '\n'); /* search for newline character */
        if ( newline != NULL )
        {
            *newline = '\0'; /* overwrite trailing newline */
        }
        printf("filename = \"%s\"\n", filename);
    }

    filepointer=fopen(filename,"r");
    fseek(filepointer, 0, SEEK_END); // seek to end of file
    size = ftell(filepointer);
    printf("Size=%d\n",size);
    fseek(filepointer, 0, SEEK_SET);

    int holderarray[size];

    for(i=0; i<size; i++)
        fscanf(filepointer, "%d", &holderarray[i]);

    nrows=holderarray[0];
    printf("Number of rows/columns=%d\n",nrows);

    if (filepointer == NULL)
    {
        fprintf(stderr, "Can't open input file in.list!\n");
        exit(1);
    }
}

到目前为止,一切都按预期工作。我无法想象如何将前半部分的值添加到新的二维数组中,希望你们能提供帮助。这是我在代码块中的头脑风暴。

int matrix1[nrows][nrows];
int matrix2[nrows][nrows];


for (i=1; i<sizeof(holderarray);i++)
{
    for (j=0;j<nrows;j++)
    {
        matrix[i][j]=holderarray[j];
    }

for (i=0;i<sizeof(nrows);i++)
{
    for (j=0;j<sizeof(nrows);j++)
    {
        printf("%d",matrix[i][j]);
    }

}
return 0;
4

2 回答 2

0

您可以通过使用 getc 循环来获取它们

1. you read the first char in line and define the array structure , cast to integer 
2. initialize the arrays  eg you read 2 so 2*2 is the size of the array, 3*3 is the size of the array and number of the elements to read in every array 
3. continue reading in to reach the first array bound based 2*2 = 4 3*3= 9 based on the first line. 

4. fill the other array since the first array is full,
于 2012-11-19T08:27:31.760 回答
0

您不能像这样基于编译时未知的变量在标准 C 中动态声明数组:

int matrix1[nrows][nrows];
int matrix2[nrows][nrows];

如果您不使用 C99 或更高版本,您需要做的是使用为您动态分配内存的malloc函数:

int **matrix1, **matrix2;
int i;

matrix1 = malloc(nrows * sizeof(int*));
matrix2 = malloc(nrows * sizeof(int*));

for(i = 0; i < nrows; i++) {
  matrix1[i] = malloc(nrows * sizeof(int));
  matrix2[i] = malloc(nrows * sizeof(int));
}

C 中的二维数组被视为指向指针的指针。每个指针都是对包含整数(即矩阵的行)的连续内存块的引用,然后我们使用指向指针的指针作为对包含指向第一个元素的引用/指针的另一个连续内存块的引用在所有这些行中。

这张图片(不是我的)可能会有所帮助:DYNAMIC 2D ARRAY

请注意,当您完成使用它时,应该释放这个动态分配的内存:

for(int i = 0; i < nrows; i++) {
  free(matrix1[i]);
  free(matrix2[i]);
}

free(matrix1);
free(matrix2);
于 2012-11-19T08:31:45.763 回答