forked from lumeland/lume
-
Notifications
You must be signed in to change notification settings - Fork 0
/
filesystem.js
121 lines (97 loc) Β· 2.04 KB
/
filesystem.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
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
import { join } from "./deps/path.js";
class Base {
src = {};
parent = null;
#data = {};
#tags = null;
constructor(src) {
this.src = src;
}
get tags() {
if (this.#tags) {
return this.#tags;
}
const tags = new Set();
if (this.parent) {
this.parent.tags.forEach((tag) => tags.add(tag));
}
const dataTags = this.data.tags;
if (dataTags) {
if (Array.isArray(dataTags)) {
dataTags.forEach((tag) => tags.add(String(tag)));
} else {
tags.add(String(dataTags));
}
}
this.#tags = tags;
return this.#tags;
}
get fullData() {
if (!this.parent) {
return this.#data;
}
const parentData = this.parent.fullData;
return { ...parentData, ...this.#data };
}
set data(data = {}) {
this.#data = data;
this.#tags = null;
}
get data() {
return this.#data;
}
}
/**
* Class to represent a page file
*/
export class Page extends Base {
dest = {};
#content = null;
duplicate(data = {}) {
const page = new Page(this.src);
page.dest = { ...this.dest };
page.data = { ...this.data, ...data };
return page;
}
set content(content) {
this.#content = content;
}
get content() {
return this.#content;
}
}
/**
* Class to represent a directory
*/
export class Directory extends Base {
pages = new Map();
dirs = new Map();
createDirectory(name) {
const path = join(this.src.path, name);
const directory = new Directory({ path });
directory.parent = this;
this.dirs.set(name, directory);
return directory;
}
setPage(name, page) {
const oldPage = this.pages.get(name);
page.parent = this;
this.pages.set(name, page);
if (oldPage) {
page.dest.hash = oldPage.dest.hash;
}
}
unsetPage(name) {
this.pages.delete(name);
}
*getPages(recursive = true) {
for (const page of this.pages.values()) {
yield page;
}
if (recursive) {
for (const dir of this.dirs.values()) {
yield* dir.getPages();
}
}
}
}