-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.js
77 lines (68 loc) · 2.13 KB
/
index.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
// Import readline module for reading user input
const readline = require('readline');
/**
* Represents a spaceship with temperature monitoring.
* @typedef {Object} Spaceship
* @property {number} temperature - Current temperature in Celsius.
* @property {string} units - The unit of temperature measurement.
*/
const spaceship = {
temperature: 20.0,
units: "Celsius",
};
// Create readline interface for input/output operations
const rl = readline.createInterface({
input: process.stdin,
output: process.stdout
});
// Utility function to clear current line and update with new message
function updateLog(message) {
process.stdout.clearLine(); // Clear current text
process.stdout.cursorTo(0); // Move cursor to beginning of line
process.stdout.write(message);
}
// Create a promise that resolves after a specified delay
function delay(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
/**
* Decreases the spaceship's temperature and updates the display.
* @return {Promise<void>}
*/
function temperatureDrop() {
spaceship.temperature -= 0.001;
updateLog(`Temperature: ${spaceship.temperature.toFixed(1)} ${spaceship.units}`);
}
/**
* Main function to run the temperature simulation loop.
*/
async function main() {
console.log("===== Spaceship Temperature Simulation =====");
try {
while (true) {
await delay(1);
temperatureDrop();
}
} catch (error) {
console.error("An error occurred:", error);
process.exit(1);
}
}
// Set up keypress event listener
rl.input.on('keypress', (ch, key) => {
if (key.name === 'space' && key.sequence === ' ') {
spaceship.temperature += 0.1;
updateLog(`Temperature: ${spaceship.temperature.toFixed(1)} ${spaceship.units}`);
}
// Exit on Ctrl+C
if (key.ctrl && key.name === 'c') {
process.exit();
}
});
// Enable raw mode for keypress detection without requiring Enter
readline.emitKeypressEvents(process.stdin);
if (process.stdin.isTTY) {
process.stdin.setRawMode(true);
}
console.log('Press <space> to increase temperature. Ctrl+C to exit.');
main();