Files
app/lib/auth/oauth-session-store.ts
Albert f0284ef813 feat: Improve UI layout and navigation
- Increase logo size (48x48 desktop, 56x56 mobile) for better visibility
- Add logo as favicon
- Add logo to mobile header
- Move user menu to navigation bars (sidebar on desktop, bottom bar on mobile)
- Fix desktop chat layout - container structure prevents voice controls cutoff
- Fix mobile bottom bar - use icon-only ActionIcons instead of truncated text buttons
- Hide Create Node/New Conversation buttons on mobile to save header space
- Make fixed header and voice controls work properly with containers

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
2025-11-09 14:43:11 +00:00

110 lines
3.5 KiB
TypeScript

/**
* OAuth Session Store for @atproto/oauth-client-node
*
* Stores persistent OAuth sessions (access/refresh tokens, DPoP keys).
* Sessions are keyed by the user's DID.
*/
import Surreal from 'surrealdb';
import type { NodeSavedSessionStore, NodeSavedSession } from '@atproto/oauth-client-node';
/**
* Get a SurrealDB connection with root credentials.
* Used for OAuth session management.
*/
async function getDB(): Promise<Surreal> {
const db = new Surreal();
await db.connect(process.env.SURREALDB_URL!);
await db.signin({
username: process.env.SURREALDB_USER!,
password: process.env.SURREALDB_PASS!,
});
await db.use({
namespace: process.env.SURREALDB_NS!,
database: process.env.SURREALDB_DB!,
});
return db;
}
/**
* Create an OAuth session store backed by SurrealDB.
*
* The session store persists authenticated user sessions across
* server restarts. The @atproto/oauth-client-node library manages
* token refresh automatically, updating the store when tokens change.
*
* Sessions are indexed by DID (decentralized identifier).
*/
export function createSessionStore(): NodeSavedSessionStore {
return {
async set(did: string, sessionData: NodeSavedSession): Promise<void> {
console.log('[SessionStore] Setting session for DID:', did);
const db = await getDB();
try {
// Use DID as the record ID for direct lookup
// Escape special characters in the DID for SurrealDB record ID
const recordId = `oauth_session:⟨${did}`;
// Upsert: update if exists, create if doesn't
const existing = await db.select<{ session_data: NodeSavedSession }>(recordId);
if (Array.isArray(existing) && existing.length > 0) {
// Update existing record
console.log('[SessionStore] Updating existing session');
await db.merge(recordId, {
session_data: sessionData,
updated_at: new Date().toISOString(),
});
} else {
// Create new record
console.log('[SessionStore] Creating new session');
await db.create(recordId, {
did,
session_data: sessionData,
created_at: new Date().toISOString(),
updated_at: new Date().toISOString(),
});
}
console.log('[SessionStore] ✓ Session saved successfully');
} catch (error) {
console.error('[SessionStore] Error setting session:', error);
throw error;
} finally {
await db.close();
}
},
async get(did: string): Promise<NodeSavedSession | undefined> {
console.log('[SessionStore] Getting session for DID:', did);
const db = await getDB();
try {
// Select directly by record ID
const result = await db.select<{ session_data: NodeSavedSession }>(`oauth_session:⟨${did}`);
// db.select() returns an array when selecting a specific record ID
const record = Array.isArray(result) ? result[0] : result;
console.log('[SessionStore] Get result:', { found: !!record, hasSessionData: !!record?.session_data });
return record?.session_data;
} catch (error) {
console.error('[SessionStore] Error getting session:', error);
throw error;
} finally {
await db.close();
}
},
async del(did: string): Promise<void> {
const db = await getDB();
try {
// Delete directly by record ID
await db.delete(`oauth_session:⟨${did}`);
} finally {
await db.close();
}
},
};
}