blob: 4bac43c663bb954e26aae4127dd3b1d6c5dd951f (
plain)
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
|
(async function(){
const res = await fetch('data.json');
const versions = await res.json();
const input = document.getElementById('search');
input.focus();
input.addEventListener('input', (e) => {
const query = e.target.value.toLowerCase();
for (const [key, data] of Object.entries(versions)) {
const heading = document.getElementById(key);
if (data.features == undefined) {
heading.hidden = query.length != 0;
continue;
}
const nonLibResults = search(data.features.non_lib_features, query);
const libResults = search(data.features.lib_features, query);
const totalResultCount = nonLibResults.length + libResults.length;
// so that release notes don't get in the way when <Tab>ing through results
document.body.classList.toggle('hide-release-notes', totalResultCount == 0);
let list = document.getElementById(key + '-non-lib-list');
if (list) {
list.replaceChildren(...renderList(nonLibResults).children);
list.hidden = nonLibResults.length == 0;
}
list = document.getElementById(key + '-lib-list');
if (list) {
list.replaceChildren(...renderList(libResults).children);
list.hidden = libResults.length == 0;
document.getElementById(key + '-lib').hidden = libResults.length == 0;
}
heading.hidden = totalResultCount == 0;
}
});
})();
function search(features, query) {
return Object.values(features).filter(
feat => {
if (feat.title.toLowerCase().replaceAll('`', '').includes(query)) {
return true;
}
if (feat.flag && feat.flag.toLowerCase().includes(query)) {
return true;
}
if (query.length > 1) {
if (feat.aliases && feat.aliases.some(a => a.toLowerCase().includes(query))) {
return true;
}
if (feat.items && feat.items.some(i => i.toLowerCase().includes(query))) {
return true;
}
}
return false;
}
);
}
function renderList(results) {
const ul = document.createElement('ul');
for (const feat of results) {
const li = document.createElement('li');
const a = document.createElement('a');
a.textContent = feat.title;
a.innerHTML = a.innerHTML.replaceAll(/`(.+?)`/g, (_, x) => `<code>${x}</code>`);
if (feat.url)
a.href = feat.url;
if (feat.flag)
a.title = feat.flag;
li.appendChild(a);
ul.appendChild(li);
}
return ul;
}
|