Newer
Older
exercism-cpp / grade-school / grade_school_test.cpp
#include "grade_school.h"
#include <map>
#ifdef EXERCISM_TEST_SUITE
#include <catch2/catch.hpp>
#else
#include "test/catch.hpp"
#endif

using namespace std;

TEST_CASE("a_new_school_has_an_empty_roster")
{
    const grade_school::school school_{};
    REQUIRE(school_.roster().empty());
}

#if defined(EXERCISM_RUN_ALL_TESTS)
TEST_CASE("adding_a_student_adds_them_to_the_roster_for_the_given_grade")
{
    grade_school::school school_;
    school_.add("Aimee", 2);

    const auto actual = school_.roster();

    const map<int, vector<string>> expected{{2, {"Aimee"}}};
    REQUIRE(expected == actual);
}

TEST_CASE("adding_more_students_to_the_same_grade_adds_them_to_the_roster")
{
    grade_school::school school_;
    school_.add("Blair", 2);
    school_.add("James", 2);
    school_.add("Paul", 2);

    const auto actual = school_.roster();

    const map<int, vector<string>> expected{{2, {"Blair", "James", "Paul"}}};
    REQUIRE(expected == actual);
}

TEST_CASE("adding_students_to_different_grades_adds_them_to_the_roster")
{
    grade_school::school school_;
    school_.add("Chelsea", 3);
    school_.add("Logan", 7);

    const auto actual = school_.roster();

    const map<int, vector<string>> expected{{3, {"Chelsea"}}, {7, {"Logan"}}};
    REQUIRE(expected == actual);
}

TEST_CASE("grade_returns_the_students_in_that_grade_in_alphabetical_order")
{
    grade_school::school school_;
    school_.add("Franklin", 5);
    school_.add("Bradley", 5);
    school_.add("Jeff", 1);

    const auto actual = school_.grade(5);

    const vector<string> expected{"Bradley", "Franklin"};
    REQUIRE(expected == actual);
}

TEST_CASE("grade_returns_an_empty_array_if_there_are_no_students_in_that_grade")
{
    const grade_school::school school_{};
    const auto actual = school_.grade(1);

    REQUIRE(actual.empty());
}

TEST_CASE("the_student_names_in_each_grade_in_the_roster_are_sorted")
{
    grade_school::school school_;
    school_.add("Jennifer", 4);
    school_.add("Kareem", 6);
    school_.add("Christopher", 4);
    school_.add("Kyle", 3);

    const auto actual = school_.roster();

    const map<int, vector<string>> expected{
            {3, {"Kyle"}},
            {4, {"Christopher", "Jennifer"}},
            {6, {"Kareem"}}
        };
    REQUIRE(expected == actual);
}

TEST_CASE("checking_a_grade_should_not_change_the_roster")
{
    const grade_school::school school_{};
    school_.grade(1);
    REQUIRE(school_.roster().empty());
}

#endif