0

我有一个使用二维数组存储一些值的程序。我有 2 个问题。首先我的程序没有正确地从我的文本文件中读取数据。当它打印出数组中的数字时,我得到所有零。我的代码有什么问题?

#include "stdafx.h"
#include<iostream>
#include<fstream>

using namespace std;

int ary [][13];

ofstream OutFile;
ifstream infile("NameAvg.txt");

//function prototype
void ReadIt (int [][13]); // Function call  ReadIntoArrayByRows(ary);
void WritePrintOutArray (int [][13]);

int main()
{
    //open/creates file to print to
    OutFile.open ("MyOutFile.txt");

    // Title and Heading 
    OutFile << "\nName and grade average\n";
    cout << "Name and grade average.\n\n";

    // Open and Reads .txt file for array
    ReadIt(ary);
    OutFile<<"\n-----------------------------"<<endl;
    cout<<"\n-----------------------------"<<endl;

    WritePrintOutArray(ary);
    OutFile<<"\n-----------------------------"<<endl;
    cout<<"\n-----------------------------"<<endl;

    //closes .txt file
    OutFile.close();
    cin.get();
    cin.get();
    return 0;
}

void WritePrintOutArray(int ary[][13])
{
    int col,
        row;
    for(row=0;row<2;row++)
    {
    for(col=0;col<8;col++)
    {
        ary[2][13];
        cout<<ary[row][col];
        OutFile<<ary[row][col];
    }
    cout<<endl;
    OutFile<<endl;
    }
 }

 void ReadIt(int ary[][13])
 {
    int col,
        row=0;

    while(infile>>ary[row][0])
    {
    for(col=1;col<13;col++)
    {
        infile>>ary[row][col];
        row++;
    }
    infile.close();
    }
 }

我的第二个问题是单个二维数组可以同时保存 char 数据类型和 int 类型吗?还是我必须将 .txt 文件中的所有数据作为字符获取,然后将数字转换为整数?

如何做到这一点的一个例子将不胜感激。

4

2 回答 2

1

首先是错误:您的声明ary没有保留任何空间。您必须为这两个维度提供一个数字。

其次,您可以通过将这些东西放在一个结构中来制作一个包含两种不同东西的数组。

struct It
{
    char c;
    int i;
};

It ary [MAX_ROWS][13];
于 2013-09-24T18:37:06.150 回答
0

没有与以下数组关联的内存:

int ary [][13];

我想知道为什么您的编译器不会抱怨诸如“'ary' 的存储大小未知”之类的东西。无论如何,您应该std::vector改用。至于:“一个二维数组可以同时保存char数据类型和int类型吗?” ~> 你可以定义一个自定义类型,或者你可以使用:

std::vector< std::vector< std::pair<char, int> > > grades;

虽然在查看这个配对矩阵时......似乎有些问题,我确信无论你想要完成什么,都有一种更简单的方法。

还要尽量避免使用全局变量。您使用它们的方式使得将代码分解为函数有点没用。您的代码对于 C++ 来说过于程序化。

于 2013-09-24T18:40:50.133 回答