]>
Commit | Line | Data |
---|---|---|
121d9948 SW |
1 | // Typescript doesn't know about MAX_SAFE_INTEGER?? This was supposed to be |
2 | // fixed in typescript 2.0.1 in 2016, but is not working for me in typescript | |
3 | // 4.2.4 in 2022. :( https://github.com/microsoft/TypeScript/issues/9937 | |
4 | //const MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER; | |
5 | const MAX_SAFE_INTEGER = 9007199254740991; | |
6 | ||
7 | // A sane split that splits N *times*, leaving the last chunk unsplit. | |
8 | function splitN(str: string, delimiter: string, limit: number = MAX_SAFE_INTEGER): string[] { | |
9 | if (limit < 1) { | |
10 | return [str]; | |
11 | } | |
12 | const at = str.indexOf(delimiter); | |
13 | return at === -1 ? [str] : [str.substring(0, at)].concat(splitN(str.substring(at + delimiter.length), delimiter, limit - 1)); | |
14 | } | |
15 | ||
27c67784 SW |
16 | // A clock that never goes backwards; monotonic. |
17 | function Clock() { | |
18 | var previousNow = Date.now(); | |
19 | return { | |
20 | now: function (): number { | |
21 | const now = Date.now(); | |
22 | if (now > previousNow) { | |
23 | previousNow = now; | |
24 | return now; | |
25 | } | |
26 | return ++previousNow; | |
27 | }, | |
28 | }; | |
29 | } | |
30 | const clock = Clock(); | |
31 | ||
c70b3eed SW |
32 | // Returns a promise for a hue based on a hash of the string |
33 | function hashHue(str: string) { | |
34 | // Using crypto for this is overkill | |
35 | return crypto.subtle.digest("SHA-256", new TextEncoder().encode(str)).then((buf) => (new Uint16Array(buf)[0] * 360) / 2 ** 16); | |
36 | } | |
37 | ||
ef12457b SW |
38 | function Model() { |
39 | return { | |
40 | addTask: function (timestamp: string, description: string): Element { | |
41 | const task = document.createElement("div"); | |
42 | const desc = document.createElement("span"); | |
43 | desc.textContent = description; | |
44 | desc.classList.add("desc"); | |
45 | task.appendChild(desc); | |
46 | task.classList.add("task"); | |
47 | task.setAttribute("tabindex", "0"); | |
b6712c31 | 48 | task.setAttribute("id", timestamp); |
ef12457b SW |
49 | task.setAttribute("data-state", "todo"); |
50 | const tasks = document.getElementById("tasks")!; | |
51 | tasks.insertBefore(task, tasks.firstElementChild); | |
52 | return task; | |
53 | }, | |
54 | ||
55 | addTag: function (createTimestamp: string, tagName: string): Element | null { | |
56 | const task = this.getTask(createTimestamp); | |
57 | if (!task) return null; | |
58 | const existingTag = this.hasTag(task, tagName); | |
59 | if (existingTag) return existingTag; | |
60 | const tag = document.createElement("span"); | |
61 | tag.appendChild(document.createTextNode(tagName)); | |
62 | tag.classList.add("tag"); | |
63 | tag.setAttribute("tabindex", "0"); | |
64 | hashHue(tagName).then((hue) => (tag.style.backgroundColor = `hsl(${hue},90%,45%)`)); | |
65 | for (const child of task.getElementsByClassName("tag")) { | |
66 | if (tagName > child.textContent!) { | |
67 | task.insertBefore(tag, child); | |
68 | return tag; | |
69 | } | |
70 | } | |
71 | task.insertBefore(tag, task.getElementsByClassName("desc")[0]!); | |
72 | return tag; | |
73 | }, | |
74 | ||
75 | edit: function (createTimestamp: string, newDescription: string): Element | null { | |
76 | const target = this.getTask(createTimestamp); | |
77 | if (!target) return null; | |
78 | if (target.hasAttribute("data-description")) { | |
79 | // Oh no: An edit has arrived from a replica while a local edit is in progress. | |
80 | const input = target.getElementsByTagName("input")[0]!; | |
81 | if ( | |
82 | input.value === target.getAttribute("data-description") && | |
83 | input.selectionStart === input.value.length && | |
84 | input.selectionEnd === input.value.length | |
85 | ) { | |
86 | // No local changes have actually been made yet. Change the contents of the edit box! | |
87 | input.value = newDescription; | |
88 | } else { | |
89 | // No great options. | |
90 | // Prefer not to interrupt the local user's edit. | |
91 | // The remote edit is mostly lost; this mostly becomes last-write-wins. | |
92 | target.setAttribute("data-description", newDescription); | |
93 | } | |
7b574407 | 94 | } else { |
ef12457b SW |
95 | target.getElementsByClassName("desc")[0].textContent = newDescription; |
96 | } | |
97 | return target; | |
98 | }, | |
99 | ||
b9f7e989 SW |
100 | editContent: function (createTimestamp: string, newContent: string): Element | null { |
101 | const target = this.getTask(createTimestamp); | |
102 | if (!target) return null; | |
103 | if (target.hasAttribute("data-content")) { | |
104 | // Oh no: An edit has arrived from a replica while a local edit is in progress. | |
105 | const input = target.getElementsByTagName("textarea")[0]!; | |
106 | if ( | |
107 | input.value === target.getAttribute("data-content") && | |
108 | input.selectionStart === input.value.length && | |
109 | input.selectionEnd === input.value.length | |
110 | ) { | |
111 | // No local changes have actually been made yet. Change the contents of the edit box! | |
112 | input.value = newContent; | |
113 | } else { | |
114 | // No great options. | |
115 | // Prefer not to interrupt the local user's edit. | |
116 | // The remote edit is mostly lost; this mostly becomes last-write-wins. | |
117 | target.setAttribute("data-content", newContent); | |
118 | } | |
119 | } else { | |
120 | var content = target.getElementsByClassName("content")[0]; | |
121 | if (!content) { | |
122 | content = document.createElement("div"); | |
123 | content.classList.add("content"); | |
124 | target.appendChild(content); | |
125 | } | |
126 | content.textContent = newContent; | |
127 | } | |
128 | return target; | |
129 | }, | |
130 | ||
ef12457b SW |
131 | hasTag: function (task: Element, tag: string): Element | null { |
132 | for (const child of task.getElementsByClassName("tag")) { | |
133 | if (child.textContent === tag) { | |
134 | return child; | |
135 | } | |
136 | } | |
137 | return null; | |
138 | }, | |
139 | ||
140 | getPriority: function (task: Element): number { | |
141 | if (task.hasAttribute("data-priority")) { | |
142 | return parseFloat(task.getAttribute("data-priority")!); | |
143 | } | |
b6712c31 | 144 | return parseFloat(task.getAttribute("id")!); |
ef12457b SW |
145 | }, |
146 | ||
147 | getTask: function (createTimestamp: string) { | |
b6712c31 | 148 | return document.getElementById(createTimestamp); |
ef12457b SW |
149 | }, |
150 | ||
151 | insertInPriorityOrder: function (task: Element, dest: Element) { | |
152 | const priority = this.getPriority(task); | |
153 | for (const t of dest.children) { | |
154 | if (t !== task && this.getPriority(t) < priority) { | |
155 | dest.insertBefore(task, t); | |
156 | return; | |
157 | } | |
158 | } | |
159 | dest.appendChild(task); | |
160 | }, | |
161 | ||
162 | removeTag: function (createTimestamp: string, tagName: string) { | |
163 | const task = this.getTask(createTimestamp); | |
164 | if (!task) return null; | |
165 | const tag = this.hasTag(task, tagName); | |
166 | if (!tag) return; | |
167 | task.removeChild(tag); | |
168 | if (task instanceof HTMLElement) task.focus(); | |
169 | }, | |
170 | ||
171 | setPriority: function (createTimestamp: string, priority: number): Element | null { | |
172 | const target = this.getTask(createTimestamp); | |
173 | if (!target) return null; | |
174 | target.setAttribute("data-priority", `${priority}`); | |
175 | this.insertInPriorityOrder(target, target.parentElement!); | |
176 | return target; | |
177 | }, | |
178 | ||
179 | setState: function (stateTimestamp: string, createTimestamp: string, state: string) { | |
180 | const task = this.getTask(createTimestamp); | |
181 | if (!task) return; | |
182 | task.setAttribute("data-state", state); | |
183 | var date = task.getElementsByClassName("statedate")[0]; | |
184 | if (state === "todo") { | |
185 | task.removeChild(date); | |
1804fd5a SW |
186 | return; |
187 | } | |
ef12457b SW |
188 | if (!date) { |
189 | date = document.createElement("span"); | |
190 | date.classList.add("statedate"); | |
191 | task.insertBefore(date, task.firstChild); | |
192 | } | |
193 | const d = new Date(parseInt(stateTimestamp)); | |
194 | date.textContent = `${d.getFullYear()}-${`${d.getMonth() + 1}`.padStart(2, "0")}-${`${d.getDate()}`.padStart(2, "0")}`; | |
195 | }, | |
196 | }; | |
197 | } | |
198 | const model = Model(); | |
f1afad9b | 199 | |
d03daa19 | 200 | function Log(prefix: string = "vp-") { |
60a63831 SW |
201 | var next_log_index = 0; |
202 | return { | |
e88c099c | 203 | apply: function (entry: string) { |
60a63831 SW |
204 | const [timestamp, command, data] = splitN(entry, " ", 2); |
205 | if (command == "Create") { | |
ef12457b | 206 | return model.addTask(timestamp, data); |
60a63831 | 207 | } |
7b574407 SW |
208 | if (command == "Edit") { |
209 | const [createTimestamp, description] = splitN(data, " ", 1); | |
ef12457b | 210 | return model.edit(createTimestamp, description); |
7b574407 | 211 | } |
b9f7e989 SW |
212 | if (command == "EditContent") { |
213 | const [createTimestamp, content] = splitN(data, " ", 1); | |
214 | return model.editContent(createTimestamp, content); | |
215 | } | |
68a72fde SW |
216 | if (command == "Priority") { |
217 | const [createTimestamp, newPriority] = splitN(data, " ", 1); | |
ef12457b | 218 | return model.setPriority(createTimestamp, parseFloat(newPriority)); |
68a72fde | 219 | } |
6a5644f3 SW |
220 | if (command == "State") { |
221 | const [createTimestamp, state] = splitN(data, " ", 1); | |
ef12457b | 222 | return model.setState(timestamp, createTimestamp, state); |
6a5644f3 | 223 | } |
7b5b90b9 SW |
224 | if (command == "Tag") { |
225 | const [createTimestamp, tag] = splitN(data, " ", 1); | |
ef12457b | 226 | return model.addTag(createTimestamp, tag); |
7b5b90b9 | 227 | } |
0726872b SW |
228 | if (command == "Untag") { |
229 | const [createTimestamp, tag] = splitN(data, " ", 1); | |
ef12457b | 230 | return model.removeTag(createTimestamp, tag); |
0726872b | 231 | } |
60a63831 SW |
232 | }, |
233 | ||
e88c099c | 234 | record: function (entry: string) { |
d03daa19 | 235 | window.localStorage.setItem(`${prefix}${next_log_index++}`, entry); |
60a63831 SW |
236 | }, |
237 | ||
e88c099c SW |
238 | recordAndApply: function (entry: string) { |
239 | this.record(entry); | |
6d01c406 | 240 | return this.apply(entry); |
60a63831 SW |
241 | }, |
242 | ||
243 | replay: function () { | |
9db534f6 | 244 | document.getElementById("tasks")!.style.display = "none"; |
60a63831 | 245 | while (true) { |
d03daa19 | 246 | const entry = window.localStorage.getItem(`${prefix}${next_log_index}`); |
60a63831 SW |
247 | if (entry === null) { |
248 | break; | |
249 | } | |
e88c099c | 250 | this.apply(entry); |
60a63831 SW |
251 | next_log_index++; |
252 | } | |
9db534f6 | 253 | document.getElementById("tasks")!.style.display = ""; |
60a63831 SW |
254 | }, |
255 | }; | |
d03daa19 SW |
256 | } |
257 | const log = Log(); | |
262705dd | 258 | |
b56a37d3 | 259 | function UI() { |
0d1c27a8 SW |
260 | const undoLog: string[][] = []; |
261 | const redoLog: string[][] = []; | |
76825ecd | 262 | function perform(forward: string, reverse: string) { |
0d1c27a8 | 263 | undoLog.push([reverse, forward]); |
76825ecd SW |
264 | return log.recordAndApply(`${clock.now()} ${forward}`); |
265 | } | |
b56a37d3 SW |
266 | return { |
267 | addTask: function (description: string): Element { | |
268 | const now = clock.now(); | |
0d1c27a8 | 269 | undoLog.push([`State ${now} deleted`, `State ${now} todo`]); |
b56a37d3 SW |
270 | return <Element>log.recordAndApply(`${now} Create ${description}`); |
271 | }, | |
7b5b90b9 | 272 | addTag: function (createTimestamp: string, tag: string) { |
76825ecd | 273 | return perform(`Tag ${createTimestamp} ${tag}`, `Untag ${createTimestamp} ${tag}`); |
7b5b90b9 | 274 | }, |
b56a37d3 | 275 | edit: function (createTimestamp: string, newDescription: string, oldDescription: string) { |
76825ecd | 276 | return perform(`Edit ${createTimestamp} ${newDescription}`, `Edit ${createTimestamp} ${oldDescription}`); |
b56a37d3 | 277 | }, |
b9f7e989 SW |
278 | editContent: function (createTimestamp: string, newContent: string, oldContent: string) { |
279 | return perform(`EditContent ${createTimestamp} ${newContent}`, `EditContent ${createTimestamp} ${oldContent}`); | |
280 | }, | |
b5f15e0e | 281 | removeTag: function (createTimestamp: string, tag: string) { |
76825ecd | 282 | return perform(`Untag ${createTimestamp} ${tag}`, `Tag ${createTimestamp} ${tag}`); |
b5f15e0e | 283 | }, |
b56a37d3 | 284 | setPriority: function (createTimestamp: string, newPriority: number, oldPriority: number) { |
76825ecd | 285 | return perform(`Priority ${createTimestamp} ${newPriority}`, `Priority ${createTimestamp} ${oldPriority}`); |
b56a37d3 SW |
286 | }, |
287 | setState: function (createTimestamp: string, newState: string, oldState: string) { | |
76825ecd | 288 | return perform(`State ${createTimestamp} ${newState}`, `State ${createTimestamp} ${oldState}`); |
b56a37d3 SW |
289 | }, |
290 | undo: function () { | |
0d1c27a8 SW |
291 | const entry = undoLog.pop(); |
292 | if (entry) { | |
293 | redoLog.push(entry); | |
294 | return log.recordAndApply(`${clock.now()} ${entry[0]}`); | |
295 | } | |
296 | }, | |
297 | redo: function () { | |
298 | const entry = redoLog.pop(); | |
299 | if (entry) { | |
300 | undoLog.push(entry); | |
301 | return log.recordAndApply(`${clock.now()} ${entry[1]}`); | |
b56a37d3 SW |
302 | } |
303 | }, | |
304 | }; | |
305 | } | |
306 | const ui = UI(); | |
e88c099c | 307 | |
ad72cd51 SW |
308 | enum CommitOrAbort { |
309 | Commit, | |
310 | Abort, | |
311 | } | |
312 | ||
e0c49063 SW |
313 | interface TagFilter { |
314 | description: string; | |
315 | include: (task: Element) => boolean; | |
316 | } | |
317 | ||
ada060d7 | 318 | function BrowserUI() { |
c2226333 SW |
319 | const viewColors: { [key: string]: string } = { |
320 | all: "Gold", | |
321 | cancelled: "Red", | |
322 | deleted: "Black", | |
323 | done: "LawnGreen", | |
324 | "someday-maybe": "DeepSkyBlue", | |
325 | todo: "White", | |
326 | waiting: "MediumOrchid", | |
327 | }; | |
e0c49063 | 328 | var currentTagFilter: TagFilter | null = null; |
868667c1 | 329 | var currentViewState = "todo"; |
a59fbe41 | 330 | var taskFocusedBeforeJumpingToInput: HTMLElement | null = null; |
09cd65ad | 331 | var lastTagNameEntered = ""; |
ada060d7 SW |
332 | return { |
333 | addTask: function (event: KeyboardEvent) { | |
334 | const input = <HTMLInputElement>document.getElementById("taskName"); | |
fb19ac80 SW |
335 | if (input.value.match(/^ *$/)) return; |
336 | const task = ui.addTask(input.value); | |
cddbdce1 | 337 | if (currentViewState === "todo" || currentViewState === "all") { |
fb19ac80 SW |
338 | task instanceof HTMLElement && task.focus(); |
339 | } else if (this.returnFocusAfterInput()) { | |
340 | } else { | |
341 | this.firstVisibleTask()?.focus(); | |
342 | } | |
343 | input.value = ""; | |
344 | if (event.getModifierState("Control")) { | |
88bd89ef | 345 | this.makeBottomPriority(task); |
bc7996fe | 346 | } |
ada060d7 | 347 | }, |
09657615 | 348 | |
ada060d7 | 349 | beginEdit: function (event: Event) { |
32808c9a | 350 | const task = this.currentTask(); |
ada060d7 SW |
351 | if (!task) return; |
352 | const input = document.createElement("input"); | |
26737687 SW |
353 | const desc = task.getElementsByClassName("desc")[0]; |
354 | const oldDescription = desc.textContent!; | |
ada060d7 SW |
355 | task.setAttribute("data-description", oldDescription); |
356 | input.value = oldDescription; | |
357 | input.addEventListener("blur", this.completeEdit, { once: true }); | |
26737687 | 358 | desc.textContent = ""; |
7b5b90b9 SW |
359 | task.insertBefore(input, task.firstChild); |
360 | input.focus(); | |
361 | event.preventDefault(); | |
362 | }, | |
363 | ||
b9f7e989 SW |
364 | beginEditContent: function (event: Event) { |
365 | const task = this.currentTask(); | |
366 | if (!task) return; | |
367 | const input = document.createElement("textarea"); | |
368 | const content = task.getElementsByClassName("content")[0]; | |
369 | const oldContent = content?.textContent ?? ""; | |
370 | task.setAttribute("data-content", oldContent); | |
371 | input.value = oldContent; | |
372 | input.addEventListener("blur", this.completeContentEdit, { once: true }); | |
373 | if (content) content.textContent = ""; | |
374 | task.appendChild(input); | |
375 | input.focus(); | |
376 | event.preventDefault(); | |
377 | }, | |
378 | ||
7b5b90b9 | 379 | beginTagEdit: function (event: Event) { |
32808c9a | 380 | const task = this.currentTask(); |
7b5b90b9 SW |
381 | if (!task) return; |
382 | const input = document.createElement("input"); | |
383 | input.classList.add("tag"); | |
384 | input.addEventListener("blur", this.completeTagEdit, { once: true }); | |
09cd65ad | 385 | input.value = lastTagNameEntered; |
ada060d7 SW |
386 | task.appendChild(input); |
387 | input.focus(); | |
09cd65ad | 388 | input.select(); |
ada060d7 SW |
389 | event.preventDefault(); |
390 | }, | |
7b574407 | 391 | |
ad72cd51 | 392 | completeEdit: function (event: Event, resolution: CommitOrAbort = CommitOrAbort.Commit) { |
ada060d7 SW |
393 | const input = event.target as HTMLInputElement; |
394 | const task = input.parentElement!; | |
26737687 | 395 | const desc = task.getElementsByClassName("desc")[0]; |
ada060d7 SW |
396 | const oldDescription = task.getAttribute("data-description")!; |
397 | const newDescription = input.value; | |
398 | input.removeEventListener("blur", this.completeEdit); | |
132921e6 | 399 | task.removeChild(input); |
ada060d7 SW |
400 | task.removeAttribute("data-description"); |
401 | task.focus(); | |
fb19ac80 | 402 | if (resolution === CommitOrAbort.Abort || newDescription.match(/^ *$/) || newDescription === oldDescription) { |
26737687 | 403 | desc.textContent = oldDescription; |
ada060d7 | 404 | } else { |
b6712c31 | 405 | ui.edit(task.getAttribute("id")!, newDescription, oldDescription); |
ada060d7 SW |
406 | } |
407 | }, | |
7b574407 | 408 | |
b9f7e989 SW |
409 | completeContentEdit: function (event: Event, resolution: CommitOrAbort = CommitOrAbort.Commit) { |
410 | const input = event.target as HTMLInputElement; | |
411 | const task = input.parentElement!; | |
412 | const content = task.getElementsByClassName("content")[0]; | |
413 | const oldContent = task.getAttribute("data-content")!; | |
414 | const newContent = input.value; | |
415 | input.removeEventListener("blur", this.completeContentEdit); | |
416 | task.removeChild(input); | |
417 | task.removeAttribute("data-content"); | |
418 | task.focus(); | |
419 | if (resolution === CommitOrAbort.Abort || newContent === oldContent) { | |
420 | if (content) content.textContent = oldContent; | |
421 | } else { | |
422 | ui.editContent(task.getAttribute("id")!, newContent, oldContent); | |
423 | } | |
424 | }, | |
425 | ||
7b5b90b9 SW |
426 | completeTagEdit: function (event: Event, resolution: CommitOrAbort = CommitOrAbort.Commit) { |
427 | const input = event.target as HTMLInputElement; | |
428 | const task = input.parentElement!; | |
429 | const newTagName = input.value; | |
430 | input.removeEventListener("blur", this.completeTagEdit); | |
431 | task.removeChild(input); | |
432 | task.focus(); | |
ef12457b | 433 | if (resolution === CommitOrAbort.Commit && !newTagName.match(/^ *$/) && !model.hasTag(task, newTagName)) { |
b6712c31 | 434 | ui.addTag(task.getAttribute("id")!, newTagName); |
09cd65ad | 435 | lastTagNameEntered = newTagName; |
e1eb33ad | 436 | } |
7b5b90b9 SW |
437 | }, |
438 | ||
5800003c SW |
439 | currentTag: function (): Element | null { |
440 | var target = document.activeElement; | |
441 | if (!target) return null; | |
442 | if (target.classList.contains("task")) { | |
443 | const tags = target.getElementsByClassName("tag"); | |
444 | target = tags[tags.length - 1]; | |
445 | } | |
446 | if (!target || !target.classList.contains("tag")) return null; | |
447 | return target; | |
448 | }, | |
449 | ||
32808c9a SW |
450 | currentTask: function (): HTMLElement | null { |
451 | var target = document.activeElement; | |
452 | if (!target) return null; | |
453 | if (target.classList.contains("tag")) target = target.parentElement!; | |
55c0520e | 454 | if (!target.classList.contains("task")) return null; |
32808c9a SW |
455 | return target as HTMLElement; |
456 | }, | |
457 | ||
f36b20d6 SW |
458 | firstVisibleTask: function (root: Element | null = null) { |
459 | if (root === null) root = document.body; | |
460 | for (const task of root.getElementsByClassName("task")) { | |
cddbdce1 | 461 | const state = task.getAttribute("data-state"); |
312acaa8 SW |
462 | if ( |
463 | task instanceof HTMLElement && | |
464 | (state === currentViewState || (currentViewState === "all" && state !== "deleted")) && | |
465 | !task.classList.contains("hide") | |
466 | ) { | |
ada060d7 SW |
467 | return task; |
468 | } | |
65a7510d | 469 | } |
ada060d7 | 470 | }, |
caa93fd1 | 471 | |
ada060d7 | 472 | focusTaskNameInput: function (event: Event) { |
32808c9a | 473 | taskFocusedBeforeJumpingToInput = this.currentTask(); |
ada060d7 | 474 | document.getElementById("taskName")!.focus(); |
a1aa43d8 | 475 | window.scroll(0, 0); |
ada060d7 SW |
476 | event.preventDefault(); |
477 | }, | |
09657615 | 478 | |
ada060d7 SW |
479 | visibleTaskAtOffset(task: Element, offset: number): Element { |
480 | var cursor: Element | null = task; | |
481 | var valid_cursor = cursor; | |
482 | const increment = offset / Math.abs(offset); | |
483 | while (true) { | |
484 | cursor = increment > 0 ? cursor.nextElementSibling : cursor.previousElementSibling; | |
485 | if (!cursor || !(cursor instanceof HTMLElement)) break; | |
cddbdce1 | 486 | const state = cursor.getAttribute("data-state")!; |
312acaa8 SW |
487 | if ( |
488 | (state === currentViewState || (currentViewState === "all" && state !== "deleted")) && | |
489 | !cursor.classList.contains("hide") | |
490 | ) { | |
ada060d7 SW |
491 | offset -= increment; |
492 | valid_cursor = cursor; | |
493 | } | |
494 | if (Math.abs(offset) < 0.5) break; | |
5fa4704c | 495 | } |
ada060d7 SW |
496 | return valid_cursor; |
497 | }, | |
23be73e3 | 498 | |
40025d12 SW |
499 | jumpCursor: function (position: number) { |
500 | const first = this.firstVisibleTask(); | |
501 | if (!first) return; | |
502 | const dest = this.visibleTaskAtOffset(first, position - 1); | |
503 | if (dest instanceof HTMLElement) dest.focus(); | |
504 | }, | |
505 | ||
88bd89ef | 506 | makeBottomPriority: function (task: Element | null = null) { |
32808c9a | 507 | if (!task) task = this.currentTask(); |
88bd89ef SW |
508 | if (!task) return; |
509 | this.setPriority(task, document.getElementById("tasks")!.lastElementChild, null); | |
510 | }, | |
511 | ||
55a4baa8 | 512 | makeTopPriority: function (task: Element | null = null) { |
32808c9a | 513 | if (!task) task = this.currentTask(); |
55a4baa8 | 514 | if (!task) return; |
b6712c31 | 515 | ui.setPriority(task.getAttribute("id")!, clock.now(), model.getPriority(task)); |
88bd89ef | 516 | task instanceof HTMLElement && task.focus(); |
792b8a18 SW |
517 | }, |
518 | ||
cadeba34 SW |
519 | moveCursorLeft: function () { |
520 | const active = this.currentTask(); | |
521 | if (!active) return false; | |
522 | if (active.parentElement!.classList.contains("task")) { | |
523 | active.parentElement!.focus(); | |
524 | } | |
525 | }, | |
526 | ||
527 | moveCursorRight: function () { | |
f36b20d6 SW |
528 | const active = this.currentTask(); |
529 | if (!active) return false; | |
530 | (this.firstVisibleTask(active) as HTMLElement | null)?.focus(); | |
cadeba34 SW |
531 | }, |
532 | ||
109d4bc2 | 533 | moveCursorVertically: function (offset: number): boolean { |
55c0520e SW |
534 | let active = this.currentTask(); |
535 | if (!active) { | |
536 | this.firstVisibleTask()?.focus(); | |
537 | active = this.currentTask(); | |
538 | } | |
ada060d7 SW |
539 | if (!active) return false; |
540 | const dest = this.visibleTaskAtOffset(active, offset); | |
541 | if (dest !== active && dest instanceof HTMLElement) { | |
542 | dest.focus(); | |
543 | return true; | |
544 | } | |
545 | return false; | |
546 | }, | |
01f41859 | 547 | |
ada060d7 | 548 | moveTask: function (offset: number) { |
32808c9a | 549 | const active = this.currentTask(); |
ada060d7 SW |
550 | if (!active) return; |
551 | const dest = this.visibleTaskAtOffset(active, offset); | |
552 | if (dest === active) return; // Already extremal | |
553 | var onePastDest: Element | null = this.visibleTaskAtOffset(dest, offset / Math.abs(offset)); | |
554 | if (onePastDest == dest) onePastDest = null; // Will become extremal | |
555 | if (offset > 0) { | |
556 | this.setPriority(active, dest, onePastDest); | |
557 | } else { | |
558 | this.setPriority(active, onePastDest, dest); | |
559 | } | |
560 | }, | |
68a72fde | 561 | |
b5f15e0e | 562 | removeTag: function () { |
5800003c | 563 | const target = this.currentTag(); |
4ccaa1d6 | 564 | if (!target) return; |
b6712c31 | 565 | ui.removeTag(target.parentElement!.getAttribute("id")!, target.textContent!); |
b5f15e0e SW |
566 | }, |
567 | ||
312acaa8 | 568 | resetTagView: function () { |
b91a45d9 | 569 | currentTagFilter = null; |
246ed965 | 570 | this.setTitle(); |
3a164930 SW |
571 | const taskList = document.getElementById("tasks")!; |
572 | for (const task of Array.from(document.getElementsByClassName("task"))) { | |
312acaa8 | 573 | task.classList.remove("hide"); |
3a164930 | 574 | if (task.parentElement !== taskList) { |
ef12457b | 575 | model.insertInPriorityOrder(task, taskList); |
3a164930 | 576 | } |
312acaa8 SW |
577 | } |
578 | }, | |
579 | ||
58b569ce SW |
580 | resetView: function () { |
581 | this.setView("todo"); | |
312acaa8 | 582 | this.resetTagView(); |
58b569ce SW |
583 | }, |
584 | ||
a59fbe41 SW |
585 | returnFocusAfterInput: function (): boolean { |
586 | if (taskFocusedBeforeJumpingToInput) { | |
587 | taskFocusedBeforeJumpingToInput.focus(); | |
588 | return true; | |
589 | } | |
590 | return false; | |
591 | }, | |
592 | ||
ada060d7 SW |
593 | // Change task's priority to be between other tasks a and b. |
594 | setPriority: function (task: Element, a: Element | null, b: Element | null) { | |
ef12457b SW |
595 | const aPriority = a === null ? clock.now() : model.getPriority(a); |
596 | const bPriority = b === null ? 0 : model.getPriority(b); | |
88bd89ef SW |
597 | console.assert(aPriority > bPriority, aPriority, ">", bPriority); |
598 | const span = aPriority - bPriority; | |
599 | const newPriority = bPriority + 0.1 * span + 0.8 * span * Math.random(); | |
600 | console.assert(aPriority > newPriority && newPriority > bPriority, aPriority, ">", newPriority, ">", bPriority); | |
ada060d7 | 601 | const newPriorityRounded = Math.round(newPriority); |
88bd89ef | 602 | const okToRound = aPriority > newPriorityRounded && newPriorityRounded > bPriority; |
b6712c31 | 603 | ui.setPriority(task.getAttribute("id")!, okToRound ? newPriorityRounded : newPriority, model.getPriority(task)); |
ada060d7 SW |
604 | task instanceof HTMLElement && task.focus(); |
605 | }, | |
68a72fde | 606 | |
ada060d7 | 607 | setState: function (newState: string) { |
32808c9a | 608 | const task = this.currentTask(); |
ada060d7 SW |
609 | if (!task) return; |
610 | const oldState = task.getAttribute("data-state")!; | |
611 | if (newState === oldState) return; | |
b6712c31 | 612 | const createTimestamp = task.getAttribute("id")!; |
cddbdce1 | 613 | if (currentViewState !== "all" || newState == "deleted") { |
109d4bc2 | 614 | this.moveCursorVertically(1) || this.moveCursorVertically(-1); |
cddbdce1 | 615 | } |
b56a37d3 | 616 | return ui.setState(createTimestamp, newState, oldState); |
ada060d7 | 617 | }, |
43f3cc0c | 618 | |
e0c49063 | 619 | setTagFilter: function (filter: TagFilter) { |
b91a45d9 | 620 | if (currentTagFilter !== null) { |
3a164930 SW |
621 | this.resetTagView(); |
622 | } | |
623 | ||
624 | const tasksWithTag = new Map(); | |
312acaa8 | 625 | for (const task of document.getElementsByClassName("task")) { |
e0c49063 | 626 | if (filter.include(task)) { |
ef12457b | 627 | tasksWithTag.set(task.getElementsByClassName("desc")[0].textContent, [model.getPriority(task), task]); |
3a164930 SW |
628 | } |
629 | } | |
630 | ||
631 | function highestPrioritySuperTask(t: Element) { | |
632 | var maxPriority = -1; | |
633 | var superTask = null; | |
634 | for (const child of t.getElementsByClassName("tag")) { | |
635 | const e = tasksWithTag.get(child.textContent); | |
636 | if (e !== undefined && e[0] > maxPriority) { | |
637 | maxPriority = e[0]; | |
638 | superTask = e[1]; | |
639 | } | |
640 | } | |
641 | return superTask; | |
642 | } | |
643 | ||
644 | for (const task of Array.from(document.getElementsByClassName("task"))) { | |
e0c49063 | 645 | if (filter.include(task)) { |
312acaa8 SW |
646 | task.classList.remove("hide"); |
647 | } else { | |
3a164930 SW |
648 | const superTask = highestPrioritySuperTask(task); |
649 | if (superTask !== null) { | |
ef12457b | 650 | model.insertInPriorityOrder(task, superTask); |
3a164930 SW |
651 | } else { |
652 | task.classList.add("hide"); | |
653 | } | |
312acaa8 SW |
654 | } |
655 | } | |
3a164930 | 656 | |
e0c49063 | 657 | currentTagFilter = filter; |
246ed965 SW |
658 | this.setTitle(); |
659 | }, | |
660 | ||
06c45212 SW |
661 | setTagView: function (tag: string | null = null) { |
662 | if (tag === null) { | |
663 | const target = this.currentTag(); | |
664 | if (!target) return; | |
665 | tag = target.textContent!; | |
666 | } | |
e0c49063 | 667 | this.setTagFilter({description: tag, include: task => !!model.hasTag(task, tag!)}); |
06c45212 SW |
668 | }, |
669 | ||
246ed965 | 670 | setTitle: function () { |
e0c49063 | 671 | document.title = "Vopamoi: " + currentViewState + (currentTagFilter ? ": " + currentTagFilter.description : ""); |
312acaa8 SW |
672 | }, |
673 | ||
c2226333 | 674 | setView: function (state: string) { |
868667c1 | 675 | const sheet = (document.getElementById("viewStyle") as HTMLStyleElement).sheet!; |
cddbdce1 SW |
676 | if (state === "all") { |
677 | sheet.insertRule(`.task[data-state=deleted] { display: none }`); | |
678 | } else { | |
679 | sheet.insertRule(`.task:not([data-state=${state}]) { display: none }`); | |
680 | } | |
c2226333 | 681 | sheet.insertRule(`:root { --view-state-indicator-color: ${viewColors[state]}; }`); |
4c532769 SW |
682 | sheet.removeRule(2); |
683 | sheet.removeRule(2); | |
868667c1 | 684 | currentViewState = state; |
246ed965 | 685 | this.setTitle(); |
32808c9a | 686 | if (this.currentTask()?.getAttribute("data-state") !== state) { |
868667c1 SW |
687 | this.firstVisibleTask()?.focus(); |
688 | } | |
689 | }, | |
690 | ||
84849dfa | 691 | setUntaggedView: function () { |
f9aba985 | 692 | this.setTagFilter({description: "(untagged)", include: task => task.getElementsByClassName("tag").length === 0}); |
84849dfa SW |
693 | }, |
694 | ||
ada060d7 | 695 | undo: function () { |
b56a37d3 | 696 | const ret = ui.undo(); |
ada060d7 SW |
697 | if (ret && ret instanceof HTMLElement) ret.focus(); |
698 | }, | |
0d1c27a8 SW |
699 | redo: function () { |
700 | const ret = ui.redo(); | |
701 | if (ret && ret instanceof HTMLElement) ret.focus(); | |
702 | }, | |
ada060d7 SW |
703 | }; |
704 | } | |
705 | const browserUI = BrowserUI(); | |
06ee32a1 | 706 | |
90381b6d | 707 | const scrollIncrement = 60; |
e94e9f27 | 708 | enum InputState { |
02c8a409 | 709 | Root, |
36ddfad1 | 710 | S, |
02c8a409 | 711 | V, |
36ddfad1 | 712 | VS, |
e94e9f27 | 713 | } |
02c8a409 | 714 | var inputState = InputState.Root; |
36fa06f4 | 715 | var inputCount: number | null = null; |
e94e9f27 | 716 | |
f1afad9b | 717 | function handleKey(event: any) { |
f1d8d0ed | 718 | if (["Alt", "Control", "Meta", "Shift"].includes(event.key)) return; |
b9f7e989 SW |
719 | if (event.target.tagName === "TEXTAREA") { |
720 | if (event.key == "Enter" && event.ctrlKey) return browserUI.completeContentEdit(event); | |
721 | if (event.key == "Escape") return browserUI.completeContentEdit(event, CommitOrAbort.Abort); | |
722 | } else if (event.target.tagName === "INPUT") { | |
7b574407 | 723 | if (event.target.id === "taskName") { |
ada060d7 | 724 | if (event.key == "Enter") return browserUI.addTask(event); |
a59fbe41 | 725 | if (event.key == "Escape") return browserUI.returnFocusAfterInput(); |
7b5b90b9 SW |
726 | } else if (event.target.classList.contains("tag")) { |
727 | if (event.key == "Enter") return browserUI.completeTagEdit(event); | |
728 | if (event.key == "Escape") return browserUI.completeTagEdit(event, CommitOrAbort.Abort); | |
7b574407 | 729 | } else { |
ada060d7 | 730 | if (event.key == "Enter") return browserUI.completeEdit(event); |
ad72cd51 | 731 | if (event.key == "Escape") return browserUI.completeEdit(event, CommitOrAbort.Abort); |
7b574407 | 732 | } |
a26b1f4b | 733 | } else { |
02c8a409 | 734 | if (inputState === InputState.Root) { |
36fa06f4 SW |
735 | if ("0" <= event.key && event.key <= "9") { |
736 | return (inputCount = (inputCount ?? 0) * 10 + parseInt(event.key)); | |
737 | } | |
738 | try { | |
90381b6d SW |
739 | if (event.ctrlKey) { |
740 | if (event.key == "e") return window.scrollBy(0, (inputCount ?? 1) * scrollIncrement); | |
741 | if (event.key == "y") return window.scrollBy(0, (inputCount ?? 1) * -scrollIncrement); | |
742 | } else { | |
cadeba34 SW |
743 | if (event.key == "h") return browserUI.moveCursorLeft(); |
744 | if (event.key == "l") return browserUI.moveCursorRight(); | |
109d4bc2 SW |
745 | if (event.key == "j") return browserUI.moveCursorVertically(inputCount ?? 1); |
746 | if (event.key == "k") return browserUI.moveCursorVertically(-(inputCount ?? 1)); | |
90381b6d SW |
747 | if (event.key == "J") return browserUI.moveTask(inputCount ?? 1); |
748 | if (event.key == "K") return browserUI.moveTask(-(inputCount ?? 1)); | |
749 | if (event.key == "G") return browserUI.jumpCursor(inputCount ?? MAX_SAFE_INTEGER); | |
750 | if (event.key == "T") return browserUI.makeTopPriority(); | |
751 | if (event.key == "n") return browserUI.focusTaskNameInput(event); | |
62819648 | 752 | if (event.key == "C") return browserUI.setState("cancelled"); |
90381b6d SW |
753 | if (event.key == "d") return browserUI.setState("done"); |
754 | if (event.key == "q") return browserUI.setState("todo"); | |
755 | if (event.key == "s") return (inputState = InputState.S); | |
756 | if (event.key == "w") return browserUI.setState("waiting"); | |
757 | if (event.key == "X") return browserUI.setState("deleted"); | |
758 | if (event.key == "x") return browserUI.removeTag(); | |
759 | if (event.key == "u") return browserUI.undo(); | |
760 | if (event.key == "r") return browserUI.redo(); | |
b9f7e989 | 761 | if (event.key == "E") return browserUI.beginEditContent(event); |
90381b6d SW |
762 | if (event.key == "e") return browserUI.beginEdit(event); |
763 | if (event.key == "t") return browserUI.beginTagEdit(event); | |
764 | if (event.key == "v") return (inputState = InputState.V); | |
765 | } | |
36fa06f4 SW |
766 | } finally { |
767 | inputCount = null; | |
768 | } | |
36ddfad1 SW |
769 | } else if (inputState === InputState.S) { |
770 | inputState = InputState.Root; | |
771 | if (event.key == "m") return browserUI.setState("someday-maybe"); | |
02c8a409 SW |
772 | } else if (inputState === InputState.V) { |
773 | inputState = InputState.Root; | |
c2226333 | 774 | if (event.key == "a") return browserUI.setView("all"); |
62819648 | 775 | if (event.key == "C") return browserUI.setView("cancelled"); |
1b63569c | 776 | if (event.key == "c") return browserUI.setTagView("comp"); |
c2226333 | 777 | if (event.key == "d") return browserUI.setView("done"); |
1b63569c SW |
778 | if (event.key == "e") return browserUI.setTagView("errand"); |
779 | if (event.key == "h") return browserUI.setTagView("home"); | |
84849dfa | 780 | if (event.key == "i") return browserUI.setUntaggedView(); |
68d69314 | 781 | if (event.key == "p") return browserUI.setTagView("Project"); |
c2226333 | 782 | if (event.key == "q") return browserUI.setView("todo"); |
36ddfad1 | 783 | if (event.key == "s") return (inputState = InputState.VS); |
312acaa8 SW |
784 | if (event.key == "T") return browserUI.resetTagView(); |
785 | if (event.key == "t") return browserUI.setTagView(); | |
84849dfa | 786 | if (event.key == "u") return browserUI.setUntaggedView(); |
58b569ce | 787 | if (event.key == "v") return browserUI.resetView(); |
c2226333 SW |
788 | if (event.key == "w") return browserUI.setView("waiting"); |
789 | if (event.key == "x") return browserUI.setView("deleted"); | |
1b63569c | 790 | if (event.key == "z") return browserUI.setTagView("zombie"); |
36ddfad1 SW |
791 | } else if (inputState === InputState.VS) { |
792 | inputState = InputState.Root; | |
c2226333 | 793 | if (event.key == "m") return browserUI.setView("someday-maybe"); |
e94e9f27 | 794 | } |
f1afad9b SW |
795 | } |
796 | } | |
797 | ||
f1afad9b | 798 | function browserInit() { |
d03daa19 | 799 | log.replay(); |
246ed965 | 800 | browserUI.setTitle(); |
ada060d7 | 801 | browserUI.firstVisibleTask()?.focus(); |
bd267c29 | 802 | document.body.addEventListener("keydown", handleKey, { capture: false }); |
f1afad9b | 803 | } |