-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy path1-class.js
88 lines (75 loc) · 1.93 KB
/
1-class.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
78
79
80
81
82
83
84
85
86
87
88
'use strict';
class Renderer {
render() {
console.log('Not implemented');
}
}
class ConsoleRenderer extends Renderer {
render(data) {
console.table(data);
}
}
class WebRenderer extends Renderer {
render(data) {
const keys = Object.keys(data[0]);
const line = (row) =>
'<tr>' + keys.map((key) => `<td>${row[key]}</td>`).join('') + '</tr>';
const output = [
'<table><tr>',
keys.map((key) => `<th>${key}</th>`).join(''),
'</tr>',
data.map(line).join(''),
'</table>',
];
console.log(output.join(''));
}
}
class MarkdownRenderer extends Renderer {
render(data) {
const keys = Object.keys(data[0]);
const line = (row) =>
'|' + keys.map((key) => `${row[key]}`).join('|') + '|\n';
const output = [
'|',
keys.map((key) => `${key}`).join('|'),
'|\n',
'|',
keys.map(() => '---').join('|'),
'|\n',
data.map(line).join(''),
];
console.log(output.join(''));
}
}
class Context {
constructor(renderer) {
this.renderer = renderer;
}
process(data) {
return this.renderer.render(data);
}
}
// Usage
const non = new Context(new Renderer());
const con = new Context(new ConsoleRenderer());
const web = new Context(new WebRenderer());
const mkd = new Context(new MarkdownRenderer());
const persons = [
{ name: 'Marcus Aurelius', city: 'Rome', born: 121 },
{ name: 'Victor Glushkov', city: 'Rostov on Don', born: 1923 },
{ name: 'Ibn Arabi', city: 'Murcia', born: 1165 },
{ name: 'Mao Zedong', city: 'Shaoshan', born: 1893 },
{ name: 'Rene Descartes', city: 'La Haye en Touraine', born: 1596 },
];
console.group('Abstract Strategy:');
non.process(persons);
console.groupEnd();
console.group('\nConsoleRenderer:');
con.process(persons);
console.groupEnd();
console.group('\nWebRenderer:');
web.process(persons);
console.groupEnd();
console.group('\nMarkdownRenderer');
mkd.process(persons);
console.groupEnd();