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
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
|
<script lang="ts">
import {defineComponent, PropType} from 'vue';
import SearchIcon from './icon/SearchIcon.vue';
import InfoIcon from './icon/InfoIcon.vue';
import {LayoutNode} from '../layout';
import type {TolMap, SearchSugg, SearchSuggResponse} from '../lib';
// Displays a search box, and sends search requests
export default defineComponent({
data(){
return {
searchSuggs: [] as SearchSugg[],
searchHasMoreSuggs: false,
focusedSuggIdx: null as null | number, // Denotes a search-suggestion selected using the arrow keys
lastSuggReqTime: 0, // Set when a search-suggestions request is initiated
pendingSuggReqUrl: '', // Used by a pendingSuggReq callback to use the latest user input
pendingDelayedSuggReq: 0, // Set via setTimeout() for a non-initial search-suggestions request
};
},
props: {
tolMap: {type: Object as PropType<TolMap>, required: true},
uiOpts: {type: Object, required: true},
},
computed: {
infoIconStyles(): Record<string,string> {
let size = this.uiOpts.infoIconSz + 'px';
return {
width: size,
height: size,
minWidth: size,
minHeight: size,
margin: this.uiOpts.infoIconMargin + 'px',
};
},
},
methods: {
onCloseClick(evt: Event){
if (evt.target == this.$el || (this.$refs.searchIcon as typeof SearchIcon).$el.contains(evt.target)){
this.$emit('close');
}
},
onEnter(){
if (this.focusedSuggIdx == null){
this.resolveSearch((this.$refs.searchInput as HTMLInputElement).value.toLowerCase())
} else {
let sugg = this.searchSuggs[this.focusedSuggIdx]
this.resolveSearch(sugg.canonicalName || sugg.name);
}
},
resolveSearch(tolNodeName: string){
// Asks server for nodes in parent-chain, updates tolMap, then emits search event
let url = new URL(window.location.href);
url.pathname = '/data/chain';
url.search = '?name=' + encodeURIComponent(tolNodeName);
url.search += (this.uiOpts.useReducedTree ? '&tree=reduced' : '');
fetch(url.toString())
.then(response => response.json())
.then(obj => {
let keys = Object.getOwnPropertyNames(obj);
if (keys.length > 0){
keys.forEach(key => {
if (!this.tolMap.has(key)){
this.tolMap.set(key, obj[key])
}
});
this.$emit('search', tolNodeName);
} else {
// Trigger failure animation
let input = this.$refs.searchInput as HTMLInputElement;
input.classList.remove('animate-red-then-fade');
input.offsetWidth; // Triggers reflow
input.classList.add('animate-red-then-fade');
}
})
.catch(error => {
console.log('ERROR loading tolnode chain', error);
});
},
focusInput(){
(this.$refs.searchInput as HTMLInputElement).focus();
},
onInput(){
let input = this.$refs.searchInput as HTMLInputElement;
// Check for empty input
if (input.value.length == 0){
this.searchSuggs = [];
this.searchHasMoreSuggs = false;
this.focusedSuggIdx = null;
return;
}
// Get URL to use for querying search-suggestions
let url = new URL(window.location.href);
url.pathname = '/data/search';
url.search = '?name=' + encodeURIComponent(input.value);
url.search += this.uiOpts.useReducedTree ? '&tree=reduced' : '';
url.search += '&limit=' + this.uiOpts.searchSuggLimit;
// Query server, delaying/ignoring if a request was recently sent
this.pendingSuggReqUrl = url.toString();
let doReq = () => {
return fetch(this.pendingSuggReqUrl)
.then(response => {
if (!response.ok){
throw new Error('Server response not OK')
}
return response.json()
})
.then((results: SearchSuggResponse) => {
this.searchSuggs = results.suggs;
this.searchHasMoreSuggs = results.hasMore;
this.focusedSuggIdx = null;
})
.catch(error => {
console.error('Error encountered during fetch operation', error);
});
};
let currentTime = new Date().getTime();
if (this.lastSuggReqTime == 0){
this.lastSuggReqTime = currentTime;
doReq().finally(() => {
if (this.lastSuggReqTime == currentTime){
this.lastSuggReqTime = 0;
}
});
} else if (this.pendingDelayedSuggReq == 0){
this.lastSuggReqTime = currentTime;
this.pendingDelayedSuggReq = setTimeout(() => {
this.pendingDelayedSuggReq = 0;
doReq().finally(() => {
if (this.lastSuggReqTime == currentTime){
this.lastSuggReqTime = 0;
}
});
}, 300);
}
},
onDownKey(){
// Select next search-suggestion, if any
if (this.searchSuggs.length > 0){
if (this.focusedSuggIdx == null){
this.focusedSuggIdx = 0;
} else {
this.focusedSuggIdx = Math.min(this.focusedSuggIdx + 1, this.searchSuggs.length - 1);
}
}
},
onUpKey(){
// Select previous search-suggestion, or cancel selection
if (this.focusedSuggIdx != null){
if (this.focusedSuggIdx == 0){
this.focusedSuggIdx = null;
} else {
this.focusedSuggIdx -= 1;
}
}
},
onInfoIconClick(nodeName: string){
this.$emit('info-click', nodeName);
},
},
mounted(){
(this.$refs.searchInput as HTMLInputElement).focus();
},
components: {SearchIcon, InfoIcon, },
emits: ['search', 'close', 'info-click'],
});
</script>
<template>
<div class="fixed left-0 top-0 w-full h-full bg-black/40" @click="onCloseClick">
<div class="absolute left-1/2 -translate-x-1/2 top-1/2 -translate-y-1/2 p-2
bg-stone-50 rounded-md shadow shadow-black flex gap-1">
<div class="relative">
<input type="text" class="block border p-1" ref="searchInput"
@keyup.enter="onEnter" @keyup.esc="onCloseClick"
@input="onInput" @keydown.down.prevent="onDownKey" @keydown.up.prevent="onUpKey"/>
<div class="absolute top-[100%] w-full">
<div v-for="(sugg, idx) of searchSuggs"
:style="{backgroundColor: idx == focusedSuggIdx ? '#a3a3a3' : 'white'}"
class="border p-1 hover:underline hover:cursor-pointer"
@click="resolveSearch(sugg.canonicalName || sugg.name)">
<info-icon :style="infoIconStyles"
class="float-right text-stone-500 hover:text-stone-900 hover:cursor-pointer"
@click.stop="onInfoIconClick(sugg.canonicalName || sugg.name)"/>
{{sugg.canonicalName == null ? sugg.name : `${sugg.name} (aka ${sugg.canonicalName})`}}
</div>
<div v-if="searchHasMoreSuggs" class="bg-white px-1 text-center border">...</div>
</div>
</div>
<search-icon @click.stop="onEnter" ref="searchIcon"
class="block w-8 h-8 ml-1 hover:cursor-pointer hover:bg-stone-200" />
</div>
</div>
</template>
<style>
.animate-red-then-fade {
animation-name: red-then-fade;
animation-duration: 500ms;
animation-timing-function: ease-in;
}
@keyframes red-then-fade {
from {
background-color: rgba(255,0,0,0.2);
}
to {
background-color: transparent;
}
}
</style>
|