1
0
silverbullet/plugs/tasks/task.ts

331 lines
8.8 KiB
TypeScript
Raw Normal View History

import type { ClickEvent, IndexTreeEvent } from "$sb/app_event.ts";
2022-03-28 13:25:05 +00:00
import { editor, markdown, space, sync } from "$sb/syscalls.ts";
2022-10-14 13:11:33 +00:00
2022-04-11 18:34:09 +00:00
import {
addParentPointers,
collectNodesMatching,
findNodeOfType,
findParentMatching,
2022-04-11 18:34:09 +00:00
nodeAtPos,
ParseTree,
2022-04-25 08:33:38 +00:00
renderToText,
2022-07-04 09:30:30 +00:00
replaceNodesMatching,
2023-07-26 15:12:56 +00:00
traverseTreeAsync,
2022-10-14 13:11:33 +00:00
} from "$sb/lib/tree.ts";
import { niceDate } from "$sb/lib/dates.ts";
2023-07-24 17:54:31 +00:00
import { extractAttributes } from "$sb/lib/attribute.ts";
import { rewritePageRefs } from "$sb/lib/resolve.ts";
import { ObjectValue } from "$sb/types.ts";
import { indexObjects, queryObjects } from "../index/plug_api.ts";
2022-03-28 13:25:05 +00:00
2023-10-13 15:10:57 +00:00
export type TaskObject = ObjectValue<
{
page: string;
pos: number;
name: string;
done: boolean;
state: string;
deadline?: string;
} & Record<string, any>
>;
2022-03-28 13:25:05 +00:00
2023-10-13 15:10:57 +00:00
export type TaskStateObject = ObjectValue<{
state: string;
count: number;
page: string;
2023-10-13 15:10:57 +00:00
}>;
function getDeadline(deadlineNode: ParseTree): string {
return deadlineNode.children![0].text!.replace(/📅\s*/, "");
}
const completeStates = ["x", "X"];
const incompleteStates = [" "];
export async function indexTasks({ name, tree }: IndexTreeEvent) {
const tasks: ObjectValue<TaskObject>[] = [];
const taskStates = new Map<string, { count: number; firstPos: number }>();
addParentPointers(tree);
// const allAttributes: AttributeObject[] = [];
// const allTags = new Set<string>();
2023-07-26 15:12:56 +00:00
await traverseTreeAsync(tree, async (n) => {
if (n.type !== "Task") {
return false;
}
const state = n.children![0].children![1].text!;
if (!incompleteStates.includes(state) && !completeStates.includes(state)) {
let currentState = taskStates.get(state);
if (!currentState) {
currentState = { count: 0, firstPos: n.from! };
2023-10-13 15:03:20 +00:00
taskStates.set(state, currentState);
}
currentState.count++;
}
const complete = completeStates.includes(state);
const task: TaskObject = {
ref: `${name}@${n.from}`,
tags: [],
2022-07-04 09:30:30 +00:00
name: "",
done: complete,
page: name,
pos: n.from!,
state,
2022-03-29 15:02:28 +00:00
};
2022-04-11 18:34:09 +00:00
rewritePageRefs(n, name);
2022-07-04 09:30:30 +00:00
replaceNodesMatching(n, (tree) => {
if (tree.type === "DeadlineDate") {
task.deadline = getDeadline(tree);
// Remove this node from the tree
return null;
}
if (tree.type === "Hashtag") {
2022-11-20 09:24:24 +00:00
// Push the tag to the list, removing the initial #
const tagName = tree.children![0].text!.substring(1);
task.tags.push(tagName);
2022-07-04 09:30:30 +00:00
}
});
task.tags = ["task", ...task.tags];
2022-07-04 09:30:30 +00:00
2023-07-24 17:54:31 +00:00
// Extract attributes and remove from tree
2023-07-26 15:12:56 +00:00
const extractedAttributes = await extractAttributes(n, true);
2023-07-24 17:54:31 +00:00
for (const [key, value] of Object.entries(extractedAttributes)) {
task[key] = value;
}
2022-07-04 09:30:30 +00:00
task.name = n.children!.slice(1).map(renderToText).join("").trim();
2022-04-11 18:34:09 +00:00
tasks.push(task);
2023-07-26 15:12:56 +00:00
return true;
2022-04-04 09:51:41 +00:00
});
// Index task states
if (taskStates.size > 0) {
await indexObjects<TaskStateObject>(
name,
Array.from(taskStates.entries()).map(([state, { firstPos, count }]) => ({
ref: `${name}@${firstPos}`,
tags: ["taskstate"],
state,
count,
page: name,
})),
);
}
// Index tasks themselves
if (tasks.length > 0) {
await indexObjects(name, tasks);
}
2022-03-28 13:25:05 +00:00
}
2022-10-14 13:11:33 +00:00
export function taskToggle(event: ClickEvent) {
if (event.altKey) {
return;
}
return taskCycleAtPos(event.pos);
2022-03-28 13:25:05 +00:00
}
export function previewTaskToggle(eventString: string) {
const [eventName, pos] = JSON.parse(eventString);
if (eventName === "task") {
return taskCycleAtPos(+pos);
}
}
async function cycleTaskState(
node: ParseTree,
) {
const stateText = node.children![1].text!;
let changeTo: string | undefined;
if (completeStates.includes(stateText)) {
changeTo = " ";
} else if (incompleteStates.includes(stateText)) {
changeTo = "x";
} else {
// Not a checkbox, but a custom state
const allStates = await queryObjects<TaskStateObject>("taskstate", {});
const states = [...new Set(allStates.map((s) => s.state))];
states.sort();
// Select a next state
const currentStateIndex = states.indexOf(stateText);
if (currentStateIndex === -1) {
console.error("Unknown state", stateText);
return;
}
const nextStateIndex = (currentStateIndex + 1) % states.length;
changeTo = states[nextStateIndex];
// console.log("All possible states", states);
// return;
}
2022-10-14 13:11:33 +00:00
await editor.dispatch({
changes: {
from: node.children![1].from,
to: node.children![1].to,
insert: changeTo,
},
});
2022-10-14 13:11:33 +00:00
const parentWikiLinks = collectNodesMatching(
node.parent!,
(n) => n.type === "WikiLinkPage",
);
2022-10-14 13:11:33 +00:00
for (const wikiLink of parentWikiLinks) {
const ref = wikiLink.children![0].text!;
if (ref.includes("@")) {
await updateTaskState(ref, stateText, changeTo);
}
}
}
2023-07-28 11:54:31 +00:00
export async function updateTaskState(
ref: string,
oldState: string,
newState: string,
) {
const currentPage = await editor.getCurrentPage();
const [page, posS] = ref.split("@");
const pos = +posS;
if (page === currentPage) {
// In current page, just update the task marker with dispatch
const editorText = await editor.getText();
// Check if the task state marker is still there
const targetText = editorText.substring(
pos + 1,
pos + 1 + oldState.length,
);
if (targetText !== oldState) {
console.error(
"Reference not a task marker, out of date?",
targetText,
);
return;
}
await editor.dispatch({
changes: {
from: pos + 1,
to: pos + 1 + oldState.length,
insert: newState,
},
});
} else {
let text = await space.readPage(page);
const referenceMdTree = await markdown.parseMarkdown(text);
// Adding +1 to immediately hit the task state node
const taskStateNode = nodeAtPos(referenceMdTree, pos + 1);
if (!taskStateNode || taskStateNode.type !== "TaskState") {
console.error(
"Reference not a task marker, out of date?",
taskStateNode,
);
return;
}
taskStateNode.children![1].text = newState;
text = renderToText(referenceMdTree);
await space.writePage(page, text);
sync.scheduleFileSync(`${page}.md`);
}
}
export async function taskCycleAtPos(pos: number) {
2022-10-14 13:11:33 +00:00
const text = await editor.getText();
const mdTree = await markdown.parseMarkdown(text);
2022-04-04 09:51:41 +00:00
addParentPointers(mdTree);
let node = nodeAtPos(mdTree, pos);
if (node) {
if (node.type === "TaskMark") {
node = node.parent!;
}
if (node.type === "TaskState") {
await cycleTaskState(node);
}
}
}
2022-03-28 13:25:05 +00:00
export async function taskCycleCommand() {
2022-10-14 13:11:33 +00:00
const text = await editor.getText();
const pos = await editor.getCursor();
const tree = await markdown.parseMarkdown(text);
addParentPointers(tree);
let node = nodeAtPos(tree, pos);
if (!node) {
await editor.flashNotification("No task at cursor");
return;
}
if (["BulletList", "Document"].includes(node.type!)) {
// Likely at the end of the line, let's back up a position
node = nodeAtPos(tree, pos - 1);
}
if (!node) {
await editor.flashNotification("No task at cursor");
return;
}
console.log("Node", node);
const taskNode = node.type === "Task"
? node
: findParentMatching(node!, (n) => n.type === "Task");
if (!taskNode) {
await editor.flashNotification("No task at cursor");
return;
}
const taskState = findNodeOfType(taskNode!, "TaskState");
if (taskState) {
await cycleTaskState(taskState);
}
}
export async function postponeCommand() {
2022-10-14 13:11:33 +00:00
const text = await editor.getText();
const pos = await editor.getCursor();
const tree = await markdown.parseMarkdown(text);
addParentPointers(tree);
2022-10-14 13:11:33 +00:00
const node = nodeAtPos(tree, pos)!;
// We kwow node.type === DeadlineDate (due to the task context)
2022-10-14 13:11:33 +00:00
const date = getDeadline(node);
const option = await editor.filterBox(
"Postpone for...",
[
{ name: "a day", orderId: 1 },
{ name: "a week", orderId: 2 },
{ name: "following Monday", orderId: 3 },
],
"Select the desired time span to delay this task",
);
if (!option) {
return;
}
// Parse "naive" due date
const [yyyy, mm, dd] = date.split("-").map(Number);
// Create new naive Date object.
// `monthIndex` parameter is zero-based, so subtract 1 from parsed month.
const d = new Date(yyyy, mm - 1, dd);
switch (option.name) {
case "a day":
d.setDate(d.getDate() + 1);
break;
case "a week":
d.setDate(d.getDate() + 7);
break;
case "following Monday":
d.setDate(d.getDate() + ((7 - d.getDay() + 1) % 7 || 7));
break;
2022-03-28 13:25:05 +00:00
}
// console.log("New date", niceDate(d));
2022-10-14 13:11:33 +00:00
await editor.dispatch({
changes: {
from: node.from,
to: node.to,
insert: `📅 ${niceDate(d)}`,
},
selection: {
anchor: pos,
},
});
2022-03-28 13:25:05 +00:00
}