/******************************************************************************************
ex5.cpp
    Print the records based on criteria: older than input
******************************************************************************************/
#include <iostream>
#include <string>
#include <fstream>

using namespace std;

// class definition
class person {
    public:
        string first;
        string last;
        int age;
};

// prototypes
void showOlderThan(person [], const int size, const int age);
void readFile(string filename, person [], const int maximum, int& size);
void showPeople(person [], const int size);

// MAIN!
void main() {
    int count=0;
    const int maxsize=100;
    person people[maxsize];

    string filename;
    cout << "Enter the file to read: ";
    cin >> filename;
    readFile(filename, people, maxsize, count);

    int limit;
    cout << "Enter the lower age limit: ";
    cin >> limit;

    showOlderThan(people, count, limit);
}

//------- Print the people in the list older than the supplied age ------
void showOlderThan(person people[], const int size, const int age) {
    cout << "People at or above age " << age << ":\n";
    for (int i=0; i < size; i++) {
        if (people[i].age >= age)
            cout << '\t' << people[i].last << ", " << people[i].first
                 << " (" << people[i].age << ")\n";
    }
}

//------- display the whole list ------
void showPeople(person people[], const int size) {
    for (int i=0; i < size; i++) {
        cout << people[i].last << ", " << people[i].first << " (" << people[i].age << ")\n";
    }
}

//------- fill each person in the list from a file ------
void readFile(string filename, person people[], const int maximum, int& size) {
    ifstream fin(filename.c_str());

    for (int i=0; i < maximum; i++) {
        if(fin >> people[i].last >> people[i].first >> people[i].age)
            size++;
    }
}