将文本文件读入2d数组

时间:2013-03-22 01:19:01

标签: c file multidimensional-array scanf

我的文本文件只包含行和列中的随机字母。我想要做的就是制作一个2d数组,这样puzzle[i][j]如果我放printf("%c", puzzle[5][4]);它就会给我第4行和第3列字符(因为它在数组中从0开始) 。到目前为止,这是我的代码。

#define MAXROWS     60
#define MAXCOLS     60
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <math.h>

main()
{
    FILE *TableFilePtr;
    char TableFileName[100];
    char PuzzleFileName[100];
    char puzzle[MAXROWS][MAXCOLS];
    printf("Please enter the table file name: ");
    scanf("%s",TableFileName);

    TableFilePtr=fopen(TableFileName, "r");

    if(TableFilePtr == NULL)
    {
        printf("Can't open %s", TableFileName);
        exit(EXIT_FAILURE);
    }

    char words;
    int n;
    n=0;
    int i,j,row,col;
    int rowcount, colcount;
    printf("\n how many rows and colums are there?  separate by a space: ");
    scanf("%d %d",&row, &col);
    /*  while(fscanf(TableFilePtr,"%c",&words)!= EOF)
    {
        printf("%c",words);
    }
    */

    /*for (colcount=0;colcount<col;colcount++)
    {
        for (rowcount=0;rowcount<row;rowcount++)
        {
            printf("%c ",words);
        }
    printf("\n");
    }
    */


    for(i=0;i<row;i++){
        for(j=0;j<col;j++){
            fscanf(TableFilePtr, "%c %s\n",&puzzle[i]][j]);
                //puzzle[i][j]=words;
    //          printf("%c ", puzzle[i][j]);
        }
        printf("\n");
    }


}

最后的注释区域(只是起始部分)可以简单地在编译器中打印出文本文件。我想让它成为一个二维阵列。

for(colcount=0;colcount<col;colcount++){...}

1 个答案:

答案 0 :(得分:1)

我会做这样的事情(我没有使用你所有的确切变量名,但是你明白了):

    char puzzle[MAXROWS][MAXCOLS], line[MAXCOLS];
    FILE *infile;
    int cols = 0, rows=0;

    /* ... */

    infile = fopen(TableFileName, "r");

    while(fgets(line, sizeof line, infile) != NULL)
    {
        for(cols=0; cols<(strlen(line)-1); ++cols)
        {
            puzzle[rows][cols] = line[cols];
        }
        /* I'd give myself enough room in the 2d array for a NULL char in 
           the last col of every row.  You can check for it later to make sure
           you're not going out of bounds. You could also 
           printf("%s\n", puzzle[row]); to print an entire row */
        puzzle[rows][cols] = '\0';
        ++rows;
    }

编辑:更短的版本将在每行的末尾添加换行符和NULL字符,除非您手动将其删除。您可能需要调整puzzle [] [](使用MAXCOLS +/- n或其他类似的东西)以使其适合您。

    for(c=0; c<MAXROWS; ++c){
        fgets(puzzle[rows], sizeof puzzle[rows], infile);
    }

在循环结束时,puzzle[x][y]应该是输入文件中的2d字符数组。希望有所帮助。