Adds treasures

This commit is contained in:
2025-05-31 17:46:26 -07:00
parent 81fd84790b
commit 2c01a80604
7 changed files with 248 additions and 21 deletions

View File

@@ -0,0 +1,43 @@
/// <reference path="../pb_data/types.d.ts" />
migrate((app) => {
const collection = app.findCollectionByNameOrId("pbc_617371094")
// update field
collection.fields.addAt(3, new Field({
"hidden": false,
"id": "select2363381545",
"maxSelect": 1,
"name": "type",
"presentable": false,
"required": false,
"system": false,
"type": "select",
"values": [
"discoveredIn",
"secrets",
"treasures"
]
}))
return app.save(collection)
}, (app) => {
const collection = app.findCollectionByNameOrId("pbc_617371094")
// update field
collection.fields.addAt(3, new Field({
"hidden": false,
"id": "select2363381545",
"maxSelect": 1,
"name": "type",
"presentable": false,
"required": false,
"system": false,
"type": "select",
"values": [
"discoveredIn",
"secrets"
]
}))
return app.save(collection)
})

View File

@@ -1,5 +1,6 @@
import { RelationshipType, type CampaignId, type Document } from "@/lib/types";
import { SecretForm } from "./secret/SecretForm";
import { TreasureForm } from "./treasure/TreasureForm";
function assertUnreachable(_x: never): never {
throw new Error("DocumentForm switch is not exhaustive");
@@ -22,6 +23,8 @@ export const DocumentForm = ({
return <SecretForm campaign={campaignId} onCreate={onCreate} />;
case RelationshipType.DiscoveredIn:
return "Form not supported here";
case RelationshipType.Treasures:
return <TreasureForm campaign={campaignId} onCreate={onCreate} />;
}
return assertUnreachable(relationshipType);

View File

@@ -2,7 +2,14 @@
// Generic row component for displaying any document type.
import { SessionRow } from "@/components/documents/session/SessionRow";
import { SecretRow } from "@/components/documents/secret/SecretRow";
import { isSecret, isSession, type Document, type Session } from "@/lib/types";
import {
isSecret,
isSession,
isTreasure,
type Document,
type Session,
} from "@/lib/types";
import { TreasureRow } from "./treasure/TreasureRow";
/**
* Renders a row for any document type. Prioritizes Session, then Secret, then falls back to ID and creation time.
@@ -22,6 +29,10 @@ export const DocumentRow = ({
if (isSecret(document)) {
return <SecretRow secret={document} session={session} />;
}
if (isTreasure(document)) {
return <TreasureRow treasure={document} session={session} />;
}
// Fallback: show ID and creation time
return (
<div>

View File

@@ -0,0 +1,66 @@
// TreasureForm.tsx
// Form for adding a new treasure to a session.
import { useState } from "react";
import type { CampaignId, Treasure } from "@/lib/types";
import { pb } from "@/lib/pocketbase";
/**
* Renders a form to add a new treasure. Calls onCreate with the new treasure document.
*/
export const TreasureForm = ({
campaign,
onCreate,
}: {
campaign: CampaignId;
onCreate: (treasure: Treasure) => Promise<void>;
}) => {
const [newTreasure, setNewTreasure] = useState("");
const [adding, setAdding] = useState(false);
const [error, setError] = useState<string | null>(null);
async function handleSubmit(e: React.FormEvent) {
e.preventDefault();
if (!newTreasure.trim()) return;
setAdding(true);
setError(null);
try {
const treasureDoc: Treasure = await pb.collection("documents").create({
campaign,
data: {
treasure: {
text: newTreasure,
discovered: false,
},
},
});
setNewTreasure("");
await onCreate(treasureDoc);
} catch (e: any) {
setError(e?.message || "Failed to add treasure.");
} finally {
setAdding(false);
}
}
return (
<form className="flex items-center gap-2 mt-4" onSubmit={handleSubmit}>
<input
type="text"
className="flex-1 px-3 py-2 rounded bg-slate-800 text-slate-100 border border-slate-700 focus:outline-none focus:ring-2 focus:ring-violet-500"
placeholder="Add a new treasure..."
value={newTreasure}
onChange={(e) => setNewTreasure(e.target.value)}
disabled={adding}
aria-label="Add new treasure"
/>
{error && <div className="text-red-400 mt-2 text-sm">{error}</div>}
<button
type="submit"
className="px-4 py-2 rounded bg-emerald-600 hover:bg-emerald-700 text-white font-semibold transition-colors disabled:opacity-60"
disabled={adding || !newTreasure.trim()}
>
{adding ? "Adding..." : "Add Treasure"}
</button>
</form>
);
};

View File

@@ -0,0 +1,78 @@
// TreasureRow.tsx
// Displays a single treasure with discovered checkbox and text.
import type { Treasure, Session } from "@/lib/types";
import { pb } from "@/lib/pocketbase";
import { useState } from "react";
/**
* Renders a treasure row with a discovered checkbox and treasure text.
* Handles updating the discovered state and discoveredIn relationship.
*/
export const TreasureRow = ({
treasure,
session,
}: {
treasure: Treasure;
session?: Session;
}) => {
const [checked, setChecked] = useState(
!!(treasure.data as any)?.treasure?.discovered,
);
const [loading, setLoading] = useState(false);
async function handleChange(e: React.ChangeEvent<HTMLInputElement>) {
const newChecked = e.target.checked;
setLoading(true);
setChecked(newChecked);
try {
await pb.collection("documents").update(treasure.id, {
data: {
...treasure.data,
treasure: {
...(treasure.data as any).treasure,
discovered: newChecked,
},
},
});
if (session || !newChecked) {
// If the session exists or the element is being unchecked, remove any
// existing discoveredIn relationship
const rels = await pb.collection("relationships").getList(1, 1, {
filter: `primary = "${treasure.id}" && type = "discoveredIn"`,
});
if (rels.items.length > 0) {
await pb.collection("relationships").delete(rels.items[0].id);
}
}
if (session) {
if (newChecked) {
await pb.collection("relationships").create({
primary: treasure.id,
secondary: [session.id],
type: "discoveredIn",
});
}
}
} finally {
setLoading(false);
}
}
return (
<div className="flex items-center gap-3">
<input
type="checkbox"
checked={checked}
onChange={handleChange}
className="accent-emerald-500 w-5 h-5"
aria-label="Discovered"
disabled={loading}
/>
<span>
{(treasure.data as any)?.treasure?.text || (
<span className="italic text-slate-400">(No treasure text)</span>
)}
</span>
</div>
);
};

View File

@@ -6,23 +6,48 @@ export type UserId = Id<"User">;
export type CampaignId = Id<"Campaign">;
export type DocumentId = Id<"Document">;
export type ISO8601Date = string & { __type: "iso8601date" };
export type Campaign = RecordModel & {
id: CampaignId;
name: string;
owner: UserId;
};
/******************************************
* Relationships
******************************************/
export const RelationshipType = {
Secrets: "secrets",
DiscoveredIn: "discoveredIn",
Treasures: "treasures",
} as const;
export type RelationshipType =
(typeof RelationshipType)[keyof typeof RelationshipType];
export type Relationship = RecordModel & {
primary: DocumentId;
secondary: DocumentId[];
type: RelationshipType;
};
/******************************************
* Documents
******************************************/
export type DocumentData<K extends string, V> = {
data: Record<K, V>;
};
export type Document = RecordModel & {
id: DocumentId;
campaign: CampaignId;
data: {};
// These two are not in Pocketbase's types, but they seem to always be present
created: string;
updated: string;
};
export type DocumentData<K extends string, V> = {
data: Record<K, V>;
created: ISO8601Date;
updated: ISO8601Date;
};
export type Session = Document &
@@ -37,8 +62,6 @@ export function isSession(doc: Document): doc is Session {
return Object.hasOwn(doc.data, "session");
}
export type ISO8601Date = string & { __type: "iso8601date" };
export type Secret = Document &
DocumentData<
"secret",
@@ -52,16 +75,15 @@ export function isSecret(doc: Document): doc is Secret {
return Object.hasOwn(doc.data, "secret");
}
export const RelationshipType = {
Secrets: "secrets",
DiscoveredIn: "discoveredIn",
} as const;
export type Treasure = Document &
DocumentData<
"treasure",
{
text: string;
discovered: boolean;
}
>;
export type RelationshipType =
(typeof RelationshipType)[keyof typeof RelationshipType];
export type Relationship = RecordModel & {
primary: DocumentId;
secondary: DocumentId[];
type: RelationshipType;
};
export function isTreasure(doc: Document): doc is Treasure {
return Object.hasOwn(doc.data, "treasure");
}

View File

@@ -28,6 +28,10 @@ function RouteComponent() {
root={session}
relationshipType={RelationshipType.Secrets}
/>
<RelationshipList
root={session}
relationshipType={RelationshipType.Treasures}
/>
</div>
);
}