Skip to content

Commit 513fae2

Browse files
你的GitHub帳號名稱你的GitHub帳號名稱
你的GitHub帳號名稱
authored and
你的GitHub帳號名稱
committed
Lab2
1 parent 18c9229 commit 513fae2

File tree

4 files changed

+328
-0
lines changed

4 files changed

+328
-0
lines changed

lab2/README.md

+22
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
# Lab2
2+
3+
## Introduction
4+
5+
In this lab, you will write unit tests for functions implemented in `main.js`. You can learn how to use classes and functions in it by uncommenting the code in it. (But remember don't commit them on GitHub)
6+
7+
## Requirement
8+
9+
1. Write test cases in `main_test.js` and achieve 100% code coverage. Remember to use Mock, Spy, or Stub when necessary, you need to at least use one of them in your test cases. (100%)
10+
11+
You can run `validate.sh` in your local to test if you satisfy the requirements.
12+
13+
Please note that you must not alter files other than `main_test.js`. You will get 0 points if
14+
15+
1. you modify other files to achieve requirements.
16+
2. you can't pass all CI on your PR.
17+
18+
## Submission
19+
20+
You need to open a pull request to your branch (e.g. 311XXXXXX, your student number) and contain the code that satisfies the abovementioned requirements.
21+
22+
Moreover, please submit the URL of your PR to E3. Your submission will only be accepted when you present at both places.

lab2/main.js

+81
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,81 @@
1+
const fs = require('fs');
2+
const util = require('util');
3+
const readFile = util.promisify(fs.readFile);
4+
5+
class MailSystem {
6+
write(name) {
7+
console.log('--write mail for ' + name + '--');
8+
const context = 'Congrats, ' + name + '!';
9+
return context;
10+
}
11+
12+
send(name, context) {
13+
console.log('--send mail to ' + name + '--');
14+
// Interact with mail system and send mail
15+
// random success or failure
16+
const success = Math.random() > 0.5;
17+
if (success) {
18+
console.log('mail sent');
19+
} else {
20+
console.log('mail failed');
21+
}
22+
return success;
23+
}
24+
}
25+
26+
class Application {
27+
constructor() {
28+
this.people = [];
29+
this.selected = [];
30+
this.mailSystem = new MailSystem();
31+
this.getNames().then(([people, selected]) => {
32+
this.people = people;
33+
this.selected = selected;
34+
});
35+
}
36+
37+
async getNames() {
38+
const data = await readFile('name_list.txt', 'utf8');
39+
const people = data.split('\n');
40+
const selected = [];
41+
return [people, selected];
42+
}
43+
44+
getRandomPerson() {
45+
const i = Math.floor(Math.random() * this.people.length);
46+
return this.people[i];
47+
}
48+
49+
selectNextPerson() {
50+
console.log('--select next person--');
51+
if (this.people.length === this.selected.length) {
52+
console.log('all selected');
53+
return null;
54+
}
55+
let person = this.getRandomPerson();
56+
while (this.selected.includes(person)) {
57+
person = this.getRandomPerson();
58+
}
59+
this.selected.push(person);
60+
return person;
61+
}
62+
63+
notifySelected() {
64+
console.log('--notify selected--');
65+
for (const x of this.selected) {
66+
const context = this.mailSystem.write(x);
67+
this.mailSystem.send(x, context);
68+
}
69+
}
70+
}
71+
72+
// const app = new Application();
73+
// app.selectNextPerson();
74+
// app.selectNextPerson();
75+
// app.selectNextPerson();
76+
// app.notifySelected();
77+
78+
module.exports = {
79+
Application,
80+
MailSystem,
81+
};

lab2/main_test.js

+187
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,187 @@
1+
const assert = require('assert');
2+
const test = require('node:test');
3+
const { Application, MailSystem } = require('./main');
4+
const fs = require('node:fs');
5+
const util = require('util');
6+
const writeFile = util.promisify(fs.writeFile);
7+
const unlinkFile = util.promisify(fs.unlink);
8+
9+
async function createTestFile(content = "Alice\nBob\nCharlie") {
10+
await writeFile("name_list.txt", content, 'utf-8');
11+
}
12+
13+
async function removeTestFile() {
14+
try {
15+
await unlinkFile("name_list.txt");
16+
} catch (error) {
17+
// Ignore errors
18+
}
19+
}
20+
21+
// 我們使用單獨的測試進行設置
22+
test('Setup test environment', async () => {
23+
await createTestFile();
24+
});
25+
26+
// Tests for MailSystem class
27+
test('MailSystem.write should return congratulatory message', (t) => {
28+
const mailSystem = new MailSystem();
29+
const result = mailSystem.write('John');
30+
assert.strictEqual(result, 'Congrats, John!');
31+
});
32+
33+
test('MailSystem.send should return boolean indicating success', (t) => {
34+
const mailSystem = new MailSystem();
35+
36+
const originalRandom = Math.random;
37+
38+
// Test success case
39+
Math.random = () => 0.6; // return true
40+
const successResult = mailSystem.send('John', 'Congrats, John!');
41+
assert.strictEqual(successResult, true);
42+
43+
// Test failure case
44+
Math.random = () => 0.4; // return false
45+
const failureResult = mailSystem.send('John', 'Congrats, John!');
46+
assert.strictEqual(failureResult, false);
47+
48+
Math.random = originalRandom;
49+
});
50+
51+
test('Application constructor should initialize properties', async (t) => {
52+
await createTestFile("Alice\nBob\nCharlie");
53+
const app = new Application();
54+
55+
await new Promise(resolve => setTimeout(resolve, 10));
56+
57+
assert.deepStrictEqual(app.people, ['Alice', 'Bob', 'Charlie']);
58+
assert.deepStrictEqual(app.selected, []);
59+
assert.ok(app.mailSystem instanceof MailSystem);
60+
});
61+
62+
test('getNames should read and parse names from file', async (t) => {
63+
await createTestFile("Dave\nEve\nFrank");
64+
65+
const app = new Application();
66+
const [people, selected] = await app.getNames();
67+
68+
assert.deepStrictEqual(people, ['Dave', 'Eve', 'Frank']);
69+
assert.deepStrictEqual(selected, []);
70+
});
71+
72+
test('getRandomPerson should return a person from the people array', async (t) => {
73+
const app = new Application();
74+
75+
await new Promise(resolve => setTimeout(resolve, 10));
76+
77+
app.people = ['Alice', 'Bob', 'Charlie'];
78+
79+
const originalRandom = Math.random;
80+
const originalFloor = Math.floor;
81+
82+
// Create a spy
83+
let floorCallCount = 0;
84+
Math.floor = (num) => {
85+
floorCallCount++;
86+
return originalFloor(num);
87+
};
88+
89+
Math.random = () => 0; //select idx 0
90+
assert.strictEqual(app.getRandomPerson(), 'Alice');
91+
92+
Math.random = () => 0.34; // select idx 1
93+
assert.strictEqual(app.getRandomPerson(), 'Bob');
94+
95+
Math.random = () => 0.67; // select idx 2
96+
assert.strictEqual(app.getRandomPerson(), 'Charlie');
97+
98+
assert.strictEqual(floorCallCount, 3);
99+
100+
Math.random = originalRandom;
101+
Math.floor = originalFloor;
102+
});
103+
104+
test('selectNextPerson should select a random unselected person', async (t) => {
105+
const app = new Application();
106+
await new Promise(resolve => setTimeout(resolve, 10));
107+
108+
app.people = ['Alice', 'Bob', 'Charlie'];
109+
app.selected = [];
110+
111+
const originalGetRandomPerson = app.getRandomPerson;
112+
let randomPersonCalls = 0;
113+
114+
app.getRandomPerson = () => {
115+
randomPersonCalls++;
116+
if (randomPersonCalls === 1) return 'Bob';
117+
if (randomPersonCalls === 2) return 'Bob';
118+
if (randomPersonCalls === 3) return 'Alice';
119+
return 'Charlie';
120+
};
121+
122+
const result = app.selectNextPerson();
123+
assert.strictEqual(result, 'Bob');
124+
assert.deepStrictEqual(app.selected, ['Bob']);
125+
126+
const secondResult = app.selectNextPerson();
127+
assert.strictEqual(secondResult, 'Alice');
128+
assert.deepStrictEqual(app.selected, ['Bob', 'Alice']);
129+
130+
app.getRandomPerson = originalGetRandomPerson;
131+
});
132+
133+
test('selectNextPerson should return null when all people are selected', async (t) => {
134+
const app = new Application();
135+
await new Promise(resolve => setTimeout(resolve, 10));
136+
137+
app.people = ['Alice', 'Bob'];
138+
app.selected = ['Alice', 'Bob'];
139+
140+
const result = app.selectNextPerson();
141+
142+
assert.strictEqual(result, null);
143+
});
144+
145+
test('notifySelected should send mail to all selected people', async (t) => {
146+
const app = new Application();
147+
await new Promise(resolve => setTimeout(resolve, 10));
148+
149+
app.selected = ['Alice', 'Bob'];
150+
151+
const originalWrite = app.mailSystem.write;
152+
const originalSend = app.mailSystem.send;
153+
154+
const writeCalls = [];
155+
const sendCalls = [];
156+
157+
app.mailSystem.write = (name) => {
158+
writeCalls.push(name);
159+
return `Congrats, ${name}!`;
160+
};
161+
162+
app.mailSystem.send = (name, context) => {
163+
sendCalls.push({ name, context });
164+
return true;
165+
};
166+
167+
app.notifySelected();
168+
169+
assert.strictEqual(writeCalls.length, 2);
170+
assert.strictEqual(sendCalls.length, 2);
171+
172+
assert.strictEqual(writeCalls[0], 'Alice');
173+
assert.strictEqual(writeCalls[1], 'Bob');
174+
175+
assert.strictEqual(sendCalls[0].name, 'Alice');
176+
assert.strictEqual(sendCalls[0].context, 'Congrats, Alice!');
177+
assert.strictEqual(sendCalls[1].name, 'Bob');
178+
assert.strictEqual(sendCalls[1].context, 'Congrats, Bob!');
179+
180+
app.mailSystem.write = originalWrite;
181+
app.mailSystem.send = originalSend;
182+
});
183+
184+
// 我們使用單獨的測試進行清理
185+
test('Cleanup test environment', async () => {
186+
await removeTestFile();
187+
});

lab2/validate.sh

+38
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,38 @@
1+
#!/bin/bash
2+
3+
# Check for unwanted files
4+
for file in *; do
5+
if [[ $file != "main.js" && $file != "main_test.js" && $file != "README.md" && $file != "validate.sh" ]]; then
6+
echo "[!] Unwanted file detected: $file."
7+
exit 1
8+
fi
9+
done
10+
11+
node=$(which node)
12+
test_path="${BASH_SOURCE[0]}"
13+
solution_path="$(realpath .)"
14+
tmp_dir=$(mktemp -d -t lab2-XXXXXXXXXX)
15+
16+
cd $tmp_dir
17+
18+
rm -rf *
19+
cp $solution_path/*.js .
20+
result=$($"node" --test --experimental-test-coverage) ; ret=$?
21+
if [ $ret -ne 0 ] ; then
22+
echo "[!] testing fails"
23+
exit 1
24+
else
25+
coverage=$(echo "$result" | grep 'all files' | awk -F '|' '{print $2}' | sed 's/ //g')
26+
if (( $(echo "$coverage < 100" | bc -l) )); then
27+
echo "[!] Coverage is only $coverage%"
28+
exit 1
29+
else
30+
echo "[V] Coverage is 100%"
31+
fi
32+
fi
33+
34+
rm -rf $tmp_dir
35+
36+
exit 0
37+
38+
# vim: set fenc=utf8 ff=unix et sw=2 ts=2 sts=2:

0 commit comments

Comments
 (0)