我最近开始使用文件,我在主要的大学项目中遇到了一些麻烦。
以下代码计算输入数字并按Enter键所需的时间,并将用户的姓名,性别和时间写入文件中:
#include <iostream>
#include <ctime>
#include <fstream>
#include <string>
using namespace std;
int LinesCounter(string filename)
{
ifstream b_file(filename);
// new lines will be skipped unless we stop it from happening:
b_file.unsetf(ios_base::skipws);
// count the newlines with an algorithm specialized for counting:
unsigned line_count = count(
istream_iterator<char>(b_file),
istream_iterator<char>(),
'\n');
return line_count;
}
int main()
{
//Starts timing
clock_t begin = clock();
int letter;
cin>>letter;
cin.ignore();
//Obtains the total amount of seconds taken
clock_t end = clock();
double elapsed_secs = double(end - begin) / CLOCKS_PER_SEC;
cout << "\nCongratulations, you took " <<elapsed_secs <<" seconds." <<endl <<endl;
cout<<"Insert your name: ";
string name;
getline(cin, name);
cout<<endl;
cout<<"M/F: ";
char sex;
cin >> sex;
cout<<endl;
cin.ignore();
int NumberOfLines = LinesCounter("Times.txt");
if (NumberOfLines < 10)
{
ofstream a_file ( "Times.txt", ios::app );
a_file<<name <<" " <<sex <<" " <<elapsed_secs <<"s" <<endl;
a_file.close();
}
cin.get();
}
代码应该只存储10次(10行有名称,性别和时间),并且必须根据时间对列表进行排序。这样,文件的第一行应该具有最快的时间(以及相应的用户的名称和性别),最后一个最慢的时间。 例如:
1) “Times.txt”
新时间:Albert M 1.522s
“Times.txt” - 已更新
2) “Times.txt”
新时间:Ana F 1.799s
“Times.txt” - 已更新
可能的解决方案:我想过每次移动到数组位置并在数组中对它们进行排序然后重写文件。问题是,我不知道如何以这种方式操纵代码。任何帮助将不胜感激。
*注意:该文件不应显示名称
之前的位置编号答案 0 :(得分:0)
我建议你使用一个结构:
struct Entry
{
std::string name;
unsigned int seconds;
};
现在重载operator <
以启用排序:
struct Entry
{
bool operator<(const Entry& e)
{
if (name == e.name)
{
return seconds < e.seconds;
}
else
{
return name < e.name;
}
}
std::string name;
unsigned int seconds;
};
现在您可以创建矢量来保存所有名称:
std::vector<Entry> students;
您可以在向量上使用std::sort
。 (查找std::sort
)的语法。
如果您聪明,您将研究如何将矢量写入文件,而不是在此处发布。 (提示:在StackOverflow上已多次回答)。