In this exercise you will write a switch
statement that displays the name of the day of the week given the day code.
You may use the integer variable named day_code
whose value we will change to automatically to test your code.
You do NOT need to declare this variable.
Given the following day codes, your program should display the day of the week using a cout
statement. No '\n
' or endl
should be used.
Day Code Display -------- ------------------------ 0 Sunday 1 Monday 2 Tuesday 3 Wednesday 4 Thursday 5 Friday 6 Saturday other Error - illegal day code
You can find my solution by clicking on the solution.txt file on the left pane. But please make sure you give it a go yourself first, and only check the solution if you really get stuck.
#include
#include
#include
#include "gtest/gtest.h"
#include "helpers/iohelper.h"
using namespace std;
void display_day(int);
namespace {
class Evaluate : public ::testing::Test {};
TEST_F(Evaluate, Test1) {
std::vector names {"Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday"};
for (int i=0; i<6; ++i) {
std::pair output = CAPTURE_OUTPUT(display_day(i));
std::string stdout = output.first;
EXPECT_EQ(names.at(i), stdout) << "There is an error in the displayed day";
}
}
TEST_F(Evaluate, Test2) {
std::string err {"Error - illegal day code"};
std::pair output = CAPTURE_OUTPUT(display_day(-1));
std::string stdout = output.first;
EXPECT_EQ(err, stdout) << "There is an error in the displayed day";
}
TEST_F(Evaluate, Test3) {
std::string err {"Error - illegal day code"};
std::pair output = CAPTURE_OUTPUT(display_day(7));
std::string stdout = output.first;
EXPECT_EQ(err, stdout) << "There is an error in the displayed day";
}
TEST_F(Evaluate, Test4) {
std::string err {"Error - illegal day code"};
std::pair output = CAPTURE_OUTPUT(display_day(100));
std::string stdout = output.first;
EXPECT_EQ(err, stdout) << "There is an error in the displayed day";
}
} // namespace
#include
using namespace std;
void display_day(int day_code) {
//----WRITE YOUR CODE BELOW THIS LINE----
switch (day_code) {
case 0:
cout << "Sunday";
break;
case 1:
cout << "Monday";
break;
case 2:
cout << "Tuesday";
break;
case 3:
cout << "Wednesday";
break;
case 4:
cout << "Thursday";
break;
case 5:
cout << "Friday";
break;
case 6:
cout << "Saturday";
break;
default:
cout << "Error - illegal day code";
}
//----WRITE YOUR CODE ABOVE THIS LINE----
}
//