首页 > 解决方案 > 在 C++ 中从 .csv 读取文件

问题描述

我正在编写一个从 .csv 文件获取输入的程序。程序运行,但问题是它只返回 .csv 文件的最后一行并跳过所有其他 9 行。它也不显示平均值和等级。请帮我弄清楚我做错了什么。

教授非常具体地使用了我们迄今为止所学的知识,即循环和函数。我只能使用循环和函数,所以我不能使用数组。

这是 score.csv 文件

在此处输入图像描述

#include <iostream>
#include <fstream>

using namespace std;
int testScore1, testScore2, testScore3, testScore4, testScore5;
double avg;
char grade;

double getAvg(int testScore1, int testScore2, int testScore3, int testScore4, int testScore5){
    avg = (testScore1 + testScore2 + testScore3 + testScore4 + testScore5)/5;
    return avg;
}
char getGrade(double avg){
    if (avg >= 90){
        grade = 'A';
        cout << 'A' << endl;
    }else if (avg >= 80){
        grade = 'B';
        cout << 'B' << endl;
    }else if (avg >= 70){
        grade = 'C';
        cout << 'C' << endl;
    }else if (avg >= 60){
        grade = 'D';
        cout << 'D' << endl;
    }else{
        grade = 'F';
        cout << 'F' << endl;
    }
    return grade;
}

int main(){
    
    ifstream myFile;
    myFile.open("scores.csv");
    
    
    if(!myFile.is_open()){
        cout << "Error" << endl;
    }
    string testScore1, testScore2, testScore3, testScore4, testScore5;
    while (myFile.good()) {
        
        getline(myFile, testScore1, ',');
        getline(myFile, testScore2, ',');
        getline(myFile, testScore3, ',');
        getline(myFile, testScore4, ',');
        getline(myFile, testScore5, '\n');

    }
    
        cout<< setw(15) <<" Test scores"<<endl;
        cout<<"--------------------"<<endl;
        cout<< " 1   2   3   4   5   Avg  Grade"<<endl;
        cout<<"=== === === === === ===== ====="<<endl;
        cout<< " "<< testScore1<< "  "<< testScore2 << "  "<< testScore3 << "  "<< testScore4 << "  "<< testScore5<< "  " << getAvg << "  " << getGrade <<endl;


    return 0;
}

标签: c++functionread.csv

解决方案


您在 while 循环之外打印值,这意味着您永远不会保存以前的值。您的程序本质上是在说:
“将 t1 设置为第 0 行,第 0 列,将 t2 设置为第 1 行,第 0 列等……”
循环重新开始,现在它开始:
“将 t1 设置为第 0 行测试分数, col 1,将 t2 设置为第 1 行,col 1,等等……”
你看到问题了吗?每次循环运行时都覆盖变量,而不保存它们。然后程序只打印最后一行,因为这就是循环结束时的变量。

您可能想通过使用二维数组来解决这个问题。然后,您可以使用嵌套循环将每个点设置为相应的值。这些信息足以弄清楚其余部分吗?如果不让我知道。

大概的概念:

新的 int[行数][列数] 数组;
for(int i = 0; i = 行数; i++)
for(int j=0; j=amount of cols; j++)
array[i][j] = getline code here
close loops。


推荐阅读