import { Author, findReplyTag, matchFilter, RelayPool, TTLCache } from '@/deps.ts'; import { type Event, type SignedEvent } from '@/event.ts'; import { poolRelays, publishRelays } from './config.ts'; import { eventDateComparator, nostrNow } from './utils.ts'; const db = await Deno.openKv(); type Pool = InstanceType; /** HACK: Websockets in Deno are finnicky... get a new pool every 30 minutes. */ const poolCache = new TTLCache<0, Pool>({ ttl: 30 * 60 * 1000, max: 2, dispose: (pool) => { console.log('Closing pool.'); pool.close(); }, }); function getPool(): Pool { const cached = poolCache.get(0); if (cached !== undefined) return cached; console.log('Creating new pool.'); const pool = new RelayPool(poolRelays); poolCache.set(0, pool); return pool; } type Filter = { ids?: string[]; kinds?: K[]; authors?: string[]; since?: number; until?: number; limit?: number; search?: string; [key: `#${string}`]: string[]; }; interface GetFilterOpts { timeout?: number; } /** Get events from a NIP-01 filter. */ function getFilter(filter: Filter, opts: GetFilterOpts = {}): Promise[]> { return new Promise((resolve) => { let tid: number; const results: SignedEvent[] = []; const unsub = getPool().subscribe( [filter], poolRelays, (event: SignedEvent | null) => { if (event && matchFilter(filter, event)) { results.push({ id: event.id, kind: event.kind, pubkey: event.pubkey, content: event.content, tags: event.tags, created_at: event.created_at, sig: event.sig, }); } if (filter.limit && results.length >= filter.limit) { unsub(); clearTimeout(tid); resolve(results as SignedEvent[]); } }, undefined, () => { unsub(); clearTimeout(tid); resolve(results as SignedEvent[]); }, ); if (typeof opts.timeout === 'number') { tid = setTimeout(() => { unsub(); resolve(results as SignedEvent[]); }, opts.timeout); } }); } /** Get a Nostr event by its ID. */ const getEvent = async (id: string, kind?: K): Promise | undefined> => { const event = await (getPool().getEventById(id, poolRelays, 0) as Promise); if (event) { if (event.id !== id) return undefined; if (kind && event.kind !== kind) return undefined; return event as SignedEvent; } }; /** Get a Nostr `set_medatadata` event for a user's pubkey. */ const getAuthor = async (pubkey: string): Promise | undefined> => { const author = new Author(getPool(), poolRelays, pubkey); const event: SignedEvent<0> | null = await new Promise((resolve) => author.metaData(resolve, 0)); return event?.pubkey === pubkey ? event : undefined; }; /** Get users the given pubkey follows. */ const getFollows = async (pubkey: string): Promise | undefined> => { const [event] = await getFilter({ authors: [pubkey], kinds: [3] }, { timeout: 5000 }); // TODO: figure out a better, more generic & flexible way to handle event cache (and timeouts?) // Prewarm cache in GET `/api/v1/accounts/verify_credentials` if (event) { await db.set(['event3', pubkey], event); return event; } else { return (await db.get>(['event3', pubkey])).value || undefined; } }; interface PaginationParams { since?: number; until?: number; limit?: number; } /** Get events from people the user follows. */ async function getFeed(event3: Event<3>, params: PaginationParams = {}): Promise[]> { const limit = Math.max(params.limit ?? 20, 40); const authors = event3.tags .filter((tag) => tag[0] === 'p') .map((tag) => tag[1]); authors.push(event3.pubkey); // see own events in feed const filter: Filter = { authors, kinds: [1], since: params.since, until: params.until ?? nostrNow(), limit, }; const results = await getFilter(filter, { timeout: 5000 }) as SignedEvent<1>[]; return results.sort(eventDateComparator); } async function getAncestors(event: Event<1>, result = [] as Event<1>[]): Promise[]> { if (result.length < 100) { const replyTag = findReplyTag(event); const inReplyTo = replyTag ? replyTag[1] : undefined; if (inReplyTo) { const parentEvent = await getEvent(inReplyTo, 1); if (parentEvent) { result.push(parentEvent); return getAncestors(parentEvent, result); } } } return result.reverse(); } function getDescendants(eventId: string): Promise[]> { return getFilter({ kinds: [1], '#e': [eventId], limit: 200 }, { timeout: 2000 }) as Promise[]>; } /** Publish an event to the Nostr relay. */ function publish(event: SignedEvent, relays = publishRelays): void { console.log('Publishing event', event); try { getPool().publish(event, relays); } catch (e) { console.error(e); } } export { getAncestors, getAuthor, getDescendants, getEvent, getFeed, getFilter, getFollows, publish };