A React component library for rendering common AT Protocol records for applications such as Bluesky and Leaflet.

Compare changes

Choose any two refs to compare.

+2 -2
.gitignore
···
yarn-error.log*
pnpm-debug.log*
lerna-debug.log*
-
+
demo
node_modules
dist
lib-dist
···
*.sln
*.sw?
-
*.tsbuildinfo
+
*.tsbuildinfo
+22
.npmignore
···
+
# Demo and development files
+
demo/
+
src/
+
index.html
+
+
# Build configuration
+
vite.config.ts
+
vite.config.d.ts
+
tsconfig.app.json
+
tsconfig.node.json
+
eslint.config.js
+
tsconfig.lib.tsbuildinfo
+
+
# Dependencies
+
node_modules/
+
package-lock.json
+
bun.lock
+
+
CLAUDE.md
+
+
# Output directory
+
lib/
+42
.tangled/workflows/upload-demo-to-wisp.yml
···
+
when:
+
- event: ['push']
+
branch: ['main']
+
- event: ['manual']
+
engine: 'nixery'
+
clone:
+
skip: false
+
depth: 1
+
submodules: false
+
dependencies:
+
nixpkgs:
+
- nodejs
+
- coreutils
+
- curl
+
github:NixOS/nixpkgs/nixpkgs-unstable:
+
- bun
+
+
environment:
+
SITE_PATH: 'demo'
+
SITE_NAME: 'atproto-ui'
+
WISP_HANDLE: 'ana.pds.nkp.pet'
+
+
steps:
+
- name: build demo
+
command: |
+
export PATH="$HOME/.nix-profile/bin:$PATH"
+
+
# regenerate lockfile, https://github.com/npm/cli/pull/8184 makes rolldown not install
+
rm package-lock.json bun.lock
+
bun install
+
+
# run directly with bun because of shebang issues in nix
+
BUILD_TARGET=demo bun node_modules/.bin/vite build
+
- name: upload to wisp
+
command: |
+
curl https://sites.wisp.place/nekomimi.pet/wisp-cli-binaries/wisp-cli-x86_64-linux -o wisp-cli
+
chmod +x wisp-cli
+
./wisp-cli \
+
"$WISP_HANDLE" \
+
--path "$SITE_PATH" \
+
--site "$SITE_NAME" \
+
--password "$WISP_APP_PASSWORD"
+701
CLAUDE.md
···
+
# AtReact Hooks Deep Dive
+
+
## Overview
+
The AtReact hooks system provides a robust, cache-optimized layer for fetching AT Protocol data. All hooks follow React best practices with proper cleanup, cancellation, and stable references.
+
+
---
+
+
## Core Architecture Principles
+
+
### 1. **Three-Tier Caching Strategy**
+
All data flows through three cache layers:
+
- **DidCache** - DID documents, handle mappings, PDS endpoints
+
- **BlobCache** - Media/image blobs with reference counting
+
- **RecordCache** - AT Protocol records with deduplication
+
+
### 2. **Concurrent Request Deduplication**
+
When multiple components request the same data, only one network request is made. Uses reference counting to manage in-flight requests.
+
+
### 3. **Stable Reference Pattern**
+
Caches use memoized snapshots to prevent unnecessary re-renders:
+
```typescript
+
// Only creates new snapshot if data actually changed
+
if (existing && existing.did === did && existing.handle === handle) {
+
return toSnapshot(existing); // Reuse existing
+
}
+
```
+
+
### 4. **Three-Tier Fallback for Bluesky**
+
For `app.bsky.*` collections:
+
1. Try Bluesky appview API (fastest, public)
+
2. Fall back to Slingshot (microcosm service)
+
3. Finally query PDS directly
+
+
---
+
+
## Hook Catalog
+
+
## 1. `useDidResolution`
+
**Purpose:** Resolves handles to DIDs or fetches DID documents
+
+
### Key Features:
+
- **Bidirectional:** Works with handles OR DIDs
+
- **Smart Caching:** Only fetches if not in cache
+
- **Dual Resolution Paths:**
+
- Handle โ†’ DID: Uses Slingshot first, then appview
+
- DID โ†’ Document: Fetches full DID document for handle extraction
+
+
### State Flow:
+
```typescript
+
Input: "alice.bsky.social" or "did:plc:xxx"
+
โ†“
+
Check didCache
+
โ†“
+
If handle: ensureHandle(resolver, handle) โ†’ DID
+
If DID: ensureDidDoc(resolver, did) โ†’ DID doc + handle from alsoKnownAs
+
โ†“
+
Return: { did, handle, loading, error }
+
```
+
+
### Critical Implementation Details:
+
- **Normalizes input** to lowercase for handles
+
- **Memoizes input** to prevent effect re-runs
+
- **Stabilizes error references** - only updates if message changes
+
- **Cleanup:** Cancellation token prevents stale updates
+
+
---
+
+
## 2. `usePdsEndpoint`
+
**Purpose:** Discovers the PDS endpoint for a DID
+
+
### Key Features:
+
- **Depends on DID resolution** (implicit dependency)
+
- **Extracts from DID document** if already cached
+
- **Lazy fetching** - only when endpoint not in cache
+
+
### State Flow:
+
```typescript
+
Input: DID
+
โ†“
+
Check didCache.getByDid(did).pdsEndpoint
+
โ†“
+
If missing: ensurePdsEndpoint(resolver, did)
+
โ”œโ”€ Tries to get from existing DID doc
+
โ””โ”€ Falls back to resolver.pdsEndpointForDid()
+
โ†“
+
Return: { endpoint, loading, error }
+
```
+
+
### Service Discovery:
+
Looks for `AtprotoPersonalDataServer` service in DID document:
+
```json
+
{
+
"service": [{
+
"type": "AtprotoPersonalDataServer",
+
"serviceEndpoint": "https://pds.example.com"
+
}]
+
}
+
```
+
+
---
+
+
## 3. `useAtProtoRecord`
+
**Purpose:** Fetches a single AT Protocol record with smart routing
+
+
### Key Features:
+
- **Collection-aware routing:** Bluesky vs other protocols
+
- **RecordCache deduplication:** Multiple components = one fetch
+
- **Cleanup with reference counting**
+
+
### State Flow:
+
```typescript
+
Input: { did, collection, rkey }
+
โ†“
+
If collection.startsWith("app.bsky."):
+
โ””โ”€ useBlueskyAppview() โ†’ Three-tier fallback
+
Else:
+
โ”œโ”€ useDidResolution(did)
+
โ”œโ”€ usePdsEndpoint(resolved.did)
+
โ””โ”€ recordCache.ensure() โ†’ Fetch from PDS
+
โ†“
+
Return: { record, loading, error }
+
```
+
+
### RecordCache Deduplication:
+
```typescript
+
// First component calling this
+
const { promise, release } = recordCache.ensure(did, collection, rkey, loader)
+
// refCount = 1
+
+
// Second component calling same record
+
const { promise, release } = recordCache.ensure(...) // Same promise!
+
// refCount = 2
+
+
// On cleanup, both call release()
+
// Only aborts when refCount reaches 0
+
```
+
+
---
+
+
## 4. `useBlueskyAppview`
+
**Purpose:** Fetches Bluesky records with appview optimization
+
+
### Key Features:
+
- **Collection-aware endpoints:**
+
- `app.bsky.actor.profile` โ†’ `app.bsky.actor.getProfile`
+
- `app.bsky.feed.post` โ†’ `app.bsky.feed.getPostThread`
+
- **CDN URL extraction:** Parses CDN URLs to extract CIDs
+
- **Atomic state updates:** Uses reducer for complex state
+
+
### Three-Tier Fallback with Source Tracking:
+
```typescript
+
async function fetchWithFallback() {
+
// Tier 1: Appview (if endpoint mapped)
+
try {
+
const result = await fetchFromAppview(did, collection, rkey);
+
return { record: result, source: "appview" };
+
} catch {}
+
+
// Tier 2: Slingshot
+
try {
+
const result = await fetchFromSlingshot(did, collection, rkey);
+
return { record: result, source: "slingshot" };
+
} catch {}
+
+
// Tier 3: PDS
+
try {
+
const result = await fetchFromPds(did, collection, rkey);
+
return { record: result, source: "pds" };
+
} catch {}
+
+
// All tiers failed - provide helpful error for banned Bluesky accounts
+
if (pdsEndpoint.includes('.bsky.network')) {
+
throw new Error('Record unavailable. The Bluesky PDS may be unreachable or the account may be banned.');
+
}
+
+
throw new Error('Failed to fetch record from all sources');
+
}
+
```
+
+
The `source` field in the result accurately indicates which tier successfully fetched the data, enabling debugging and analytics.
+
+
### CDN URL Handling:
+
Appview returns CDN URLs like:
+
```
+
https://cdn.bsky.app/img/avatar/plain/did:plc:xxx/bafkreixxx@jpeg
+
```
+
+
Hook extracts CID (`bafkreixxx`) and creates standard Blob object:
+
```typescript
+
{
+
$type: "blob",
+
ref: { $link: "bafkreixxx" },
+
mimeType: "image/jpeg",
+
size: 0,
+
cdnUrl: "https://cdn.bsky.app/..." // Preserved for fast rendering
+
}
+
```
+
+
### Reducer Pattern:
+
```typescript
+
type Action =
+
| { type: "SET_LOADING"; loading: boolean }
+
| { type: "SET_SUCCESS"; record: T; source: "appview" | "slingshot" | "pds" }
+
| { type: "SET_ERROR"; error: Error }
+
| { type: "RESET" };
+
+
// Atomic state updates, no race conditions
+
dispatch({ type: "SET_SUCCESS", record, source });
+
```
+
+
---
+
+
## 5. `useLatestRecord`
+
**Purpose:** Fetches the most recent record from a collection
+
+
### Key Features:
+
- **Timestamp validation:** Skips records before 2023 (pre-ATProto)
+
- **PDS-only:** Slingshot doesn't support `listRecords`
+
- **Smart fetching:** Gets 3 records to handle invalid timestamps
+
+
### State Flow:
+
```typescript
+
Input: { did, collection }
+
โ†“
+
useDidResolution(did)
+
usePdsEndpoint(did)
+
โ†“
+
callListRecords(endpoint, did, collection, limit: 3)
+
โ†“
+
Filter: isValidTimestamp(record) โ†’ year >= 2023
+
โ†“
+
Return first valid record: { record, rkey, loading, error, empty }
+
```
+
+
### Timestamp Validation:
+
```typescript
+
function isValidTimestamp(record: unknown): boolean {
+
const timestamp = record.createdAt || record.indexedAt;
+
if (!timestamp) return true; // No timestamp, assume valid
+
+
const date = new Date(timestamp);
+
return date.getFullYear() >= 2023; // ATProto created in 2023
+
}
+
```
+
+
---
+
+
## 6. `usePaginatedRecords`
+
**Purpose:** Cursor-based pagination with prefetching
+
+
### Key Features:
+
- **Dual fetching modes:**
+
- Author feed (appview) - for Bluesky posts with filters
+
- Direct PDS - for all other collections
+
- **Smart prefetching:** Loads next page in background
+
- **Invalid timestamp filtering:** Same as `useLatestRecord`
+
- **Request sequencing:** Prevents race conditions with `requestSeq`
+
+
### State Management:
+
```typescript
+
// Pages stored as array
+
pages: [
+
{ records: [...], cursor: "abc" }, // page 0
+
{ records: [...], cursor: "def" }, // page 1
+
{ records: [...], cursor: undefined } // page 2 (last)
+
]
+
pageIndex: 1 // Currently viewing page 1
+
```
+
+
### Prefetch Logic:
+
```typescript
+
useEffect(() => {
+
const cursor = pages[pageIndex]?.cursor;
+
if (!cursor || pages[pageIndex + 1]) return; // No cursor or already loaded
+
+
// Prefetch next page in background
+
fetchPage(identity, cursor, pageIndex + 1, "prefetch");
+
}, [pageIndex, pages]);
+
```
+
+
### Author Feed vs PDS:
+
```typescript
+
if (preferAuthorFeed && collection === "app.bsky.feed.post") {
+
// Use app.bsky.feed.getAuthorFeed
+
const res = await callAppviewRpc("app.bsky.feed.getAuthorFeed", {
+
actor: handle || did,
+
filter: "posts_with_media", // Optional filter
+
includePins: true
+
});
+
} else {
+
// Use com.atproto.repo.listRecords
+
const res = await callListRecords(pdsEndpoint, did, collection, limit);
+
}
+
```
+
+
### Race Condition Prevention:
+
```typescript
+
const requestSeq = useRef(0);
+
+
// On identity change
+
resetState();
+
requestSeq.current += 1; // Invalidate in-flight requests
+
+
// In fetch callback
+
const token = requestSeq.current;
+
// ... do async work ...
+
if (token !== requestSeq.current) return; // Stale request, abort
+
```
+
+
---
+
+
## 7. `useBlob`
+
**Purpose:** Fetches and caches media blobs with object URL management
+
+
### Key Features:
+
- **Automatic cleanup:** Revokes object URLs on unmount
+
- **BlobCache deduplication:** Same blob = one fetch
+
- **Reference counting:** Safe concurrent access
+
+
### State Flow:
+
```typescript
+
Input: { did, cid }
+
โ†“
+
useDidResolution(did)
+
usePdsEndpoint(did)
+
โ†“
+
Check blobCache.get(did, cid)
+
โ†“
+
If missing: blobCache.ensure() โ†’ Fetch from PDS
+
โ”œโ”€ GET /xrpc/com.atproto.sync.getBlob?did={did}&cid={cid}
+
โ””โ”€ Store in cache
+
โ†“
+
Create object URL: URL.createObjectURL(blob)
+
โ†“
+
Return: { url, loading, error }
+
โ†“
+
Cleanup: URL.revokeObjectURL(url)
+
```
+
+
### Object URL Management:
+
```typescript
+
const objectUrlRef = useRef<string>();
+
+
// On successful fetch
+
const nextUrl = URL.createObjectURL(blob);
+
const prevUrl = objectUrlRef.current;
+
objectUrlRef.current = nextUrl;
+
if (prevUrl) URL.revokeObjectURL(prevUrl); // Clean up old URL
+
+
// On unmount
+
useEffect(() => () => {
+
if (objectUrlRef.current) {
+
URL.revokeObjectURL(objectUrlRef.current);
+
}
+
}, []);
+
```
+
+
---
+
+
## 8. `useBlueskyProfile`
+
**Purpose:** Wrapper around `useBlueskyAppview` for profile records
+
+
### Key Features:
+
- **Simplified interface:** Just pass DID
+
- **Type conversion:** Converts ProfileRecord to BlueskyProfileData
+
- **CID extraction:** Extracts avatar/banner CIDs from blobs
+
+
### Implementation:
+
```typescript
+
export function useBlueskyProfile(did: string | undefined) {
+
const { record, loading, error } = useBlueskyAppview<ProfileRecord>({
+
did,
+
collection: "app.bsky.actor.profile",
+
rkey: "self",
+
});
+
+
const data = record ? {
+
did: did || "",
+
handle: "", // Populated by caller
+
displayName: record.displayName,
+
description: record.description,
+
avatar: extractCidFromBlob(record.avatar),
+
banner: extractCidFromBlob(record.banner),
+
createdAt: record.createdAt,
+
} : undefined;
+
+
return { data, loading, error };
+
}
+
```
+
+
---
+
+
## 9. `useBacklinks`
+
**Purpose:** Fetches backlinks from Microcosm Constellation API
+
+
### Key Features:
+
- **Specialized use case:** Tangled stars, etc.
+
- **Abort controller:** Cancels in-flight requests
+
- **Refetch support:** Manual refresh capability
+
+
### State Flow:
+
```typescript
+
Input: { subject: "at://did:plc:xxx/sh.tangled.repo/yyy", source: "sh.tangled.feed.star:subject" }
+
โ†“
+
GET https://constellation.microcosm.blue/xrpc/blue.microcosm.links.getBacklinks
+
?subject={subject}&source={source}&limit={limit}
+
โ†“
+
Return: { backlinks: [...], total, loading, error, refetch }
+
```
+
+
---
+
+
## 10. `useRepoLanguages`
+
**Purpose:** Fetches language statistics from Tangled knot server
+
+
### Key Features:
+
- **Branch fallback:** Tries "main", then "master"
+
- **Knot server query:** For repository analysis
+
+
### State Flow:
+
```typescript
+
Input: { knot: "knot.gaze.systems", did, repoName, branch }
+
โ†“
+
GET https://{knot}/xrpc/sh.tangled.repo.languages
+
?repo={did}/{repoName}&ref={branch}
+
โ†“
+
If 404: Try fallback branch
+
โ†“
+
Return: { data: { languages: {...} }, loading, error }
+
```
+
+
---
+
+
## Cache Implementation Deep Dive
+
+
### DidCache
+
**Purpose:** Cache DID documents, handle mappings, PDS endpoints
+
+
```typescript
+
class DidCache {
+
private byHandle = new Map<string, DidCacheEntry>();
+
private byDid = new Map<string, DidCacheEntry>();
+
private handlePromises = new Map<string, Promise<...>>();
+
private docPromises = new Map<string, Promise<...>>();
+
private pdsPromises = new Map<string, Promise<...>>();
+
+
// Memoized snapshots prevent re-renders
+
private toSnapshot(entry): DidCacheSnapshot {
+
if (entry.snapshot) return entry.snapshot; // Reuse
+
entry.snapshot = { did, handle, doc, pdsEndpoint };
+
return entry.snapshot;
+
}
+
}
+
```
+
+
**Key methods:**
+
- `getByHandle(handle)` - Instant cache lookup
+
- `getByDid(did)` - Instant cache lookup
+
- `ensureHandle(resolver, handle)` - Deduplicated resolution
+
- `ensureDidDoc(resolver, did)` - Deduplicated doc fetch
+
- `ensurePdsEndpoint(resolver, did)` - Deduplicated PDS discovery
+
+
**Snapshot stability:**
+
```typescript
+
memoize(entry) {
+
const existing = this.byDid.get(did);
+
+
// Data unchanged? Reuse snapshot (same reference)
+
if (existing && existing.did === did &&
+
existing.handle === handle && ...) {
+
return toSnapshot(existing); // Prevents re-render!
+
}
+
+
// Data changed, create new entry
+
const merged = { did, handle, doc, pdsEndpoint, snapshot: undefined };
+
this.byDid.set(did, merged);
+
return toSnapshot(merged);
+
}
+
```
+
+
### BlobCache
+
**Purpose:** Cache media blobs with reference counting
+
+
```typescript
+
class BlobCache {
+
private store = new Map<string, BlobCacheEntry>();
+
private inFlight = new Map<string, InFlightBlobEntry>();
+
+
ensure(did, cid, loader) {
+
// Already cached?
+
const cached = this.get(did, cid);
+
if (cached) return { promise: Promise.resolve(cached), release: noop };
+
+
// In-flight request?
+
const existing = this.inFlight.get(key);
+
if (existing) {
+
existing.refCount++; // Multiple consumers
+
return { promise: existing.promise, release: () => this.release(key) };
+
}
+
+
// New request
+
const { promise, abort } = loader();
+
this.inFlight.set(key, { promise, abort, refCount: 1 });
+
return { promise, release: () => this.release(key) };
+
}
+
+
private release(key) {
+
const entry = this.inFlight.get(key);
+
entry.refCount--;
+
if (entry.refCount <= 0) {
+
this.inFlight.delete(key);
+
entry.abort(); // Cancel fetch
+
}
+
}
+
}
+
```
+
+
### RecordCache
+
**Purpose:** Cache AT Protocol records with deduplication
+
+
Identical structure to BlobCache but for record data.
+
+
---
+
+
## Common Patterns
+
+
### 1. Cancellation Pattern
+
```typescript
+
useEffect(() => {
+
let cancelled = false;
+
+
const assignState = (next) => {
+
if (cancelled) return; // Don't update unmounted component
+
setState(prev => ({ ...prev, ...next }));
+
};
+
+
// ... async work ...
+
+
return () => {
+
cancelled = true; // Mark as cancelled
+
release?.(); // Decrement refCount
+
};
+
}, [deps]);
+
```
+
+
### 2. Error Stabilization Pattern
+
```typescript
+
setError(prevError =>
+
prevError?.message === newError.message
+
? prevError // Reuse same reference
+
: newError // New error
+
);
+
```
+
+
### 3. Identity Tracking Pattern
+
```typescript
+
const identityRef = useRef<string>();
+
const identity = did && endpoint ? `${did}::${endpoint}` : undefined;
+
+
useEffect(() => {
+
if (identityRef.current !== identity) {
+
identityRef.current = identity;
+
resetState(); // Clear stale data
+
}
+
// ...
+
}, [identity]);
+
```
+
+
### 4. Dual-Mode Resolution
+
```typescript
+
const isDid = input.startsWith("did:");
+
const normalizedHandle = !isDid ? input.toLowerCase() : undefined;
+
+
// Different code paths
+
if (isDid) {
+
snapshot = await didCache.ensureDidDoc(resolver, input);
+
} else {
+
snapshot = await didCache.ensureHandle(resolver, normalizedHandle);
+
}
+
```
+
+
---
+
+
## Performance Optimizations
+
+
### 1. **Memoized Snapshots**
+
Caches return stable references when data unchanged โ†’ prevents re-renders
+
+
### 2. **Reference Counting**
+
Multiple components requesting same data share one fetch
+
+
### 3. **Prefetching**
+
`usePaginatedRecords` loads next page in background
+
+
### 4. **CDN URLs**
+
Bluesky appview returns CDN URLs โ†’ skip blob fetching for images
+
+
### 5. **Smart Routing**
+
Bluesky collections use fast appview โ†’ non-Bluesky goes direct to PDS
+
+
### 6. **Request Deduplication**
+
In-flight request maps prevent duplicate fetches
+
+
### 7. **Timestamp Validation**
+
Skip invalid records early (before 2023) โ†’ fewer wasted cycles
+
+
---
+
+
## Error Handling Strategy
+
+
### 1. **Fallback Chains**
+
Never fail on first attempt โ†’ try multiple sources
+
+
### 2. **Graceful Degradation**
+
```typescript
+
// Slingshot failed? Try appview
+
try {
+
return await fetchFromSlingshot();
+
} catch (slingshotError) {
+
try {
+
return await fetchFromAppview();
+
} catch (appviewError) {
+
// Combine errors for better debugging
+
throw new Error(`${appviewError.message}; Slingshot: ${slingshotError.message}`);
+
}
+
}
+
```
+
+
### 3. **Component Isolation**
+
Errors in one component don't crash others (via error boundaries recommended)
+
+
### 4. **Abort Handling**
+
```typescript
+
try {
+
await fetch(url, { signal });
+
} catch (err) {
+
if (err.name === "AbortError") return; // Expected, ignore
+
throw err;
+
}
+
```
+
+
### 5. **Banned Bluesky Account Detection**
+
When all three tiers fail and the PDS is a `.bsky.network` endpoint, provide a helpful error:
+
```typescript
+
// All tiers failed - check if it's a banned Bluesky account
+
if (pdsEndpoint.includes('.bsky.network')) {
+
throw new Error(
+
'Record unavailable. The Bluesky PDS may be unreachable or the account may be banned.'
+
);
+
}
+
```
+
+
This helps users understand why data is unavailable instead of showing generic fetch errors. Applies to both `useBlueskyAppview` and `useAtProtoRecord` hooks.
+
+
---
+
+
## Testing Considerations
+
+
### Key scenarios to test:
+
1. **Concurrent requests:** Multiple components requesting same data
+
2. **Race conditions:** Component unmounting mid-fetch
+
3. **Cache invalidation:** Identity changes during fetch
+
4. **Error fallbacks:** Slingshot down โ†’ appview works
+
5. **Timestamp filtering:** Records before 2023 skipped
+
6. **Reference counting:** Proper cleanup on unmount
+
7. **Prefetching:** Background loads don't interfere with active loads
+
+
---
+
+
## Common Gotchas
+
+
### 1. **React Rules of Hooks**
+
All hooks called unconditionally, even if results not used:
+
```typescript
+
// Always call, conditionally use results
+
const blueskyResult = useBlueskyAppview({
+
did: isBlueskyCollection ? handleOrDid : undefined, // Pass undefined to skip
+
collection: isBlueskyCollection ? collection : undefined,
+
rkey: isBlueskyCollection ? rkey : undefined,
+
});
+
```
+
+
### 2. **Cleanup Order Matters**
+
```typescript
+
return () => {
+
cancelled = true; // 1. Prevent state updates
+
release?.(); // 2. Decrement refCount
+
revokeObjectURL(...); // 3. Free resources
+
};
+
```
+
+
### 3. **Snapshot Reuse**
+
Don't modify cached snapshots! They're shared across components.
+
+
### 4. **CDN URL Extraction**
+
Bluesky CDN URLs must be parsed carefully:
+
```
+
https://cdn.bsky.app/img/avatar/plain/did:plc:xxx/bafkreixxx@jpeg
+
^^^^^^^^^^^^ ^^^^^^
+
DID CID
+
```
+168 -66
README.md
···
# atproto-ui
-
atproto-ui is a component library and set of hooks for rendering records from the AT Protocol (Bluesky, Leaflet, and friends) in React applications. It handles DID resolution, PDS endpoint discovery, and record fetching so you can focus on UI. [Live demo](https://atproto-ui.wisp.place).
+
A React component library for rendering AT Protocol records (Bluesky, Leaflet, Tangled, and more). Handles DID resolution, PDS discovery, and record fetching automatically as well as caching these so multiple components can render quickly. [Live demo](https://atproto-ui.wisp.place).
+
+
This project is mostly a wrapper on the extremely amazing work [Mary](https://mary.my.id/) has done with [atcute](https://tangled.org/@mary.my.id/atcute), please support it. I have to give thanks to [phil](https://bsky.app/profile/bad-example.com) for microcosm and slingshot. Incredible services being given for free that is responsible for why the components fetch data so quickly.
## Screenshots
···
## Features
-
- Drop-in components for common record types (`BlueskyPost`, `BlueskyProfile`, `TangledString`, etc.).
-
- Hooks and helpers for composing your own renderers for your own applications, (PRs welcome!)
-
- Built on the lightweight [`@atcute/*`](https://github.com/atcute) clients.
+
- **Drop-in components** for common record types (`BlueskyPost`, `BlueskyProfile`, `TangledRepo`, `LeafletDocument`)
+
- **Prefetch support** - Pass data directly to skip API calls (perfect for SSR/caching)
+
- **Caching** - Blobs, DIDs, and records are cached so components which use the same ones can render even quicker
+
- **Customizable theming** - Override CSS variables to match your app's design
+
- **Composable hooks** - Build custom renderers with protocol primitives
+
- Built on lightweight [`@atcute/*`](https://tangled.org/@mary.my.id/atcute) clients
## Installation
···
npm install atproto-ui
```
-
## Quick start
-
-
1. Wrap your app (once) with the `AtProtoProvider`.
-
2. Drop any of the ready-made components inside that provider.
-
3. Use the hooks to prefetch handles, blobs, or latest records when you want to control the render flow yourself.
+
## Quick Start
```tsx
-
import { AtProtoProvider, BlueskyPost } from "atproto-ui";
+
import { AtProtoProvider, BlueskyPost, LeafletDocument } from "atproto-ui";
+
import "atproto-ui/styles.css";
export function App() {
return (
<AtProtoProvider>
<BlueskyPost did="did:plc:example" rkey="3k2aexample" />
-
{/* you can use handles in the components as well. */}
+
{/* You can use handles too */}
<LeafletDocument did="nekomimi.pet" rkey="3m2seagm2222c" />
</AtProtoProvider>
);
}
```
-
### Available building blocks
+
**Note:** The library automatically imports the CSS when you import any component. If you prefer to import it explicitly (e.g., for better IDE support or control over load order), you can use `import "atproto-ui/styles.css"`.
+
+
## Theming
+
+
Components use CSS variables for theming. By default, they respond to system dark mode preferences, or you can set a theme explicitly:
+
+
```tsx
+
// Set theme via data attribute on document element
+
document.documentElement.setAttribute("data-theme", "dark"); // or "light"
+
+
// For system preference (default)
+
document.documentElement.removeAttribute("data-theme");
+
```
+
+
### Available CSS Variables
+
+
```css
+
--atproto-color-bg
+
--atproto-color-bg-elevated
+
--atproto-color-text
+
--atproto-color-text-secondary
+
--atproto-color-border
+
--atproto-color-link
+
/* ...and more, check out lib/styles.css */
+
```
-
| Component / Hook | What it does |
-
| --------------------------------------------------------------- | -------------------------------------------------------------------------------------------------------------------- |
-
| `AtProtoProvider` | Configures PLC directory (defaults to `https://plc.directory`) and shares protocol clients via React context. |
-
| `BlueskyProfile` | Renders a profile card for a DID/handle. Accepts `fallback`, `loadingIndicator`, `renderer`, and `colorScheme`. |
-
| `BlueskyPost` / `BlueskyQuotePost` | Shows a single Bluesky post, with quotation support, custom renderer overrides, and the same loading/fallback knobs. |
-
| `BlueskyPostList` | Lists the latest posts with built-in pagination (defaults: 5 per page, pagination controls on). |
-
| `TangledString` | Renders a Tangled string (gist-like record) with optional renderer overrides. |
-
| `LeafletDocument` | Displays long-form Leaflet documents with blocks, theme support, and renderer overrides. |
-
| `useDidResolution`, `useLatestRecord`, `usePaginatedRecords`, โ€ฆ | Hook-level access to records if you want to own the markup or prefill components. |
+
### Override Component Theme
+
+
Wrap any component in a div with custom CSS variables to override its appearance:
+
+
```tsx
+
import { AtProtoStyles } from "atproto-ui";
-
All components accept a `colorScheme` of `'light' | 'dark' | 'system'` so they can blend into your design. They also accept `fallback` and `loadingIndicator` props to control what renders before or during network work, and most expose a `renderer` override when you need total control of the final markup.
+
<div style={{
+
'--atproto-color-bg': '#f0f0f0',
+
'--atproto-color-text': '#000',
+
'--atproto-color-link': '#0066cc',
+
} satisfies AtProtoStyles}>
+
<BlueskyPost did="..." rkey="..." />
+
</div>
+
```
-
### Prefill components with the latest record
+
## Prefetched Data
-
`useLatestRecord` gives you the most recent record for any collection along with its `rkey`. You can use that key to pre-populate components like `BlueskyPost`, `LeafletDocument`, or `TangledString`.
+
All components accept a `record` prop. When provided, the component uses your data immediately without making network requests. Perfect for SSR, caching, or when you've already fetched data.
```tsx
-
import { useLatestRecord, BlueskyPost } from "atproto-ui";
+
import { BlueskyPost, useLatestRecord } from "atproto-ui";
import type { FeedPostRecord } from "atproto-ui";
-
const LatestBlueskyPost: React.FC<{ did: string }> = ({ did }) => {
-
const { rkey, loading, error, empty } = useLatestRecord<FeedPostRecord>(
+
const MyComponent: React.FC<{ did: string }> = ({ did }) => {
+
// Fetch the latest post using the hook
+
const { record, rkey, loading } = useLatestRecord<FeedPostRecord>(
did,
-
"app.bsky.feed.post",
+
"app.bsky.feed.post"
);
-
if (loading) return <p>Fetching latest postโ€ฆ</p>;
-
if (error) return <p>Could not load: {error.message}</p>;
-
if (empty || !rkey) return <p>No posts yet.</p>;
+
if (loading) return <p>Loadingโ€ฆ</p>;
+
if (!record || !rkey) return <p>No posts found.</p>;
-
return <BlueskyPost did={did} rkey={rkey} colorScheme="system" />;
+
// Pass the fetched record directlyโ€”BlueskyPost won't re-fetch it
+
return <BlueskyPost did={did} rkey={rkey} record={record} />;
};
```
-
The same pattern works for other components: swap the collection NSID and the component you render once you have an `rkey`.
+
All components support prefetched data:
```tsx
-
const LatestLeafletDocument: React.FC<{ did: string }> = ({ did }) => {
-
const { rkey } = useLatestRecord(did, "pub.leaflet.document");
-
return rkey ? (
-
<LeafletDocument did={did} rkey={rkey} colorScheme="light" />
-
) : null;
-
};
+
<BlueskyProfile did={did} record={profileRecord} />
+
<TangledString did={did} rkey={rkey} record={stringRecord} />
+
<LeafletDocument did={did} rkey={rkey} record={documentRecord} />
```
-
## Compose your own component
+
### Using atcute Directly
-
The helpers let you stitch together custom experiences without reimplementing protocol plumbing. The example below pulls a creatorโ€™s latest post and renders a minimal summary:
+
Use atcute directly to construct records and pass them to componentsโ€”fully compatible!
```tsx
-
import { useLatestRecord, useColorScheme, AtProtoRecord } from "atproto-ui";
+
import { Client, simpleFetchHandler, ok } from '@atcute/client';
+
import type { AppBskyFeedPost } from '@atcute/bluesky';
+
import { BlueskyPost } from 'atproto-ui';
+
+
// Create atcute client
+
const client = new Client({
+
handler: simpleFetchHandler({ service: 'https://public.api.bsky.app' })
+
});
+
+
// Fetch a record
+
const data = await ok(
+
client.get('com.atproto.repo.getRecord', {
+
params: {
+
repo: 'did:plc:ttdrpj45ibqunmfhdsb4zdwq',
+
collection: 'app.bsky.feed.post',
+
rkey: '3m45rq4sjes2h'
+
}
+
})
+
);
+
+
const record = data.value as AppBskyFeedPost.Main;
+
+
// Pass atcute record directly to component!
+
<BlueskyPost
+
did="did:plc:ttdrpj45ibqunmfhdsb4zdwq"
+
rkey="3m45rq4sjes2h"
+
record={record}
+
/>
+
```
+
+
## API Reference
+
+
### Components
+
+
| Component | Description |
+
|-----------|-------------|
+
| `AtProtoProvider` | Context provider for sharing protocol clients. Optional `plcDirectory` prop. |
+
| `AtProtoRecord` | Core component for fetching/rendering any AT Protocol record. Accepts `record` prop. |
+
| `BlueskyProfile` | Profile card for a DID/handle. Accepts `record`, `fallback`, `loadingIndicator`, `renderer`. |
+
| `BlueskyPost` | Single Bluesky post. Accepts `record`, `iconPlacement`, custom renderers. |
+
| `BlueskyQuotePost` | Post with quoted post support. Accepts `record`. |
+
| `BlueskyPostList` | Paginated list of posts (default: 5 per page). |
+
| `TangledString` | Tangled string (code snippet) renderer. Accepts `record`. |
+
| `LeafletDocument` | Long-form document with blocks. Accepts `record`, `publicationRecord`. |
+
+
### Hooks
+
+
| Hook | Returns |
+
|------|---------|
+
| `useDidResolution(did)` | `{ did, handle, loading, error }` |
+
| `useLatestRecord(did, collection)` | `{ record, rkey, loading, error, empty }` |
+
| `usePaginatedRecords(options)` | `{ records, loading, hasNext, loadNext, ... }` |
+
| `useBlob(did, cid)` | `{ url, loading, error }` |
+
| `useAtProtoRecord(did, collection, rkey)` | `{ record, loading, error }` |
+
+
## Advanced Usage
+
+
### Using Hooks for Custom Logic
+
+
```tsx
+
import { useLatestRecord, BlueskyPost } from "atproto-ui";
import type { FeedPostRecord } from "atproto-ui";
-
const LatestPostSummary: React.FC<{ did: string }> = ({ did }) => {
-
const scheme = useColorScheme("system");
-
const { rkey, loading, error } = useLatestRecord<FeedPostRecord>(
+
const LatestBlueskyPost: React.FC<{ did: string }> = ({ did }) => {
+
const { record, rkey, loading, error, empty } = useLatestRecord<FeedPostRecord>(
did,
"app.bsky.feed.post",
);
-
if (loading) return <span>Loadingโ€ฆ</span>;
-
if (error || !rkey) return <span>No post yet.</span>;
+
if (loading) return <p>Fetching latest postโ€ฆ</p>;
+
if (error) return <p>Could not load: {error.message}</p>;
+
if (empty || !record || !rkey) return <p>No posts yet.</p>;
-
return (
-
<AtProtoRecord<FeedPostRecord>
-
did={did}
-
collection="app.bsky.feed.post"
-
rkey={rkey}
-
renderer={({ record }) => (
-
<article data-color-scheme={scheme}>
-
<strong>{record?.text ?? "Empty post"}</strong>
-
</article>
-
)}
-
/>
-
);
+
// Pass both record and rkeyโ€”no additional API call needed
+
return <BlueskyPost did={did} rkey={rkey} record={record} colorScheme="system" />;
};
```
-
There is a [demo](https://react-ui.wisp.place) where you can see the components in live action.
+
### Custom Renderer
-
## Running the demo locally
+
Use `AtProtoRecord` with a custom renderer for full control:
+
+
```tsx
+
import { AtProtoRecord } from "atproto-ui";
+
import type { FeedPostRecord } from "atproto-ui";
+
+
<AtProtoRecord<FeedPostRecord>
+
did={did}
+
collection="app.bsky.feed.post"
+
rkey={rkey}
+
renderer={({ record, loading, error }) => (
+
<article>
+
<strong>{record?.text ?? "Empty post"}</strong>
+
</article>
+
)}
+
/>
+
```
+
+
## Demo
+
+
Check out the [live demo](https://atproto-ui.wisp.place/) to see all components in action.
+
+
### Running Locally
```bash
npm install
npm run dev
```
-
Then open the printed Vite URL and try entering a Bluesky handle to see the components in action.
+
## Contributing
-
## Next steps
+
Contributions are welcome! Open an issue or PR for:
+
- New record type support (e.g., Grain.social photos)
+
- Improved documentation
+
- Bug fixes or feature requests
-
- Expand renderer coverage (e.g., Grain.social photos).
-
- Expand documentation with TypeScript API references and theming guidelines.
+
## License
-
Contributions and ideas are welcomeโ€”feel free to open an issue or PR!
+
MIT
+697
bun.lock
···
+
{
+
"lockfileVersion": 1,
+
"configVersion": 1,
+
"workspaces": {
+
"": {
+
"name": "atproto-ui",
+
"dependencies": {
+
"@atcute/atproto": "^3.1.7",
+
"@atcute/bluesky": "^3.2.3",
+
"@atcute/client": "^4.0.3",
+
"@atcute/identity-resolver": "^1.1.3",
+
"@atcute/tangled": "^1.0.10",
+
},
+
"devDependencies": {
+
"@eslint/js": "^9.36.0",
+
"@microsoft/api-extractor": "^7.53.1",
+
"@types/node": "^24.6.0",
+
"@types/react": "^19.1.16",
+
"@types/react-dom": "^19.1.9",
+
"@vitejs/plugin-react": "^5.0.4",
+
"eslint": "^9.36.0",
+
"eslint-plugin-react-hooks": "^5.2.0",
+
"eslint-plugin-react-refresh": "^0.4.22",
+
"globals": "^16.4.0",
+
"react": "^19.1.1",
+
"react-dom": "^19.1.1",
+
"rollup-plugin-typescript2": "^0.36.0",
+
"typescript": "~5.9.3",
+
"typescript-eslint": "^8.45.0",
+
"unplugin-dts": "^1.0.0-beta.6",
+
"vite": "npm:rolldown-vite@7.1.14",
+
},
+
"peerDependencies": {
+
"react": "^18.2.0 || ^19.0.0",
+
"react-dom": "^18.2.0 || ^19.0.0",
+
},
+
"optionalPeers": [
+
"react-dom",
+
],
+
},
+
},
+
"packages": {
+
"@atcute/atproto": ["@atcute/atproto@3.1.9", "", { "dependencies": { "@atcute/lexicons": "^1.2.2" } }, "sha512-DyWwHCTdR4hY2BPNbLXgVmm7lI+fceOwWbE4LXbGvbvVtSn+ejSVFaAv01Ra3kWDha0whsOmbJL8JP0QPpf1+w=="],
+
+
"@atcute/bluesky": ["@atcute/bluesky@3.2.11", "", { "dependencies": { "@atcute/atproto": "^3.1.9", "@atcute/lexicons": "^1.2.5" } }, "sha512-AboS6y4t+zaxIq7E4noue10csSpIuk/Uwo30/l6GgGBDPXrd7STw8Yb5nGZQP+TdG/uC8/c2mm7UnY65SDOh6A=="],
+
+
"@atcute/client": ["@atcute/client@4.1.0", "", { "dependencies": { "@atcute/identity": "^1.1.3", "@atcute/lexicons": "^1.2.5" } }, "sha512-AYhSu3RSDA2VDkVGOmad320NRbUUUf5pCFWJcOzlk25YC/4kyzmMFfpzhf1jjjEcY+anNBXGGhav/kKB1evggQ=="],
+
+
"@atcute/identity": ["@atcute/identity@1.1.3", "", { "dependencies": { "@atcute/lexicons": "^1.2.4", "@badrap/valita": "^0.4.6" } }, "sha512-oIqPoI8TwWeQxvcLmFEZLdN2XdWcaLVtlm8pNk0E72As9HNzzD9pwKPrLr3rmTLRIoULPPFmq9iFNsTeCIU9ng=="],
+
+
"@atcute/identity-resolver": ["@atcute/identity-resolver@1.1.4", "", { "dependencies": { "@atcute/lexicons": "^1.2.2", "@atcute/util-fetch": "^1.0.3", "@badrap/valita": "^0.4.6" }, "peerDependencies": { "@atcute/identity": "^1.0.0" } }, "sha512-/SVh8vf2cXFJenmBnGeYF2aY3WGQm3cJeew5NWTlkqoy3LvJ5wkvKq9PWu4Tv653VF40rPOp6LOdVr9Fa+q5rA=="],
+
+
"@atcute/lexicons": ["@atcute/lexicons@1.2.5", "", { "dependencies": { "@standard-schema/spec": "^1.0.0", "esm-env": "^1.2.2" } }, "sha512-9yO9WdgxW8jZ7SbzUycH710z+JmsQ9W9n5S6i6eghYju32kkluFmgBeS47r8e8p2+Dv4DemS7o/3SUGsX9FR5Q=="],
+
+
"@atcute/tangled": ["@atcute/tangled@1.0.12", "", { "dependencies": { "@atcute/atproto": "^3.1.9", "@atcute/lexicons": "^1.2.3" } }, "sha512-JKA5sOhd8SLhDFhY+PKHqLLytQBBKSiwcaEzfYUJBeyfvqXFPNNAwvRbe3VST4IQ3izoOu3O0R9/b1mjL45UzA=="],
+
+
"@atcute/util-fetch": ["@atcute/util-fetch@1.0.4", "", { "dependencies": { "@badrap/valita": "^0.4.6" } }, "sha512-sIU9Qk0dE8PLEXSfhy+gIJV+HpiiknMytCI2SqLlqd0vgZUtEKI/EQfP+23LHWvP+CLCzVDOa6cpH045OlmNBg=="],
+
+
"@babel/code-frame": ["@babel/code-frame@7.27.1", "", { "dependencies": { "@babel/helper-validator-identifier": "^7.27.1", "js-tokens": "^4.0.0", "picocolors": "^1.1.1" } }, "sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg=="],
+
+
"@babel/compat-data": ["@babel/compat-data@7.28.5", "", {}, "sha512-6uFXyCayocRbqhZOB+6XcuZbkMNimwfVGFji8CTZnCzOHVGvDqzvitu1re2AU5LROliz7eQPhB8CpAMvnx9EjA=="],
+
+
"@babel/core": ["@babel/core@7.28.5", "", { "dependencies": { "@babel/code-frame": "^7.27.1", "@babel/generator": "^7.28.5", "@babel/helper-compilation-targets": "^7.27.2", "@babel/helper-module-transforms": "^7.28.3", "@babel/helpers": "^7.28.4", "@babel/parser": "^7.28.5", "@babel/template": "^7.27.2", "@babel/traverse": "^7.28.5", "@babel/types": "^7.28.5", "@jridgewell/remapping": "^2.3.5", "convert-source-map": "^2.0.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", "json5": "^2.2.3", "semver": "^6.3.1" } }, "sha512-e7jT4DxYvIDLk1ZHmU/m/mB19rex9sv0c2ftBtjSBv+kVM/902eh0fINUzD7UwLLNR+jU585GxUJ8/EBfAM5fw=="],
+
+
"@babel/generator": ["@babel/generator@7.28.5", "", { "dependencies": { "@babel/parser": "^7.28.5", "@babel/types": "^7.28.5", "@jridgewell/gen-mapping": "^0.3.12", "@jridgewell/trace-mapping": "^0.3.28", "jsesc": "^3.0.2" } }, "sha512-3EwLFhZ38J4VyIP6WNtt2kUdW9dokXA9Cr4IVIFHuCpZ3H8/YFOl5JjZHisrn1fATPBmKKqXzDFvh9fUwHz6CQ=="],
+
+
"@babel/helper-compilation-targets": ["@babel/helper-compilation-targets@7.27.2", "", { "dependencies": { "@babel/compat-data": "^7.27.2", "@babel/helper-validator-option": "^7.27.1", "browserslist": "^4.24.0", "lru-cache": "^5.1.1", "semver": "^6.3.1" } }, "sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ=="],
+
+
"@babel/helper-globals": ["@babel/helper-globals@7.28.0", "", {}, "sha512-+W6cISkXFa1jXsDEdYA8HeevQT/FULhxzR99pxphltZcVaugps53THCeiWA8SguxxpSp3gKPiuYfSWopkLQ4hw=="],
+
+
"@babel/helper-module-imports": ["@babel/helper-module-imports@7.27.1", "", { "dependencies": { "@babel/traverse": "^7.27.1", "@babel/types": "^7.27.1" } }, "sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w=="],
+
+
"@babel/helper-module-transforms": ["@babel/helper-module-transforms@7.28.3", "", { "dependencies": { "@babel/helper-module-imports": "^7.27.1", "@babel/helper-validator-identifier": "^7.27.1", "@babel/traverse": "^7.28.3" }, "peerDependencies": { "@babel/core": "^7.0.0" } }, "sha512-gytXUbs8k2sXS9PnQptz5o0QnpLL51SwASIORY6XaBKF88nsOT0Zw9szLqlSGQDP/4TljBAD5y98p2U1fqkdsw=="],
+
+
"@babel/helper-plugin-utils": ["@babel/helper-plugin-utils@7.27.1", "", {}, "sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw=="],
+
+
"@babel/helper-string-parser": ["@babel/helper-string-parser@7.27.1", "", {}, "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA=="],
+
+
"@babel/helper-validator-identifier": ["@babel/helper-validator-identifier@7.28.5", "", {}, "sha512-qSs4ifwzKJSV39ucNjsvc6WVHs6b7S03sOh2OcHF9UHfVPqWWALUsNUVzhSBiItjRZoLHx7nIarVjqKVusUZ1Q=="],
+
+
"@babel/helper-validator-option": ["@babel/helper-validator-option@7.27.1", "", {}, "sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg=="],
+
+
"@babel/helpers": ["@babel/helpers@7.28.4", "", { "dependencies": { "@babel/template": "^7.27.2", "@babel/types": "^7.28.4" } }, "sha512-HFN59MmQXGHVyYadKLVumYsA9dBFun/ldYxipEjzA4196jpLZd8UjEEBLkbEkvfYreDqJhZxYAWFPtrfhNpj4w=="],
+
+
"@babel/parser": ["@babel/parser@7.28.5", "", { "dependencies": { "@babel/types": "^7.28.5" }, "bin": "./bin/babel-parser.js" }, "sha512-KKBU1VGYR7ORr3At5HAtUQ+TV3SzRCXmA/8OdDZiLDBIZxVyzXuztPjfLd3BV1PRAQGCMWWSHYhL0F8d5uHBDQ=="],
+
+
"@babel/plugin-transform-react-jsx-self": ["@babel/plugin-transform-react-jsx-self@7.27.1", "", { "dependencies": { "@babel/helper-plugin-utils": "^7.27.1" }, "peerDependencies": { "@babel/core": "^7.0.0-0" } }, "sha512-6UzkCs+ejGdZ5mFFC/OCUrv028ab2fp1znZmCZjAOBKiBK2jXD1O+BPSfX8X2qjJ75fZBMSnQn3Rq2mrBJK2mw=="],
+
+
"@babel/plugin-transform-react-jsx-source": ["@babel/plugin-transform-react-jsx-source@7.27.1", "", { "dependencies": { "@babel/helper-plugin-utils": "^7.27.1" }, "peerDependencies": { "@babel/core": "^7.0.0-0" } }, "sha512-zbwoTsBruTeKB9hSq73ha66iFeJHuaFkUbwvqElnygoNbj/jHRsSeokowZFN3CZ64IvEqcmmkVe89OPXc7ldAw=="],
+
+
"@babel/template": ["@babel/template@7.27.2", "", { "dependencies": { "@babel/code-frame": "^7.27.1", "@babel/parser": "^7.27.2", "@babel/types": "^7.27.1" } }, "sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw=="],
+
+
"@babel/traverse": ["@babel/traverse@7.28.5", "", { "dependencies": { "@babel/code-frame": "^7.27.1", "@babel/generator": "^7.28.5", "@babel/helper-globals": "^7.28.0", "@babel/parser": "^7.28.5", "@babel/template": "^7.27.2", "@babel/types": "^7.28.5", "debug": "^4.3.1" } }, "sha512-TCCj4t55U90khlYkVV/0TfkJkAkUg3jZFA3Neb7unZT8CPok7iiRfaX0F+WnqWqt7OxhOn0uBKXCw4lbL8W0aQ=="],
+
+
"@babel/types": ["@babel/types@7.28.5", "", { "dependencies": { "@babel/helper-string-parser": "^7.27.1", "@babel/helper-validator-identifier": "^7.28.5" } }, "sha512-qQ5m48eI/MFLQ5PxQj4PFaprjyCTLI37ElWMmNs0K8Lk3dVeOdNpB3ks8jc7yM5CDmVC73eMVk/trk3fgmrUpA=="],
+
+
"@badrap/valita": ["@badrap/valita@0.4.6", "", {}, "sha512-4kdqcjyxo/8RQ8ayjms47HCWZIF5981oE5nIenbfThKDxWXtEHKipAOWlflpPJzZx9y/JWYQkp18Awr7VuepFg=="],
+
+
"@emnapi/core": ["@emnapi/core@1.7.1", "", { "dependencies": { "@emnapi/wasi-threads": "1.1.0", "tslib": "^2.4.0" } }, "sha512-o1uhUASyo921r2XtHYOHy7gdkGLge8ghBEQHMWmyJFoXlpU58kIrhhN3w26lpQb6dspetweapMn2CSNwQ8I4wg=="],
+
+
"@emnapi/runtime": ["@emnapi/runtime@1.7.1", "", { "dependencies": { "tslib": "^2.4.0" } }, "sha512-PVtJr5CmLwYAU9PZDMITZoR5iAOShYREoR45EyyLrbntV50mdePTgUn4AmOw90Ifcj+x2kRjdzr1HP3RrNiHGA=="],
+
+
"@emnapi/wasi-threads": ["@emnapi/wasi-threads@1.1.0", "", { "dependencies": { "tslib": "^2.4.0" } }, "sha512-WI0DdZ8xFSbgMjR1sFsKABJ/C5OnRrjT06JXbZKexJGrDuPTzZdDYfFlsgcCXCyf+suG5QU2e/y1Wo2V/OapLQ=="],
+
+
"@eslint-community/eslint-utils": ["@eslint-community/eslint-utils@4.9.0", "", { "dependencies": { "eslint-visitor-keys": "^3.4.3" }, "peerDependencies": { "eslint": "^6.0.0 || ^7.0.0 || >=8.0.0" } }, "sha512-ayVFHdtZ+hsq1t2Dy24wCmGXGe4q9Gu3smhLYALJrr473ZH27MsnSL+LKUlimp4BWJqMDMLmPpx/Q9R3OAlL4g=="],
+
+
"@eslint-community/regexpp": ["@eslint-community/regexpp@4.12.2", "", {}, "sha512-EriSTlt5OC9/7SXkRSCAhfSxxoSUgBm33OH+IkwbdpgoqsSsUg7y3uh+IICI/Qg4BBWr3U2i39RpmycbxMq4ew=="],
+
+
"@eslint/config-array": ["@eslint/config-array@0.21.1", "", { "dependencies": { "@eslint/object-schema": "^2.1.7", "debug": "^4.3.1", "minimatch": "^3.1.2" } }, "sha512-aw1gNayWpdI/jSYVgzN5pL0cfzU02GT3NBpeT/DXbx1/1x7ZKxFPd9bwrzygx/qiwIQiJ1sw/zD8qY/kRvlGHA=="],
+
+
"@eslint/config-helpers": ["@eslint/config-helpers@0.4.2", "", { "dependencies": { "@eslint/core": "^0.17.0" } }, "sha512-gBrxN88gOIf3R7ja5K9slwNayVcZgK6SOUORm2uBzTeIEfeVaIhOpCtTox3P6R7o2jLFwLFTLnC7kU/RGcYEgw=="],
+
+
"@eslint/core": ["@eslint/core@0.17.0", "", { "dependencies": { "@types/json-schema": "^7.0.15" } }, "sha512-yL/sLrpmtDaFEiUj1osRP4TI2MDz1AddJL+jZ7KSqvBuliN4xqYY54IfdN8qD8Toa6g1iloph1fxQNkjOxrrpQ=="],
+
+
"@eslint/eslintrc": ["@eslint/eslintrc@3.3.3", "", { "dependencies": { "ajv": "^6.12.4", "debug": "^4.3.2", "espree": "^10.0.1", "globals": "^14.0.0", "ignore": "^5.2.0", "import-fresh": "^3.2.1", "js-yaml": "^4.1.1", "minimatch": "^3.1.2", "strip-json-comments": "^3.1.1" } }, "sha512-Kr+LPIUVKz2qkx1HAMH8q1q6azbqBAsXJUxBl/ODDuVPX45Z9DfwB8tPjTi6nNZ8BuM3nbJxC5zCAg5elnBUTQ=="],
+
+
"@eslint/js": ["@eslint/js@9.39.1", "", {}, "sha512-S26Stp4zCy88tH94QbBv3XCuzRQiZ9yXofEILmglYTh/Ug/a9/umqvgFtYBAo3Lp0nsI/5/qH1CCrbdK3AP1Tw=="],
+
+
"@eslint/object-schema": ["@eslint/object-schema@2.1.7", "", {}, "sha512-VtAOaymWVfZcmZbp6E2mympDIHvyjXs/12LqWYjVw6qjrfF+VK+fyG33kChz3nnK+SU5/NeHOqrTEHS8sXO3OA=="],
+
+
"@eslint/plugin-kit": ["@eslint/plugin-kit@0.4.1", "", { "dependencies": { "@eslint/core": "^0.17.0", "levn": "^0.4.1" } }, "sha512-43/qtrDUokr7LJqoF2c3+RInu/t4zfrpYdoSDfYyhg52rwLV6TnOvdG4fXm7IkSB3wErkcmJS9iEhjVtOSEjjA=="],
+
+
"@humanfs/core": ["@humanfs/core@0.19.1", "", {}, "sha512-5DyQ4+1JEUzejeK1JGICcideyfUbGixgS9jNgex5nqkW+cY7WZhxBigmieN5Qnw9ZosSNVC9KQKyb+GUaGyKUA=="],
+
+
"@humanfs/node": ["@humanfs/node@0.16.7", "", { "dependencies": { "@humanfs/core": "^0.19.1", "@humanwhocodes/retry": "^0.4.0" } }, "sha512-/zUx+yOsIrG4Y43Eh2peDeKCxlRt/gET6aHfaKpuq267qXdYDFViVHfMaLyygZOnl0kGWxFIgsBy8QFuTLUXEQ=="],
+
+
"@humanwhocodes/module-importer": ["@humanwhocodes/module-importer@1.0.1", "", {}, "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA=="],
+
+
"@humanwhocodes/retry": ["@humanwhocodes/retry@0.4.3", "", {}, "sha512-bV0Tgo9K4hfPCek+aMAn81RppFKv2ySDQeMoSZuvTASywNTnVJCArCZE2FWqpvIatKu7VMRLWlR1EazvVhDyhQ=="],
+
+
"@isaacs/balanced-match": ["@isaacs/balanced-match@4.0.1", "", {}, "sha512-yzMTt9lEb8Gv7zRioUilSglI0c0smZ9k5D65677DLWLtWJaXIS3CqcGyUFByYKlnUj6TkjLVs54fBl6+TiGQDQ=="],
+
+
"@isaacs/brace-expansion": ["@isaacs/brace-expansion@5.0.0", "", { "dependencies": { "@isaacs/balanced-match": "^4.0.1" } }, "sha512-ZT55BDLV0yv0RBm2czMiZ+SqCGO7AvmOM3G/w2xhVPH+te0aKgFjmBvGlL1dH+ql2tgGO3MVrbb3jCKyvpgnxA=="],
+
+
"@jridgewell/gen-mapping": ["@jridgewell/gen-mapping@0.3.13", "", { "dependencies": { "@jridgewell/sourcemap-codec": "^1.5.0", "@jridgewell/trace-mapping": "^0.3.24" } }, "sha512-2kkt/7niJ6MgEPxF0bYdQ6etZaA+fQvDcLKckhy1yIQOzaoKjBBjSj63/aLVjYE3qhRt5dvM+uUyfCg6UKCBbA=="],
+
+
"@jridgewell/remapping": ["@jridgewell/remapping@2.3.5", "", { "dependencies": { "@jridgewell/gen-mapping": "^0.3.5", "@jridgewell/trace-mapping": "^0.3.24" } }, "sha512-LI9u/+laYG4Ds1TDKSJW2YPrIlcVYOwi2fUC6xB43lueCjgxV4lffOCZCtYFiH6TNOX+tQKXx97T4IKHbhyHEQ=="],
+
+
"@jridgewell/resolve-uri": ["@jridgewell/resolve-uri@3.1.2", "", {}, "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw=="],
+
+
"@jridgewell/sourcemap-codec": ["@jridgewell/sourcemap-codec@1.5.5", "", {}, "sha512-cYQ9310grqxueWbl+WuIUIaiUaDcj7WOq5fVhEljNVgRfOUhY9fy2zTvfoqWsnebh8Sl70VScFbICvJnLKB0Og=="],
+
+
"@jridgewell/trace-mapping": ["@jridgewell/trace-mapping@0.3.31", "", { "dependencies": { "@jridgewell/resolve-uri": "^3.1.0", "@jridgewell/sourcemap-codec": "^1.4.14" } }, "sha512-zzNR+SdQSDJzc8joaeP8QQoCQr8NuYx2dIIytl1QeBEZHJ9uW6hebsrYgbz8hJwUQao3TWCMtmfV8Nu1twOLAw=="],
+
+
"@microsoft/api-extractor": ["@microsoft/api-extractor@7.55.1", "", { "dependencies": { "@microsoft/api-extractor-model": "7.32.1", "@microsoft/tsdoc": "~0.16.0", "@microsoft/tsdoc-config": "~0.18.0", "@rushstack/node-core-library": "5.19.0", "@rushstack/rig-package": "0.6.0", "@rushstack/terminal": "0.19.4", "@rushstack/ts-command-line": "5.1.4", "diff": "~8.0.2", "lodash": "~4.17.15", "minimatch": "10.0.3", "resolve": "~1.22.1", "semver": "~7.5.4", "source-map": "~0.6.1", "typescript": "5.8.2" }, "bin": { "api-extractor": "bin/api-extractor" } }, "sha512-l8Z+8qrLkZFM3HM95Dbpqs6G39fpCa7O5p8A7AkA6hSevxkgwsOlLrEuPv0ADOyj5dI1Af5WVDiwpKG/ya5G3w=="],
+
+
"@microsoft/api-extractor-model": ["@microsoft/api-extractor-model@7.32.1", "", { "dependencies": { "@microsoft/tsdoc": "~0.16.0", "@microsoft/tsdoc-config": "~0.18.0", "@rushstack/node-core-library": "5.19.0" } }, "sha512-u4yJytMYiUAnhcNQcZDTh/tVtlrzKlyKrQnLOV+4Qr/5gV+cpufWzCYAB1Q23URFqD6z2RoL2UYncM9xJVGNKA=="],
+
+
"@microsoft/tsdoc": ["@microsoft/tsdoc@0.16.0", "", {}, "sha512-xgAyonlVVS+q7Vc7qLW0UrJU7rSFcETRWsqdXZtjzRU8dF+6CkozTK4V4y1LwOX7j8r/vHphjDeMeGI4tNGeGA=="],
+
+
"@microsoft/tsdoc-config": ["@microsoft/tsdoc-config@0.18.0", "", { "dependencies": { "@microsoft/tsdoc": "0.16.0", "ajv": "~8.12.0", "jju": "~1.4.0", "resolve": "~1.22.2" } }, "sha512-8N/vClYyfOH+l4fLkkr9+myAoR6M7akc8ntBJ4DJdWH2b09uVfr71+LTMpNyG19fNqWDg8KEDZhx5wxuqHyGjw=="],
+
+
"@napi-rs/wasm-runtime": ["@napi-rs/wasm-runtime@1.1.0", "", { "dependencies": { "@emnapi/core": "^1.7.1", "@emnapi/runtime": "^1.7.1", "@tybys/wasm-util": "^0.10.1" } }, "sha512-Fq6DJW+Bb5jaWE69/qOE0D1TUN9+6uWhCeZpdnSBk14pjLcCWR7Q8n49PTSPHazM37JqrsdpEthXy2xn6jWWiA=="],
+
+
"@oxc-project/runtime": ["@oxc-project/runtime@0.92.0", "", {}, "sha512-Z7x2dZOmznihvdvCvLKMl+nswtOSVxS2H2ocar+U9xx6iMfTp0VGIrX6a4xB1v80IwOPC7dT1LXIJrY70Xu3Jw=="],
+
+
"@oxc-project/types": ["@oxc-project/types@0.93.0", "", {}, "sha512-yNtwmWZIBtJsMr5TEfoZFDxIWV6OdScOpza/f5YxbqUMJk+j6QX3Cf3jgZShGEFYWQJ5j9mJ6jM0tZHu2J9Yrg=="],
+
+
"@rolldown/binding-android-arm64": ["@rolldown/binding-android-arm64@1.0.0-beta.41", "", { "os": "android", "cpu": "arm64" }, "sha512-Edflndd9lU7JVhVIvJlZhdCj5DkhYDJPIRn4Dx0RUdfc8asP9xHOI5gMd8MesDDx+BJpdIT/uAmVTearteU/mQ=="],
+
+
"@rolldown/binding-darwin-arm64": ["@rolldown/binding-darwin-arm64@1.0.0-beta.41", "", { "os": "darwin", "cpu": "arm64" }, "sha512-XGCzqfjdk7550PlyZRTBKbypXrB7ATtXhw/+bjtxnklLQs0mKP/XkQVOKyn9qGKSlvH8I56JLYryVxl0PCvSNw=="],
+
+
"@rolldown/binding-darwin-x64": ["@rolldown/binding-darwin-x64@1.0.0-beta.41", "", { "os": "darwin", "cpu": "x64" }, "sha512-Ho6lIwGJed98zub7n0xcRKuEtnZgbxevAmO4x3zn3C3N4GVXZD5xvCvTVxSMoeBJwTcIYzkVDRTIhylQNsTgLQ=="],
+
+
"@rolldown/binding-freebsd-x64": ["@rolldown/binding-freebsd-x64@1.0.0-beta.41", "", { "os": "freebsd", "cpu": "x64" }, "sha512-ijAZETywvL+gACjbT4zBnCp5ez1JhTRs6OxRN4J+D6AzDRbU2zb01Esl51RP5/8ZOlvB37xxsRQ3X4YRVyYb3g=="],
+
+
"@rolldown/binding-linux-arm-gnueabihf": ["@rolldown/binding-linux-arm-gnueabihf@1.0.0-beta.41", "", { "os": "linux", "cpu": "arm" }, "sha512-EgIOZt7UildXKFEFvaiLNBXm+4ggQyGe3E5Z1QP9uRcJJs9omihOnm897FwOBQdCuMvI49iBgjFrkhH+wMJ2MA=="],
+
+
"@rolldown/binding-linux-arm64-gnu": ["@rolldown/binding-linux-arm64-gnu@1.0.0-beta.41", "", { "os": "linux", "cpu": "arm64" }, "sha512-F8bUwJq8v/JAU8HSwgF4dztoqJ+FjdyjuvX4//3+Fbe2we9UktFeZ27U4lRMXF1vxWtdV4ey6oCSqI7yUrSEeg=="],
+
+
"@rolldown/binding-linux-arm64-musl": ["@rolldown/binding-linux-arm64-musl@1.0.0-beta.41", "", { "os": "linux", "cpu": "arm64" }, "sha512-MioXcCIX/wB1pBnBoJx8q4OGucUAfC1+/X1ilKFsjDK05VwbLZGRgOVD5OJJpUQPK86DhQciNBrfOKDiatxNmg=="],
+
+
"@rolldown/binding-linux-x64-gnu": ["@rolldown/binding-linux-x64-gnu@1.0.0-beta.41", "", { "os": "linux", "cpu": "x64" }, "sha512-m66M61fizvRCwt5pOEiZQMiwBL9/y0bwU/+Kc4Ce/Pef6YfoEkR28y+DzN9rMdjo8Z28NXjsDPq9nH4mXnAP0g=="],
+
+
"@rolldown/binding-linux-x64-musl": ["@rolldown/binding-linux-x64-musl@1.0.0-beta.41", "", { "os": "linux", "cpu": "x64" }, "sha512-yRxlSfBvWnnfrdtJfvi9lg8xfG5mPuyoSHm0X01oiE8ArmLRvoJGHUTJydCYz+wbK2esbq5J4B4Tq9WAsOlP1Q=="],
+
+
"@rolldown/binding-openharmony-arm64": ["@rolldown/binding-openharmony-arm64@1.0.0-beta.41", "", { "os": "none", "cpu": "arm64" }, "sha512-PHVxYhBpi8UViS3/hcvQQb9RFqCtvFmFU1PvUoTRiUdBtgHA6fONNHU4x796lgzNlVSD3DO/MZNk1s5/ozSMQg=="],
+
+
"@rolldown/binding-wasm32-wasi": ["@rolldown/binding-wasm32-wasi@1.0.0-beta.41", "", { "dependencies": { "@napi-rs/wasm-runtime": "^1.0.5" }, "cpu": "none" }, "sha512-OAfcO37ME6GGWmj9qTaDT7jY4rM0T2z0/8ujdQIJQ2x2nl+ztO32EIwURfmXOK0U1tzkyuaKYvE34Pug/ucXlQ=="],
+
+
"@rolldown/binding-win32-arm64-msvc": ["@rolldown/binding-win32-arm64-msvc@1.0.0-beta.41", "", { "os": "win32", "cpu": "arm64" }, "sha512-NIYGuCcuXaq5BC4Q3upbiMBvmZsTsEPG9k/8QKQdmrch+ocSy5Jv9tdpdmXJyighKqm182nh/zBt+tSJkYoNlg=="],
+
+
"@rolldown/binding-win32-ia32-msvc": ["@rolldown/binding-win32-ia32-msvc@1.0.0-beta.41", "", { "os": "win32", "cpu": "ia32" }, "sha512-kANdsDbE5FkEOb5NrCGBJBCaZ2Sabp3D7d4PRqMYJqyLljwh9mDyYyYSv5+QNvdAmifj+f3lviNEUUuUZPEFPw=="],
+
+
"@rolldown/binding-win32-x64-msvc": ["@rolldown/binding-win32-x64-msvc@1.0.0-beta.41", "", { "os": "win32", "cpu": "x64" }, "sha512-UlpxKmFdik0Y2VjZrgUCgoYArZJiZllXgIipdBRV1hw6uK45UbQabSTW6Kp6enuOu7vouYWftwhuxfpE8J2JAg=="],
+
+
"@rolldown/pluginutils": ["@rolldown/pluginutils@1.0.0-beta.47", "", {}, "sha512-8QagwMH3kNCuzD8EWL8R2YPW5e4OrHNSAHRFDdmFqEwEaD/KcNKjVoumo+gP2vW5eKB2UPbM6vTYiGZX0ixLnw=="],
+
+
"@rollup/pluginutils": ["@rollup/pluginutils@4.2.1", "", { "dependencies": { "estree-walker": "^2.0.1", "picomatch": "^2.2.2" } }, "sha512-iKnFXr7NkdZAIHiIWE+BX5ULi/ucVFYWD6TbAV+rZctiRTY2PL6tsIKhoIOaoskiWAkgu+VsbXgUVDNLHf+InQ=="],
+
+
"@rollup/rollup-android-arm-eabi": ["@rollup/rollup-android-arm-eabi@4.53.3", "", { "os": "android", "cpu": "arm" }, "sha512-mRSi+4cBjrRLoaal2PnqH82Wqyb+d3HsPUN/W+WslCXsZsyHa9ZeQQX/pQsZaVIWDkPcpV6jJ+3KLbTbgnwv8w=="],
+
+
"@rollup/rollup-android-arm64": ["@rollup/rollup-android-arm64@4.53.3", "", { "os": "android", "cpu": "arm64" }, "sha512-CbDGaMpdE9sh7sCmTrTUyllhrg65t6SwhjlMJsLr+J8YjFuPmCEjbBSx4Z/e4SmDyH3aB5hGaJUP2ltV/vcs4w=="],
+
+
"@rollup/rollup-darwin-arm64": ["@rollup/rollup-darwin-arm64@4.53.3", "", { "os": "darwin", "cpu": "arm64" }, "sha512-Nr7SlQeqIBpOV6BHHGZgYBuSdanCXuw09hon14MGOLGmXAFYjx1wNvquVPmpZnl0tLjg25dEdr4IQ6GgyToCUA=="],
+
+
"@rollup/rollup-darwin-x64": ["@rollup/rollup-darwin-x64@4.53.3", "", { "os": "darwin", "cpu": "x64" }, "sha512-DZ8N4CSNfl965CmPktJ8oBnfYr3F8dTTNBQkRlffnUarJ2ohudQD17sZBa097J8xhQ26AwhHJ5mvUyQW8ddTsQ=="],
+
+
"@rollup/rollup-freebsd-arm64": ["@rollup/rollup-freebsd-arm64@4.53.3", "", { "os": "freebsd", "cpu": "arm64" }, "sha512-yMTrCrK92aGyi7GuDNtGn2sNW+Gdb4vErx4t3Gv/Tr+1zRb8ax4z8GWVRfr3Jw8zJWvpGHNpss3vVlbF58DZ4w=="],
+
+
"@rollup/rollup-freebsd-x64": ["@rollup/rollup-freebsd-x64@4.53.3", "", { "os": "freebsd", "cpu": "x64" }, "sha512-lMfF8X7QhdQzseM6XaX0vbno2m3hlyZFhwcndRMw8fbAGUGL3WFMBdK0hbUBIUYcEcMhVLr1SIamDeuLBnXS+Q=="],
+
+
"@rollup/rollup-linux-arm-gnueabihf": ["@rollup/rollup-linux-arm-gnueabihf@4.53.3", "", { "os": "linux", "cpu": "arm" }, "sha512-k9oD15soC/Ln6d2Wv/JOFPzZXIAIFLp6B+i14KhxAfnq76ajt0EhYc5YPeX6W1xJkAdItcVT+JhKl1QZh44/qw=="],
+
+
"@rollup/rollup-linux-arm-musleabihf": ["@rollup/rollup-linux-arm-musleabihf@4.53.3", "", { "os": "linux", "cpu": "arm" }, "sha512-vTNlKq+N6CK/8UktsrFuc+/7NlEYVxgaEgRXVUVK258Z5ymho29skzW1sutgYjqNnquGwVUObAaxae8rZ6YMhg=="],
+
+
"@rollup/rollup-linux-arm64-gnu": ["@rollup/rollup-linux-arm64-gnu@4.53.3", "", { "os": "linux", "cpu": "arm64" }, "sha512-RGrFLWgMhSxRs/EWJMIFM1O5Mzuz3Xy3/mnxJp/5cVhZ2XoCAxJnmNsEyeMJtpK+wu0FJFWz+QF4mjCA7AUQ3w=="],
+
+
"@rollup/rollup-linux-arm64-musl": ["@rollup/rollup-linux-arm64-musl@4.53.3", "", { "os": "linux", "cpu": "arm64" }, "sha512-kASyvfBEWYPEwe0Qv4nfu6pNkITLTb32p4yTgzFCocHnJLAHs+9LjUu9ONIhvfT/5lv4YS5muBHyuV84epBo/A=="],
+
+
"@rollup/rollup-linux-loong64-gnu": ["@rollup/rollup-linux-loong64-gnu@4.53.3", "", { "os": "linux", "cpu": "none" }, "sha512-JiuKcp2teLJwQ7vkJ95EwESWkNRFJD7TQgYmCnrPtlu50b4XvT5MOmurWNrCj3IFdyjBQ5p9vnrX4JM6I8OE7g=="],
+
+
"@rollup/rollup-linux-ppc64-gnu": ["@rollup/rollup-linux-ppc64-gnu@4.53.3", "", { "os": "linux", "cpu": "ppc64" }, "sha512-EoGSa8nd6d3T7zLuqdojxC20oBfNT8nexBbB/rkxgKj5T5vhpAQKKnD+h3UkoMuTyXkP5jTjK/ccNRmQrPNDuw=="],
+
+
"@rollup/rollup-linux-riscv64-gnu": ["@rollup/rollup-linux-riscv64-gnu@4.53.3", "", { "os": "linux", "cpu": "none" }, "sha512-4s+Wped2IHXHPnAEbIB0YWBv7SDohqxobiiPA1FIWZpX+w9o2i4LezzH/NkFUl8LRci/8udci6cLq+jJQlh+0g=="],
+
+
"@rollup/rollup-linux-riscv64-musl": ["@rollup/rollup-linux-riscv64-musl@4.53.3", "", { "os": "linux", "cpu": "none" }, "sha512-68k2g7+0vs2u9CxDt5ktXTngsxOQkSEV/xBbwlqYcUrAVh6P9EgMZvFsnHy4SEiUl46Xf0IObWVbMvPrr2gw8A=="],
+
+
"@rollup/rollup-linux-s390x-gnu": ["@rollup/rollup-linux-s390x-gnu@4.53.3", "", { "os": "linux", "cpu": "s390x" }, "sha512-VYsFMpULAz87ZW6BVYw3I6sWesGpsP9OPcyKe8ofdg9LHxSbRMd7zrVrr5xi/3kMZtpWL/wC+UIJWJYVX5uTKg=="],
+
+
"@rollup/rollup-linux-x64-gnu": ["@rollup/rollup-linux-x64-gnu@4.53.3", "", { "os": "linux", "cpu": "x64" }, "sha512-3EhFi1FU6YL8HTUJZ51imGJWEX//ajQPfqWLI3BQq4TlvHy4X0MOr5q3D2Zof/ka0d5FNdPwZXm3Yyib/UEd+w=="],
+
+
"@rollup/rollup-linux-x64-musl": ["@rollup/rollup-linux-x64-musl@4.53.3", "", { "os": "linux", "cpu": "x64" }, "sha512-eoROhjcc6HbZCJr+tvVT8X4fW3/5g/WkGvvmwz/88sDtSJzO7r/blvoBDgISDiCjDRZmHpwud7h+6Q9JxFwq1Q=="],
+
+
"@rollup/rollup-openharmony-arm64": ["@rollup/rollup-openharmony-arm64@4.53.3", "", { "os": "none", "cpu": "arm64" }, "sha512-OueLAWgrNSPGAdUdIjSWXw+u/02BRTcnfw9PN41D2vq/JSEPnJnVuBgw18VkN8wcd4fjUs+jFHVM4t9+kBSNLw=="],
+
+
"@rollup/rollup-win32-arm64-msvc": ["@rollup/rollup-win32-arm64-msvc@4.53.3", "", { "os": "win32", "cpu": "arm64" }, "sha512-GOFuKpsxR/whszbF/bzydebLiXIHSgsEUp6M0JI8dWvi+fFa1TD6YQa4aSZHtpmh2/uAlj/Dy+nmby3TJ3pkTw=="],
+
+
"@rollup/rollup-win32-ia32-msvc": ["@rollup/rollup-win32-ia32-msvc@4.53.3", "", { "os": "win32", "cpu": "ia32" }, "sha512-iah+THLcBJdpfZ1TstDFbKNznlzoxa8fmnFYK4V67HvmuNYkVdAywJSoteUszvBQ9/HqN2+9AZghbajMsFT+oA=="],
+
+
"@rollup/rollup-win32-x64-gnu": ["@rollup/rollup-win32-x64-gnu@4.53.3", "", { "os": "win32", "cpu": "x64" }, "sha512-J9QDiOIZlZLdcot5NXEepDkstocktoVjkaKUtqzgzpt2yWjGlbYiKyp05rWwk4nypbYUNoFAztEgixoLaSETkg=="],
+
+
"@rollup/rollup-win32-x64-msvc": ["@rollup/rollup-win32-x64-msvc@4.53.3", "", { "os": "win32", "cpu": "x64" }, "sha512-UhTd8u31dXadv0MopwGgNOBpUVROFKWVQgAg5N1ESyCz8AuBcMqm4AuTjrwgQKGDfoFuz02EuMRHQIw/frmYKQ=="],
+
+
"@rushstack/node-core-library": ["@rushstack/node-core-library@5.19.0", "", { "dependencies": { "ajv": "~8.13.0", "ajv-draft-04": "~1.0.0", "ajv-formats": "~3.0.1", "fs-extra": "~11.3.0", "import-lazy": "~4.0.0", "jju": "~1.4.0", "resolve": "~1.22.1", "semver": "~7.5.4" }, "peerDependencies": { "@types/node": "*" }, "optionalPeers": ["@types/node"] }, "sha512-BxAopbeWBvNJ6VGiUL+5lbJXywTdsnMeOS8j57Cn/xY10r6sV/gbsTlfYKjzVCUBZATX2eRzJHSMCchsMTGN6A=="],
+
+
"@rushstack/problem-matcher": ["@rushstack/problem-matcher@0.1.1", "", { "peerDependencies": { "@types/node": "*" }, "optionalPeers": ["@types/node"] }, "sha512-Fm5XtS7+G8HLcJHCWpES5VmeMyjAKaWeyZU5qPzZC+22mPlJzAsOxymHiWIfuirtPckX3aptWws+K2d0BzniJA=="],
+
+
"@rushstack/rig-package": ["@rushstack/rig-package@0.6.0", "", { "dependencies": { "resolve": "~1.22.1", "strip-json-comments": "~3.1.1" } }, "sha512-ZQmfzsLE2+Y91GF15c65L/slMRVhF6Hycq04D4TwtdGaUAbIXXg9c5pKA5KFU7M4QMaihoobp9JJYpYcaY3zOw=="],
+
+
"@rushstack/terminal": ["@rushstack/terminal@0.19.4", "", { "dependencies": { "@rushstack/node-core-library": "5.19.0", "@rushstack/problem-matcher": "0.1.1", "supports-color": "~8.1.1" }, "peerDependencies": { "@types/node": "*" }, "optionalPeers": ["@types/node"] }, "sha512-f4XQk02CrKfrMgyOfhYd3qWI944dLC21S4I/LUhrlAP23GTMDNG6EK5effQtFkISwUKCgD9vMBrJZaPSUquxWQ=="],
+
+
"@rushstack/ts-command-line": ["@rushstack/ts-command-line@5.1.4", "", { "dependencies": { "@rushstack/terminal": "0.19.4", "@types/argparse": "1.0.38", "argparse": "~1.0.9", "string-argv": "~0.3.1" } }, "sha512-H0I6VdJ6sOUbktDFpP2VW5N29w8v4hRoNZOQz02vtEi6ZTYL1Ju8u+TcFiFawUDrUsx/5MQTUhd79uwZZVwVlA=="],
+
+
"@standard-schema/spec": ["@standard-schema/spec@1.0.0", "", {}, "sha512-m2bOd0f2RT9k8QJx1JN85cZYyH1RqFBdlwtkSlf4tBDYLCiiZnv1fIIwacK6cqwXavOydf0NPToMQgpKq+dVlA=="],
+
+
"@tybys/wasm-util": ["@tybys/wasm-util@0.10.1", "", { "dependencies": { "tslib": "^2.4.0" } }, "sha512-9tTaPJLSiejZKx+Bmog4uSubteqTvFrVrURwkmHixBo0G4seD0zUxp98E1DzUBJxLQ3NPwXrGKDiVjwx/DpPsg=="],
+
+
"@types/argparse": ["@types/argparse@1.0.38", "", {}, "sha512-ebDJ9b0e702Yr7pWgB0jzm+CX4Srzz8RcXtLJDJB+BSccqMa36uyH/zUsSYao5+BD1ytv3k3rPYCq4mAE1hsXA=="],
+
+
"@types/babel__core": ["@types/babel__core@7.20.5", "", { "dependencies": { "@babel/parser": "^7.20.7", "@babel/types": "^7.20.7", "@types/babel__generator": "*", "@types/babel__template": "*", "@types/babel__traverse": "*" } }, "sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA=="],
+
+
"@types/babel__generator": ["@types/babel__generator@7.27.0", "", { "dependencies": { "@babel/types": "^7.0.0" } }, "sha512-ufFd2Xi92OAVPYsy+P4n7/U7e68fex0+Ee8gSG9KX7eo084CWiQ4sdxktvdl0bOPupXtVJPY19zk6EwWqUQ8lg=="],
+
+
"@types/babel__template": ["@types/babel__template@7.4.4", "", { "dependencies": { "@babel/parser": "^7.1.0", "@babel/types": "^7.0.0" } }, "sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A=="],
+
+
"@types/babel__traverse": ["@types/babel__traverse@7.28.0", "", { "dependencies": { "@babel/types": "^7.28.2" } }, "sha512-8PvcXf70gTDZBgt9ptxJ8elBeBjcLOAcOtoO/mPJjtji1+CdGbHgm77om1GrsPxsiE+uXIpNSK64UYaIwQXd4Q=="],
+
+
"@types/estree": ["@types/estree@1.0.8", "", {}, "sha512-dWHzHa2WqEXI/O1E9OjrocMTKJl2mSrEolh1Iomrv6U+JuNwaHXsXx9bLu5gG7BUWFIN0skIQJQ/L1rIex4X6w=="],
+
+
"@types/json-schema": ["@types/json-schema@7.0.15", "", {}, "sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA=="],
+
+
"@types/node": ["@types/node@24.10.1", "", { "dependencies": { "undici-types": "~7.16.0" } }, "sha512-GNWcUTRBgIRJD5zj+Tq0fKOJ5XZajIiBroOF0yvj2bSU1WvNdYS/dn9UxwsujGW4JX06dnHyjV2y9rRaybH0iQ=="],
+
+
"@types/react": ["@types/react@19.2.7", "", { "dependencies": { "csstype": "^3.2.2" } }, "sha512-MWtvHrGZLFttgeEj28VXHxpmwYbor/ATPYbBfSFZEIRK0ecCFLl2Qo55z52Hss+UV9CRN7trSeq1zbgx7YDWWg=="],
+
+
"@types/react-dom": ["@types/react-dom@19.2.3", "", { "peerDependencies": { "@types/react": "^19.2.0" } }, "sha512-jp2L/eY6fn+KgVVQAOqYItbF0VY/YApe5Mz2F0aykSO8gx31bYCZyvSeYxCHKvzHG5eZjc+zyaS5BrBWya2+kQ=="],
+
+
"@typescript-eslint/eslint-plugin": ["@typescript-eslint/eslint-plugin@8.48.1", "", { "dependencies": { "@eslint-community/regexpp": "^4.10.0", "@typescript-eslint/scope-manager": "8.48.1", "@typescript-eslint/type-utils": "8.48.1", "@typescript-eslint/utils": "8.48.1", "@typescript-eslint/visitor-keys": "8.48.1", "graphemer": "^1.4.0", "ignore": "^7.0.0", "natural-compare": "^1.4.0", "ts-api-utils": "^2.1.0" }, "peerDependencies": { "@typescript-eslint/parser": "^8.48.1", "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <6.0.0" } }, "sha512-X63hI1bxl5ohelzr0LY5coufyl0LJNthld+abwxpCoo6Gq+hSqhKwci7MUWkXo67mzgUK6YFByhmaHmUcuBJmA=="],
+
+
"@typescript-eslint/parser": ["@typescript-eslint/parser@8.48.1", "", { "dependencies": { "@typescript-eslint/scope-manager": "8.48.1", "@typescript-eslint/types": "8.48.1", "@typescript-eslint/typescript-estree": "8.48.1", "@typescript-eslint/visitor-keys": "8.48.1", "debug": "^4.3.4" }, "peerDependencies": { "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <6.0.0" } }, "sha512-PC0PDZfJg8sP7cmKe6L3QIL8GZwU5aRvUFedqSIpw3B+QjRSUZeeITC2M5XKeMXEzL6wccN196iy3JLwKNvDVA=="],
+
+
"@typescript-eslint/project-service": ["@typescript-eslint/project-service@8.48.1", "", { "dependencies": { "@typescript-eslint/tsconfig-utils": "^8.48.1", "@typescript-eslint/types": "^8.48.1", "debug": "^4.3.4" }, "peerDependencies": { "typescript": ">=4.8.4 <6.0.0" } }, "sha512-HQWSicah4s9z2/HifRPQ6b6R7G+SBx64JlFQpgSSHWPKdvCZX57XCbszg/bapbRsOEv42q5tayTYcEFpACcX1w=="],
+
+
"@typescript-eslint/scope-manager": ["@typescript-eslint/scope-manager@8.48.1", "", { "dependencies": { "@typescript-eslint/types": "8.48.1", "@typescript-eslint/visitor-keys": "8.48.1" } }, "sha512-rj4vWQsytQbLxC5Bf4XwZ0/CKd362DkWMUkviT7DCS057SK64D5lH74sSGzhI6PDD2HCEq02xAP9cX68dYyg1w=="],
+
+
"@typescript-eslint/tsconfig-utils": ["@typescript-eslint/tsconfig-utils@8.48.1", "", { "peerDependencies": { "typescript": ">=4.8.4 <6.0.0" } }, "sha512-k0Jhs4CpEffIBm6wPaCXBAD7jxBtrHjrSgtfCjUvPp9AZ78lXKdTR8fxyZO5y4vWNlOvYXRtngSZNSn+H53Jkw=="],
+
+
"@typescript-eslint/type-utils": ["@typescript-eslint/type-utils@8.48.1", "", { "dependencies": { "@typescript-eslint/types": "8.48.1", "@typescript-eslint/typescript-estree": "8.48.1", "@typescript-eslint/utils": "8.48.1", "debug": "^4.3.4", "ts-api-utils": "^2.1.0" }, "peerDependencies": { "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <6.0.0" } }, "sha512-1jEop81a3LrJQLTf/1VfPQdhIY4PlGDBc/i67EVWObrtvcziysbLN3oReexHOM6N3jyXgCrkBsZpqwH0hiDOQg=="],
+
+
"@typescript-eslint/types": ["@typescript-eslint/types@8.48.1", "", {}, "sha512-+fZ3LZNeiELGmimrujsDCT4CRIbq5oXdHe7chLiW8qzqyPMnn1puNstCrMNVAqwcl2FdIxkuJ4tOs/RFDBVc/Q=="],
+
+
"@typescript-eslint/typescript-estree": ["@typescript-eslint/typescript-estree@8.48.1", "", { "dependencies": { "@typescript-eslint/project-service": "8.48.1", "@typescript-eslint/tsconfig-utils": "8.48.1", "@typescript-eslint/types": "8.48.1", "@typescript-eslint/visitor-keys": "8.48.1", "debug": "^4.3.4", "minimatch": "^9.0.4", "semver": "^7.6.0", "tinyglobby": "^0.2.15", "ts-api-utils": "^2.1.0" }, "peerDependencies": { "typescript": ">=4.8.4 <6.0.0" } }, "sha512-/9wQ4PqaefTK6POVTjJaYS0bynCgzh6ClJHGSBj06XEHjkfylzB+A3qvyaXnErEZSaxhIo4YdyBgq6j4RysxDg=="],
+
+
"@typescript-eslint/utils": ["@typescript-eslint/utils@8.48.1", "", { "dependencies": { "@eslint-community/eslint-utils": "^4.7.0", "@typescript-eslint/scope-manager": "8.48.1", "@typescript-eslint/types": "8.48.1", "@typescript-eslint/typescript-estree": "8.48.1" }, "peerDependencies": { "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <6.0.0" } }, "sha512-fAnhLrDjiVfey5wwFRwrweyRlCmdz5ZxXz2G/4cLn0YDLjTapmN4gcCsTBR1N2rWnZSDeWpYtgLDsJt+FpmcwA=="],
+
+
"@typescript-eslint/visitor-keys": ["@typescript-eslint/visitor-keys@8.48.1", "", { "dependencies": { "@typescript-eslint/types": "8.48.1", "eslint-visitor-keys": "^4.2.1" } }, "sha512-BmxxndzEWhE4TIEEMBs8lP3MBWN3jFPs/p6gPm/wkv02o41hI6cq9AuSmGAaTTHPtA1FTi2jBre4A9rm5ZmX+Q=="],
+
+
"@vitejs/plugin-react": ["@vitejs/plugin-react@5.1.1", "", { "dependencies": { "@babel/core": "^7.28.5", "@babel/plugin-transform-react-jsx-self": "^7.27.1", "@babel/plugin-transform-react-jsx-source": "^7.27.1", "@rolldown/pluginutils": "1.0.0-beta.47", "@types/babel__core": "^7.20.5", "react-refresh": "^0.18.0" }, "peerDependencies": { "vite": "^4.2.0 || ^5.0.0 || ^6.0.0 || ^7.0.0" } }, "sha512-WQfkSw0QbQ5aJ2CHYw23ZGkqnRwqKHD/KYsMeTkZzPT4Jcf0DcBxBtwMJxnu6E7oxw5+JC6ZAiePgh28uJ1HBA=="],
+
+
"@volar/language-core": ["@volar/language-core@2.4.26", "", { "dependencies": { "@volar/source-map": "2.4.26" } }, "sha512-hH0SMitMxnB43OZpyF1IFPS9bgb2I3bpCh76m2WEK7BE0A0EzpYsRp0CCH2xNKshr7kacU5TQBLYn4zj7CG60A=="],
+
+
"@volar/source-map": ["@volar/source-map@2.4.26", "", {}, "sha512-JJw0Tt/kSFsIRmgTQF4JSt81AUSI1aEye5Zl65EeZ8H35JHnTvFGmpDOBn5iOxd48fyGE+ZvZBp5FcgAy/1Qhw=="],
+
+
"@volar/typescript": ["@volar/typescript@2.4.26", "", { "dependencies": { "@volar/language-core": "2.4.26", "path-browserify": "^1.0.1", "vscode-uri": "^3.0.8" } }, "sha512-N87ecLD48Sp6zV9zID/5yuS1+5foj0DfuYGdQ6KHj/IbKvyKv1zNX6VCmnKYwtmHadEO6mFc2EKISiu3RDPAvA=="],
+
+
"acorn": ["acorn@8.15.0", "", { "bin": { "acorn": "bin/acorn" } }, "sha512-NZyJarBfL7nWwIq+FDL6Zp/yHEhePMNnnJ0y3qfieCrmNvYct8uvtiV41UvlSe6apAfk0fY1FbWx+NwfmpvtTg=="],
+
+
"acorn-jsx": ["acorn-jsx@5.3.2", "", { "peerDependencies": { "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0" } }, "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ=="],
+
+
"ajv": ["ajv@6.12.6", "", { "dependencies": { "fast-deep-equal": "^3.1.1", "fast-json-stable-stringify": "^2.0.0", "json-schema-traverse": "^0.4.1", "uri-js": "^4.2.2" } }, "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g=="],
+
+
"ajv-draft-04": ["ajv-draft-04@1.0.0", "", { "peerDependencies": { "ajv": "^8.5.0" }, "optionalPeers": ["ajv"] }, "sha512-mv00Te6nmYbRp5DCwclxtt7yV/joXJPGS7nM+97GdxvuttCOfgI3K4U25zboyeX0O+myI8ERluxQe5wljMmVIw=="],
+
+
"ajv-formats": ["ajv-formats@3.0.1", "", { "dependencies": { "ajv": "^8.0.0" } }, "sha512-8iUql50EUR+uUcdRQ3HDqa6EVyo3docL8g5WJ3FNcWmu62IbkGUue/pEyLBW8VGKKucTPgqeks4fIU1DA4yowQ=="],
+
+
"ansi-styles": ["ansi-styles@4.3.0", "", { "dependencies": { "color-convert": "^2.0.1" } }, "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg=="],
+
+
"ansis": ["ansis@4.2.0", "", {}, "sha512-HqZ5rWlFjGiV0tDm3UxxgNRqsOTniqoKZu0pIAfh7TZQMGuZK+hH0drySty0si0QXj1ieop4+SkSfPZBPPkHig=="],
+
+
"argparse": ["argparse@1.0.10", "", { "dependencies": { "sprintf-js": "~1.0.2" } }, "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg=="],
+
+
"balanced-match": ["balanced-match@1.0.2", "", {}, "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw=="],
+
+
"baseline-browser-mapping": ["baseline-browser-mapping@2.8.32", "", { "bin": { "baseline-browser-mapping": "dist/cli.js" } }, "sha512-OPz5aBThlyLFgxyhdwf/s2+8ab3OvT7AdTNvKHBwpXomIYeXqpUUuT8LrdtxZSsWJ4R4CU1un4XGh5Ez3nlTpw=="],
+
+
"brace-expansion": ["brace-expansion@1.1.12", "", { "dependencies": { "balanced-match": "^1.0.0", "concat-map": "0.0.1" } }, "sha512-9T9UjW3r0UW5c1Q7GTwllptXwhvYmEzFhzMfZ9H7FQWt+uZePjZPjBP/W1ZEyZ1twGWom5/56TF4lPcqjnDHcg=="],
+
+
"browserslist": ["browserslist@4.28.0", "", { "dependencies": { "baseline-browser-mapping": "^2.8.25", "caniuse-lite": "^1.0.30001754", "electron-to-chromium": "^1.5.249", "node-releases": "^2.0.27", "update-browserslist-db": "^1.1.4" }, "bin": { "browserslist": "cli.js" } }, "sha512-tbydkR/CxfMwelN0vwdP/pLkDwyAASZ+VfWm4EOwlB6SWhx1sYnWLqo8N5j0rAzPfzfRaxt0mM/4wPU/Su84RQ=="],
+
+
"callsites": ["callsites@3.1.0", "", {}, "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ=="],
+
+
"caniuse-lite": ["caniuse-lite@1.0.30001759", "", {}, "sha512-Pzfx9fOKoKvevQf8oCXoyNRQ5QyxJj+3O0Rqx2V5oxT61KGx8+n6hV/IUyJeifUci2clnmmKVpvtiqRzgiWjSw=="],
+
+
"chalk": ["chalk@4.1.2", "", { "dependencies": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" } }, "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA=="],
+
+
"color-convert": ["color-convert@2.0.1", "", { "dependencies": { "color-name": "~1.1.4" } }, "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ=="],
+
+
"color-name": ["color-name@1.1.4", "", {}, "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA=="],
+
+
"commondir": ["commondir@1.0.1", "", {}, "sha512-W9pAhw0ja1Edb5GVdIF1mjZw/ASI0AlShXM83UUGe2DVr5TdAPEA1OA8m/g8zWp9x6On7gqufY+FatDbC3MDQg=="],
+
+
"compare-versions": ["compare-versions@6.1.1", "", {}, "sha512-4hm4VPpIecmlg59CHXnRDnqGplJFrbLG4aFEl5vl6cK1u76ws3LLvX7ikFnTDl5vo39sjWD6AaDPYodJp/NNHg=="],
+
+
"concat-map": ["concat-map@0.0.1", "", {}, "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg=="],
+
+
"confbox": ["confbox@0.2.2", "", {}, "sha512-1NB+BKqhtNipMsov4xI/NnhCKp9XG9NamYp5PVm9klAT0fsrNPjaFICsCFhNhwZJKNh7zB/3q8qXz0E9oaMNtQ=="],
+
+
"convert-source-map": ["convert-source-map@2.0.0", "", {}, "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg=="],
+
+
"cross-spawn": ["cross-spawn@7.0.6", "", { "dependencies": { "path-key": "^3.1.0", "shebang-command": "^2.0.0", "which": "^2.0.1" } }, "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA=="],
+
+
"csstype": ["csstype@3.2.3", "", {}, "sha512-z1HGKcYy2xA8AGQfwrn0PAy+PB7X/GSj3UVJW9qKyn43xWa+gl5nXmU4qqLMRzWVLFC8KusUX8T/0kCiOYpAIQ=="],
+
+
"debug": ["debug@4.4.3", "", { "dependencies": { "ms": "^2.1.3" } }, "sha512-RGwwWnwQvkVfavKVt22FGLw+xYSdzARwm0ru6DhTVA3umU5hZc28V3kO4stgYryrTlLpuvgI9GiijltAjNbcqA=="],
+
+
"deep-is": ["deep-is@0.1.4", "", {}, "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ=="],
+
+
"detect-libc": ["detect-libc@2.1.2", "", {}, "sha512-Btj2BOOO83o3WyH59e8MgXsxEQVcarkUOpEYrubB0urwnN10yQ364rsiByU11nZlqWYZm05i/of7io4mzihBtQ=="],
+
+
"diff": ["diff@8.0.2", "", {}, "sha512-sSuxWU5j5SR9QQji/o2qMvqRNYRDOcBTgsJ/DeCf4iSN4gW+gNMXM7wFIP+fdXZxoNiAnHUTGjCr+TSWXdRDKg=="],
+
+
"electron-to-chromium": ["electron-to-chromium@1.5.263", "", {}, "sha512-DrqJ11Knd+lo+dv+lltvfMDLU27g14LMdH2b0O3Pio4uk0x+z7OR+JrmyacTPN2M8w3BrZ7/RTwG3R9B7irPlg=="],
+
+
"escalade": ["escalade@3.2.0", "", {}, "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA=="],
+
+
"escape-string-regexp": ["escape-string-regexp@4.0.0", "", {}, "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA=="],
+
+
"eslint": ["eslint@9.39.1", "", { "dependencies": { "@eslint-community/eslint-utils": "^4.8.0", "@eslint-community/regexpp": "^4.12.1", "@eslint/config-array": "^0.21.1", "@eslint/config-helpers": "^0.4.2", "@eslint/core": "^0.17.0", "@eslint/eslintrc": "^3.3.1", "@eslint/js": "9.39.1", "@eslint/plugin-kit": "^0.4.1", "@humanfs/node": "^0.16.6", "@humanwhocodes/module-importer": "^1.0.1", "@humanwhocodes/retry": "^0.4.2", "@types/estree": "^1.0.6", "ajv": "^6.12.4", "chalk": "^4.0.0", "cross-spawn": "^7.0.6", "debug": "^4.3.2", "escape-string-regexp": "^4.0.0", "eslint-scope": "^8.4.0", "eslint-visitor-keys": "^4.2.1", "espree": "^10.4.0", "esquery": "^1.5.0", "esutils": "^2.0.2", "fast-deep-equal": "^3.1.3", "file-entry-cache": "^8.0.0", "find-up": "^5.0.0", "glob-parent": "^6.0.2", "ignore": "^5.2.0", "imurmurhash": "^0.1.4", "is-glob": "^4.0.0", "json-stable-stringify-without-jsonify": "^1.0.1", "lodash.merge": "^4.6.2", "minimatch": "^3.1.2", "natural-compare": "^1.4.0", "optionator": "^0.9.3" }, "peerDependencies": { "jiti": "*" }, "optionalPeers": ["jiti"], "bin": { "eslint": "bin/eslint.js" } }, "sha512-BhHmn2yNOFA9H9JmmIVKJmd288g9hrVRDkdoIgRCRuSySRUHH7r/DI6aAXW9T1WwUuY3DFgrcaqB+deURBLR5g=="],
+
+
"eslint-plugin-react-hooks": ["eslint-plugin-react-hooks@5.2.0", "", { "peerDependencies": { "eslint": "^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 || ^7.0.0 || ^8.0.0-0 || ^9.0.0" } }, "sha512-+f15FfK64YQwZdJNELETdn5ibXEUQmW1DZL6KXhNnc2heoy/sg9VJJeT7n8TlMWouzWqSWavFkIhHyIbIAEapg=="],
+
+
"eslint-plugin-react-refresh": ["eslint-plugin-react-refresh@0.4.24", "", { "peerDependencies": { "eslint": ">=8.40" } }, "sha512-nLHIW7TEq3aLrEYWpVaJ1dRgFR+wLDPN8e8FpYAql/bMV2oBEfC37K0gLEGgv9fy66juNShSMV8OkTqzltcG/w=="],
+
+
"eslint-scope": ["eslint-scope@8.4.0", "", { "dependencies": { "esrecurse": "^4.3.0", "estraverse": "^5.2.0" } }, "sha512-sNXOfKCn74rt8RICKMvJS7XKV/Xk9kA7DyJr8mJik3S7Cwgy3qlkkmyS2uQB3jiJg6VNdZd/pDBJu0nvG2NlTg=="],
+
+
"eslint-visitor-keys": ["eslint-visitor-keys@4.2.1", "", {}, "sha512-Uhdk5sfqcee/9H/rCOJikYz67o0a2Tw2hGRPOG2Y1R2dg7brRe1uG0yaNQDHu+TO/uQPF/5eCapvYSmHUjt7JQ=="],
+
+
"esm-env": ["esm-env@1.2.2", "", {}, "sha512-Epxrv+Nr/CaL4ZcFGPJIYLWFom+YeV1DqMLHJoEd9SYRxNbaFruBwfEX/kkHUJf55j2+TUbmDcmuilbP1TmXHA=="],
+
+
"espree": ["espree@10.4.0", "", { "dependencies": { "acorn": "^8.15.0", "acorn-jsx": "^5.3.2", "eslint-visitor-keys": "^4.2.1" } }, "sha512-j6PAQ2uUr79PZhBjP5C5fhl8e39FmRnOjsD5lGnWrFU8i2G776tBK7+nP8KuQUTTyAZUwfQqXAgrVH5MbH9CYQ=="],
+
+
"esquery": ["esquery@1.6.0", "", { "dependencies": { "estraverse": "^5.1.0" } }, "sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg=="],
+
+
"esrecurse": ["esrecurse@4.3.0", "", { "dependencies": { "estraverse": "^5.2.0" } }, "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag=="],
+
+
"estraverse": ["estraverse@5.3.0", "", {}, "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA=="],
+
+
"estree-walker": ["estree-walker@2.0.2", "", {}, "sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w=="],
+
+
"esutils": ["esutils@2.0.3", "", {}, "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g=="],
+
+
"exsolve": ["exsolve@1.0.8", "", {}, "sha512-LmDxfWXwcTArk8fUEnOfSZpHOJ6zOMUJKOtFLFqJLoKJetuQG874Uc7/Kki7zFLzYybmZhp1M7+98pfMqeX8yA=="],
+
+
"fast-deep-equal": ["fast-deep-equal@3.1.3", "", {}, "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q=="],
+
+
"fast-json-stable-stringify": ["fast-json-stable-stringify@2.1.0", "", {}, "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw=="],
+
+
"fast-levenshtein": ["fast-levenshtein@2.0.6", "", {}, "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw=="],
+
+
"fdir": ["fdir@6.5.0", "", { "peerDependencies": { "picomatch": "^3 || ^4" }, "optionalPeers": ["picomatch"] }, "sha512-tIbYtZbucOs0BRGqPJkshJUYdL+SDH7dVM8gjy+ERp3WAUjLEFJE+02kanyHtwjWOnwrKYBiwAmM0p4kLJAnXg=="],
+
+
"file-entry-cache": ["file-entry-cache@8.0.0", "", { "dependencies": { "flat-cache": "^4.0.0" } }, "sha512-XXTUwCvisa5oacNGRP9SfNtYBNAMi+RPwBFmblZEF7N7swHYQS6/Zfk7SRwx4D5j3CH211YNRco1DEMNVfZCnQ=="],
+
+
"find-cache-dir": ["find-cache-dir@3.3.2", "", { "dependencies": { "commondir": "^1.0.1", "make-dir": "^3.0.2", "pkg-dir": "^4.1.0" } }, "sha512-wXZV5emFEjrridIgED11OoUKLxiYjAcqot/NJdAkOhlJ+vGzwhOAfcG5OX1jP+S0PcjEn8bdMJv+g2jwQ3Onig=="],
+
+
"find-up": ["find-up@5.0.0", "", { "dependencies": { "locate-path": "^6.0.0", "path-exists": "^4.0.0" } }, "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng=="],
+
+
"flat-cache": ["flat-cache@4.0.1", "", { "dependencies": { "flatted": "^3.2.9", "keyv": "^4.5.4" } }, "sha512-f7ccFPK3SXFHpx15UIGyRJ/FJQctuKZ0zVuN3frBo4HnK3cay9VEW0R6yPYFHC0AgqhukPzKjq22t5DmAyqGyw=="],
+
+
"flatted": ["flatted@3.3.3", "", {}, "sha512-GX+ysw4PBCz0PzosHDepZGANEuFCMLrnRTiEy9McGjmkCQYwRq4A/X786G/fjM/+OjsWSU1ZrY5qyARZmO/uwg=="],
+
+
"fs-extra": ["fs-extra@10.1.0", "", { "dependencies": { "graceful-fs": "^4.2.0", "jsonfile": "^6.0.1", "universalify": "^2.0.0" } }, "sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ=="],
+
+
"fsevents": ["fsevents@2.3.3", "", { "os": "darwin" }, "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw=="],
+
+
"function-bind": ["function-bind@1.1.2", "", {}, "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA=="],
+
+
"gensync": ["gensync@1.0.0-beta.2", "", {}, "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg=="],
+
+
"glob-parent": ["glob-parent@6.0.2", "", { "dependencies": { "is-glob": "^4.0.3" } }, "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A=="],
+
+
"globals": ["globals@16.5.0", "", {}, "sha512-c/c15i26VrJ4IRt5Z89DnIzCGDn9EcebibhAOjw5ibqEHsE1wLUgkPn9RDmNcUKyU87GeaL633nyJ+pplFR2ZQ=="],
+
+
"graceful-fs": ["graceful-fs@4.2.11", "", {}, "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ=="],
+
+
"graphemer": ["graphemer@1.4.0", "", {}, "sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag=="],
+
+
"has-flag": ["has-flag@4.0.0", "", {}, "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ=="],
+
+
"hasown": ["hasown@2.0.2", "", { "dependencies": { "function-bind": "^1.1.2" } }, "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ=="],
+
+
"ignore": ["ignore@5.3.2", "", {}, "sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g=="],
+
+
"import-fresh": ["import-fresh@3.3.1", "", { "dependencies": { "parent-module": "^1.0.0", "resolve-from": "^4.0.0" } }, "sha512-TR3KfrTZTYLPB6jUjfx6MF9WcWrHL9su5TObK4ZkYgBdWKPOFoSoQIdEuTuR82pmtxH2spWG9h6etwfr1pLBqQ=="],
+
+
"import-lazy": ["import-lazy@4.0.0", "", {}, "sha512-rKtvo6a868b5Hu3heneU+L4yEQ4jYKLtjpnPeUdK7h0yzXGmyBTypknlkCvHFBqfX9YlorEiMM6Dnq/5atfHkw=="],
+
+
"imurmurhash": ["imurmurhash@0.1.4", "", {}, "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA=="],
+
+
"is-core-module": ["is-core-module@2.16.1", "", { "dependencies": { "hasown": "^2.0.2" } }, "sha512-UfoeMA6fIJ8wTYFEUjelnaGI67v6+N7qXJEvQuIGa99l4xsCruSYOVSQ0uPANn4dAzm8lkYPaKLrrijLq7x23w=="],
+
+
"is-extglob": ["is-extglob@2.1.1", "", {}, "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ=="],
+
+
"is-glob": ["is-glob@4.0.3", "", { "dependencies": { "is-extglob": "^2.1.1" } }, "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg=="],
+
+
"isexe": ["isexe@2.0.0", "", {}, "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw=="],
+
+
"jju": ["jju@1.4.0", "", {}, "sha512-8wb9Yw966OSxApiCt0K3yNJL8pnNeIv+OEq2YMidz4FKP6nonSRoOXc80iXY4JaN2FC11B9qsNmDsm+ZOfMROA=="],
+
+
"js-tokens": ["js-tokens@4.0.0", "", {}, "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ=="],
+
+
"js-yaml": ["js-yaml@4.1.1", "", { "dependencies": { "argparse": "^2.0.1" }, "bin": { "js-yaml": "bin/js-yaml.js" } }, "sha512-qQKT4zQxXl8lLwBtHMWwaTcGfFOZviOJet3Oy/xmGk2gZH677CJM9EvtfdSkgWcATZhj/55JZ0rmy3myCT5lsA=="],
+
+
"jsesc": ["jsesc@3.1.0", "", { "bin": { "jsesc": "bin/jsesc" } }, "sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA=="],
+
+
"json-buffer": ["json-buffer@3.0.1", "", {}, "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ=="],
+
+
"json-schema-traverse": ["json-schema-traverse@0.4.1", "", {}, "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg=="],
+
+
"json-stable-stringify-without-jsonify": ["json-stable-stringify-without-jsonify@1.0.1", "", {}, "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw=="],
+
+
"json5": ["json5@2.2.3", "", { "bin": { "json5": "lib/cli.js" } }, "sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg=="],
+
+
"jsonfile": ["jsonfile@6.2.0", "", { "dependencies": { "universalify": "^2.0.0" }, "optionalDependencies": { "graceful-fs": "^4.1.6" } }, "sha512-FGuPw30AdOIUTRMC2OMRtQV+jkVj2cfPqSeWXv1NEAJ1qZ5zb1X6z1mFhbfOB/iy3ssJCD+3KuZ8r8C3uVFlAg=="],
+
+
"keyv": ["keyv@4.5.4", "", { "dependencies": { "json-buffer": "3.0.1" } }, "sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw=="],
+
+
"kolorist": ["kolorist@1.8.0", "", {}, "sha512-Y+60/zizpJ3HRH8DCss+q95yr6145JXZo46OTpFvDZWLfRCE4qChOyk1b26nMaNpfHHgxagk9dXT5OP0Tfe+dQ=="],
+
+
"levn": ["levn@0.4.1", "", { "dependencies": { "prelude-ls": "^1.2.1", "type-check": "~0.4.0" } }, "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ=="],
+
+
"lightningcss": ["lightningcss@1.30.2", "", { "dependencies": { "detect-libc": "^2.0.3" }, "optionalDependencies": { "lightningcss-android-arm64": "1.30.2", "lightningcss-darwin-arm64": "1.30.2", "lightningcss-darwin-x64": "1.30.2", "lightningcss-freebsd-x64": "1.30.2", "lightningcss-linux-arm-gnueabihf": "1.30.2", "lightningcss-linux-arm64-gnu": "1.30.2", "lightningcss-linux-arm64-musl": "1.30.2", "lightningcss-linux-x64-gnu": "1.30.2", "lightningcss-linux-x64-musl": "1.30.2", "lightningcss-win32-arm64-msvc": "1.30.2", "lightningcss-win32-x64-msvc": "1.30.2" } }, "sha512-utfs7Pr5uJyyvDETitgsaqSyjCb2qNRAtuqUeWIAKztsOYdcACf2KtARYXg2pSvhkt+9NfoaNY7fxjl6nuMjIQ=="],
+
+
"lightningcss-android-arm64": ["lightningcss-android-arm64@1.30.2", "", { "os": "android", "cpu": "arm64" }, "sha512-BH9sEdOCahSgmkVhBLeU7Hc9DWeZ1Eb6wNS6Da8igvUwAe0sqROHddIlvU06q3WyXVEOYDZ6ykBZQnjTbmo4+A=="],
+
+
"lightningcss-darwin-arm64": ["lightningcss-darwin-arm64@1.30.2", "", { "os": "darwin", "cpu": "arm64" }, "sha512-ylTcDJBN3Hp21TdhRT5zBOIi73P6/W0qwvlFEk22fkdXchtNTOU4Qc37SkzV+EKYxLouZ6M4LG9NfZ1qkhhBWA=="],
+
+
"lightningcss-darwin-x64": ["lightningcss-darwin-x64@1.30.2", "", { "os": "darwin", "cpu": "x64" }, "sha512-oBZgKchomuDYxr7ilwLcyms6BCyLn0z8J0+ZZmfpjwg9fRVZIR5/GMXd7r9RH94iDhld3UmSjBM6nXWM2TfZTQ=="],
+
+
"lightningcss-freebsd-x64": ["lightningcss-freebsd-x64@1.30.2", "", { "os": "freebsd", "cpu": "x64" }, "sha512-c2bH6xTrf4BDpK8MoGG4Bd6zAMZDAXS569UxCAGcA7IKbHNMlhGQ89eRmvpIUGfKWNVdbhSbkQaWhEoMGmGslA=="],
+
+
"lightningcss-linux-arm-gnueabihf": ["lightningcss-linux-arm-gnueabihf@1.30.2", "", { "os": "linux", "cpu": "arm" }, "sha512-eVdpxh4wYcm0PofJIZVuYuLiqBIakQ9uFZmipf6LF/HRj5Bgm0eb3qL/mr1smyXIS1twwOxNWndd8z0E374hiA=="],
+
+
"lightningcss-linux-arm64-gnu": ["lightningcss-linux-arm64-gnu@1.30.2", "", { "os": "linux", "cpu": "arm64" }, "sha512-UK65WJAbwIJbiBFXpxrbTNArtfuznvxAJw4Q2ZGlU8kPeDIWEX1dg3rn2veBVUylA2Ezg89ktszWbaQnxD/e3A=="],
+
+
"lightningcss-linux-arm64-musl": ["lightningcss-linux-arm64-musl@1.30.2", "", { "os": "linux", "cpu": "arm64" }, "sha512-5Vh9dGeblpTxWHpOx8iauV02popZDsCYMPIgiuw97OJ5uaDsL86cnqSFs5LZkG3ghHoX5isLgWzMs+eD1YzrnA=="],
+
+
"lightningcss-linux-x64-gnu": ["lightningcss-linux-x64-gnu@1.30.2", "", { "os": "linux", "cpu": "x64" }, "sha512-Cfd46gdmj1vQ+lR6VRTTadNHu6ALuw2pKR9lYq4FnhvgBc4zWY1EtZcAc6EffShbb1MFrIPfLDXD6Xprbnni4w=="],
+
+
"lightningcss-linux-x64-musl": ["lightningcss-linux-x64-musl@1.30.2", "", { "os": "linux", "cpu": "x64" }, "sha512-XJaLUUFXb6/QG2lGIW6aIk6jKdtjtcffUT0NKvIqhSBY3hh9Ch+1LCeH80dR9q9LBjG3ewbDjnumefsLsP6aiA=="],
+
+
"lightningcss-win32-arm64-msvc": ["lightningcss-win32-arm64-msvc@1.30.2", "", { "os": "win32", "cpu": "arm64" }, "sha512-FZn+vaj7zLv//D/192WFFVA0RgHawIcHqLX9xuWiQt7P0PtdFEVaxgF9rjM/IRYHQXNnk61/H/gb2Ei+kUQ4xQ=="],
+
+
"lightningcss-win32-x64-msvc": ["lightningcss-win32-x64-msvc@1.30.2", "", { "os": "win32", "cpu": "x64" }, "sha512-5g1yc73p+iAkid5phb4oVFMB45417DkRevRbt/El/gKXJk4jid+vPFF/AXbxn05Aky8PapwzZrdJShv5C0avjw=="],
+
+
"local-pkg": ["local-pkg@1.1.2", "", { "dependencies": { "mlly": "^1.7.4", "pkg-types": "^2.3.0", "quansync": "^0.2.11" } }, "sha512-arhlxbFRmoQHl33a0Zkle/YWlmNwoyt6QNZEIJcqNbdrsix5Lvc4HyyI3EnwxTYlZYc32EbYrQ8SzEZ7dqgg9A=="],
+
+
"locate-path": ["locate-path@6.0.0", "", { "dependencies": { "p-locate": "^5.0.0" } }, "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw=="],
+
+
"lodash": ["lodash@4.17.21", "", {}, "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg=="],
+
+
"lodash.merge": ["lodash.merge@4.6.2", "", {}, "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ=="],
+
+
"lru-cache": ["lru-cache@6.0.0", "", { "dependencies": { "yallist": "^4.0.0" } }, "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA=="],
+
+
"magic-string": ["magic-string@0.30.21", "", { "dependencies": { "@jridgewell/sourcemap-codec": "^1.5.5" } }, "sha512-vd2F4YUyEXKGcLHoq+TEyCjxueSeHnFxyyjNp80yg0XV4vUhnDer/lvvlqM/arB5bXQN5K2/3oinyCRyx8T2CQ=="],
+
+
"make-dir": ["make-dir@3.1.0", "", { "dependencies": { "semver": "^6.0.0" } }, "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw=="],
+
+
"minimatch": ["minimatch@10.0.3", "", { "dependencies": { "@isaacs/brace-expansion": "^5.0.0" } }, "sha512-IPZ167aShDZZUMdRk66cyQAW3qr0WzbHkPdMYa8bzZhlHhO3jALbKdxcaak7W9FfT2rZNpQuUu4Od7ILEpXSaw=="],
+
+
"mlly": ["mlly@1.8.0", "", { "dependencies": { "acorn": "^8.15.0", "pathe": "^2.0.3", "pkg-types": "^1.3.1", "ufo": "^1.6.1" } }, "sha512-l8D9ODSRWLe2KHJSifWGwBqpTZXIXTeo8mlKjY+E2HAakaTeNpqAyBZ8GSqLzHgw4XmHmC8whvpjJNMbFZN7/g=="],
+
+
"ms": ["ms@2.1.3", "", {}, "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA=="],
+
+
"nanoid": ["nanoid@3.3.11", "", { "bin": { "nanoid": "bin/nanoid.cjs" } }, "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w=="],
+
+
"natural-compare": ["natural-compare@1.4.0", "", {}, "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw=="],
+
+
"node-releases": ["node-releases@2.0.27", "", {}, "sha512-nmh3lCkYZ3grZvqcCH+fjmQ7X+H0OeZgP40OierEaAptX4XofMh5kwNbWh7lBduUzCcV/8kZ+NDLCwm2iorIlA=="],
+
+
"optionator": ["optionator@0.9.4", "", { "dependencies": { "deep-is": "^0.1.3", "fast-levenshtein": "^2.0.6", "levn": "^0.4.1", "prelude-ls": "^1.2.1", "type-check": "^0.4.0", "word-wrap": "^1.2.5" } }, "sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g=="],
+
+
"p-limit": ["p-limit@3.1.0", "", { "dependencies": { "yocto-queue": "^0.1.0" } }, "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ=="],
+
+
"p-locate": ["p-locate@5.0.0", "", { "dependencies": { "p-limit": "^3.0.2" } }, "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw=="],
+
+
"p-try": ["p-try@2.2.0", "", {}, "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ=="],
+
+
"parent-module": ["parent-module@1.0.1", "", { "dependencies": { "callsites": "^3.0.0" } }, "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g=="],
+
+
"path-browserify": ["path-browserify@1.0.1", "", {}, "sha512-b7uo2UCUOYZcnF/3ID0lulOJi/bafxa1xPe7ZPsammBSpjSWQkjNxlt635YGS2MiR9GjvuXCtz2emr3jbsz98g=="],
+
+
"path-exists": ["path-exists@4.0.0", "", {}, "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w=="],
+
+
"path-key": ["path-key@3.1.1", "", {}, "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q=="],
+
+
"path-parse": ["path-parse@1.0.7", "", {}, "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw=="],
+
+
"pathe": ["pathe@2.0.3", "", {}, "sha512-WUjGcAqP1gQacoQe+OBJsFA7Ld4DyXuUIjZ5cc75cLHvJ7dtNsTugphxIADwspS+AraAUePCKrSVtPLFj/F88w=="],
+
+
"picocolors": ["picocolors@1.1.1", "", {}, "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA=="],
+
+
"picomatch": ["picomatch@4.0.3", "", {}, "sha512-5gTmgEY/sqK6gFXLIsQNH19lWb4ebPDLA4SdLP7dsWkIXHWlG66oPuVvXSGFPppYZz8ZDZq0dYYrbHfBCVUb1Q=="],
+
+
"pkg-dir": ["pkg-dir@4.2.0", "", { "dependencies": { "find-up": "^4.0.0" } }, "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ=="],
+
+
"pkg-types": ["pkg-types@2.3.0", "", { "dependencies": { "confbox": "^0.2.2", "exsolve": "^1.0.7", "pathe": "^2.0.3" } }, "sha512-SIqCzDRg0s9npO5XQ3tNZioRY1uK06lA41ynBC1YmFTmnY6FjUjVt6s4LoADmwoig1qqD0oK8h1p/8mlMx8Oig=="],
+
+
"postcss": ["postcss@8.5.6", "", { "dependencies": { "nanoid": "^3.3.11", "picocolors": "^1.1.1", "source-map-js": "^1.2.1" } }, "sha512-3Ybi1tAuwAP9s0r1UQ2J4n5Y0G05bJkpUIO0/bI9MhwmD70S5aTWbXGBwxHrelT+XM1k6dM0pk+SwNkpTRN7Pg=="],
+
+
"prelude-ls": ["prelude-ls@1.2.1", "", {}, "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g=="],
+
+
"punycode": ["punycode@2.3.1", "", {}, "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg=="],
+
+
"quansync": ["quansync@0.2.11", "", {}, "sha512-AifT7QEbW9Nri4tAwR5M/uzpBuqfZf+zwaEM/QkzEjj7NBuFD2rBuy0K3dE+8wltbezDV7JMA0WfnCPYRSYbXA=="],
+
+
"react": ["react@19.2.0", "", {}, "sha512-tmbWg6W31tQLeB5cdIBOicJDJRR2KzXsV7uSK9iNfLWQ5bIZfxuPEHp7M8wiHyHnn0DD1i7w3Zmin0FtkrwoCQ=="],
+
+
"react-dom": ["react-dom@19.2.0", "", { "dependencies": { "scheduler": "^0.27.0" }, "peerDependencies": { "react": "^19.2.0" } }, "sha512-UlbRu4cAiGaIewkPyiRGJk0imDN2T3JjieT6spoL2UeSf5od4n5LB/mQ4ejmxhCFT1tYe8IvaFulzynWovsEFQ=="],
+
+
"react-refresh": ["react-refresh@0.18.0", "", {}, "sha512-QgT5//D3jfjJb6Gsjxv0Slpj23ip+HtOpnNgnb2S5zU3CB26G/IDPGoy4RJB42wzFE46DRsstbW6tKHoKbhAxw=="],
+
+
"require-from-string": ["require-from-string@2.0.2", "", {}, "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw=="],
+
+
"resolve": ["resolve@1.22.11", "", { "dependencies": { "is-core-module": "^2.16.1", "path-parse": "^1.0.7", "supports-preserve-symlinks-flag": "^1.0.0" }, "bin": { "resolve": "bin/resolve" } }, "sha512-RfqAvLnMl313r7c9oclB1HhUEAezcpLjz95wFH4LVuhk9JF/r22qmVP9AMmOU4vMX7Q8pN8jwNg/CSpdFnMjTQ=="],
+
+
"resolve-from": ["resolve-from@4.0.0", "", {}, "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g=="],
+
+
"rolldown": ["rolldown@1.0.0-beta.41", "", { "dependencies": { "@oxc-project/types": "=0.93.0", "@rolldown/pluginutils": "1.0.0-beta.41", "ansis": "=4.2.0" }, "optionalDependencies": { "@rolldown/binding-android-arm64": "1.0.0-beta.41", "@rolldown/binding-darwin-arm64": "1.0.0-beta.41", "@rolldown/binding-darwin-x64": "1.0.0-beta.41", "@rolldown/binding-freebsd-x64": "1.0.0-beta.41", "@rolldown/binding-linux-arm-gnueabihf": "1.0.0-beta.41", "@rolldown/binding-linux-arm64-gnu": "1.0.0-beta.41", "@rolldown/binding-linux-arm64-musl": "1.0.0-beta.41", "@rolldown/binding-linux-x64-gnu": "1.0.0-beta.41", "@rolldown/binding-linux-x64-musl": "1.0.0-beta.41", "@rolldown/binding-openharmony-arm64": "1.0.0-beta.41", "@rolldown/binding-wasm32-wasi": "1.0.0-beta.41", "@rolldown/binding-win32-arm64-msvc": "1.0.0-beta.41", "@rolldown/binding-win32-ia32-msvc": "1.0.0-beta.41", "@rolldown/binding-win32-x64-msvc": "1.0.0-beta.41" }, "bin": { "rolldown": "bin/cli.mjs" } }, "sha512-U+NPR0Bkg3wm61dteD2L4nAM1U9dtaqVrpDXwC36IKRHpEO/Ubpid4Nijpa2imPchcVNHfxVFwSSMJdwdGFUbg=="],
+
+
"rollup": ["rollup@4.53.3", "", { "dependencies": { "@types/estree": "1.0.8" }, "optionalDependencies": { "@rollup/rollup-android-arm-eabi": "4.53.3", "@rollup/rollup-android-arm64": "4.53.3", "@rollup/rollup-darwin-arm64": "4.53.3", "@rollup/rollup-darwin-x64": "4.53.3", "@rollup/rollup-freebsd-arm64": "4.53.3", "@rollup/rollup-freebsd-x64": "4.53.3", "@rollup/rollup-linux-arm-gnueabihf": "4.53.3", "@rollup/rollup-linux-arm-musleabihf": "4.53.3", "@rollup/rollup-linux-arm64-gnu": "4.53.3", "@rollup/rollup-linux-arm64-musl": "4.53.3", "@rollup/rollup-linux-loong64-gnu": "4.53.3", "@rollup/rollup-linux-ppc64-gnu": "4.53.3", "@rollup/rollup-linux-riscv64-gnu": "4.53.3", "@rollup/rollup-linux-riscv64-musl": "4.53.3", "@rollup/rollup-linux-s390x-gnu": "4.53.3", "@rollup/rollup-linux-x64-gnu": "4.53.3", "@rollup/rollup-linux-x64-musl": "4.53.3", "@rollup/rollup-openharmony-arm64": "4.53.3", "@rollup/rollup-win32-arm64-msvc": "4.53.3", "@rollup/rollup-win32-ia32-msvc": "4.53.3", "@rollup/rollup-win32-x64-gnu": "4.53.3", "@rollup/rollup-win32-x64-msvc": "4.53.3", "fsevents": "~2.3.2" }, "bin": { "rollup": "dist/bin/rollup" } }, "sha512-w8GmOxZfBmKknvdXU1sdM9NHcoQejwF/4mNgj2JuEEdRaHwwF12K7e9eXn1nLZ07ad+du76mkVsyeb2rKGllsA=="],
+
+
"rollup-plugin-typescript2": ["rollup-plugin-typescript2@0.36.0", "", { "dependencies": { "@rollup/pluginutils": "^4.1.2", "find-cache-dir": "^3.3.2", "fs-extra": "^10.0.0", "semver": "^7.5.4", "tslib": "^2.6.2" }, "peerDependencies": { "rollup": ">=1.26.3", "typescript": ">=2.4.0" } }, "sha512-NB2CSQDxSe9+Oe2ahZbf+B4bh7pHwjV5L+RSYpCu7Q5ROuN94F9b6ioWwKfz3ueL3KTtmX4o2MUH2cgHDIEUsw=="],
+
+
"scheduler": ["scheduler@0.27.0", "", {}, "sha512-eNv+WrVbKu1f3vbYJT/xtiF5syA5HPIMtf9IgY/nKg0sWqzAUEvqY/xm7OcZc/qafLx/iO9FgOmeSAp4v5ti/Q=="],
+
+
"semver": ["semver@7.5.4", "", { "dependencies": { "lru-cache": "^6.0.0" }, "bin": { "semver": "bin/semver.js" } }, "sha512-1bCSESV6Pv+i21Hvpxp3Dx+pSD8lIPt8uVjRrxAUt/nbswYc+tK6Y2btiULjd4+fnq15PX+nqQDC7Oft7WkwcA=="],
+
+
"shebang-command": ["shebang-command@2.0.0", "", { "dependencies": { "shebang-regex": "^3.0.0" } }, "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA=="],
+
+
"shebang-regex": ["shebang-regex@3.0.0", "", {}, "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A=="],
+
+
"source-map": ["source-map@0.6.1", "", {}, "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g=="],
+
+
"source-map-js": ["source-map-js@1.2.1", "", {}, "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA=="],
+
+
"sprintf-js": ["sprintf-js@1.0.3", "", {}, "sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g=="],
+
+
"string-argv": ["string-argv@0.3.2", "", {}, "sha512-aqD2Q0144Z+/RqG52NeHEkZauTAUWJO8c6yTftGJKO3Tja5tUgIfmIl6kExvhtxSDP7fXB6DvzkfMpCd/F3G+Q=="],
+
+
"strip-json-comments": ["strip-json-comments@3.1.1", "", {}, "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig=="],
+
+
"supports-color": ["supports-color@8.1.1", "", { "dependencies": { "has-flag": "^4.0.0" } }, "sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q=="],
+
+
"supports-preserve-symlinks-flag": ["supports-preserve-symlinks-flag@1.0.0", "", {}, "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w=="],
+
+
"tinyglobby": ["tinyglobby@0.2.15", "", { "dependencies": { "fdir": "^6.5.0", "picomatch": "^4.0.3" } }, "sha512-j2Zq4NyQYG5XMST4cbs02Ak8iJUdxRM0XI5QyxXuZOzKOINmWurp3smXu3y5wDcJrptwpSjgXHzIQxR0omXljQ=="],
+
+
"ts-api-utils": ["ts-api-utils@2.1.0", "", { "peerDependencies": { "typescript": ">=4.8.4" } }, "sha512-CUgTZL1irw8u29bzrOD/nH85jqyc74D6SshFgujOIA7osm2Rz7dYH77agkx7H4FBNxDq7Cjf+IjaX/8zwFW+ZQ=="],
+
+
"tslib": ["tslib@2.8.1", "", {}, "sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w=="],
+
+
"type-check": ["type-check@0.4.0", "", { "dependencies": { "prelude-ls": "^1.2.1" } }, "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew=="],
+
+
"typescript": ["typescript@5.9.3", "", { "bin": { "tsc": "bin/tsc", "tsserver": "bin/tsserver" } }, "sha512-jl1vZzPDinLr9eUt3J/t7V6FgNEw9QjvBPdysz9KfQDD41fQrC2Y4vKQdiaUpFT4bXlb1RHhLpp8wtm6M5TgSw=="],
+
+
"typescript-eslint": ["typescript-eslint@8.48.1", "", { "dependencies": { "@typescript-eslint/eslint-plugin": "8.48.1", "@typescript-eslint/parser": "8.48.1", "@typescript-eslint/typescript-estree": "8.48.1", "@typescript-eslint/utils": "8.48.1" }, "peerDependencies": { "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <6.0.0" } }, "sha512-FbOKN1fqNoXp1hIl5KYpObVrp0mCn+CLgn479nmu2IsRMrx2vyv74MmsBLVlhg8qVwNFGbXSp8fh1zp8pEoC2A=="],
+
+
"ufo": ["ufo@1.6.1", "", {}, "sha512-9a4/uxlTWJ4+a5i0ooc1rU7C7YOw3wT+UGqdeNNHWnOF9qcMBgLRS+4IYUqbczewFx4mLEig6gawh7X6mFlEkA=="],
+
+
"undici-types": ["undici-types@7.16.0", "", {}, "sha512-Zz+aZWSj8LE6zoxD+xrjh4VfkIG8Ya6LvYkZqtUQGJPZjYl53ypCaUwWqo7eI0x66KBGeRo+mlBEkMSeSZ38Nw=="],
+
+
"universalify": ["universalify@2.0.1", "", {}, "sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw=="],
+
+
"unplugin": ["unplugin@2.3.11", "", { "dependencies": { "@jridgewell/remapping": "^2.3.5", "acorn": "^8.15.0", "picomatch": "^4.0.3", "webpack-virtual-modules": "^0.6.2" } }, "sha512-5uKD0nqiYVzlmCRs01Fhs2BdkEgBS3SAVP6ndrBsuK42iC2+JHyxM05Rm9G8+5mkmRtzMZGY8Ct5+mliZxU/Ww=="],
+
+
"unplugin-dts": ["unplugin-dts@1.0.0-beta.6", "", { "dependencies": { "@rollup/pluginutils": "^5.1.4", "@volar/typescript": "^2.4.17", "compare-versions": "^6.1.1", "debug": "^4.4.0", "kolorist": "^1.8.0", "local-pkg": "^1.1.1", "magic-string": "^0.30.17", "unplugin": "^2.3.2" }, "peerDependencies": { "@microsoft/api-extractor": ">=7", "@rspack/core": "^1", "@vue/language-core": "~3.0.1", "esbuild": "*", "rolldown": "*", "rollup": ">=3", "typescript": ">=4", "vite": ">=3", "webpack": "^4 || ^5" }, "optionalPeers": ["@microsoft/api-extractor", "@rspack/core", "@vue/language-core", "esbuild", "rolldown", "rollup", "vite", "webpack"] }, "sha512-+xbFv5aVFtLZFNBAKI4+kXmd2h+T42/AaP8Bsp0YP/je/uOTN94Ame2Xt3e9isZS+Z7/hrLCLbsVJh+saqFMfQ=="],
+
+
"update-browserslist-db": ["update-browserslist-db@1.1.4", "", { "dependencies": { "escalade": "^3.2.0", "picocolors": "^1.1.1" }, "peerDependencies": { "browserslist": ">= 4.21.0" }, "bin": { "update-browserslist-db": "cli.js" } }, "sha512-q0SPT4xyU84saUX+tomz1WLkxUbuaJnR1xWt17M7fJtEJigJeWUNGUqrauFXsHnqev9y9JTRGwk13tFBuKby4A=="],
+
+
"uri-js": ["uri-js@4.4.1", "", { "dependencies": { "punycode": "^2.1.0" } }, "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg=="],
+
+
"vite": ["rolldown-vite@7.1.14", "", { "dependencies": { "@oxc-project/runtime": "0.92.0", "fdir": "^6.5.0", "lightningcss": "^1.30.1", "picomatch": "^4.0.3", "postcss": "^8.5.6", "rolldown": "1.0.0-beta.41", "tinyglobby": "^0.2.15" }, "optionalDependencies": { "fsevents": "~2.3.3" }, "peerDependencies": { "@types/node": "^20.19.0 || >=22.12.0", "esbuild": "^0.25.0", "jiti": ">=1.21.0", "less": "^4.0.0", "sass": "^1.70.0", "sass-embedded": "^1.70.0", "stylus": ">=0.54.8", "sugarss": "^5.0.0", "terser": "^5.16.0", "tsx": "^4.8.1", "yaml": "^2.4.2" }, "optionalPeers": ["@types/node", "esbuild", "jiti", "less", "sass", "sass-embedded", "stylus", "sugarss", "terser", "tsx", "yaml"], "bin": { "vite": "bin/vite.js" } }, "sha512-eSiiRJmovt8qDJkGyZuLnbxAOAdie6NCmmd0NkTC0RJI9duiSBTfr8X2mBYJOUFzxQa2USaHmL99J9uMxkjCyw=="],
+
+
"vscode-uri": ["vscode-uri@3.1.0", "", {}, "sha512-/BpdSx+yCQGnCvecbyXdxHDkuk55/G3xwnC0GqY4gmQ3j+A+g8kzzgB4Nk/SINjqn6+waqw3EgbVF2QKExkRxQ=="],
+
+
"webpack-virtual-modules": ["webpack-virtual-modules@0.6.2", "", {}, "sha512-66/V2i5hQanC51vBQKPH4aI8NMAcBW59FVBs+rC7eGHupMyfn34q7rZIE+ETlJ+XTevqfUhVVBgSUNSW2flEUQ=="],
+
+
"which": ["which@2.0.2", "", { "dependencies": { "isexe": "^2.0.0" }, "bin": { "node-which": "./bin/node-which" } }, "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA=="],
+
+
"word-wrap": ["word-wrap@1.2.5", "", {}, "sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA=="],
+
+
"yallist": ["yallist@4.0.0", "", {}, "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A=="],
+
+
"yocto-queue": ["yocto-queue@0.1.0", "", {}, "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q=="],
+
+
"@babel/core/semver": ["semver@6.3.1", "", { "bin": { "semver": "bin/semver.js" } }, "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA=="],
+
+
"@babel/helper-compilation-targets/lru-cache": ["lru-cache@5.1.1", "", { "dependencies": { "yallist": "^3.0.2" } }, "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w=="],
+
+
"@babel/helper-compilation-targets/semver": ["semver@6.3.1", "", { "bin": { "semver": "bin/semver.js" } }, "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA=="],
+
+
"@eslint-community/eslint-utils/eslint-visitor-keys": ["eslint-visitor-keys@3.4.3", "", {}, "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag=="],
+
+
"@eslint/config-array/minimatch": ["minimatch@3.1.2", "", { "dependencies": { "brace-expansion": "^1.1.7" } }, "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw=="],
+
+
"@eslint/eslintrc/globals": ["globals@14.0.0", "", {}, "sha512-oahGvuMGQlPw/ivIYBjVSrWAfWLBeku5tpPE2fOPLi+WHffIWbuh2tCjhyQhTBPMf5E9jDEH4FOmTYgYwbKwtQ=="],
+
+
"@eslint/eslintrc/minimatch": ["minimatch@3.1.2", "", { "dependencies": { "brace-expansion": "^1.1.7" } }, "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw=="],
+
+
"@microsoft/api-extractor/typescript": ["typescript@5.8.2", "", { "bin": { "tsc": "bin/tsc", "tsserver": "bin/tsserver" } }, "sha512-aJn6wq13/afZp/jT9QZmwEjDqqvSGp1VT5GVg+f/t6/oVyrgXM6BY1h9BRh/O5p3PlUPAe+WuiEZOmb/49RqoQ=="],
+
+
"@microsoft/tsdoc-config/ajv": ["ajv@8.12.0", "", { "dependencies": { "fast-deep-equal": "^3.1.1", "json-schema-traverse": "^1.0.0", "require-from-string": "^2.0.2", "uri-js": "^4.2.2" } }, "sha512-sRu1kpcO9yLtYxBKvqfTeh9KzZEwO3STyX1HT+4CaDzC6HpTGYhIhPIzj9XuKU7KYDwnaeh5hcOwjy1QuJzBPA=="],
+
+
"@rollup/pluginutils/picomatch": ["picomatch@2.3.1", "", {}, "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA=="],
+
+
"@rushstack/node-core-library/ajv": ["ajv@8.13.0", "", { "dependencies": { "fast-deep-equal": "^3.1.3", "json-schema-traverse": "^1.0.0", "require-from-string": "^2.0.2", "uri-js": "^4.4.1" } }, "sha512-PRA911Blj99jR5RMeTunVbNXMF6Lp4vZXnk5GQjcnUWUTsrXtekg/pnmFFI2u/I36Y/2bITGS30GZCXei6uNkA=="],
+
+
"@rushstack/node-core-library/fs-extra": ["fs-extra@11.3.2", "", { "dependencies": { "graceful-fs": "^4.2.0", "jsonfile": "^6.0.1", "universalify": "^2.0.0" } }, "sha512-Xr9F6z6up6Ws+NjzMCZc6WXg2YFRlrLP9NQDO3VQrWrfiojdhS56TzueT88ze0uBdCTwEIhQ3ptnmKeWGFAe0A=="],
+
+
"@typescript-eslint/eslint-plugin/ignore": ["ignore@7.0.5", "", {}, "sha512-Hs59xBNfUIunMFgWAbGX5cq6893IbWg4KnrjbYwX3tx0ztorVgTDA6B2sxf8ejHJ4wz8BqGUMYlnzNBer5NvGg=="],
+
+
"@typescript-eslint/typescript-estree/minimatch": ["minimatch@9.0.5", "", { "dependencies": { "brace-expansion": "^2.0.1" } }, "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow=="],
+
+
"@typescript-eslint/typescript-estree/semver": ["semver@7.7.3", "", { "bin": { "semver": "bin/semver.js" } }, "sha512-SdsKMrI9TdgjdweUSR9MweHA4EJ8YxHn8DFaDisvhVlUOe4BF1tLD7GAj0lIqWVl+dPb/rExr0Btby5loQm20Q=="],
+
+
"ajv-formats/ajv": ["ajv@8.13.0", "", { "dependencies": { "fast-deep-equal": "^3.1.3", "json-schema-traverse": "^1.0.0", "require-from-string": "^2.0.2", "uri-js": "^4.4.1" } }, "sha512-PRA911Blj99jR5RMeTunVbNXMF6Lp4vZXnk5GQjcnUWUTsrXtekg/pnmFFI2u/I36Y/2bITGS30GZCXei6uNkA=="],
+
+
"chalk/supports-color": ["supports-color@7.2.0", "", { "dependencies": { "has-flag": "^4.0.0" } }, "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw=="],
+
+
"eslint/minimatch": ["minimatch@3.1.2", "", { "dependencies": { "brace-expansion": "^1.1.7" } }, "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw=="],
+
+
"js-yaml/argparse": ["argparse@2.0.1", "", {}, "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q=="],
+
+
"make-dir/semver": ["semver@6.3.1", "", { "bin": { "semver": "bin/semver.js" } }, "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA=="],
+
+
"mlly/pkg-types": ["pkg-types@1.3.1", "", { "dependencies": { "confbox": "^0.1.8", "mlly": "^1.7.4", "pathe": "^2.0.1" } }, "sha512-/Jm5M4RvtBFVkKWRu2BLUTNP8/M2a+UwuAX+ae4770q1qVGtfjG+WTCupoZixokjmHiry8uI+dlY8KXYV5HVVQ=="],
+
+
"pkg-dir/find-up": ["find-up@4.1.0", "", { "dependencies": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw=="],
+
+
"rolldown/@rolldown/pluginutils": ["@rolldown/pluginutils@1.0.0-beta.41", "", {}, "sha512-ycMEPrS3StOIeb87BT3/+bu+blEtyvwQ4zmo2IcJQy0Rd1DAAhKksA0iUZ3MYSpJtjlPhg0Eo6mvVS6ggPhRbw=="],
+
+
"rollup-plugin-typescript2/semver": ["semver@7.7.3", "", { "bin": { "semver": "bin/semver.js" } }, "sha512-SdsKMrI9TdgjdweUSR9MweHA4EJ8YxHn8DFaDisvhVlUOe4BF1tLD7GAj0lIqWVl+dPb/rExr0Btby5loQm20Q=="],
+
+
"unplugin-dts/@rollup/pluginutils": ["@rollup/pluginutils@5.3.0", "", { "dependencies": { "@types/estree": "^1.0.0", "estree-walker": "^2.0.2", "picomatch": "^4.0.2" }, "peerDependencies": { "rollup": "^1.20.0||^2.0.0||^3.0.0||^4.0.0" }, "optionalPeers": ["rollup"] }, "sha512-5EdhGZtnu3V88ces7s53hhfK5KSASnJZv8Lulpc04cWO3REESroJXg73DFsOmgbU2BhwV0E20bu2IDZb3VKW4Q=="],
+
+
"@babel/helper-compilation-targets/lru-cache/yallist": ["yallist@3.1.1", "", {}, "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g=="],
+
+
"@microsoft/tsdoc-config/ajv/json-schema-traverse": ["json-schema-traverse@1.0.0", "", {}, "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug=="],
+
+
"@rushstack/node-core-library/ajv/json-schema-traverse": ["json-schema-traverse@1.0.0", "", {}, "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug=="],
+
+
"@typescript-eslint/typescript-estree/minimatch/brace-expansion": ["brace-expansion@2.0.2", "", { "dependencies": { "balanced-match": "^1.0.0" } }, "sha512-Jt0vHyM+jmUBqojB7E1NIYadt0vI0Qxjxd2TErW94wDz+E2LAm5vKMXXwg6ZZBTHPuUlDgQHKXvjGBdfcF1ZDQ=="],
+
+
"ajv-formats/ajv/json-schema-traverse": ["json-schema-traverse@1.0.0", "", {}, "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug=="],
+
+
"mlly/pkg-types/confbox": ["confbox@0.1.8", "", {}, "sha512-RMtmw0iFkeR4YV+fUOSucriAQNb9g8zFR52MWCtl+cCZOFRNL6zeB395vPzFhEjjn4fMxXudmELnl/KF/WrK6w=="],
+
+
"pkg-dir/find-up/locate-path": ["locate-path@5.0.0", "", { "dependencies": { "p-locate": "^4.1.0" } }, "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g=="],
+
+
"pkg-dir/find-up/locate-path/p-locate": ["p-locate@4.1.0", "", { "dependencies": { "p-limit": "^2.2.0" } }, "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A=="],
+
+
"pkg-dir/find-up/locate-path/p-locate/p-limit": ["p-limit@2.3.0", "", { "dependencies": { "p-try": "^2.0.0" } }, "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w=="],
+
}
+
}
+331 -94
lib/components/BlueskyPost.tsx
···
import { useBlob } from "../hooks/useBlob";
import { BLUESKY_PROFILE_COLLECTION } from "./BlueskyProfile";
import { getAvatarCid } from "../utils/profile";
-
import { formatDidForLabel } from "../utils/at-uri";
+
import { formatDidForLabel, parseAtUri } from "../utils/at-uri";
+
import { isBlobWithCdn } from "../utils/blob";
/**
* Props for rendering a single Bluesky post with optional customization hooks.
···
*/
rkey: string;
/**
+
* Prefetched post record. When provided, skips fetching the post from the network.
+
* Note: Profile and avatar data will still be fetched unless a custom renderer is used.
+
*/
+
record?: FeedPostRecord;
+
/**
* Custom renderer component that receives resolved post data and status flags.
*/
renderer?: React.ComponentType<BlueskyPostRendererInjectedProps>;
···
* React node displayed while the post fetch is actively loading.
*/
loadingIndicator?: React.ReactNode;
-
/**
-
* Preferred color scheme to pass through to renderers.
-
*/
-
colorScheme?: "light" | "dark" | "system";
+
/**
* Whether the default renderer should show the Bluesky icon.
* Defaults to `true`.
···
* Defaults to `'timestamp'`.
*/
iconPlacement?: "cardBottomRight" | "timestamp" | "linkInline";
+
/**
+
* Controls whether to show the parent post if this post is a reply.
+
* Defaults to `false`.
+
*/
+
showParent?: boolean;
+
/**
+
* Controls whether to recursively show all parent posts to the root.
+
* Only applies when `showParent` is `true`. Defaults to `false`.
+
*/
+
recursiveParent?: boolean;
}
/**
···
* The author's public handle derived from the DID.
*/
authorHandle: string;
+
/**
+
* The author's display name from their profile.
+
*/
+
authorDisplayName?: string;
/**
* The DID that owns the post record.
*/
···
* Resolved URL for the author's avatar blob, if available.
*/
avatarUrl?: string;
-
/**
-
* Preferred color scheme bubbled down to children.
-
*/
-
colorScheme?: "light" | "dark" | "system";
+
/**
* Placement strategy for the Bluesky icon.
*/
···
* Optional override for the rendered embed contents.
*/
embed?: React.ReactNode;
+
/**
+
* Whether this post is part of a thread.
+
*/
+
isInThread?: boolean;
+
/**
+
* Depth of this post in a thread (0 = root, 1 = first reply, etc.).
+
*/
+
threadDepth?: number;
+
/**
+
* Whether to show border even when in thread context.
+
*/
+
showThreadBorder?: boolean;
};
-
/** NSID for the canonical Bluesky feed post collection. */
export const BLUESKY_POST_COLLECTION = "app.bsky.feed.post";
+
const threadContainerStyle: React.CSSProperties = {
+
display: "flex",
+
flexDirection: "column",
+
maxWidth: "600px",
+
width: "100%",
+
background: "var(--atproto-color-bg)",
+
position: "relative",
+
borderRadius: "12px",
+
overflow: "hidden"
+
};
+
+
const parentPostStyle: React.CSSProperties = {
+
position: "relative",
+
};
+
+
const replyPostStyle: React.CSSProperties = {
+
position: "relative",
+
};
+
+
const loadingStyle: React.CSSProperties = {
+
padding: "24px 18px",
+
fontSize: "14px",
+
textAlign: "center",
+
color: "var(--atproto-color-text-secondary)",
+
};
+
/**
* Fetches a Bluesky feed post, resolves metadata such as author handle and avatar,
* and renders it via a customizable renderer component.
*
* @param did - DID of the repository that stores the post.
* @param rkey - Record key for the post within the feed collection.
+
* @param record - Prefetched record for the post.
* @param renderer - Optional renderer component to override the default.
* @param fallback - Node rendered before the first fetch attempt resolves.
* @param loadingIndicator - Node rendered while the post is loading.
-
* @param colorScheme - Preferred color scheme forwarded to downstream components.
* @param showIcon - Controls whether the Bluesky icon should render alongside the post. Defaults to `true`.
* @param iconPlacement - Determines where the icon is positioned in the rendered post. Defaults to `'timestamp'`.
* @returns A component that renders loading/fallback states and the resolved post.
*/
-
export const BlueskyPost: React.FC<BlueskyPostProps> = ({
-
did: handleOrDid,
-
rkey,
-
renderer,
-
fallback,
-
loadingIndicator,
-
colorScheme,
-
showIcon = true,
-
iconPlacement = "timestamp",
-
}) => {
-
const {
-
did: resolvedDid,
-
handle,
-
loading: resolvingIdentity,
-
error: resolutionError,
-
} = useDidResolution(handleOrDid);
-
const repoIdentifier = resolvedDid ?? handleOrDid;
-
const { record: profile } = useAtProtoRecord<ProfileRecord>({
-
did: repoIdentifier,
-
collection: BLUESKY_PROFILE_COLLECTION,
-
rkey: "self",
-
});
-
const avatarCid = getAvatarCid(profile);
+
export const BlueskyPost: React.FC<BlueskyPostProps> = React.memo(
+
({
+
did: handleOrDid,
+
rkey,
+
record,
+
renderer,
+
fallback,
+
loadingIndicator,
+
showIcon = true,
+
iconPlacement = "timestamp",
+
showParent = false,
+
recursiveParent = false,
+
}) => {
+
const {
+
did: resolvedDid,
+
handle,
+
loading: resolvingIdentity,
+
error: resolutionError,
+
} = useDidResolution(handleOrDid);
+
const repoIdentifier = resolvedDid ?? handleOrDid;
+
const { record: profile } = useAtProtoRecord<ProfileRecord>({
+
did: repoIdentifier,
+
collection: BLUESKY_PROFILE_COLLECTION,
+
rkey: "self",
+
});
+
const avatar = profile?.avatar;
+
const avatarCdnUrl = isBlobWithCdn(avatar) ? avatar.cdnUrl : undefined;
+
const avatarCid = avatarCdnUrl ? undefined : getAvatarCid(profile);
+
const authorDisplayName = profile?.displayName;
+
+
const {
+
record: fetchedRecord,
+
loading: currentLoading,
+
error: currentError,
+
} = useAtProtoRecord<FeedPostRecord>({
+
did: showParent && !record ? repoIdentifier : "",
+
collection: showParent && !record ? BLUESKY_POST_COLLECTION : "",
+
rkey: showParent && !record ? rkey : "",
+
});
+
+
const currentRecord = record ?? fetchedRecord;
+
+
const parentUri = currentRecord?.reply?.parent?.uri;
+
const parsedParentUri = parentUri ? parseAtUri(parentUri) : null;
+
const parentDid = parsedParentUri?.did;
+
const parentRkey = parsedParentUri?.rkey;
+
+
const {
+
record: parentRecord,
+
loading: parentLoading,
+
error: parentError,
+
} = useAtProtoRecord<FeedPostRecord>({
+
did: showParent && parentDid ? parentDid : "",
+
collection: showParent && parentDid ? BLUESKY_POST_COLLECTION : "",
+
rkey: showParent && parentRkey ? parentRkey : "",
+
});
+
+
const Comp: React.ComponentType<BlueskyPostRendererInjectedProps> =
+
useMemo(
+
() =>
+
renderer ?? ((props) => <BlueskyPostRenderer {...props} />),
+
[renderer],
+
);
+
+
const displayHandle =
+
handle ??
+
(handleOrDid.startsWith("did:") ? undefined : handleOrDid);
+
const authorHandle =
+
displayHandle ?? formatDidForLabel(resolvedDid ?? handleOrDid);
+
const atUri = resolvedDid
+
? `at://${resolvedDid}/${BLUESKY_POST_COLLECTION}/${rkey}`
+
: undefined;
+
+
const Wrapped = useMemo(() => {
+
const WrappedComponent: React.FC<{
+
record: FeedPostRecord;
+
loading: boolean;
+
error?: Error;
+
}> = (props) => {
+
const { url: avatarUrlFromBlob } = useBlob(
+
repoIdentifier,
+
avatarCid,
+
);
+
const avatarUrl = avatarCdnUrl || avatarUrlFromBlob;
+
return (
+
<Comp
+
{...props}
+
authorHandle={authorHandle}
+
authorDisplayName={authorDisplayName}
+
authorDid={repoIdentifier}
+
avatarUrl={avatarUrl}
+
iconPlacement={iconPlacement}
+
showIcon={showIcon}
+
atUri={atUri}
+
isInThread
+
threadDepth={showParent ? 1 : 0}
+
showThreadBorder={!showParent && !!props.record?.reply?.parent}
+
/>
+
);
+
};
+
WrappedComponent.displayName = "BlueskyPostWrappedRenderer";
+
return WrappedComponent;
+
}, [
+
Comp,
+
repoIdentifier,
+
avatarCid,
+
avatarCdnUrl,
+
authorHandle,
+
authorDisplayName,
+
iconPlacement,
+
showIcon,
+
atUri,
+
showParent,
+
]);
+
+
const WrappedWithoutIcon = useMemo(() => {
+
const WrappedComponent: React.FC<{
+
record: FeedPostRecord;
+
loading: boolean;
+
error?: Error;
+
}> = (props) => {
+
const { url: avatarUrlFromBlob } = useBlob(
+
repoIdentifier,
+
avatarCid,
+
);
+
const avatarUrl = avatarCdnUrl || avatarUrlFromBlob;
+
return (
+
<Comp
+
{...props}
+
authorHandle={authorHandle}
+
authorDisplayName={authorDisplayName}
+
authorDid={repoIdentifier}
+
avatarUrl={avatarUrl}
+
iconPlacement={iconPlacement}
+
showIcon={false}
+
atUri={atUri}
+
isInThread
+
threadDepth={showParent ? 1 : 0}
+
showThreadBorder={!showParent && !!props.record?.reply?.parent}
+
/>
+
);
+
};
+
WrappedComponent.displayName = "BlueskyPostWrappedRendererWithoutIcon";
+
return WrappedComponent;
+
}, [
+
Comp,
+
repoIdentifier,
+
avatarCid,
+
avatarCdnUrl,
+
authorHandle,
+
authorDisplayName,
+
iconPlacement,
+
atUri,
+
showParent,
+
]);
-
const Comp: React.ComponentType<BlueskyPostRendererInjectedProps> = useMemo(
-
() => renderer ?? ((props) => <BlueskyPostRenderer {...props} />),
-
[renderer]
-
);
+
if (!displayHandle && resolvingIdentity) {
+
return <div style={{ padding: 8 }}>Resolving handleโ€ฆ</div>;
+
}
+
if (!displayHandle && resolutionError) {
+
return (
+
<div style={{ padding: 8, color: "crimson" }}>
+
Could not resolve handle.
+
</div>
+
);
+
}
-
const displayHandle =
-
handle ?? (handleOrDid.startsWith("did:") ? undefined : handleOrDid);
-
const authorHandle =
-
displayHandle ?? formatDidForLabel(resolvedDid ?? handleOrDid);
-
const atUri = resolvedDid
-
? `at://${resolvedDid}/${BLUESKY_POST_COLLECTION}/${rkey}`
-
: undefined;
+
const renderMainPost = (mainRecord?: FeedPostRecord) => {
+
if (mainRecord !== undefined) {
+
return (
+
<AtProtoRecord<FeedPostRecord>
+
record={mainRecord}
+
renderer={Wrapped}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
/>
+
);
+
}
-
const Wrapped = useMemo(() => {
-
const WrappedComponent: React.FC<{
-
record: FeedPostRecord;
-
loading: boolean;
-
error?: Error;
-
}> = (props) => {
-
const { url: avatarUrl } = useBlob(repoIdentifier, avatarCid);
return (
-
<Comp
-
{...props}
-
authorHandle={authorHandle}
-
authorDid={repoIdentifier}
-
avatarUrl={avatarUrl}
-
colorScheme={colorScheme}
-
iconPlacement={iconPlacement}
-
showIcon={showIcon}
-
atUri={atUri}
+
<AtProtoRecord<FeedPostRecord>
+
did={repoIdentifier}
+
collection={BLUESKY_POST_COLLECTION}
+
rkey={rkey}
+
renderer={Wrapped}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
/>
);
};
-
WrappedComponent.displayName = "BlueskyPostWrappedRenderer";
-
return WrappedComponent;
-
}, [
-
Comp,
-
repoIdentifier,
-
avatarCid,
-
authorHandle,
-
colorScheme,
-
iconPlacement,
-
showIcon,
-
atUri,
-
]);
-
if (!displayHandle && resolvingIdentity) {
-
return <div style={{ padding: 8 }}>Resolving handleโ€ฆ</div>;
-
}
-
if (!displayHandle && resolutionError) {
-
return (
-
<div style={{ padding: 8, color: "crimson" }}>
-
Could not resolve handle.
-
</div>
-
);
-
}
+
const renderMainPostWithoutIcon = (mainRecord?: FeedPostRecord) => {
+
if (mainRecord !== undefined) {
+
return (
+
<AtProtoRecord<FeedPostRecord>
+
record={mainRecord}
+
renderer={WrappedWithoutIcon}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
/>
+
);
+
}
+
+
return (
+
<AtProtoRecord<FeedPostRecord>
+
did={repoIdentifier}
+
collection={BLUESKY_POST_COLLECTION}
+
rkey={rkey}
+
renderer={WrappedWithoutIcon}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
/>
+
);
+
};
+
+
if (showParent) {
+
if (currentLoading || (parentLoading && !parentRecord)) {
+
return (
+
<div style={threadContainerStyle}>
+
<div style={loadingStyle}>Loading threadโ€ฆ</div>
+
</div>
+
);
+
}
-
return (
-
<AtProtoRecord<FeedPostRecord>
-
did={repoIdentifier}
-
collection={BLUESKY_POST_COLLECTION}
-
rkey={rkey}
-
renderer={Wrapped}
-
fallback={fallback}
-
loadingIndicator={loadingIndicator}
-
/>
-
);
-
};
+
if (currentError) {
+
return (
+
<div style={{ padding: 8, color: "crimson" }}>
+
Failed to load post.
+
</div>
+
);
+
}
+
+
if (!parentDid || !parentRkey) {
+
return renderMainPost(record);
+
}
+
+
if (parentError) {
+
return (
+
<div style={{ padding: 8, color: "crimson" }}>
+
Failed to load parent post.
+
</div>
+
);
+
}
+
+
return (
+
<div style={threadContainerStyle}>
+
<div style={parentPostStyle}>
+
{recursiveParent && parentRecord?.reply?.parent?.uri ? (
+
<BlueskyPost
+
did={parentDid}
+
rkey={parentRkey}
+
record={parentRecord}
+
showParent={true}
+
recursiveParent={true}
+
showIcon={showIcon}
+
iconPlacement={iconPlacement}
+
/>
+
) : (
+
<BlueskyPost
+
did={parentDid}
+
rkey={parentRkey}
+
record={parentRecord}
+
showIcon={showIcon}
+
iconPlacement={iconPlacement}
+
/>
+
)}
+
</div>
+
+
<div style={replyPostStyle}>
+
{renderMainPostWithoutIcon(record || currentRecord)}
+
</div>
+
</div>
+
);
+
}
+
+
return renderMainPost(record);
+
},
+
);
export default BlueskyPost;
+355 -268
lib/components/BlueskyPostList.tsx
···
type AuthorFeedReason,
type ReplyParentInfo,
} from "../hooks/usePaginatedRecords";
-
import { useColorScheme } from "../hooks/useColorScheme";
-
import type { FeedPostRecord } from "../types/bluesky";
+
import type { FeedPostRecord, ProfileRecord } from "../types/bluesky";
import { useDidResolution } from "../hooks/useDidResolution";
import { BlueskyIcon } from "./BlueskyIcon";
import { parseAtUri } from "../utils/at-uri";
+
import { useAtProto } from "../providers/AtProtoProvider";
+
import { useAtProtoRecord } from "../hooks/useAtProtoRecord";
+
import { useBlob } from "../hooks/useBlob";
+
import { getAvatarCid } from "../utils/profile";
+
import { isBlobWithCdn } from "../utils/blob";
+
import { BLUESKY_PROFILE_COLLECTION } from "./BlueskyProfile";
+
import { RichText as BlueskyRichText } from "./RichText";
/**
* Options for rendering a paginated list of Bluesky posts.
···
* Enables pagination controls when `true`. Defaults to `true`.
*/
enablePagination?: boolean;
-
/**
-
* Preferred color scheme passed through to styling helpers.
-
* Defaults to `'system'` which follows the OS preference.
-
*/
-
colorScheme?: "light" | "dark" | "system";
}
/**
···
* @param did - DID whose posts should be displayed.
* @param limit - Maximum number of posts per page. Default `5`.
* @param enablePagination - Whether pagination controls should render. Default `true`.
-
* @param colorScheme - Preferred color scheme used for styling. Default `'system'`.
* @returns A card-like list element with loading, empty, and error handling.
*/
-
export const BlueskyPostList: React.FC<BlueskyPostListProps> = ({
+
export const BlueskyPostList: React.FC<BlueskyPostListProps> = React.memo(({
did,
limit = 5,
enablePagination = true,
-
colorScheme = "system",
}) => {
-
const scheme = useColorScheme(colorScheme);
-
const palette: ListPalette = scheme === "dark" ? darkPalette : lightPalette;
const { handle: resolvedHandle, did: resolvedDid } = useDidResolution(did);
const actorLabel = resolvedHandle ?? formatDid(did);
const actorPath = resolvedHandle ?? resolvedDid ?? did;
···
if (error)
return (
-
<div style={{ padding: 8, color: "crimson" }}>
+
<div role="alert" style={{ padding: 8, color: "crimson" }}>
Failed to load posts.
</div>
);
return (
-
<div style={{ ...listStyles.card, ...palette.card }}>
-
<div style={{ ...listStyles.header, ...palette.header }}>
+
<div style={{ ...listStyles.card, background: `var(--atproto-color-bg)`, borderWidth: "1px", borderStyle: "solid", borderColor: `var(--atproto-color-border)` }}>
+
<div style={{ ...listStyles.header, background: `var(--atproto-color-bg-elevated)`, color: `var(--atproto-color-text)` }}>
<div style={listStyles.headerInfo}>
<div style={listStyles.headerIcon}>
<BlueskyIcon size={20} />
···
<span
style={{
...listStyles.subtitle,
-
...palette.subtitle,
+
color: `var(--atproto-color-text-secondary)`,
}}
>
@{actorLabel}
···
</div>
{pageLabel && (
<span
-
style={{ ...listStyles.pageMeta, ...palette.pageMeta }}
+
style={{ ...listStyles.pageMeta, color: `var(--atproto-color-text-secondary)` }}
>
{pageLabel}
</span>
···
</div>
<div style={listStyles.items}>
{loading && records.length === 0 && (
-
<div style={{ ...listStyles.empty, ...palette.empty }}>
+
<div style={{ ...listStyles.empty, color: `var(--atproto-color-text-secondary)` }}>
Loading postsโ€ฆ
</div>
)}
···
record={record.value}
rkey={record.rkey}
did={actorPath}
+
uri={record.uri}
reason={record.reason}
replyParent={record.replyParent}
-
palette={palette}
hasDivider={idx < records.length - 1}
/>
))}
{!loading && records.length === 0 && (
-
<div style={{ ...listStyles.empty, ...palette.empty }}>
+
<div style={{ ...listStyles.empty, color: `var(--atproto-color-text-secondary)` }}>
No posts found.
</div>
)}
</div>
{enablePagination && (
-
<div style={{ ...listStyles.footer, ...palette.footer }}>
+
<div style={{ ...listStyles.footer, borderTopColor: `var(--atproto-color-border)`, color: `var(--atproto-color-text)` }}>
<button
type="button"
style={{
-
...listStyles.navButton,
-
...palette.navButton,
+
...listStyles.pageButton,
+
background: `var(--atproto-color-button-bg)`,
+
color: `var(--atproto-color-button-text)`,
cursor: hasPrev ? "pointer" : "not-allowed",
opacity: hasPrev ? 1 : 0.5,
}}
···
<span
style={{
...listStyles.pageChipActive,
-
...palette.pageChipActive,
+
color: `var(--atproto-color-button-text)`,
+
background: `var(--atproto-color-button-bg)`,
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: `var(--atproto-color-button-bg)`,
}}
>
{pageIndex + 1}
···
<span
style={{
...listStyles.pageChip,
-
...palette.pageChip,
+
color: `var(--atproto-color-text-secondary)`,
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: `var(--atproto-color-border)`,
+
background: `var(--atproto-color-bg)`,
}}
>
{pageIndex + 2}
···
<button
type="button"
style={{
-
...listStyles.navButton,
-
...palette.navButton,
+
...listStyles.pageButton,
+
background: `var(--atproto-color-button-bg)`,
+
color: `var(--atproto-color-button-text)`,
cursor: hasNext ? "pointer" : "not-allowed",
opacity: hasNext ? 1 : 0.5,
}}
···
)}
{loading && records.length > 0 && (
<div
-
style={{ ...listStyles.loadingBar, ...palette.loadingBar }}
+
style={{ ...listStyles.loadingBar, background: `var(--atproto-color-bg-elevated)`, color: `var(--atproto-color-text-secondary)` }}
>
Updatingโ€ฆ
</div>
)}
</div>
);
-
};
+
});
interface ListRowProps {
record: FeedPostRecord;
rkey: string;
did: string;
+
uri?: string;
reason?: AuthorFeedReason;
replyParent?: ReplyParentInfo;
-
palette: ListPalette;
hasDivider: boolean;
}
···
record,
rkey,
did,
+
uri,
reason,
replyParent,
-
palette,
hasDivider,
}) => {
+
const { blueskyAppBaseUrl } = useAtProto();
const text = record.text?.trim() ?? "";
const relative = record.createdAt
? formatRelativeTime(record.createdAt)
···
const absolute = record.createdAt
? new Date(record.createdAt).toLocaleString()
: undefined;
-
const href = `https://bsky.app/profile/${did}/post/${rkey}`;
-
const repostLabel =
-
reason?.$type === "app.bsky.feed.defs#reasonRepost"
-
? `${formatActor(reason.by) ?? "Someone"} reposted`
-
: undefined;
+
+
// Parse the URI to get the actual post's DID and rkey
+
const parsedUri = uri ? parseAtUri(uri) : undefined;
+
const postDid = parsedUri?.did ?? did;
+
const postRkey = parsedUri?.rkey ?? rkey;
+
const href = `${blueskyAppBaseUrl}/profile/${postDid}/post/${postRkey}`;
+
+
// Author profile and avatar
+
const { handle: authorHandle } = useDidResolution(postDid);
+
const { record: authorProfile } = useAtProtoRecord<ProfileRecord>({
+
did: postDid,
+
collection: BLUESKY_PROFILE_COLLECTION,
+
rkey: "self",
+
});
+
const authorDisplayName = authorProfile?.displayName;
+
const authorAvatar = authorProfile?.avatar;
+
const authorAvatarCdnUrl = isBlobWithCdn(authorAvatar) ? authorAvatar.cdnUrl : undefined;
+
const authorAvatarCid = authorAvatarCdnUrl ? undefined : getAvatarCid(authorProfile);
+
const { url: authorAvatarUrl } = useBlob(
+
postDid,
+
authorAvatarCid,
+
);
+
const finalAuthorAvatarUrl = authorAvatarCdnUrl ?? authorAvatarUrl;
+
+
// Repost metadata
+
const isRepost = reason?.$type === "app.bsky.feed.defs#reasonRepost";
+
const reposterDid = reason?.by?.did;
+
const { handle: reposterHandle } = useDidResolution(reposterDid);
+
const { record: reposterProfile } = useAtProtoRecord<ProfileRecord>({
+
did: reposterDid,
+
collection: BLUESKY_PROFILE_COLLECTION,
+
rkey: "self",
+
});
+
const reposterDisplayName = reposterProfile?.displayName;
+
const reposterAvatar = reposterProfile?.avatar;
+
const reposterAvatarCdnUrl = isBlobWithCdn(reposterAvatar) ? reposterAvatar.cdnUrl : undefined;
+
const reposterAvatarCid = reposterAvatarCdnUrl ? undefined : getAvatarCid(reposterProfile);
+
const { url: reposterAvatarUrl } = useBlob(
+
reposterDid,
+
reposterAvatarCid,
+
);
+
const finalReposterAvatarUrl = reposterAvatarCdnUrl ?? reposterAvatarUrl;
+
+
// Reply metadata
const parentUri = replyParent?.uri ?? record.reply?.parent?.uri;
-
const parentDid =
-
replyParent?.author?.did ??
-
(parentUri ? parseAtUri(parentUri)?.did : undefined);
-
const { handle: resolvedReplyHandle } = useDidResolution(
+
const parentDid = replyParent?.author?.did ?? (parentUri ? parseAtUri(parentUri)?.did : undefined);
+
const { handle: parentHandle } = useDidResolution(
replyParent?.author?.handle ? undefined : parentDid,
);
-
const replyLabel = formatReplyTarget(
-
parentUri,
-
replyParent,
-
resolvedReplyHandle,
+
const { record: parentProfile } = useAtProtoRecord<ProfileRecord>({
+
did: parentDid,
+
collection: BLUESKY_PROFILE_COLLECTION,
+
rkey: "self",
+
});
+
const parentAvatar = parentProfile?.avatar;
+
const parentAvatarCdnUrl = isBlobWithCdn(parentAvatar) ? parentAvatar.cdnUrl : undefined;
+
const parentAvatarCid = parentAvatarCdnUrl ? undefined : getAvatarCid(parentProfile);
+
const { url: parentAvatarUrl } = useBlob(
+
parentDid,
+
parentAvatarCid,
);
+
const finalParentAvatarUrl = parentAvatarCdnUrl ?? parentAvatarUrl;
+
+
const isReply = !!parentUri;
+
const replyTargetHandle = replyParent?.author?.handle ?? parentHandle;
+
+
const postPreview = text.slice(0, 100);
+
const ariaLabel = text
+
? `Post by ${authorDisplayName ?? authorHandle ?? did}: ${postPreview}${text.length > 100 ? "..." : ""}`
+
: `Post by ${authorDisplayName ?? authorHandle ?? did}`;
return (
-
<a
-
href={href}
-
target="_blank"
-
rel="noopener noreferrer"
+
<div
style={{
-
...listStyles.row,
-
...palette.row,
-
borderBottom: hasDivider
-
? `1px solid ${palette.divider}`
-
: "none",
+
...listStyles.rowContainer,
+
borderBottom: hasDivider ? `1px solid var(--atproto-color-border)` : "none",
}}
>
-
{repostLabel && (
-
<span style={{ ...listStyles.rowMeta, ...palette.rowMeta }}>
-
{repostLabel}
-
</span>
-
)}
-
{replyLabel && (
-
<span style={{ ...listStyles.rowMeta, ...palette.rowMeta }}>
-
{replyLabel}
-
</span>
-
)}
-
{relative && (
-
<span
-
style={{ ...listStyles.rowTime, ...palette.rowTime }}
-
title={absolute}
-
>
-
{relative}
-
</span>
+
{isRepost && (
+
<div style={listStyles.repostIndicator}>
+
{finalReposterAvatarUrl && (
+
<img
+
src={finalReposterAvatarUrl}
+
alt=""
+
style={listStyles.repostAvatar}
+
/>
+
)}
+
<svg
+
width="16"
+
height="16"
+
viewBox="0 0 16 16"
+
fill="none"
+
style={{ flexShrink: 0 }}
+
>
+
<path
+
d="M5.5 3.5L3 6L5.5 8.5M3 6H10C11.1046 6 12 6.89543 12 8V8.5M10.5 12.5L13 10L10.5 7.5M13 10H6C4.89543 10 4 9.10457 4 8V7.5"
+
stroke="var(--atproto-color-text-secondary)"
+
strokeWidth="1.5"
+
strokeLinecap="round"
+
strokeLinejoin="round"
+
/>
+
</svg>
+
<span style={{ ...listStyles.repostText, color: "var(--atproto-color-text-secondary)" }}>
+
{reposterDisplayName ?? reposterHandle ?? "Someone"} reposted
+
</span>
+
</div>
)}
-
{text && (
-
<p style={{ ...listStyles.rowBody, ...palette.rowBody }}>
-
{text}
-
</p>
+
+
{isReply && (
+
<div style={listStyles.replyIndicator}>
+
<svg
+
width="14"
+
height="14"
+
viewBox="0 0 14 14"
+
fill="none"
+
style={{ flexShrink: 0 }}
+
>
+
<path
+
d="M11 7H3M3 7L7 3M3 7L7 11"
+
stroke="#1185FE"
+
strokeWidth="1.5"
+
strokeLinecap="round"
+
strokeLinejoin="round"
+
/>
+
</svg>
+
<span style={{ ...listStyles.replyText, color: "var(--atproto-color-text-secondary)" }}>
+
Replying to
+
</span>
+
{finalParentAvatarUrl && (
+
<img
+
src={finalParentAvatarUrl}
+
alt=""
+
style={listStyles.replyAvatar}
+
/>
+
)}
+
<span style={{ color: "#1185FE", fontWeight: 600 }}>
+
@{replyTargetHandle ?? formatDid(parentDid ?? "")}
+
</span>
+
</div>
)}
-
{!text && (
-
<p
-
style={{
-
...listStyles.rowBody,
-
...palette.rowBody,
-
fontStyle: "italic",
-
}}
-
>
-
No text content.
-
</p>
-
)}
-
</a>
+
+
<div style={listStyles.postContent}>
+
<div style={listStyles.avatarContainer}>
+
{finalAuthorAvatarUrl ? (
+
<img
+
src={finalAuthorAvatarUrl}
+
alt={authorDisplayName ?? authorHandle ?? "User avatar"}
+
style={listStyles.avatar}
+
/>
+
) : (
+
<div style={listStyles.avatarPlaceholder}>
+
{(authorDisplayName ?? authorHandle ?? "?")[0].toUpperCase()}
+
</div>
+
)}
+
</div>
+
+
<div style={listStyles.postMain}>
+
<div style={listStyles.postHeader}>
+
<a
+
href={`${blueskyAppBaseUrl}/profile/${postDid}`}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{ ...listStyles.authorName, color: "var(--atproto-color-text)" }}
+
onClick={(e) => e.stopPropagation()}
+
>
+
{authorDisplayName ?? authorHandle ?? formatDid(postDid)}
+
</a>
+
<span style={{ ...listStyles.authorHandle, color: "var(--atproto-color-text-secondary)" }}>
+
@{authorHandle ?? formatDid(postDid)}
+
</span>
+
<span style={{ ...listStyles.separator, color: "var(--atproto-color-text-secondary)" }}>ยท</span>
+
<span
+
style={{ ...listStyles.timestamp, color: "var(--atproto-color-text-secondary)" }}
+
title={absolute}
+
>
+
{relative}
+
</span>
+
</div>
+
+
<a
+
href={href}
+
target="_blank"
+
rel="noopener noreferrer"
+
aria-label={ariaLabel}
+
style={{ ...listStyles.postLink, color: "var(--atproto-color-text)" }}
+
>
+
{text && (
+
<p style={listStyles.postText}>
+
<BlueskyRichText text={text} facets={record.facets} />
+
</p>
+
)}
+
{!text && (
+
<p style={{ ...listStyles.postText, fontStyle: "italic", color: "var(--atproto-color-text-secondary)" }}>
+
No text content
+
</p>
+
)}
+
</a>
+
</div>
+
</div>
+
</div>
);
};
···
return rtf.format(Math.round(value), threshold.unit);
}
-
interface ListPalette {
-
card: { background: string; borderColor: string };
-
header: { borderBottomColor: string; color: string };
-
pageMeta: { color: string };
-
subtitle: { color: string };
-
empty: { color: string };
-
row: { color: string };
-
rowTime: { color: string };
-
rowBody: { color: string };
-
rowMeta: { color: string };
-
divider: string;
-
footer: { borderTopColor: string; color: string };
-
navButton: { color: string; background: string };
-
pageChip: { color: string; borderColor: string; background: string };
-
pageChipActive: { color: string; background: string; borderColor: string };
-
loadingBar: { color: string };
-
}
const listStyles = {
card: {
borderRadius: 16,
-
border: "1px solid transparent",
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: "transparent",
boxShadow: "0 8px 18px -12px rgba(15, 23, 42, 0.25)",
overflow: "hidden",
display: "flex",
···
display: "flex",
alignItems: "center",
justifyContent: "center",
-
//background: 'rgba(17, 133, 254, 0.14)',
borderRadius: "50%",
} satisfies React.CSSProperties,
headerText: {
···
fontSize: 13,
textAlign: "center",
} satisfies React.CSSProperties,
-
row: {
-
padding: "18px",
-
textDecoration: "none",
+
rowContainer: {
+
padding: "16px",
display: "flex",
flexDirection: "column",
-
gap: 6,
+
gap: 8,
transition: "background-color 120ms ease",
+
position: "relative",
} satisfies React.CSSProperties,
-
rowHeader: {
+
repostIndicator: {
display: "flex",
-
gap: 6,
-
alignItems: "baseline",
+
alignItems: "center",
+
gap: 8,
fontSize: 13,
+
fontWeight: 500,
+
paddingLeft: 8,
+
marginBottom: 4,
} satisfies React.CSSProperties,
-
rowTime: {
-
fontSize: 12,
+
repostAvatar: {
+
width: 16,
+
height: 16,
+
borderRadius: "50%",
+
objectFit: "cover",
+
} satisfies React.CSSProperties,
+
repostText: {
+
fontSize: 13,
fontWeight: 500,
} satisfies React.CSSProperties,
-
rowMeta: {
-
fontSize: 12,
+
replyIndicator: {
+
display: "flex",
+
alignItems: "center",
+
gap: 8,
+
fontSize: 13,
+
fontWeight: 500,
+
paddingLeft: 8,
+
marginBottom: 4,
+
} satisfies React.CSSProperties,
+
replyAvatar: {
+
width: 16,
+
height: 16,
+
borderRadius: "50%",
+
objectFit: "cover",
+
} satisfies React.CSSProperties,
+
replyText: {
+
fontSize: 13,
fontWeight: 500,
-
letterSpacing: "0.6px",
+
} satisfies React.CSSProperties,
+
postContent: {
+
display: "flex",
+
gap: 12,
} satisfies React.CSSProperties,
-
rowBody: {
+
avatarContainer: {
+
flexShrink: 0,
+
} satisfies React.CSSProperties,
+
avatar: {
+
width: 48,
+
height: 48,
+
borderRadius: "50%",
+
objectFit: "cover",
+
} satisfies React.CSSProperties,
+
avatarPlaceholder: {
+
width: 48,
+
height: 48,
+
borderRadius: "50%",
+
background: "var(--atproto-color-bg-elevated)",
+
color: "var(--atproto-color-text-secondary)",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
fontSize: 18,
+
fontWeight: 600,
+
} satisfies React.CSSProperties,
+
postMain: {
+
flex: 1,
+
minWidth: 0,
+
display: "flex",
+
flexDirection: "column",
+
gap: 6,
+
} satisfies React.CSSProperties,
+
postHeader: {
+
display: "flex",
+
alignItems: "baseline",
+
gap: 6,
+
flexWrap: "wrap",
+
} satisfies React.CSSProperties,
+
authorName: {
+
fontWeight: 700,
+
fontSize: 15,
+
textDecoration: "none",
+
maxWidth: "200px",
+
overflow: "hidden",
+
textOverflow: "ellipsis",
+
whiteSpace: "nowrap",
+
} satisfies React.CSSProperties,
+
authorHandle: {
+
fontSize: 15,
+
fontWeight: 400,
+
maxWidth: "150px",
+
overflow: "hidden",
+
textOverflow: "ellipsis",
+
whiteSpace: "nowrap",
+
} satisfies React.CSSProperties,
+
separator: {
+
fontSize: 15,
+
fontWeight: 400,
+
} satisfies React.CSSProperties,
+
timestamp: {
+
fontSize: 15,
+
fontWeight: 400,
+
} satisfies React.CSSProperties,
+
postLink: {
+
textDecoration: "none",
+
display: "block",
+
} satisfies React.CSSProperties,
+
postText: {
margin: 0,
whiteSpace: "pre-wrap",
-
fontSize: 14,
-
lineHeight: 1.45,
+
fontSize: 15,
+
lineHeight: 1.5,
+
wordBreak: "break-word",
} satisfies React.CSSProperties,
footer: {
display: "flex",
···
borderTop: "1px solid transparent",
fontSize: 13,
} satisfies React.CSSProperties,
-
navButton: {
-
border: "none",
-
borderRadius: 999,
-
padding: "6px 12px",
-
fontSize: 13,
-
fontWeight: 500,
-
background: "transparent",
-
display: "flex",
-
alignItems: "center",
-
gap: 4,
-
transition: "background-color 120ms ease",
-
} satisfies React.CSSProperties,
pageChips: {
display: "flex",
gap: 6,
···
padding: "4px 10px",
borderRadius: 999,
fontSize: 13,
-
border: "1px solid transparent",
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: "transparent",
} satisfies React.CSSProperties,
pageChipActive: {
padding: "4px 10px",
borderRadius: 999,
fontSize: 13,
fontWeight: 600,
-
border: "1px solid transparent",
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: "transparent",
+
} satisfies React.CSSProperties,
+
pageButton: {
+
border: "none",
+
borderRadius: 999,
+
padding: "6px 12px",
+
fontSize: 13,
+
fontWeight: 500,
+
background: "transparent",
+
display: "flex",
+
alignItems: "center",
+
gap: 4,
+
transition: "background-color 120ms ease",
} satisfies React.CSSProperties,
loadingBar: {
padding: "4px 18px 14px",
···
} satisfies React.CSSProperties,
};
-
const lightPalette: ListPalette = {
-
card: {
-
background: "#ffffff",
-
borderColor: "#e2e8f0",
-
},
-
header: {
-
borderBottomColor: "#e2e8f0",
-
color: "#0f172a",
-
},
-
pageMeta: {
-
color: "#64748b",
-
},
-
subtitle: {
-
color: "#475569",
-
},
-
empty: {
-
color: "#64748b",
-
},
-
row: {
-
color: "#0f172a",
-
},
-
rowTime: {
-
color: "#94a3b8",
-
},
-
rowBody: {
-
color: "#0f172a",
-
},
-
rowMeta: {
-
color: "#64748b",
-
},
-
divider: "#e2e8f0",
-
footer: {
-
borderTopColor: "#e2e8f0",
-
color: "#0f172a",
-
},
-
navButton: {
-
color: "#0f172a",
-
background: "#f1f5f9",
-
},
-
pageChip: {
-
color: "#475569",
-
borderColor: "#e2e8f0",
-
background: "#ffffff",
-
},
-
pageChipActive: {
-
color: "#ffffff",
-
background: "#0f172a",
-
borderColor: "#0f172a",
-
},
-
loadingBar: {
-
color: "#64748b",
-
},
-
};
-
-
const darkPalette: ListPalette = {
-
card: {
-
background: "#0f172a",
-
borderColor: "#1e293b",
-
},
-
header: {
-
borderBottomColor: "#1e293b",
-
color: "#e2e8f0",
-
},
-
pageMeta: {
-
color: "#94a3b8",
-
},
-
subtitle: {
-
color: "#94a3b8",
-
},
-
empty: {
-
color: "#94a3b8",
-
},
-
row: {
-
color: "#e2e8f0",
-
},
-
rowTime: {
-
color: "#94a3b8",
-
},
-
rowBody: {
-
color: "#e2e8f0",
-
},
-
rowMeta: {
-
color: "#94a3b8",
-
},
-
divider: "#1e293b",
-
footer: {
-
borderTopColor: "#1e293b",
-
color: "#e2e8f0",
-
},
-
navButton: {
-
color: "#e2e8f0",
-
background: "#111c31",
-
},
-
pageChip: {
-
color: "#cbd5f5",
-
borderColor: "#1e293b",
-
background: "#0f172a",
-
},
-
pageChipActive: {
-
color: "#0f172a",
-
background: "#38bdf8",
-
borderColor: "#38bdf8",
-
},
-
loadingBar: {
-
color: "#94a3b8",
-
},
-
};
-
export default BlueskyPostList;
-
-
function formatActor(actor?: { handle?: string; did?: string }) {
-
if (!actor) return undefined;
-
if (actor.handle) return `@${actor.handle}`;
-
if (actor.did) return `@${formatDid(actor.did)}`;
-
return undefined;
-
}
-
-
function formatReplyTarget(
-
parentUri?: string,
-
feedParent?: ReplyParentInfo,
-
resolvedHandle?: string,
-
) {
-
const directHandle = feedParent?.author?.handle;
-
const handle = directHandle ?? resolvedHandle;
-
if (handle) {
-
return `Replying to @${handle}`;
-
}
-
const parentDid = feedParent?.author?.did;
-
const targetUri = feedParent?.uri ?? parentUri;
-
if (!targetUri) return undefined;
-
const parsed = parseAtUri(targetUri);
-
const did = parentDid ?? parsed?.did;
-
if (!did) return undefined;
-
return `Replying to @${formatDid(did)}`;
-
}
+30 -15
lib/components/BlueskyProfile.tsx
···
import { getAvatarCid } from "../utils/profile";
import { useDidResolution } from "../hooks/useDidResolution";
import { formatDidForLabel } from "../utils/at-uri";
+
import { isBlobWithCdn } from "../utils/blob";
/**
* Props used to render a Bluesky actor profile record.
···
did: string;
/**
* Record key within the profile collection. Typically `'self'`.
+
* Optional when `record` is provided.
*/
rkey?: string;
+
/**
+
* Prefetched profile record. When provided, skips fetching the profile from the network.
+
*/
+
record?: ProfileRecord;
/**
* Optional renderer override for custom presentation.
*/
···
* Pre-resolved handle to display when available externally.
*/
handle?: string;
-
/**
-
* Preferred color scheme forwarded to renderer implementations.
-
*/
-
colorScheme?: "light" | "dark" | "system";
+
}
/**
···
* Blob URL for the user's avatar, when available.
*/
avatarUrl?: string;
-
/**
-
* Preferred color scheme for theming downstream components.
-
*/
-
colorScheme?: "light" | "dark" | "system";
+
};
/** NSID for the canonical Bluesky profile collection. */
···
* @param fallback - Node rendered prior to loading state initialization.
* @param loadingIndicator - Node rendered while the profile request is in-flight.
* @param handle - Optional pre-resolved handle to display.
-
* @param colorScheme - Preferred color scheme forwarded to the renderer.
* @returns A rendered profile component with loading/error states handled.
*/
-
export const BlueskyProfile: React.FC<BlueskyProfileProps> = ({
+
export const BlueskyProfile: React.FC<BlueskyProfileProps> = React.memo(({
did: handleOrDid,
rkey = "self",
+
record,
renderer,
fallback,
loadingIndicator,
handle,
-
colorScheme,
}) => {
const Component: React.ComponentType<BlueskyProfileRendererInjectedProps> =
renderer ?? ((props) => <BlueskyProfileRenderer {...props} />);
···
loading: boolean;
error?: Error;
}> = (props) => {
-
const avatarCid = getAvatarCid(props.record);
-
const { url: avatarUrl } = useBlob(repoIdentifier, avatarCid);
+
// Check if the avatar has a CDN URL from the appview (preferred)
+
const avatar = props.record?.avatar;
+
const avatarCdnUrl = isBlobWithCdn(avatar) ? avatar.cdnUrl : undefined;
+
const avatarCid = avatarCdnUrl ? undefined : getAvatarCid(props.record);
+
const { url: avatarUrlFromBlob } = useBlob(repoIdentifier, avatarCid);
+
const avatarUrl = avatarCdnUrl || avatarUrlFromBlob;
+
return (
<Component
{...props}
did={repoIdentifier}
handle={effectiveHandle}
avatarUrl={avatarUrl}
-
colorScheme={colorScheme}
/>
);
};
+
+
if (record !== undefined) {
+
return (
+
<AtProtoRecord<ProfileRecord>
+
record={record}
+
renderer={Wrapped}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
/>
+
);
+
}
+
return (
<AtProtoRecord<ProfileRecord>
did={repoIdentifier}
···
loadingIndicator={loadingIndicator}
/>
);
-
};
+
});
export default BlueskyProfile;
+4 -15
lib/components/BlueskyQuotePost.tsx
···
*/
rkey: string;
/**
-
* Preferred color scheme propagated to nested renders.
-
*/
-
colorScheme?: "light" | "dark" | "system";
-
/**
* Custom renderer override applied to the parent post.
*/
renderer?: React.ComponentType<BlueskyPostRendererInjectedProps>;
···
*
* @param did - DID that owns the quoted parent post.
* @param rkey - Record key identifying the parent post.
-
* @param colorScheme - Preferred color scheme for both parent and quoted posts.
* @param renderer - Optional renderer override applied to the parent post.
* @param fallback - Node rendered before parent post data loads.
* @param loadingIndicator - Node rendered while the parent post request is in-flight.
···
const BlueskyQuotePostComponent: React.FC<BlueskyQuotePostProps> = ({
did,
rkey,
-
colorScheme,
renderer,
fallback,
loadingIndicator,
···
const QuoteRenderer: React.FC<BlueskyPostRendererInjectedProps> = (
props,
) => {
-
const resolvedColorScheme = props.colorScheme ?? colorScheme;
const embedSource = props.record.embed as
| QuoteRecordEmbed
| undefined;
const embedNode = useMemo(
-
() => createQuoteEmbed(embedSource, resolvedColorScheme),
-
[embedSource, resolvedColorScheme],
+
() => createQuoteEmbed(embedSource),
+
[embedSource],
);
-
return <BaseRenderer {...props} embed={embedNode} />;
+
return <BaseRenderer isQuotePost={true} {...props} embed={embedNode} />;
};
QuoteRenderer.displayName = "BlueskyQuotePostRenderer";
const MemoizedQuoteRenderer = memo(QuoteRenderer);
MemoizedQuoteRenderer.displayName = "BlueskyQuotePostRenderer";
return MemoizedQuoteRenderer;
-
}, [BaseRenderer, colorScheme]);
+
}, [BaseRenderer]);
return (
<BlueskyPost
did={did}
rkey={rkey}
-
colorScheme={colorScheme}
renderer={Renderer}
fallback={fallback}
loadingIndicator={loadingIndicator}
···
* Builds the quoted post embed node when the parent record contains a record embed.
*
* @param embed - Embed payload containing a possible quote reference.
-
* @param colorScheme - Desired visual theme for the nested quote.
* @returns A nested `BlueskyPost` or `null` if no compatible embed exists.
*/
type QuoteRecordEmbed = { $type?: string; record?: { uri?: string } };
function createQuoteEmbed(
embed: QuoteRecordEmbed | undefined,
-
colorScheme?: "light" | "dark" | "system",
) {
if (!embed || embed.$type !== "app.bsky.embed.record") return null;
const quoted = embed.record;
···
<BlueskyPost
did={parsed.did}
rkey={parsed.rkey}
-
colorScheme={colorScheme}
showIcon={false}
/>
</div>
-129
lib/components/ColorSchemeToggle.tsx
···
-
import React from "react";
-
import type { ColorSchemePreference } from "../hooks/useColorScheme";
-
-
/**
-
* Props for the `ColorSchemeToggle` segmented control.
-
*/
-
export interface ColorSchemeToggleProps {
-
/**
-
* Current color scheme preference selection.
-
*/
-
value: ColorSchemePreference;
-
/**
-
* Change handler invoked when the user selects a new scheme.
-
*/
-
onChange: (value: ColorSchemePreference) => void;
-
/**
-
* Theme used to style the control itself; defaults to `'light'`.
-
*/
-
scheme?: "light" | "dark";
-
}
-
-
const options: Array<{
-
label: string;
-
value: ColorSchemePreference;
-
description: string;
-
}> = [
-
{ label: "System", value: "system", description: "Follow OS preference" },
-
{ label: "Light", value: "light", description: "Always light mode" },
-
{ label: "Dark", value: "dark", description: "Always dark mode" },
-
];
-
-
/**
-
* A button group that lets users choose between light, dark, or system color modes.
-
*
-
* @param value - Current scheme selection displayed as active.
-
* @param onChange - Callback fired when a new option is selected.
-
* @param scheme - Theme used to style the control itself. Defaults to `'light'`.
-
* @returns A fully keyboard-accessible toggle rendered as a radio group.
-
*/
-
export const ColorSchemeToggle: React.FC<ColorSchemeToggleProps> = ({
-
value,
-
onChange,
-
scheme = "light",
-
}) => {
-
const palette = scheme === "dark" ? darkTheme : lightTheme;
-
-
return (
-
<div
-
aria-label="Color scheme"
-
role="radiogroup"
-
style={{ ...containerStyle, ...palette.container }}
-
>
-
{options.map((option) => {
-
const isActive = option.value === value;
-
const activeStyles = isActive ? palette.active : undefined;
-
return (
-
<button
-
key={option.value}
-
role="radio"
-
aria-checked={isActive}
-
type="button"
-
onClick={() => onChange(option.value)}
-
style={{
-
...buttonStyle,
-
...palette.button,
-
...(activeStyles ?? {}),
-
}}
-
title={option.description}
-
>
-
{option.label}
-
</button>
-
);
-
})}
-
</div>
-
);
-
};
-
-
const containerStyle: React.CSSProperties = {
-
display: "inline-flex",
-
borderRadius: 999,
-
padding: 4,
-
gap: 4,
-
border: "1px solid transparent",
-
background: "#f8fafc",
-
};
-
-
const buttonStyle: React.CSSProperties = {
-
border: "1px solid transparent",
-
borderRadius: 999,
-
padding: "4px 12px",
-
fontSize: 12,
-
fontWeight: 500,
-
cursor: "pointer",
-
background: "transparent",
-
transition:
-
"background-color 160ms ease, border-color 160ms ease, color 160ms ease",
-
};
-
-
const lightTheme = {
-
container: {
-
borderColor: "#e2e8f0",
-
background: "rgba(241, 245, 249, 0.8)",
-
},
-
button: {
-
color: "#334155",
-
},
-
active: {
-
background: "#2563eb",
-
borderColor: "#2563eb",
-
color: "#f8fafc",
-
},
-
} satisfies Record<string, React.CSSProperties>;
-
-
const darkTheme = {
-
container: {
-
borderColor: "#2e3540ff",
-
background: "rgba(30, 38, 49, 0.6)",
-
},
-
button: {
-
color: "#e2e8f0",
-
},
-
active: {
-
background: "#38bdf8",
-
borderColor: "#38bdf8",
-
color: "#020617",
-
},
-
} satisfies Record<string, React.CSSProperties>;
-
-
export default ColorSchemeToggle;
+143
lib/components/CurrentlyPlaying.tsx
···
+
import React from "react";
+
import { AtProtoRecord } from "../core/AtProtoRecord";
+
import { CurrentlyPlayingRenderer } from "../renderers/CurrentlyPlayingRenderer";
+
import { useDidResolution } from "../hooks/useDidResolution";
+
import type { TealActorStatusRecord } from "../types/teal";
+
+
/**
+
* Props for rendering teal.fm currently playing status.
+
*/
+
export interface CurrentlyPlayingProps {
+
/** DID of the user whose currently playing status to display. */
+
did: string;
+
/** Record key within the `fm.teal.alpha.actor.status` collection (usually "self"). */
+
rkey?: string;
+
/** Prefetched teal.fm status record. When provided, skips fetching from the network. */
+
record?: TealActorStatusRecord;
+
/** Optional renderer override for custom presentation. */
+
renderer?: React.ComponentType<CurrentlyPlayingRendererInjectedProps>;
+
/** Fallback node displayed before loading begins. */
+
fallback?: React.ReactNode;
+
/** Indicator node shown while data is loading. */
+
loadingIndicator?: React.ReactNode;
+
/** Preferred color scheme for theming. */
+
colorScheme?: "light" | "dark" | "system";
+
/** Auto-refresh music data and album art. When true, refreshes every 15 seconds. Defaults to true. */
+
autoRefresh?: boolean;
+
/** Refresh interval in milliseconds. Defaults to 15000 (15 seconds). Only used when autoRefresh is true. */
+
refreshInterval?: number;
+
}
+
+
/**
+
* Values injected into custom currently playing renderer implementations.
+
*/
+
export type CurrentlyPlayingRendererInjectedProps = {
+
/** Loaded teal.fm status record value. */
+
record: TealActorStatusRecord;
+
/** Indicates whether the record is currently loading. */
+
loading: boolean;
+
/** Fetch error, if any. */
+
error?: Error;
+
/** Preferred color scheme for downstream components. */
+
colorScheme?: "light" | "dark" | "system";
+
/** DID associated with the record. */
+
did: string;
+
/** Record key for the status. */
+
rkey: string;
+
/** Label to display. */
+
label?: string;
+
/** Handle to display in not listening state */
+
handle?: string;
+
};
+
+
/** NSID for teal.fm actor status records. */
+
export const CURRENTLY_PLAYING_COLLECTION = "fm.teal.alpha.actor.status";
+
+
/**
+
* Compares two teal.fm status records to determine if the track has changed.
+
* Used to prevent unnecessary re-renders during auto-refresh when the same track is still playing.
+
*/
+
const compareTealRecords = (
+
prev: TealActorStatusRecord | undefined,
+
next: TealActorStatusRecord | undefined
+
): boolean => {
+
if (!prev || !next) return prev === next;
+
+
const prevTrack = prev.item.trackName;
+
const nextTrack = next.item.trackName;
+
const prevArtist = prev.item.artists[0]?.artistName;
+
const nextArtist = next.item.artists[0]?.artistName;
+
+
return prevTrack === nextTrack && prevArtist === nextArtist;
+
};
+
+
/**
+
* Displays the currently playing track from teal.fm with auto-refresh.
+
*
+
* @param did - DID whose currently playing status should be fetched.
+
* @param rkey - Record key within the teal.fm status collection (defaults to "self").
+
* @param renderer - Optional component override that will receive injected props.
+
* @param fallback - Node rendered before the first load begins.
+
* @param loadingIndicator - Node rendered while the status is loading.
+
* @param colorScheme - Preferred color scheme for theming the renderer.
+
* @param autoRefresh - When true (default), refreshes the record every 15 seconds (or custom interval).
+
* @param refreshInterval - Custom refresh interval in milliseconds. Defaults to 15000 (15 seconds).
+
* @returns A JSX subtree representing the currently playing track with loading states handled.
+
*/
+
export const CurrentlyPlaying: React.FC<CurrentlyPlayingProps> = React.memo(({
+
did,
+
rkey = "self",
+
record,
+
renderer,
+
fallback,
+
loadingIndicator,
+
colorScheme,
+
autoRefresh = true,
+
refreshInterval = 15000,
+
}) => {
+
// Resolve handle from DID
+
const { handle } = useDidResolution(did);
+
+
const Comp: React.ComponentType<CurrentlyPlayingRendererInjectedProps> =
+
renderer ?? ((props) => <CurrentlyPlayingRenderer {...props} />);
+
const Wrapped: React.FC<{
+
record: TealActorStatusRecord;
+
loading: boolean;
+
error?: Error;
+
}> = (props) => (
+
<Comp
+
{...props}
+
colorScheme={colorScheme}
+
did={did}
+
rkey={rkey}
+
label="CURRENTLY PLAYING"
+
handle={handle}
+
/>
+
);
+
+
if (record !== undefined) {
+
return (
+
<AtProtoRecord<TealActorStatusRecord>
+
record={record}
+
renderer={Wrapped}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
/>
+
);
+
}
+
+
return (
+
<AtProtoRecord<TealActorStatusRecord>
+
did={did}
+
collection={CURRENTLY_PLAYING_COLLECTION}
+
rkey={rkey}
+
renderer={Wrapped}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
refreshInterval={autoRefresh ? refreshInterval : undefined}
+
compareRecords={compareTealRecords}
+
/>
+
);
+
});
+
+
export default CurrentlyPlaying;
+327
lib/components/GrainGallery.tsx
···
+
import React, { useMemo, useEffect, useState } from "react";
+
import { GrainGalleryRenderer, type GrainGalleryPhoto } from "../renderers/GrainGalleryRenderer";
+
import type { GrainGalleryRecord, GrainGalleryItemRecord, GrainPhotoRecord } from "../types/grain";
+
import type { ProfileRecord } from "../types/bluesky";
+
import { useDidResolution } from "../hooks/useDidResolution";
+
import { useAtProtoRecord } from "../hooks/useAtProtoRecord";
+
import { useBacklinks } from "../hooks/useBacklinks";
+
import { useBlob } from "../hooks/useBlob";
+
import { BLUESKY_PROFILE_COLLECTION } from "./BlueskyProfile";
+
import { getAvatarCid } from "../utils/profile";
+
import { formatDidForLabel, parseAtUri } from "../utils/at-uri";
+
import { isBlobWithCdn } from "../utils/blob";
+
import { createAtprotoClient } from "../utils/atproto-client";
+
+
/**
+
* Props for rendering a grain.social gallery.
+
*/
+
export interface GrainGalleryProps {
+
/**
+
* Decentralized identifier for the repository that owns the gallery.
+
*/
+
did: string;
+
/**
+
* Record key identifying the specific gallery within the collection.
+
*/
+
rkey: string;
+
/**
+
* Prefetched gallery record. When provided, skips fetching the gallery from the network.
+
*/
+
record?: GrainGalleryRecord;
+
/**
+
* Custom renderer component that receives resolved gallery data and status flags.
+
*/
+
renderer?: React.ComponentType<GrainGalleryRendererInjectedProps>;
+
/**
+
* React node shown while the gallery query has not yet produced data or an error.
+
*/
+
fallback?: React.ReactNode;
+
/**
+
* React node displayed while the gallery fetch is actively loading.
+
*/
+
loadingIndicator?: React.ReactNode;
+
/**
+
* Constellation API base URL for fetching backlinks.
+
*/
+
constellationBaseUrl?: string;
+
}
+
+
/**
+
* Values injected by `GrainGallery` into a downstream renderer component.
+
*/
+
export type GrainGalleryRendererInjectedProps = {
+
/**
+
* Resolved gallery record
+
*/
+
gallery: GrainGalleryRecord;
+
/**
+
* Array of photos in the gallery with their records and metadata
+
*/
+
photos: GrainGalleryPhoto[];
+
/**
+
* `true` while network operations are in-flight.
+
*/
+
loading: boolean;
+
/**
+
* Error encountered during loading, if any.
+
*/
+
error?: Error;
+
/**
+
* The author's public handle derived from the DID.
+
*/
+
authorHandle?: string;
+
/**
+
* The author's display name from their profile.
+
*/
+
authorDisplayName?: string;
+
/**
+
* Resolved URL for the author's avatar blob, if available.
+
*/
+
avatarUrl?: string;
+
};
+
+
export const GRAIN_GALLERY_COLLECTION = "social.grain.gallery";
+
export const GRAIN_GALLERY_ITEM_COLLECTION = "social.grain.gallery.item";
+
export const GRAIN_PHOTO_COLLECTION = "social.grain.photo";
+
+
/**
+
* Fetches a grain.social gallery, resolves all photos via constellation backlinks,
+
* and renders them in a grid layout.
+
*
+
* @param did - DID of the repository that stores the gallery.
+
* @param rkey - Record key for the gallery.
+
* @param record - Prefetched gallery record.
+
* @param renderer - Optional renderer component to override the default.
+
* @param fallback - Node rendered before the first fetch attempt resolves.
+
* @param loadingIndicator - Node rendered while the gallery is loading.
+
* @param constellationBaseUrl - Constellation API base URL.
+
* @returns A component that renders loading/fallback states and the resolved gallery.
+
*/
+
export const GrainGallery: React.FC<GrainGalleryProps> = React.memo(
+
({
+
did: handleOrDid,
+
rkey,
+
record,
+
renderer,
+
fallback,
+
loadingIndicator,
+
constellationBaseUrl,
+
}) => {
+
const {
+
did: resolvedDid,
+
handle,
+
loading: resolvingIdentity,
+
error: resolutionError,
+
} = useDidResolution(handleOrDid);
+
+
const repoIdentifier = resolvedDid ?? handleOrDid;
+
+
// Fetch author profile
+
const { record: profile } = useAtProtoRecord<ProfileRecord>({
+
did: repoIdentifier,
+
collection: BLUESKY_PROFILE_COLLECTION,
+
rkey: "self",
+
});
+
const avatar = profile?.avatar;
+
const avatarCdnUrl = isBlobWithCdn(avatar) ? avatar.cdnUrl : undefined;
+
const avatarCid = avatarCdnUrl ? undefined : getAvatarCid(profile);
+
const authorDisplayName = profile?.displayName;
+
const { url: avatarUrlFromBlob } = useBlob(repoIdentifier, avatarCid);
+
const avatarUrl = avatarCdnUrl || avatarUrlFromBlob;
+
+
// Fetch gallery record
+
const {
+
record: fetchedGallery,
+
loading: galleryLoading,
+
error: galleryError,
+
} = useAtProtoRecord<GrainGalleryRecord>({
+
did: record ? "" : repoIdentifier,
+
collection: record ? "" : GRAIN_GALLERY_COLLECTION,
+
rkey: record ? "" : rkey,
+
});
+
+
const galleryRecord = record ?? fetchedGallery;
+
const galleryUri = resolvedDid
+
? `at://${resolvedDid}/${GRAIN_GALLERY_COLLECTION}/${rkey}`
+
: undefined;
+
+
// Fetch backlinks to get gallery items
+
const {
+
backlinks,
+
loading: backlinksLoading,
+
error: backlinksError,
+
} = useBacklinks({
+
subject: galleryUri || "",
+
source: `${GRAIN_GALLERY_ITEM_COLLECTION}:gallery`,
+
enabled: !!galleryUri && !!galleryRecord,
+
constellationBaseUrl,
+
});
+
+
// Fetch all gallery item records and photo records
+
const [photos, setPhotos] = useState<GrainGalleryPhoto[]>([]);
+
const [photosLoading, setPhotosLoading] = useState(false);
+
const [photosError, setPhotosError] = useState<Error | undefined>(undefined);
+
+
useEffect(() => {
+
if (!backlinks || backlinks.length === 0) {
+
setPhotos([]);
+
return;
+
}
+
+
let cancelled = false;
+
setPhotosLoading(true);
+
setPhotosError(undefined);
+
+
(async () => {
+
try {
+
const photoPromises = backlinks.map(async (backlink) => {
+
// Create client for gallery item DID (uses slingshot + PDS fallback)
+
const { rpc: galleryItemClient } = await createAtprotoClient({
+
did: backlink.did,
+
});
+
+
// Fetch gallery item record
+
const galleryItemRes = await (
+
galleryItemClient as unknown as {
+
get: (
+
nsid: string,
+
opts: {
+
params: {
+
repo: string;
+
collection: string;
+
rkey: string;
+
};
+
},
+
) => Promise<{ ok: boolean; data: { value: GrainGalleryItemRecord } }>;
+
}
+
).get("com.atproto.repo.getRecord", {
+
params: {
+
repo: backlink.did,
+
collection: GRAIN_GALLERY_ITEM_COLLECTION,
+
rkey: backlink.rkey,
+
},
+
});
+
+
if (!galleryItemRes.ok) return null;
+
+
const galleryItem = galleryItemRes.data.value;
+
+
// Parse photo URI
+
const photoUri = parseAtUri(galleryItem.item);
+
if (!photoUri) return null;
+
+
// Create client for photo DID (uses slingshot + PDS fallback)
+
const { rpc: photoClient } = await createAtprotoClient({
+
did: photoUri.did,
+
});
+
+
// Fetch photo record
+
const photoRes = await (
+
photoClient as unknown as {
+
get: (
+
nsid: string,
+
opts: {
+
params: {
+
repo: string;
+
collection: string;
+
rkey: string;
+
};
+
},
+
) => Promise<{ ok: boolean; data: { value: GrainPhotoRecord } }>;
+
}
+
).get("com.atproto.repo.getRecord", {
+
params: {
+
repo: photoUri.did,
+
collection: photoUri.collection,
+
rkey: photoUri.rkey,
+
},
+
});
+
+
if (!photoRes.ok) return null;
+
+
const photoRecord = photoRes.data.value;
+
+
return {
+
record: photoRecord,
+
did: photoUri.did,
+
rkey: photoUri.rkey,
+
position: galleryItem.position,
+
} as GrainGalleryPhoto;
+
});
+
+
const resolvedPhotos = await Promise.all(photoPromises);
+
const validPhotos = resolvedPhotos.filter((p): p is NonNullable<typeof p> => p !== null) as GrainGalleryPhoto[];
+
+
if (!cancelled) {
+
setPhotos(validPhotos);
+
setPhotosLoading(false);
+
}
+
} catch (err) {
+
if (!cancelled) {
+
setPhotosError(err instanceof Error ? err : new Error("Failed to fetch photos"));
+
setPhotosLoading(false);
+
}
+
}
+
})();
+
+
return () => {
+
cancelled = true;
+
};
+
}, [backlinks]);
+
+
const Comp: React.ComponentType<GrainGalleryRendererInjectedProps> =
+
useMemo(
+
() =>
+
renderer ?? ((props) => <GrainGalleryRenderer {...props} />),
+
[renderer],
+
);
+
+
const displayHandle =
+
handle ??
+
(handleOrDid.startsWith("did:") ? undefined : handleOrDid);
+
const authorHandle =
+
displayHandle ?? formatDidForLabel(resolvedDid ?? handleOrDid);
+
+
if (!displayHandle && resolvingIdentity) {
+
return loadingIndicator || <div role="status" aria-live="polite" style={{ padding: 8 }}>Resolving handleโ€ฆ</div>;
+
}
+
if (!displayHandle && resolutionError) {
+
return (
+
<div style={{ padding: 8, color: "crimson" }}>
+
Could not resolve handle.
+
</div>
+
);
+
}
+
+
if (galleryError || backlinksError || photosError) {
+
return (
+
<div style={{ padding: 8, color: "crimson" }}>
+
Failed to load gallery.
+
</div>
+
);
+
}
+
+
if (!galleryRecord && galleryLoading) {
+
return loadingIndicator || <div style={{ padding: 8 }}>Loading galleryโ€ฆ</div>;
+
}
+
+
if (!galleryRecord) {
+
return fallback || <div style={{ padding: 8 }}>Gallery not found.</div>;
+
}
+
+
const loading = galleryLoading || backlinksLoading || photosLoading;
+
+
return (
+
<Comp
+
gallery={galleryRecord}
+
photos={photos}
+
loading={loading}
+
authorHandle={authorHandle}
+
authorDisplayName={authorDisplayName}
+
avatarUrl={avatarUrl}
+
/>
+
);
+
},
+
);
+
+
export default GrainGallery;
+165
lib/components/LastPlayed.tsx
···
+
import React, { useMemo } from "react";
+
import { useLatestRecord } from "../hooks/useLatestRecord";
+
import { useDidResolution } from "../hooks/useDidResolution";
+
import { CurrentlyPlayingRenderer } from "../renderers/CurrentlyPlayingRenderer";
+
import type { TealFeedPlayRecord, TealActorStatusRecord } from "../types/teal";
+
+
/**
+
* Props for rendering the last played track from teal.fm feed.
+
*/
+
export interface LastPlayedProps {
+
/** DID of the user whose last played track to display. */
+
did: string;
+
/** Optional renderer override for custom presentation. */
+
renderer?: React.ComponentType<LastPlayedRendererInjectedProps>;
+
/** Fallback node displayed before loading begins. */
+
fallback?: React.ReactNode;
+
/** Indicator node shown while data is loading. */
+
loadingIndicator?: React.ReactNode;
+
/** Preferred color scheme for theming. */
+
colorScheme?: "light" | "dark" | "system";
+
/** Auto-refresh music data and album art. Defaults to false for last played. */
+
autoRefresh?: boolean;
+
/** Refresh interval in milliseconds. Defaults to 60000 (60 seconds). */
+
refreshInterval?: number;
+
}
+
+
/**
+
* Values injected into custom last played renderer implementations.
+
*/
+
export type LastPlayedRendererInjectedProps = {
+
/** Loaded teal.fm feed play record value. */
+
record: TealActorStatusRecord;
+
/** Indicates whether the record is currently loading. */
+
loading: boolean;
+
/** Fetch error, if any. */
+
error?: Error;
+
/** Preferred color scheme for downstream components. */
+
colorScheme?: "light" | "dark" | "system";
+
/** DID associated with the record. */
+
did: string;
+
/** Record key for the play record. */
+
rkey: string;
+
/** Handle to display in not listening state */
+
handle?: string;
+
};
+
+
/** NSID for teal.fm feed play records. */
+
export const LAST_PLAYED_COLLECTION = "fm.teal.alpha.feed.play";
+
+
/**
+
* Displays the last played track from teal.fm feed.
+
*
+
* @param did - DID whose last played track should be fetched.
+
* @param renderer - Optional component override that will receive injected props.
+
* @param fallback - Node rendered before the first load begins.
+
* @param loadingIndicator - Node rendered while the data is loading.
+
* @param colorScheme - Preferred color scheme for theming the renderer.
+
* @param autoRefresh - When true, refreshes album art and streaming platform links at the specified interval. Defaults to false.
+
* @param refreshInterval - Refresh interval in milliseconds. Defaults to 60000 (60 seconds).
+
* @returns A JSX subtree representing the last played track with loading states handled.
+
*/
+
export const LastPlayed: React.FC<LastPlayedProps> = React.memo(({
+
did,
+
renderer,
+
fallback,
+
loadingIndicator,
+
colorScheme,
+
autoRefresh = false,
+
refreshInterval = 60000,
+
}) => {
+
// Resolve handle from DID
+
const { handle } = useDidResolution(did);
+
+
// Auto-refresh key for refetching teal.fm record
+
const [refreshKey, setRefreshKey] = React.useState(0);
+
+
// Auto-refresh interval
+
React.useEffect(() => {
+
if (!autoRefresh) return;
+
+
const interval = setInterval(() => {
+
setRefreshKey((prev) => prev + 1);
+
}, refreshInterval);
+
+
return () => clearInterval(interval);
+
}, [autoRefresh, refreshInterval]);
+
+
const { record, rkey, loading, error, empty } = useLatestRecord<TealFeedPlayRecord>(
+
did,
+
LAST_PLAYED_COLLECTION,
+
refreshKey,
+
);
+
+
// Normalize TealFeedPlayRecord to match TealActorStatusRecord structure
+
// Use useMemo to prevent creating new object on every render
+
// MUST be called before any conditional returns (Rules of Hooks)
+
const normalizedRecord = useMemo(() => {
+
if (!record) return null;
+
+
return {
+
$type: "fm.teal.alpha.actor.status" as const,
+
item: {
+
artists: record.artists,
+
originUrl: record.originUrl,
+
trackName: record.trackName,
+
playedTime: record.playedTime,
+
releaseName: record.releaseName,
+
recordingMbId: record.recordingMbId,
+
releaseMbId: record.releaseMbId,
+
submissionClientAgent: record.submissionClientAgent,
+
musicServiceBaseDomain: record.musicServiceBaseDomain,
+
isrc: record.isrc,
+
duration: record.duration,
+
},
+
time: new Date(record.playedTime).getTime().toString(),
+
expiry: undefined,
+
};
+
}, [record]);
+
+
const Comp = renderer ?? CurrentlyPlayingRenderer;
+
+
// Now handle conditional returns after all hooks
+
if (error) {
+
return (
+
<div style={{ padding: 8, color: "var(--atproto-color-error)" }}>
+
Failed to load last played track.
+
</div>
+
);
+
}
+
+
if (loading && !record) {
+
return loadingIndicator ? (
+
<>{loadingIndicator}</>
+
) : (
+
<div style={{ padding: 8, color: "var(--atproto-color-text-secondary)" }}>
+
Loadingโ€ฆ
+
</div>
+
);
+
}
+
+
if (empty || !record || !normalizedRecord) {
+
return fallback ? (
+
<>{fallback}</>
+
) : (
+
<div style={{ padding: 8, color: "var(--atproto-color-text-secondary)" }}>
+
No plays found.
+
</div>
+
);
+
}
+
+
return (
+
<Comp
+
record={normalizedRecord}
+
loading={loading}
+
error={error}
+
colorScheme={colorScheme}
+
did={did}
+
rkey={rkey || "unknown"}
+
label="LAST PLAYED"
+
handle={handle}
+
/>
+
);
+
});
+
+
export default LastPlayed;
+18 -9
lib/components/LeafletDocument.tsx
···
LeafletDocumentRecord,
LeafletPublicationRecord,
} from "../types/leaflet";
-
import type { ColorSchemePreference } from "../hooks/useColorScheme";
import {
parseAtUri,
toBlueskyPostUrl,
···
*/
rkey: string;
/**
+
* Prefetched Leaflet document record. When provided, skips fetching from the network.
+
*/
+
record?: LeafletDocumentRecord;
+
/**
* Optional custom renderer for advanced layouts.
*/
renderer?: React.ComponentType<LeafletDocumentRendererInjectedProps>;
···
* Indicator rendered while data is being fetched from the PDS.
*/
loadingIndicator?: React.ReactNode;
-
/**
-
* Preferred color scheme to forward to the renderer.
-
*/
-
colorScheme?: ColorSchemePreference;
}
/**
···
* @param colorScheme - Preferred color scheme forwarded to the renderer.
* @returns A JSX subtree that renders a Leaflet document with contextual metadata.
*/
-
export const LeafletDocument: React.FC<LeafletDocumentProps> = ({
+
export const LeafletDocument: React.FC<LeafletDocumentProps> = React.memo(({
did,
rkey,
+
record,
renderer,
fallback,
loadingIndicator,
-
colorScheme,
}) => {
const Comp: React.ComponentType<LeafletDocumentRendererInjectedProps> =
renderer ?? ((props) => <LeafletDocumentRenderer {...props} />);
···
return (
<Comp
{...props}
-
colorScheme={colorScheme}
did={did}
rkey={rkey}
canonicalUrl={canonicalUrl}
···
);
};
+
if (record !== undefined) {
+
return (
+
<AtProtoRecord<LeafletDocumentRecord>
+
record={record}
+
renderer={Wrapped}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
/>
+
);
+
}
+
return (
<AtProtoRecord<LeafletDocumentRecord>
did={did}
···
loadingIndicator={loadingIndicator}
/>
);
-
};
+
});
/**
* Determines the best canonical URL to expose for a Leaflet document.
+125
lib/components/RichText.tsx
···
+
import React from "react";
+
import type { AppBskyRichtextFacet } from "@atcute/bluesky";
+
import { createTextSegments, type TextSegment } from "../utils/richtext";
+
import { useAtProto } from "../providers/AtProtoProvider";
+
+
export interface RichTextProps {
+
text: string;
+
facets?: AppBskyRichtextFacet.Main[];
+
style?: React.CSSProperties;
+
}
+
+
/**
+
* RichText component that renders text with facets (mentions, links, hashtags).
+
* Properly handles byte offsets and multi-byte characters.
+
*/
+
export const RichText: React.FC<RichTextProps> = ({ text, facets, style }) => {
+
const { blueskyAppBaseUrl } = useAtProto();
+
const segments = createTextSegments(text, facets);
+
+
return (
+
<span style={style}>
+
{segments.map((segment, idx) => (
+
<RichTextSegment key={idx} segment={segment} blueskyAppBaseUrl={blueskyAppBaseUrl} />
+
))}
+
</span>
+
);
+
};
+
+
interface RichTextSegmentProps {
+
segment: TextSegment;
+
blueskyAppBaseUrl: string;
+
}
+
+
const RichTextSegment: React.FC<RichTextSegmentProps> = ({ segment, blueskyAppBaseUrl }) => {
+
if (!segment.facet) {
+
return <>{segment.text}</>;
+
}
+
+
// Find the first feature in the facet
+
const feature = segment.facet.features?.[0];
+
if (!feature) {
+
return <>{segment.text}</>;
+
}
+
+
const featureType = (feature as { $type?: string }).$type;
+
+
// Render based on feature type
+
switch (featureType) {
+
case "app.bsky.richtext.facet#link": {
+
const linkFeature = feature as AppBskyRichtextFacet.Link;
+
return (
+
<a
+
href={linkFeature.uri}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{
+
color: "var(--atproto-color-link)",
+
textDecoration: "none",
+
}}
+
onMouseEnter={(e) => {
+
e.currentTarget.style.textDecoration = "underline";
+
}}
+
onMouseLeave={(e) => {
+
e.currentTarget.style.textDecoration = "none";
+
}}
+
>
+
{segment.text}
+
</a>
+
);
+
}
+
+
case "app.bsky.richtext.facet#mention": {
+
const mentionFeature = feature as AppBskyRichtextFacet.Mention;
+
const profileUrl = `${blueskyAppBaseUrl}/profile/${mentionFeature.did}`;
+
return (
+
<a
+
href={profileUrl}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{
+
color: "var(--atproto-color-link)",
+
textDecoration: "none",
+
}}
+
onMouseEnter={(e) => {
+
e.currentTarget.style.textDecoration = "underline";
+
}}
+
onMouseLeave={(e) => {
+
e.currentTarget.style.textDecoration = "none";
+
}}
+
>
+
{segment.text}
+
</a>
+
);
+
}
+
+
case "app.bsky.richtext.facet#tag": {
+
const tagFeature = feature as AppBskyRichtextFacet.Tag;
+
const tagUrl = `${blueskyAppBaseUrl}/hashtag/${encodeURIComponent(tagFeature.tag)}`;
+
return (
+
<a
+
href={tagUrl}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{
+
color: "var(--atproto-color-link)",
+
textDecoration: "none",
+
}}
+
onMouseEnter={(e) => {
+
e.currentTarget.style.textDecoration = "underline";
+
}}
+
onMouseLeave={(e) => {
+
e.currentTarget.style.textDecoration = "none";
+
}}
+
>
+
{segment.text}
+
</a>
+
);
+
}
+
+
default:
+
return <>{segment.text}</>;
+
}
+
};
+
+
export default RichText;
+648
lib/components/SongHistoryList.tsx
···
+
import React, { useState, useEffect, useMemo } from "react";
+
import { usePaginatedRecords } from "../hooks/usePaginatedRecords";
+
import { useDidResolution } from "../hooks/useDidResolution";
+
import type { TealFeedPlayRecord } from "../types/teal";
+
+
/**
+
* Options for rendering a paginated list of song history from teal.fm.
+
*/
+
export interface SongHistoryListProps {
+
/**
+
* DID whose song history should be fetched.
+
*/
+
did: string;
+
/**
+
* Maximum number of records to list per page. Defaults to `6`.
+
*/
+
limit?: number;
+
/**
+
* Enables pagination controls when `true`. Defaults to `true`.
+
*/
+
enablePagination?: boolean;
+
}
+
+
interface SonglinkResponse {
+
linksByPlatform: {
+
[platform: string]: {
+
url: string;
+
entityUniqueId: string;
+
};
+
};
+
entitiesByUniqueId: {
+
[id: string]: {
+
thumbnailUrl?: string;
+
title?: string;
+
artistName?: string;
+
};
+
};
+
entityUniqueId?: string;
+
}
+
+
/**
+
* Fetches a user's song history from teal.fm and renders them with album art focus.
+
*
+
* @param did - DID whose song history should be displayed.
+
* @param limit - Maximum number of songs per page. Default `6`.
+
* @param enablePagination - Whether pagination controls should render. Default `true`.
+
* @returns A card-like list element with loading, empty, and error handling.
+
*/
+
export const SongHistoryList: React.FC<SongHistoryListProps> = React.memo(({
+
did,
+
limit = 6,
+
enablePagination = true,
+
}) => {
+
const { handle: resolvedHandle } = useDidResolution(did);
+
const actorLabel = resolvedHandle ?? formatDid(did);
+
+
const {
+
records,
+
loading,
+
error,
+
hasNext,
+
hasPrev,
+
loadNext,
+
loadPrev,
+
pageIndex,
+
pagesCount,
+
} = usePaginatedRecords<TealFeedPlayRecord>({
+
did,
+
collection: "fm.teal.alpha.feed.play",
+
limit,
+
});
+
+
const pageLabel = useMemo(() => {
+
const knownTotal = Math.max(pageIndex + 1, pagesCount);
+
if (!enablePagination) return undefined;
+
if (hasNext && knownTotal === pageIndex + 1)
+
return `${pageIndex + 1}/โ€ฆ`;
+
return `${pageIndex + 1}/${knownTotal}`;
+
}, [enablePagination, hasNext, pageIndex, pagesCount]);
+
+
if (error)
+
return (
+
<div role="alert" style={{ padding: 8, color: "crimson" }}>
+
Failed to load song history.
+
</div>
+
);
+
+
return (
+
<div style={{ ...listStyles.card, background: `var(--atproto-color-bg)`, borderWidth: "1px", borderStyle: "solid", borderColor: `var(--atproto-color-border)` }}>
+
<div style={{ ...listStyles.header, background: `var(--atproto-color-bg-elevated)`, color: `var(--atproto-color-text)` }}>
+
<div style={listStyles.headerInfo}>
+
<div style={listStyles.headerIcon}>
+
<svg
+
width="24"
+
height="24"
+
viewBox="0 0 24 24"
+
fill="none"
+
stroke="currentColor"
+
strokeWidth="2"
+
strokeLinecap="round"
+
strokeLinejoin="round"
+
>
+
<path d="M9 18V5l12-2v13" />
+
<circle cx="6" cy="18" r="3" />
+
<circle cx="18" cy="16" r="3" />
+
</svg>
+
</div>
+
<div style={listStyles.headerText}>
+
<span style={listStyles.title}>Listening History</span>
+
<span
+
style={{
+
...listStyles.subtitle,
+
color: `var(--atproto-color-text-secondary)`,
+
}}
+
>
+
@{actorLabel}
+
</span>
+
</div>
+
</div>
+
{pageLabel && (
+
<span
+
style={{ ...listStyles.pageMeta, color: `var(--atproto-color-text-secondary)` }}
+
>
+
{pageLabel}
+
</span>
+
)}
+
</div>
+
<div style={listStyles.items}>
+
{loading && records.length === 0 && (
+
<div style={{ ...listStyles.empty, color: `var(--atproto-color-text-secondary)` }}>
+
Loading songsโ€ฆ
+
</div>
+
)}
+
{records.map((record, idx) => (
+
<SongRow
+
key={`${record.rkey}-${record.value.playedTime}`}
+
record={record.value}
+
hasDivider={idx < records.length - 1}
+
/>
+
))}
+
{!loading && records.length === 0 && (
+
<div style={{ ...listStyles.empty, color: `var(--atproto-color-text-secondary)` }}>
+
No songs found.
+
</div>
+
)}
+
</div>
+
{enablePagination && (
+
<div style={{ ...listStyles.footer, borderTopColor: `var(--atproto-color-border)`, color: `var(--atproto-color-text)` }}>
+
<button
+
type="button"
+
style={{
+
...listStyles.pageButton,
+
background: `var(--atproto-color-button-bg)`,
+
color: `var(--atproto-color-button-text)`,
+
cursor: hasPrev ? "pointer" : "not-allowed",
+
opacity: hasPrev ? 1 : 0.5,
+
}}
+
onClick={loadPrev}
+
disabled={!hasPrev}
+
>
+
โ€น Prev
+
</button>
+
<div style={listStyles.pageChips}>
+
<span
+
style={{
+
...listStyles.pageChipActive,
+
color: `var(--atproto-color-button-text)`,
+
background: `var(--atproto-color-button-bg)`,
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: `var(--atproto-color-button-bg)`,
+
}}
+
>
+
{pageIndex + 1}
+
</span>
+
{(hasNext || pagesCount > pageIndex + 1) && (
+
<span
+
style={{
+
...listStyles.pageChip,
+
color: `var(--atproto-color-text-secondary)`,
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: `var(--atproto-color-border)`,
+
background: `var(--atproto-color-bg)`,
+
}}
+
>
+
{pageIndex + 2}
+
</span>
+
)}
+
</div>
+
<button
+
type="button"
+
style={{
+
...listStyles.pageButton,
+
background: `var(--atproto-color-button-bg)`,
+
color: `var(--atproto-color-button-text)`,
+
cursor: hasNext ? "pointer" : "not-allowed",
+
opacity: hasNext ? 1 : 0.5,
+
}}
+
onClick={loadNext}
+
disabled={!hasNext}
+
>
+
Next โ€บ
+
</button>
+
</div>
+
)}
+
{loading && records.length > 0 && (
+
<div
+
style={{ ...listStyles.loadingBar, background: `var(--atproto-color-bg-elevated)`, color: `var(--atproto-color-text-secondary)` }}
+
>
+
Updatingโ€ฆ
+
</div>
+
)}
+
</div>
+
);
+
});
+
+
interface SongRowProps {
+
record: TealFeedPlayRecord;
+
hasDivider: boolean;
+
}
+
+
const SongRow: React.FC<SongRowProps> = ({ record, hasDivider }) => {
+
const [albumArt, setAlbumArt] = useState<string | undefined>(undefined);
+
const [artLoading, setArtLoading] = useState(true);
+
+
const artistNames = record.artists.map((a) => a.artistName).join(", ");
+
const relative = record.playedTime
+
? formatRelativeTime(record.playedTime)
+
: undefined;
+
const absolute = record.playedTime
+
? new Date(record.playedTime).toLocaleString()
+
: undefined;
+
+
useEffect(() => {
+
let cancelled = false;
+
setArtLoading(true);
+
setAlbumArt(undefined);
+
+
const fetchAlbumArt = async () => {
+
try {
+
// Try ISRC first
+
if (record.isrc) {
+
const response = await fetch(
+
`https://api.song.link/v1-alpha.1/links?platform=isrc&type=song&id=${encodeURIComponent(record.isrc)}&songIfSingle=true`
+
);
+
if (cancelled) return;
+
if (response.ok) {
+
const data: SonglinkResponse = await response.json();
+
const entityId = data.entityUniqueId;
+
const entity = entityId ? data.entitiesByUniqueId?.[entityId] : undefined;
+
if (entity?.thumbnailUrl) {
+
setAlbumArt(entity.thumbnailUrl);
+
setArtLoading(false);
+
return;
+
}
+
}
+
}
+
+
// Fallback to iTunes search
+
const iTunesSearchUrl = `https://itunes.apple.com/search?term=${encodeURIComponent(
+
`${record.trackName} ${artistNames}`
+
)}&media=music&entity=song&limit=1`;
+
+
const iTunesResponse = await fetch(iTunesSearchUrl);
+
if (cancelled) return;
+
+
if (iTunesResponse.ok) {
+
const iTunesData = await iTunesResponse.json();
+
if (iTunesData.results && iTunesData.results.length > 0) {
+
const match = iTunesData.results[0];
+
const artworkUrl = match.artworkUrl100?.replace('100x100', '600x600') || match.artworkUrl100;
+
if (artworkUrl) {
+
setAlbumArt(artworkUrl);
+
}
+
}
+
}
+
setArtLoading(false);
+
} catch (err) {
+
console.error(`Failed to fetch album art for "${record.trackName}":`, err);
+
setArtLoading(false);
+
}
+
};
+
+
fetchAlbumArt();
+
+
return () => {
+
cancelled = true;
+
};
+
}, [record.trackName, artistNames, record.isrc]);
+
+
return (
+
<div
+
style={{
+
...listStyles.row,
+
color: `var(--atproto-color-text)`,
+
borderBottom: hasDivider
+
? `1px solid var(--atproto-color-border)`
+
: "none",
+
}}
+
>
+
{/* Album Art - Large and prominent */}
+
<div style={listStyles.albumArtContainer}>
+
{artLoading ? (
+
<div style={listStyles.albumArtPlaceholder}>
+
<div style={listStyles.loadingSpinner} />
+
</div>
+
) : albumArt ? (
+
<img
+
src={albumArt}
+
alt={`${record.releaseName || "Album"} cover`}
+
style={listStyles.albumArt}
+
onError={(e) => {
+
e.currentTarget.style.display = "none";
+
const parent = e.currentTarget.parentElement;
+
if (parent) {
+
const placeholder = document.createElement("div");
+
Object.assign(placeholder.style, listStyles.albumArtPlaceholder);
+
placeholder.innerHTML = `
+
<svg
+
width="48"
+
height="48"
+
viewBox="0 0 24 24"
+
fill="none"
+
stroke="currentColor"
+
stroke-width="1.5"
+
>
+
<circle cx="12" cy="12" r="10" />
+
<circle cx="12" cy="12" r="3" />
+
<path d="M12 2v3M12 19v3M2 12h3M19 12h3" />
+
</svg>
+
`;
+
parent.appendChild(placeholder);
+
}
+
}}
+
/>
+
) : (
+
<div style={listStyles.albumArtPlaceholder}>
+
<svg
+
width="48"
+
height="48"
+
viewBox="0 0 24 24"
+
fill="none"
+
stroke="currentColor"
+
strokeWidth="1.5"
+
>
+
<circle cx="12" cy="12" r="10" />
+
<circle cx="12" cy="12" r="3" />
+
<path d="M12 2v3M12 19v3M2 12h3M19 12h3" />
+
</svg>
+
</div>
+
)}
+
</div>
+
+
{/* Song Info */}
+
<div style={listStyles.songInfo}>
+
<div style={listStyles.trackName}>{record.trackName}</div>
+
<div style={{ ...listStyles.artistName, color: `var(--atproto-color-text-secondary)` }}>
+
{artistNames}
+
</div>
+
{record.releaseName && (
+
<div style={{ ...listStyles.releaseName, color: `var(--atproto-color-text-secondary)` }}>
+
{record.releaseName}
+
</div>
+
)}
+
{relative && (
+
<div
+
style={{ ...listStyles.playedTime, color: `var(--atproto-color-text-secondary)` }}
+
title={absolute}
+
>
+
{relative}
+
</div>
+
)}
+
</div>
+
+
{/* External Link */}
+
{record.originUrl && (
+
<a
+
href={record.originUrl}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={listStyles.externalLink}
+
title="Listen on streaming service"
+
aria-label={`Listen to ${record.trackName} by ${artistNames}`}
+
>
+
<svg
+
width="20"
+
height="20"
+
viewBox="0 0 24 24"
+
fill="none"
+
stroke="currentColor"
+
strokeWidth="2"
+
strokeLinecap="round"
+
strokeLinejoin="round"
+
>
+
<path d="M18 13v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h6" />
+
<polyline points="15 3 21 3 21 9" />
+
<line x1="10" y1="14" x2="21" y2="3" />
+
</svg>
+
</a>
+
)}
+
</div>
+
);
+
};
+
+
function formatDid(did: string) {
+
return did.replace(/^did:(plc:)?/, "");
+
}
+
+
function formatRelativeTime(iso: string): string {
+
const date = new Date(iso);
+
const diffSeconds = (date.getTime() - Date.now()) / 1000;
+
const absSeconds = Math.abs(diffSeconds);
+
const thresholds: Array<{
+
limit: number;
+
unit: Intl.RelativeTimeFormatUnit;
+
divisor: number;
+
}> = [
+
{ limit: 60, unit: "second", divisor: 1 },
+
{ limit: 3600, unit: "minute", divisor: 60 },
+
{ limit: 86400, unit: "hour", divisor: 3600 },
+
{ limit: 604800, unit: "day", divisor: 86400 },
+
{ limit: 2629800, unit: "week", divisor: 604800 },
+
{ limit: 31557600, unit: "month", divisor: 2629800 },
+
{ limit: Infinity, unit: "year", divisor: 31557600 },
+
];
+
const threshold =
+
thresholds.find((t) => absSeconds < t.limit) ??
+
thresholds[thresholds.length - 1];
+
const value = diffSeconds / threshold.divisor;
+
const rtf = new Intl.RelativeTimeFormat("en", { numeric: "auto" });
+
return rtf.format(Math.round(value), threshold.unit);
+
}
+
+
const listStyles = {
+
card: {
+
borderRadius: 16,
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: "transparent",
+
boxShadow: "0 8px 18px -12px rgba(15, 23, 42, 0.25)",
+
overflow: "hidden",
+
display: "flex",
+
flexDirection: "column",
+
} satisfies React.CSSProperties,
+
header: {
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "space-between",
+
padding: "14px 18px",
+
fontSize: 14,
+
fontWeight: 500,
+
borderBottom: "1px solid var(--atproto-color-border)",
+
} satisfies React.CSSProperties,
+
headerInfo: {
+
display: "flex",
+
alignItems: "center",
+
gap: 12,
+
} satisfies React.CSSProperties,
+
headerIcon: {
+
width: 28,
+
height: 28,
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
borderRadius: "50%",
+
color: "var(--atproto-color-text)",
+
} satisfies React.CSSProperties,
+
headerText: {
+
display: "flex",
+
flexDirection: "column",
+
gap: 2,
+
} satisfies React.CSSProperties,
+
title: {
+
fontSize: 15,
+
fontWeight: 600,
+
} satisfies React.CSSProperties,
+
subtitle: {
+
fontSize: 12,
+
fontWeight: 500,
+
} satisfies React.CSSProperties,
+
pageMeta: {
+
fontSize: 12,
+
} satisfies React.CSSProperties,
+
items: {
+
display: "flex",
+
flexDirection: "column",
+
} satisfies React.CSSProperties,
+
empty: {
+
padding: "24px 18px",
+
fontSize: 13,
+
textAlign: "center",
+
} satisfies React.CSSProperties,
+
row: {
+
padding: "18px",
+
display: "flex",
+
gap: 16,
+
alignItems: "center",
+
transition: "background-color 120ms ease",
+
position: "relative",
+
} satisfies React.CSSProperties,
+
albumArtContainer: {
+
width: 96,
+
height: 96,
+
flexShrink: 0,
+
borderRadius: 8,
+
overflow: "hidden",
+
boxShadow: "0 4px 12px rgba(0, 0, 0, 0.15)",
+
} satisfies React.CSSProperties,
+
albumArt: {
+
width: "100%",
+
height: "100%",
+
objectFit: "cover",
+
display: "block",
+
} satisfies React.CSSProperties,
+
albumArtPlaceholder: {
+
width: "100%",
+
height: "100%",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
background: "linear-gradient(135deg, #667eea 0%, #764ba2 100%)",
+
color: "rgba(255, 255, 255, 0.6)",
+
} satisfies React.CSSProperties,
+
loadingSpinner: {
+
width: 28,
+
height: 28,
+
border: "3px solid rgba(255, 255, 255, 0.3)",
+
borderTop: "3px solid rgba(255, 255, 255, 0.9)",
+
borderRadius: "50%",
+
animation: "spin 1s linear infinite",
+
} satisfies React.CSSProperties,
+
songInfo: {
+
flex: 1,
+
display: "flex",
+
flexDirection: "column",
+
gap: 4,
+
minWidth: 0,
+
} satisfies React.CSSProperties,
+
trackName: {
+
fontSize: 16,
+
fontWeight: 600,
+
lineHeight: 1.3,
+
color: "var(--atproto-color-text)",
+
overflow: "hidden",
+
textOverflow: "ellipsis",
+
whiteSpace: "nowrap",
+
} satisfies React.CSSProperties,
+
artistName: {
+
fontSize: 14,
+
fontWeight: 500,
+
overflow: "hidden",
+
textOverflow: "ellipsis",
+
whiteSpace: "nowrap",
+
} satisfies React.CSSProperties,
+
releaseName: {
+
fontSize: 13,
+
overflow: "hidden",
+
textOverflow: "ellipsis",
+
whiteSpace: "nowrap",
+
} satisfies React.CSSProperties,
+
playedTime: {
+
fontSize: 12,
+
fontWeight: 500,
+
marginTop: 2,
+
} satisfies React.CSSProperties,
+
externalLink: {
+
flexShrink: 0,
+
width: 36,
+
height: 36,
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
borderRadius: "50%",
+
background: "var(--atproto-color-bg-elevated)",
+
border: "1px solid var(--atproto-color-border)",
+
color: "var(--atproto-color-text-secondary)",
+
cursor: "pointer",
+
transition: "all 0.2s ease",
+
textDecoration: "none",
+
} satisfies React.CSSProperties,
+
footer: {
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "space-between",
+
padding: "12px 18px",
+
borderTop: "1px solid transparent",
+
fontSize: 13,
+
} satisfies React.CSSProperties,
+
pageChips: {
+
display: "flex",
+
gap: 6,
+
alignItems: "center",
+
} satisfies React.CSSProperties,
+
pageChip: {
+
padding: "4px 10px",
+
borderRadius: 999,
+
fontSize: 13,
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: "transparent",
+
} satisfies React.CSSProperties,
+
pageChipActive: {
+
padding: "4px 10px",
+
borderRadius: 999,
+
fontSize: 13,
+
fontWeight: 600,
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: "transparent",
+
} satisfies React.CSSProperties,
+
pageButton: {
+
border: "none",
+
borderRadius: 999,
+
padding: "6px 12px",
+
fontSize: 13,
+
fontWeight: 500,
+
background: "transparent",
+
display: "flex",
+
alignItems: "center",
+
gap: 4,
+
transition: "background-color 120ms ease",
+
} satisfies React.CSSProperties,
+
loadingBar: {
+
padding: "4px 18px 14px",
+
fontSize: 12,
+
textAlign: "right",
+
color: "#64748b",
+
} satisfies React.CSSProperties,
+
};
+
+
// Add keyframes and hover styles
+
if (typeof document !== "undefined") {
+
const styleId = "song-history-styles";
+
if (!document.getElementById(styleId)) {
+
const styleElement = document.createElement("style");
+
styleElement.id = styleId;
+
styleElement.textContent = `
+
@keyframes spin {
+
0% { transform: rotate(0deg); }
+
100% { transform: rotate(360deg); }
+
}
+
`;
+
document.head.appendChild(styleElement);
+
}
+
}
+
+
export default SongHistoryList;
+131
lib/components/TangledRepo.tsx
···
+
import React from "react";
+
import { AtProtoRecord } from "../core/AtProtoRecord";
+
import { TangledRepoRenderer } from "../renderers/TangledRepoRenderer";
+
import type { TangledRepoRecord } from "../types/tangled";
+
import { useAtProto } from "../providers/AtProtoProvider";
+
+
/**
+
* Props for rendering Tangled Repo records.
+
*/
+
export interface TangledRepoProps {
+
/** DID of the repository that stores the repo record. */
+
did: string;
+
/** Record key within the `sh.tangled.repo` collection. */
+
rkey: string;
+
/** Prefetched Tangled Repo record. When provided, skips fetching from the network. */
+
record?: TangledRepoRecord;
+
/** Optional renderer override for custom presentation. */
+
renderer?: React.ComponentType<TangledRepoRendererInjectedProps>;
+
/** Fallback node displayed before loading begins. */
+
fallback?: React.ReactNode;
+
/** Indicator node shown while data is loading. */
+
loadingIndicator?: React.ReactNode;
+
/** Preferred color scheme for theming. */
+
colorScheme?: "light" | "dark" | "system";
+
/** Whether to show star count from backlinks. Defaults to true. */
+
showStarCount?: boolean;
+
/** Branch to query for language information. Defaults to trying "main", then "master". */
+
branch?: string;
+
/** Prefetched language names (e.g., ['TypeScript', 'React']). When provided, skips fetching languages from the knot server. */
+
languages?: string[];
+
}
+
+
/**
+
* Values injected into custom Tangled Repo renderer implementations.
+
*/
+
export type TangledRepoRendererInjectedProps = {
+
/** Loaded Tangled Repo record value. */
+
record: TangledRepoRecord;
+
/** Indicates whether the record is currently loading. */
+
loading: boolean;
+
/** Fetch error, if any. */
+
error?: Error;
+
/** Preferred color scheme for downstream components. */
+
colorScheme?: "light" | "dark" | "system";
+
/** DID associated with the record. */
+
did: string;
+
/** Record key for the repo. */
+
rkey: string;
+
/** Canonical external URL for linking to the repo. */
+
canonicalUrl: string;
+
/** Whether to show star count from backlinks. */
+
showStarCount?: boolean;
+
/** Branch to query for language information. */
+
branch?: string;
+
/** Prefetched language names. */
+
languages?: string[];
+
};
+
+
/** NSID for Tangled Repo records. */
+
export const TANGLED_REPO_COLLECTION = "sh.tangled.repo";
+
+
/**
+
* Resolves a Tangled Repo record and renders it with optional overrides while computing a canonical link.
+
*
+
* @param did - DID whose Tangled Repo should be fetched.
+
* @param rkey - Record key within the Tangled Repo collection.
+
* @param renderer - Optional component override that will receive injected props.
+
* @param fallback - Node rendered before the first load begins.
+
* @param loadingIndicator - Node rendered while the Tangled Repo is loading.
+
* @param colorScheme - Preferred color scheme for theming the renderer.
+
* @param showStarCount - Whether to show star count from backlinks. Defaults to true.
+
* @param branch - Branch to query for language information. Defaults to trying "main", then "master".
+
* @param languages - Prefetched language names (e.g., ['TypeScript', 'React']). When provided, skips fetching languages from the knot server.
+
* @returns A JSX subtree representing the Tangled Repo record with loading states handled.
+
*/
+
export const TangledRepo: React.FC<TangledRepoProps> = React.memo(({
+
did,
+
rkey,
+
record,
+
renderer,
+
fallback,
+
loadingIndicator,
+
colorScheme,
+
showStarCount = true,
+
branch,
+
languages,
+
}) => {
+
const { tangledBaseUrl } = useAtProto();
+
const Comp: React.ComponentType<TangledRepoRendererInjectedProps> =
+
renderer ?? ((props) => <TangledRepoRenderer {...props} />);
+
const Wrapped: React.FC<{
+
record: TangledRepoRecord;
+
loading: boolean;
+
error?: Error;
+
}> = (props) => (
+
<Comp
+
{...props}
+
colorScheme={colorScheme}
+
did={did}
+
rkey={rkey}
+
canonicalUrl={`${tangledBaseUrl}/${did}/${encodeURIComponent(props.record.name)}`}
+
showStarCount={showStarCount}
+
branch={branch}
+
languages={languages}
+
/>
+
);
+
+
if (record !== undefined) {
+
return (
+
<AtProtoRecord<TangledRepoRecord>
+
record={record}
+
renderer={Wrapped}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
/>
+
);
+
}
+
+
return (
+
<AtProtoRecord<TangledRepoRecord>
+
did={did}
+
collection={TANGLED_REPO_COLLECTION}
+
rkey={rkey}
+
renderer={Wrapped}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
/>
+
);
+
});
+
+
export default TangledRepo;
+21 -4
lib/components/TangledString.tsx
···
import React from "react";
import { AtProtoRecord } from "../core/AtProtoRecord";
import { TangledStringRenderer } from "../renderers/TangledStringRenderer";
-
import type { TangledStringRecord } from "../renderers/TangledStringRenderer";
+
import type { TangledStringRecord } from "../types/tangled";
+
import { useAtProto } from "../providers/AtProtoProvider";
/**
* Props for rendering Tangled String records.
···
did: string;
/** Record key within the `sh.tangled.string` collection. */
rkey: string;
+
/** Prefetched Tangled String record. When provided, skips fetching from the network. */
+
record?: TangledStringRecord;
/** Optional renderer override for custom presentation. */
renderer?: React.ComponentType<TangledStringRendererInjectedProps>;
/** Fallback node displayed before loading begins. */
···
* @param colorScheme - Preferred color scheme for theming the renderer.
* @returns A JSX subtree representing the Tangled String record with loading states handled.
*/
-
export const TangledString: React.FC<TangledStringProps> = ({
+
export const TangledString: React.FC<TangledStringProps> = React.memo(({
did,
rkey,
+
record,
renderer,
fallback,
loadingIndicator,
colorScheme,
}) => {
+
const { tangledBaseUrl } = useAtProto();
const Comp: React.ComponentType<TangledStringRendererInjectedProps> =
renderer ?? ((props) => <TangledStringRenderer {...props} />);
const Wrapped: React.FC<{
···
colorScheme={colorScheme}
did={did}
rkey={rkey}
-
canonicalUrl={`https://tangled.org/strings/${did}/${encodeURIComponent(rkey)}`}
+
canonicalUrl={`${tangledBaseUrl}/strings/${did}/${encodeURIComponent(rkey)}`}
/>
);
+
+
if (record !== undefined) {
+
return (
+
<AtProtoRecord<TangledStringRecord>
+
record={record}
+
renderer={Wrapped}
+
fallback={fallback}
+
loadingIndicator={loadingIndicator}
+
/>
+
);
+
}
+
return (
<AtProtoRecord<TangledStringRecord>
did={did}
···
loadingIndicator={loadingIndicator}
/>
);
-
};
+
});
export default TangledString;
+123 -6
lib/core/AtProtoRecord.tsx
···
-
import React from "react";
+
import React, { useState, useEffect, useRef } from "react";
import { useAtProtoRecord } from "../hooks/useAtProtoRecord";
+
/**
+
* Common rendering customization props for AT Protocol records.
+
*/
interface AtProtoRecordRenderProps<T> {
+
/** Custom renderer component that receives the fetched record and loading state. */
renderer?: React.ComponentType<{
record: T;
loading: boolean;
error?: Error;
}>;
+
/** React node displayed when no record is available (after error or before load). */
fallback?: React.ReactNode;
+
/** React node shown while the record is being fetched. */
loadingIndicator?: React.ReactNode;
+
/** Auto-refresh interval in milliseconds. When set, the record will be refetched at this interval. */
+
refreshInterval?: number;
+
/** Comparison function to determine if a record has changed. Used to prevent unnecessary re-renders during auto-refresh. */
+
compareRecords?: (prev: T | undefined, next: T | undefined) => boolean;
}
+
/**
+
* Props for fetching an AT Protocol record from the network.
+
*/
type AtProtoRecordFetchProps<T> = AtProtoRecordRenderProps<T> & {
+
/** Repository DID that owns the record. */
did: string;
+
/** NSID collection containing the record. */
collection: string;
+
/** Record key identifying the specific record. */
rkey: string;
+
/** Must be undefined when fetching (discriminates the union type). */
record?: undefined;
};
+
/**
+
* Props for rendering a prefetched AT Protocol record.
+
*/
type AtProtoRecordProvidedRecordProps<T> = AtProtoRecordRenderProps<T> & {
+
/** Prefetched record value to render (skips network fetch). */
record: T;
+
/** Optional DID for context (not used for fetching). */
did?: string;
+
/** Optional collection for context (not used for fetching). */
collection?: string;
+
/** Optional rkey for context (not used for fetching). */
rkey?: string;
};
+
/**
+
* Union type for AT Protocol record props - supports both fetching and prefetched records.
+
*/
export type AtProtoRecordProps<T = unknown> =
| AtProtoRecordFetchProps<T>
| AtProtoRecordProvidedRecordProps<T>;
+
/**
+
* Core component for fetching and rendering AT Protocol records with customizable presentation.
+
*
+
* Supports two modes:
+
* 1. **Fetch mode**: Provide `did`, `collection`, and `rkey` to fetch the record from the network
+
* 2. **Prefetch mode**: Provide a `record` directly to skip fetching (useful for SSR/caching)
+
*
+
* When no custom renderer is provided, displays the record as formatted JSON.
+
*
+
* **Auto-refresh**: Set `refreshInterval` to automatically refetch the record at the specified interval.
+
* The component intelligently avoids re-rendering if the record hasn't changed (using `compareRecords`).
+
*
+
* @example
+
* ```tsx
+
* // Fetch mode - retrieves record from network
+
* <AtProtoRecord
+
* did="did:plc:example"
+
* collection="app.bsky.feed.post"
+
* rkey="3k2aexample"
+
* renderer={MyCustomRenderer}
+
* />
+
* ```
+
*
+
* @example
+
* ```tsx
+
* // Prefetch mode - uses provided record
+
* <AtProtoRecord
+
* record={myPrefetchedRecord}
+
* renderer={MyCustomRenderer}
+
* />
+
* ```
+
*
+
* @example
+
* ```tsx
+
* // Auto-refresh mode - refetches every 15 seconds
+
* <AtProtoRecord
+
* did="did:plc:example"
+
* collection="fm.teal.alpha.actor.status"
+
* rkey="self"
+
* refreshInterval={15000}
+
* compareRecords={(prev, next) => JSON.stringify(prev) === JSON.stringify(next)}
+
* renderer={MyCustomRenderer}
+
* />
+
* ```
+
*
+
* @param props - Either fetch props (did/collection/rkey) or prefetch props (record).
+
* @returns A rendered AT Protocol record with loading/error states handled.
+
*/
export function AtProtoRecord<T = unknown>(props: AtProtoRecordProps<T>) {
const {
renderer: Renderer,
fallback = null,
loadingIndicator = "Loadingโ€ฆ",
+
refreshInterval,
+
compareRecords,
} = props;
const hasProvidedRecord = "record" in props;
const providedRecord = hasProvidedRecord ? props.record : undefined;
+
// Extract fetch props for logging
+
const fetchDid = hasProvidedRecord ? undefined : (props as any).did;
+
const fetchCollection = hasProvidedRecord ? undefined : (props as any).collection;
+
const fetchRkey = hasProvidedRecord ? undefined : (props as any).rkey;
+
+
// State for managing auto-refresh
+
const [refreshKey, setRefreshKey] = useState(0);
+
const [stableRecord, setStableRecord] = useState<T | undefined>(providedRecord);
+
const previousRecordRef = useRef<T | undefined>(providedRecord);
+
+
// Auto-refresh interval
+
useEffect(() => {
+
if (!refreshInterval || hasProvidedRecord) return;
+
+
const interval = setInterval(() => {
+
setRefreshKey((prev) => prev + 1);
+
}, refreshInterval);
+
+
return () => clearInterval(interval);
+
}, [refreshInterval, hasProvidedRecord, fetchCollection, fetchDid]);
+
const {
record: fetchedRecord,
error,
loading,
} = useAtProtoRecord<T>({
-
did: hasProvidedRecord ? undefined : props.did,
-
collection: hasProvidedRecord ? undefined : props.collection,
-
rkey: hasProvidedRecord ? undefined : props.rkey,
+
did: fetchDid,
+
collection: fetchCollection,
+
rkey: fetchRkey,
+
bypassCache: !!refreshInterval && refreshKey > 0, // Bypass cache on auto-refresh (but not initial load)
+
_refreshKey: refreshKey, // Force hook to re-run
});
-
const record = providedRecord ?? fetchedRecord;
-
const isLoading = loading && !providedRecord;
+
// Determine which record to use
+
const currentRecord = providedRecord ?? fetchedRecord;
+
+
// Handle record changes with optional comparison
+
useEffect(() => {
+
if (!currentRecord) return;
+
+
const hasChanged = compareRecords
+
? !compareRecords(previousRecordRef.current, currentRecord)
+
: previousRecordRef.current !== currentRecord;
+
+
if (hasChanged) {
+
setStableRecord(currentRecord);
+
previousRecordRef.current = currentRecord;
+
}
+
}, [currentRecord, compareRecords]);
+
+
const record = stableRecord;
+
const isLoading = loading && !providedRecord && !stableRecord;
if (error && !record) return <>{fallback}</>;
if (!record) return <>{isLoading ? loadingIndicator : fallback}</>;
+182 -27
lib/hooks/useAtProtoRecord.ts
···
-
import { useEffect, useState } from "react";
+
import { useEffect, useState, useRef } from "react";
import { useDidResolution } from "./useDidResolution";
import { usePdsEndpoint } from "./usePdsEndpoint";
import { createAtprotoClient } from "../utils/atproto-client";
+
import { useBlueskyAppview } from "./useBlueskyAppview";
+
import { useAtProto } from "../providers/AtProtoProvider";
/**
* Identifier trio required to address an AT Protocol record.
···
collection?: string;
/** Record key string uniquely identifying the record within the collection. */
rkey?: string;
+
/** Force bypass cache and refetch from network. Useful for auto-refresh scenarios. */
+
bypassCache?: boolean;
+
/** Internal refresh trigger - changes to this value force a refetch. */
+
_refreshKey?: number;
}
/**
···
/**
* React hook that fetches a single AT Protocol record and tracks loading/error state.
+
*
+
* For Bluesky collections (app.bsky.*), uses a three-tier fallback strategy:
+
* 1. Try Bluesky appview API first
+
* 2. Fall back to Slingshot getRecord
+
* 3. Finally query the PDS directly
+
*
+
* For other collections, queries the PDS directly (with Slingshot fallback via the client handler).
*
* @param did - DID (or handle before resolution) that owns the record.
* @param collection - NSID collection from which to fetch the record.
* @param rkey - Record key identifying the record within the collection.
+
* @param bypassCache - Force bypass cache and refetch from network. Useful for auto-refresh scenarios.
+
* @param _refreshKey - Internal parameter used to trigger refetches.
* @returns {AtProtoRecordState<T>} Object containing the resolved record, any error, and a loading flag.
*/
export function useAtProtoRecord<T = unknown>({
did: handleOrDid,
collection,
rkey,
+
bypassCache = false,
+
_refreshKey = 0,
}: AtProtoRecordKey): AtProtoRecordState<T> {
+
const { recordCache } = useAtProto();
+
const isBlueskyCollection = collection?.startsWith("app.bsky.");
+
+
// Always call all hooks (React rules) - conditionally use results
+
const blueskyResult = useBlueskyAppview<T>({
+
did: isBlueskyCollection ? handleOrDid : undefined,
+
collection: isBlueskyCollection ? collection : undefined,
+
rkey: isBlueskyCollection ? rkey : undefined,
+
});
+
const {
did,
error: didError,
···
const [state, setState] = useState<AtProtoRecordState<T>>({
loading: !!(handleOrDid && collection && rkey),
});
+
+
const releaseRef = useRef<(() => void) | undefined>(undefined);
useEffect(() => {
let cancelled = false;
···
});
return () => {
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
};
}
···
assignState({ loading: false, error: didError });
return () => {
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
};
}
···
assignState({ loading: false, error: endpointError });
return () => {
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
};
}
···
assignState({ loading: true, error: undefined });
return () => {
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
};
}
assignState({ loading: true, error: undefined, record: undefined });
-
(async () => {
-
try {
-
const { rpc } = await createAtprotoClient({
-
service: endpoint,
+
// Bypass cache if requested (for auto-refresh scenarios)
+
if (bypassCache) {
+
assignState({ loading: true, error: undefined });
+
+
// Skip cache and fetch directly
+
const controller = new AbortController();
+
+
const fetchPromise = (async () => {
+
try {
+
const { rpc } = await createAtprotoClient({
+
service: endpoint,
+
});
+
const res = await (
+
rpc as unknown as {
+
get: (
+
nsid: string,
+
opts: {
+
params: {
+
repo: string;
+
collection: string;
+
rkey: string;
+
};
+
},
+
) => Promise<{ ok: boolean; data: { value: T } }>;
+
}
+
).get("com.atproto.repo.getRecord", {
+
params: { repo: did, collection, rkey },
+
});
+
if (!res.ok) throw new Error("Failed to load record");
+
return (res.data as { value: T }).value;
+
} catch (err) {
+
// Provide helpful error for banned/unreachable Bluesky PDSes
+
if (endpoint.includes('.bsky.network')) {
+
throw new Error(
+
`Record unavailable. The Bluesky PDS (${endpoint}) may be unreachable or the account may be banned.`
+
);
+
}
+
throw err;
+
}
+
})();
+
+
fetchPromise
+
.then((record) => {
+
if (!cancelled) {
+
assignState({ record, loading: false });
+
}
+
})
+
.catch((e) => {
+
if (!cancelled) {
+
const err = e instanceof Error ? e : new Error(String(e));
+
assignState({ error: err, loading: false });
+
}
});
-
const res = await (
-
rpc as unknown as {
-
get: (
-
nsid: string,
-
opts: {
-
params: {
-
repo: string;
-
collection: string;
-
rkey: string;
-
};
-
},
-
) => Promise<{ ok: boolean; data: { value: T } }>;
+
+
return () => {
+
cancelled = true;
+
controller.abort();
+
};
+
}
+
+
// Use recordCache.ensure for deduplication and caching
+
const { promise, release } = recordCache.ensure<T>(
+
did,
+
collection,
+
rkey,
+
() => {
+
const controller = new AbortController();
+
+
const fetchPromise = (async () => {
+
try {
+
const { rpc } = await createAtprotoClient({
+
service: endpoint,
+
});
+
const res = await (
+
rpc as unknown as {
+
get: (
+
nsid: string,
+
opts: {
+
params: {
+
repo: string;
+
collection: string;
+
rkey: string;
+
};
+
},
+
) => Promise<{ ok: boolean; data: { value: T } }>;
+
}
+
).get("com.atproto.repo.getRecord", {
+
params: { repo: did, collection, rkey },
+
});
+
if (!res.ok) throw new Error("Failed to load record");
+
return (res.data as { value: T }).value;
+
} catch (err) {
+
// Provide helpful error for banned/unreachable Bluesky PDSes
+
if (endpoint.includes('.bsky.network')) {
+
throw new Error(
+
`Record unavailable. The Bluesky PDS (${endpoint}) may be unreachable or the account may be banned.`
+
);
+
}
+
throw err;
}
-
).get("com.atproto.repo.getRecord", {
-
params: { repo: did, collection, rkey },
-
});
-
if (!res.ok) throw new Error("Failed to load record");
-
const record = (res.data as { value: T }).value;
-
assignState({ record, loading: false });
-
} catch (e) {
-
const err = e instanceof Error ? e : new Error(String(e));
-
assignState({ error: err, loading: false });
+
})();
+
+
return {
+
promise: fetchPromise,
+
abort: () => controller.abort(),
+
};
}
-
})();
+
);
+
+
releaseRef.current = release;
+
+
promise
+
.then((record) => {
+
if (!cancelled) {
+
assignState({ record, loading: false });
+
}
+
})
+
.catch((e) => {
+
if (!cancelled) {
+
const err = e instanceof Error ? e : new Error(String(e));
+
assignState({ error: err, loading: false });
+
}
+
});
return () => {
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
};
}, [
handleOrDid,
···
resolvingEndpoint,
didError,
endpointError,
+
recordCache,
+
bypassCache,
+
_refreshKey,
]);
+
+
// Return Bluesky result for app.bsky.* collections
+
if (isBlueskyCollection) {
+
return {
+
record: blueskyResult.record,
+
error: blueskyResult.error,
+
loading: blueskyResult.loading,
+
};
+
}
return state;
}
+163
lib/hooks/useBacklinks.ts
···
+
import { useEffect, useState, useCallback, useRef } from "react";
+
+
/**
+
* Individual backlink record returned by Microcosm Constellation.
+
*/
+
export interface BacklinkRecord {
+
/** DID of the author who created the backlink. */
+
did: string;
+
/** Collection type of the backlink record (e.g., "sh.tangled.feed.star"). */
+
collection: string;
+
/** Record key of the backlink. */
+
rkey: string;
+
}
+
+
/**
+
* Response from Microcosm Constellation API.
+
*/
+
export interface BacklinksResponse {
+
/** Total count of backlinks. */
+
total: number;
+
/** Array of backlink records. */
+
records: BacklinkRecord[];
+
/** Cursor for pagination (optional). */
+
cursor?: string;
+
}
+
+
/**
+
* Parameters for fetching backlinks.
+
*/
+
export interface UseBacklinksParams {
+
/** The AT-URI subject to get backlinks for (e.g., "at://did:plc:xxx/sh.tangled.repo/yyy"). */
+
subject: string;
+
/** The source collection and path (e.g., "sh.tangled.feed.star:subject"). */
+
source: string;
+
/** Maximum number of results to fetch (default: 16, max: 100). */
+
limit?: number;
+
/** Base URL for the Microcosm Constellation API. */
+
constellationBaseUrl?: string;
+
/** Whether to automatically fetch backlinks on mount. */
+
enabled?: boolean;
+
}
+
+
const DEFAULT_CONSTELLATION = "https://constellation.microcosm.blue";
+
+
/**
+
* Hook to fetch backlinks from Microcosm Constellation API.
+
*
+
* Backlinks are records that reference another record. For example,
+
* `sh.tangled.feed.star` records are backlinks to `sh.tangled.repo` records,
+
* representing users who have starred a repository.
+
*
+
* @param params - Configuration for fetching backlinks
+
* @returns Object containing backlinks data, loading state, error, and refetch function
+
*
+
* @example
+
* ```tsx
+
* const { backlinks, loading, error, count } = useBacklinks({
+
* subject: "at://did:plc:example/sh.tangled.repo/3k2aexample",
+
* source: "sh.tangled.feed.star:subject",
+
* });
+
* ```
+
*/
+
export function useBacklinks({
+
subject,
+
source,
+
limit = 16,
+
constellationBaseUrl = DEFAULT_CONSTELLATION,
+
enabled = true,
+
}: UseBacklinksParams) {
+
const [backlinks, setBacklinks] = useState<BacklinkRecord[]>([]);
+
const [total, setTotal] = useState(0);
+
const [loading, setLoading] = useState(false);
+
const [error, setError] = useState<Error | undefined>(undefined);
+
const [cursor, setCursor] = useState<string | undefined>(undefined);
+
const abortControllerRef = useRef<AbortController | null>(null);
+
+
const fetchBacklinks = useCallback(
+
async (signal?: AbortSignal) => {
+
if (!subject || !source || !enabled) return;
+
+
try {
+
setLoading(true);
+
setError(undefined);
+
+
const baseUrl = constellationBaseUrl.endsWith("/")
+
? constellationBaseUrl.slice(0, -1)
+
: constellationBaseUrl;
+
+
const params = new URLSearchParams({
+
subject: subject,
+
source: source,
+
limit: limit.toString(),
+
});
+
+
const url = `${baseUrl}/xrpc/blue.microcosm.links.getBacklinks?${params}`;
+
+
const response = await fetch(url, { signal });
+
+
if (!response.ok) {
+
throw new Error(
+
`Failed to fetch backlinks: ${response.status} ${response.statusText}`,
+
);
+
}
+
+
const data: BacklinksResponse = await response.json();
+
setBacklinks(data.records || []);
+
setTotal(data.total || 0);
+
setCursor(data.cursor);
+
} catch (err) {
+
if (err instanceof Error && err.name === "AbortError") {
+
// Ignore abort errors
+
return;
+
}
+
setError(
+
err instanceof Error ? err : new Error("Unknown error fetching backlinks"),
+
);
+
} finally {
+
setLoading(false);
+
}
+
},
+
[subject, source, limit, constellationBaseUrl, enabled],
+
);
+
+
const refetch = useCallback(() => {
+
// Abort any in-flight request
+
if (abortControllerRef.current) {
+
abortControllerRef.current.abort();
+
}
+
+
const controller = new AbortController();
+
abortControllerRef.current = controller;
+
fetchBacklinks(controller.signal);
+
}, [fetchBacklinks]);
+
+
useEffect(() => {
+
if (!enabled) return;
+
+
const controller = new AbortController();
+
abortControllerRef.current = controller;
+
fetchBacklinks(controller.signal);
+
+
return () => {
+
controller.abort();
+
};
+
}, [fetchBacklinks, enabled]);
+
+
return {
+
/** Array of backlink records. */
+
backlinks,
+
/** Whether backlinks are currently being fetched. */
+
loading,
+
/** Error if fetch failed. */
+
error,
+
/** Pagination cursor (not yet implemented for pagination). */
+
cursor,
+
/** Total count of backlinks from the API. */
+
total,
+
/** Total count of backlinks (alias for total). */
+
count: total,
+
/** Function to manually refetch backlinks. */
+
refetch,
+
};
+
}
+727
lib/hooks/useBlueskyAppview.ts
···
+
import { useEffect, useReducer, useRef } from "react";
+
import { useDidResolution } from "./useDidResolution";
+
import { usePdsEndpoint } from "./usePdsEndpoint";
+
import { createAtprotoClient } from "../utils/atproto-client";
+
import { useAtProto } from "../providers/AtProtoProvider";
+
+
/**
+
* Extended blob reference that includes CDN URL from appview responses.
+
*/
+
export interface BlobWithCdn {
+
$type: "blob";
+
ref: { $link: string };
+
mimeType: string;
+
size: number;
+
/** CDN URL from Bluesky appview (e.g., https://cdn.bsky.app/img/avatar/plain/did:plc:xxx/bafkreixxx@jpeg) */
+
cdnUrl?: string;
+
}
+
+
+
+
/**
+
* Appview getProfile response structure.
+
*/
+
interface AppviewProfileResponse {
+
did: string;
+
handle: string;
+
displayName?: string;
+
description?: string;
+
avatar?: string;
+
banner?: string;
+
createdAt?: string;
+
pronouns?: string;
+
website?: string;
+
[key: string]: unknown;
+
}
+
+
/**
+
* Appview getPostThread response structure.
+
*/
+
interface AppviewPostThreadResponse<T = unknown> {
+
thread?: {
+
post?: {
+
record?: T;
+
embed?: {
+
$type?: string;
+
images?: Array<{
+
thumb?: string;
+
fullsize?: string;
+
alt?: string;
+
aspectRatio?: { width: number; height: number };
+
}>;
+
media?: {
+
images?: Array<{
+
thumb?: string;
+
fullsize?: string;
+
alt?: string;
+
aspectRatio?: { width: number; height: number };
+
}>;
+
};
+
};
+
};
+
};
+
}
+
+
/**
+
* Options for {@link useBlueskyAppview}.
+
*/
+
export interface UseBlueskyAppviewOptions {
+
/** DID or handle of the actor. */
+
did?: string;
+
/** NSID collection (e.g., "app.bsky.feed.post"). */
+
collection?: string;
+
/** Record key within the collection. */
+
rkey?: string;
+
/** Override for the Bluesky appview service URL. Defaults to public.api.bsky.app. */
+
appviewService?: string;
+
/** If true, skip the appview and go straight to Slingshot/PDS fallback. */
+
skipAppview?: boolean;
+
}
+
+
/**
+
* Result returned from {@link useBlueskyAppview}.
+
*/
+
export interface UseBlueskyAppviewResult<T = unknown> {
+
/** The fetched record value. */
+
record?: T;
+
/** Indicates whether a fetch is in progress. */
+
loading: boolean;
+
/** Error encountered during fetch. */
+
error?: Error;
+
/** Source from which the record was successfully fetched. */
+
source?: "appview" | "slingshot" | "pds";
+
}
+
+
/**
+
* Maps Bluesky collection NSIDs to their corresponding appview API endpoints.
+
* Only includes endpoints that can fetch individual records (not list endpoints).
+
*/
+
const BLUESKY_COLLECTION_TO_ENDPOINT: Record<string, string> = {
+
"app.bsky.actor.profile": "app.bsky.actor.getProfile",
+
"app.bsky.feed.post": "app.bsky.feed.getPostThread",
+
+
};
+
+
/**
+
* React hook that fetches a Bluesky record with a three-tier fallback strategy:
+
* 1. Try the Bluesky appview API endpoint (e.g., getProfile, getPostThread)
+
* 2. Fall back to Slingshot's getRecord
+
* 3. As a last resort, query the actor's PDS directly
+
*
+
* The hook automatically handles DID resolution and determines the appropriate API endpoint
+
* based on the collection type. The `source` field in the result indicates which tier
+
* successfully returned the record.
+
*
+
* @example
+
* ```tsx
+
* // Fetch a Bluesky post with automatic fallback
+
* import { useBlueskyAppview } from 'atproto-ui';
+
* import type { FeedPostRecord } from 'atproto-ui';
+
*
+
* function MyPost({ did, rkey }: { did: string; rkey: string }) {
+
* const { record, loading, error, source } = useBlueskyAppview<FeedPostRecord>({
+
* did,
+
* collection: 'app.bsky.feed.post',
+
* rkey,
+
* });
+
*
+
* if (loading) return <p>Loading post...</p>;
+
* if (error) return <p>Error: {error.message}</p>;
+
* if (!record) return <p>No post found</p>;
+
*
+
* return (
+
* <article>
+
* <p>{record.text}</p>
+
* <small>Fetched from: {source}</small>
+
* </article>
+
* );
+
* }
+
* ```
+
*
+
* @example
+
* ```tsx
+
* // Fetch a Bluesky profile
+
* import { useBlueskyAppview } from 'atproto-ui';
+
* import type { ProfileRecord } from 'atproto-ui';
+
*
+
* function MyProfile({ handle }: { handle: string }) {
+
* const { record, loading, error } = useBlueskyAppview<ProfileRecord>({
+
* did: handle, // Handles are automatically resolved to DIDs
+
* collection: 'app.bsky.actor.profile',
+
* rkey: 'self',
+
* });
+
*
+
* if (loading) return <p>Loading profile...</p>;
+
* if (!record) return null;
+
*
+
* return (
+
* <div>
+
* <h2>{record.displayName}</h2>
+
* <p>{record.description}</p>
+
* </div>
+
* );
+
* }
+
* ```
+
*
+
* @example
+
* ```tsx
+
* // Skip the appview and go directly to Slingshot/PDS
+
* const { record } = useBlueskyAppview({
+
* did: 'did:plc:example',
+
* collection: 'app.bsky.feed.post',
+
* rkey: '3k2aexample',
+
* skipAppview: true, // Bypasses Bluesky API, starts with Slingshot
+
* });
+
* ```
+
*
+
* @param options - Configuration object with did, collection, rkey, and optional overrides.
+
* @returns {UseBlueskyAppviewResult<T>} Object containing the record, loading state, error, and source.
+
*/
+
+
// Reducer action types for useBlueskyAppview
+
type BlueskyAppviewAction<T> =
+
| { type: "SET_LOADING"; loading: boolean }
+
| { type: "SET_SUCCESS"; record: T; source: "appview" | "slingshot" | "pds" }
+
| { type: "SET_ERROR"; error: Error }
+
| { type: "RESET" };
+
+
// Reducer function for atomic state updates
+
function blueskyAppviewReducer<T>(
+
state: UseBlueskyAppviewResult<T>,
+
action: BlueskyAppviewAction<T>
+
): UseBlueskyAppviewResult<T> {
+
switch (action.type) {
+
case "SET_LOADING":
+
return {
+
...state,
+
loading: action.loading,
+
error: undefined,
+
};
+
case "SET_SUCCESS":
+
return {
+
record: action.record,
+
loading: false,
+
error: undefined,
+
source: action.source,
+
};
+
case "SET_ERROR":
+
// Only update if error message changed (stabilize error reference)
+
if (state.error?.message === action.error.message) {
+
return state;
+
}
+
return {
+
...state,
+
loading: false,
+
error: action.error,
+
source: undefined,
+
};
+
case "RESET":
+
return {
+
record: undefined,
+
loading: false,
+
error: undefined,
+
source: undefined,
+
};
+
default:
+
return state;
+
}
+
}
+
+
export function useBlueskyAppview<T = unknown>({
+
did: handleOrDid,
+
collection,
+
rkey,
+
appviewService,
+
skipAppview = false,
+
}: UseBlueskyAppviewOptions): UseBlueskyAppviewResult<T> {
+
const { recordCache, blueskyAppviewService, resolver } = useAtProto();
+
const effectiveAppviewService = appviewService ?? blueskyAppviewService;
+
+
// Only use this hook for Bluesky collections (app.bsky.*)
+
const isBlueskyCollection = collection?.startsWith("app.bsky.");
+
+
const {
+
did,
+
error: didError,
+
loading: resolvingDid,
+
} = useDidResolution(handleOrDid);
+
const {
+
endpoint: pdsEndpoint,
+
error: endpointError,
+
loading: resolvingEndpoint,
+
} = usePdsEndpoint(did);
+
+
const [state, dispatch] = useReducer(blueskyAppviewReducer<T>, {
+
record: undefined,
+
loading: false,
+
error: undefined,
+
source: undefined,
+
});
+
+
const releaseRef = useRef<(() => void) | undefined>(undefined);
+
+
useEffect(() => {
+
let cancelled = false;
+
+
// Early returns for missing inputs or resolution errors
+
if (!handleOrDid || !collection || !rkey) {
+
if (!cancelled) dispatch({ type: "RESET" });
+
return () => {
+
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
+
};
+
}
+
+
// Return early if not a Bluesky collection - this hook should not be used for other lexicons
+
if (!isBlueskyCollection) {
+
if (!cancelled) dispatch({ type: "RESET" });
+
return () => {
+
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
+
};
+
}
+
+
if (didError) {
+
if (!cancelled) dispatch({ type: "SET_ERROR", error: didError });
+
return () => {
+
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
+
};
+
}
+
+
if (endpointError) {
+
if (!cancelled) dispatch({ type: "SET_ERROR", error: endpointError });
+
return () => {
+
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
+
};
+
}
+
+
if (resolvingDid || resolvingEndpoint || !did || !pdsEndpoint) {
+
if (!cancelled) dispatch({ type: "SET_LOADING", loading: true });
+
return () => {
+
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
+
};
+
}
+
+
// Start fetching
+
dispatch({ type: "SET_LOADING", loading: true });
+
+
// Use recordCache.ensure for deduplication and caching
+
const { promise, release } = recordCache.ensure<{ record: T; source: "appview" | "slingshot" | "pds" }>(
+
did,
+
collection,
+
rkey,
+
() => {
+
const controller = new AbortController();
+
+
const fetchPromise = (async (): Promise<{ record: T; source: "appview" | "slingshot" | "pds" }> => {
+
let lastError: Error | undefined;
+
+
// Tier 1: Try Bluesky appview API
+
if (!skipAppview && BLUESKY_COLLECTION_TO_ENDPOINT[collection]) {
+
try {
+
const result = await fetchFromAppview<T>(
+
did,
+
collection,
+
rkey,
+
effectiveAppviewService,
+
);
+
if (result) {
+
return { record: result, source: "appview" };
+
}
+
} catch (err) {
+
lastError = err as Error;
+
// Continue to next tier
+
}
+
}
+
+
// Tier 2: Try Slingshot getRecord
+
try {
+
const slingshotUrl = resolver.getSlingshotUrl();
+
const result = await fetchFromSlingshot<T>(did, collection, rkey, slingshotUrl);
+
if (result) {
+
return { record: result, source: "slingshot" };
+
}
+
} catch (err) {
+
lastError = err as Error;
+
// Continue to next tier
+
}
+
+
// Tier 3: Try PDS directly
+
try {
+
const result = await fetchFromPds<T>(
+
did,
+
collection,
+
rkey,
+
pdsEndpoint,
+
);
+
if (result) {
+
return { record: result, source: "pds" };
+
}
+
} catch (err) {
+
lastError = err as Error;
+
}
+
+
// All tiers failed - provide helpful error for banned/unreachable Bluesky PDSes
+
if (pdsEndpoint.includes('.bsky.network')) {
+
throw new Error(
+
`Record unavailable. The Bluesky PDS (${pdsEndpoint}) may be unreachable or the account may be banned.`
+
);
+
}
+
+
throw lastError ?? new Error("Failed to fetch record from all sources");
+
})();
+
+
return {
+
promise: fetchPromise,
+
abort: () => controller.abort(),
+
};
+
}
+
);
+
+
releaseRef.current = release;
+
+
promise
+
.then(({ record, source }) => {
+
if (!cancelled) {
+
dispatch({
+
type: "SET_SUCCESS",
+
record,
+
source,
+
});
+
}
+
})
+
.catch((err) => {
+
if (!cancelled) {
+
dispatch({
+
type: "SET_ERROR",
+
error: err instanceof Error ? err : new Error(String(err)),
+
});
+
}
+
});
+
+
return () => {
+
cancelled = true;
+
if (releaseRef.current) {
+
releaseRef.current();
+
releaseRef.current = undefined;
+
}
+
};
+
}, [
+
handleOrDid,
+
did,
+
collection,
+
rkey,
+
pdsEndpoint,
+
effectiveAppviewService,
+
skipAppview,
+
resolvingDid,
+
resolvingEndpoint,
+
didError,
+
endpointError,
+
recordCache,
+
resolver,
+
]);
+
+
return state;
+
}
+
+
/**
+
* Attempts to fetch a record from the Bluesky appview API.
+
* Different collections map to different endpoints with varying response structures.
+
*/
+
async function fetchFromAppview<T>(
+
did: string,
+
collection: string,
+
rkey: string,
+
appviewService: string,
+
): Promise<T | undefined> {
+
const { rpc } = await createAtprotoClient({ service: appviewService });
+
const endpoint = BLUESKY_COLLECTION_TO_ENDPOINT[collection];
+
+
if (!endpoint) {
+
throw new Error(`No appview endpoint mapped for collection ${collection}`);
+
}
+
+
const atUri = `at://${did}/${collection}/${rkey}`;
+
+
// Handle different appview endpoints
+
if (endpoint === "app.bsky.actor.getProfile") {
+
const res = await (rpc as unknown as { get: (nsid: string, opts: { params: Record<string, unknown> }) => Promise<{ ok: boolean; data: AppviewProfileResponse }> }).get(endpoint, {
+
params: { actor: did },
+
});
+
+
if (!res.ok) throw new Error(`Appview ${endpoint} request failed for ${did}`);
+
+
// The appview returns avatar/banner as CDN URLs like:
+
// https://cdn.bsky.app/img/avatar/plain/{did}/{cid}@jpeg
+
// We need to extract the CID and convert to ProfileRecord format
+
const profile = res.data;
+
const avatarCid = extractCidFromCdnUrl(profile.avatar);
+
const bannerCid = extractCidFromCdnUrl(profile.banner);
+
+
// Convert hydrated profile to ProfileRecord format
+
// Store the CDN URL directly so components can use it without re-fetching
+
const record: Record<string, unknown> = {
+
displayName: profile.displayName,
+
description: profile.description,
+
createdAt: profile.createdAt,
+
};
+
+
// Add pronouns and website if they exist
+
if (profile.pronouns) {
+
record.pronouns = profile.pronouns;
+
}
+
+
if (profile.website) {
+
record.website = profile.website;
+
}
+
+
if (profile.avatar && avatarCid) {
+
const avatarBlob: BlobWithCdn = {
+
$type: "blob",
+
ref: { $link: avatarCid },
+
mimeType: "image/jpeg",
+
size: 0,
+
cdnUrl: profile.avatar,
+
};
+
record.avatar = avatarBlob;
+
}
+
+
if (profile.banner && bannerCid) {
+
const bannerBlob: BlobWithCdn = {
+
$type: "blob",
+
ref: { $link: bannerCid },
+
mimeType: "image/jpeg",
+
size: 0,
+
cdnUrl: profile.banner,
+
};
+
record.banner = bannerBlob;
+
}
+
+
return record as T;
+
}
+
+
if (endpoint === "app.bsky.feed.getPostThread") {
+
const res = await (rpc as unknown as { get: (nsid: string, opts: { params: Record<string, unknown> }) => Promise<{ ok: boolean; data: AppviewPostThreadResponse<T> }> }).get(endpoint, {
+
params: { uri: atUri, depth: 0 },
+
});
+
+
if (!res.ok) throw new Error(`Appview ${endpoint} request failed for ${atUri}`);
+
+
const post = res.data.thread?.post;
+
if (!post?.record) return undefined;
+
+
const record = post.record as Record<string, unknown>;
+
const appviewEmbed = post.embed;
+
+
// If the appview includes embedded images with CDN URLs, inject them into the record
+
if (appviewEmbed && record.embed) {
+
const recordEmbed = record.embed as { $type?: string; images?: Array<Record<string, unknown>>; media?: Record<string, unknown> };
+
+
// Handle direct image embeds
+
if (appviewEmbed.$type === "app.bsky.embed.images#view" && appviewEmbed.images) {
+
if (recordEmbed.images && Array.isArray(recordEmbed.images)) {
+
recordEmbed.images = recordEmbed.images.map((img: Record<string, unknown>, idx: number) => {
+
const appviewImg = appviewEmbed.images?.[idx];
+
if (appviewImg?.fullsize) {
+
const cid = extractCidFromCdnUrl(appviewImg.fullsize);
+
const imageObj = img.image as { ref?: { $link?: string } } | undefined;
+
return {
+
...img,
+
image: {
+
...(img.image as Record<string, unknown> || {}),
+
cdnUrl: appviewImg.fullsize,
+
ref: { $link: cid || imageObj?.ref?.$link },
+
},
+
};
+
}
+
return img;
+
});
+
}
+
}
+
+
// Handle recordWithMedia embeds
+
if (appviewEmbed.$type === "app.bsky.embed.recordWithMedia#view" && appviewEmbed.media) {
+
const mediaImages = appviewEmbed.media.images;
+
const mediaEmbedImages = (recordEmbed.media as { images?: Array<Record<string, unknown>> } | undefined)?.images;
+
if (mediaImages && mediaEmbedImages && Array.isArray(mediaEmbedImages)) {
+
(recordEmbed.media as { images: Array<Record<string, unknown>> }).images = mediaEmbedImages.map((img: Record<string, unknown>, idx: number) => {
+
const appviewImg = mediaImages[idx];
+
if (appviewImg?.fullsize) {
+
const cid = extractCidFromCdnUrl(appviewImg.fullsize);
+
const imageObj = img.image as { ref?: { $link?: string } } | undefined;
+
return {
+
...img,
+
image: {
+
...(img.image as Record<string, unknown> || {}),
+
cdnUrl: appviewImg.fullsize,
+
ref: { $link: cid || imageObj?.ref?.$link },
+
},
+
};
+
}
+
return img;
+
});
+
}
+
}
+
}
+
+
return record as T;
+
}
+
+
// For other endpoints, we might not have a clean way to extract the specific record
+
// Fall through to let the caller try the next tier
+
throw new Error(`Appview endpoint ${endpoint} not fully implemented`);
+
}
+
+
/**
+
* Attempts to fetch a record from Slingshot's getRecord endpoint.
+
*/
+
async function fetchFromSlingshot<T>(
+
did: string,
+
collection: string,
+
rkey: string,
+
slingshotBaseUrl: string,
+
): Promise<T | undefined> {
+
const res = await callGetRecord<T>(slingshotBaseUrl, did, collection, rkey);
+
if (!res.ok) throw new Error(`Slingshot getRecord failed for ${did}/${collection}/${rkey}`);
+
return res.data.value;
+
}
+
+
/**
+
* Attempts to fetch a record directly from the actor's PDS.
+
*/
+
async function fetchFromPds<T>(
+
did: string,
+
collection: string,
+
rkey: string,
+
pdsEndpoint: string,
+
): Promise<T | undefined> {
+
const res = await callGetRecord<T>(pdsEndpoint, did, collection, rkey);
+
if (!res.ok) throw new Error(`PDS getRecord failed for ${did}/${collection}/${rkey} at ${pdsEndpoint}`);
+
return res.data.value;
+
}
+
+
/**
+
* Extracts and validates CID from Bluesky CDN URL.
+
* Format: https://cdn.bsky.app/img/{type}/plain/{did}/{cid}@{format}
+
*
+
* @throws Error if URL format is invalid or CID extraction fails
+
*/
+
function extractCidFromCdnUrl(url: string | undefined): string | undefined {
+
if (!url) return undefined;
+
+
try {
+
// Match pattern: /did:plc:xxxxx/CIDHERE@format or /did:web:xxxxx/CIDHERE@format
+
const match = url.match(/\/did:[^/]+\/([^@/]+)@/);
+
const cid = match?.[1];
+
+
if (!cid) {
+
console.warn(`Failed to extract CID from CDN URL: ${url}`);
+
return undefined;
+
}
+
+
// Basic CID validation - should start with common CID prefixes
+
if (!cid.startsWith("bafk") && !cid.startsWith("bafyb") && !cid.startsWith("Qm")) {
+
console.warn(`Extracted string does not appear to be a valid CID: ${cid} from URL: ${url}`);
+
return undefined;
+
}
+
+
return cid;
+
} catch (err) {
+
console.error(`Error extracting CID from CDN URL: ${url}`, err);
+
return undefined;
+
}
+
}
+
+
/**
+
* Shared RPC utility for making appview API calls with proper typing.
+
*/
+
export async function callAppviewRpc<TResponse>(
+
service: string,
+
nsid: string,
+
params: Record<string, unknown>,
+
): Promise<{ ok: boolean; data: TResponse }> {
+
const { rpc } = await createAtprotoClient({ service });
+
return await (rpc as unknown as {
+
get: (nsid: string, opts: { params: Record<string, unknown> }) => Promise<{ ok: boolean; data: TResponse }>;
+
}).get(nsid, { params });
+
}
+
+
/**
+
* Shared RPC utility for making getRecord calls (Slingshot or PDS).
+
*/
+
export async function callGetRecord<T>(
+
service: string,
+
did: string,
+
collection: string,
+
rkey: string,
+
): Promise<{ ok: boolean; data: { value: T } }> {
+
const { rpc } = await createAtprotoClient({ service });
+
return await (rpc as unknown as {
+
get: (nsid: string, opts: { params: Record<string, unknown> }) => Promise<{ ok: boolean; data: { value: T } }>;
+
}).get("com.atproto.repo.getRecord", {
+
params: { repo: did, collection, rkey },
+
});
+
}
+
+
/**
+
* Shared RPC utility for making listRecords calls.
+
*/
+
export async function callListRecords<T>(
+
service: string,
+
did: string,
+
collection: string,
+
limit: number,
+
cursor?: string,
+
): Promise<{
+
ok: boolean;
+
data: {
+
records: Array<{ uri: string; rkey?: string; value: T }>;
+
cursor?: string;
+
};
+
}> {
+
const { rpc } = await createAtprotoClient({ service });
+
+
const params: Record<string, unknown> = {
+
repo: did,
+
collection,
+
limit,
+
cursor,
+
reverse: false,
+
};
+
+
return await (rpc as unknown as {
+
get: (
+
nsid: string,
+
opts: { params: Record<string, unknown> },
+
) => Promise<{
+
ok: boolean;
+
data: {
+
records: Array<{ uri: string; rkey?: string; value: T }>;
+
cursor?: string;
+
};
+
}>;
+
}).get("com.atproto.repo.listRecords", {
+
params,
+
});
+
}
+
+
+30 -38
lib/hooks/useBlueskyProfile.ts
···
-
import { useEffect, useState } from "react";
-
import { usePdsEndpoint } from "./usePdsEndpoint";
-
import { createAtprotoClient } from "../utils/atproto-client";
+
import { useBlueskyAppview } from "./useBlueskyAppview";
+
import type { ProfileRecord } from "../types/bluesky";
+
import { extractCidFromBlob } from "../utils/blob";
/**
* Minimal profile fields returned by the Bluesky actor profile endpoint.
···
/**
* Fetches a Bluesky actor profile for a DID and exposes loading/error state.
+
*
+
* Uses a three-tier fallback strategy:
+
* 1. Try Bluesky appview API (app.bsky.actor.getProfile) - CIDs are extracted from CDN URLs
+
* 2. Fall back to Slingshot getRecord
+
* 3. Finally query the PDS directly
+
*
+
* When using the appview, avatar/banner CDN URLs (e.g., https://cdn.bsky.app/img/avatar/plain/did:plc:xxx/bafkreixxx@jpeg)
+
* are automatically parsed to extract CIDs and convert them to standard Blob format for compatibility.
*
* @param did - Actor DID whose profile should be retrieved.
* @returns {{ data: BlueskyProfileData | undefined; loading: boolean; error: Error | undefined }} Object exposing the profile payload, loading flag, and any error.
*/
export function useBlueskyProfile(did: string | undefined) {
-
const { endpoint } = usePdsEndpoint(did);
-
const [data, setData] = useState<BlueskyProfileData | undefined>();
-
const [loading, setLoading] = useState<boolean>(!!did);
-
const [error, setError] = useState<Error | undefined>();
+
const { record, loading, error } = useBlueskyAppview<ProfileRecord>({
+
did,
+
collection: "app.bsky.actor.profile",
+
rkey: "self",
+
});
-
useEffect(() => {
-
let cancelled = false;
-
async function run() {
-
if (!did || !endpoint) return;
-
setLoading(true);
-
try {
-
const { rpc } = await createAtprotoClient({
-
service: endpoint,
-
});
-
const client = rpc as unknown as {
-
get: (
-
nsid: string,
-
options: { params: { actor: string } },
-
) => Promise<{ ok: boolean; data: unknown }>;
-
};
-
const res = await client.get("app.bsky.actor.getProfile", {
-
params: { actor: did },
-
});
-
if (!res.ok) throw new Error("Profile request failed");
-
if (!cancelled) setData(res.data as BlueskyProfileData);
-
} catch (e) {
-
if (!cancelled) setError(e as Error);
-
} finally {
-
if (!cancelled) setLoading(false);
-
}
+
// Convert ProfileRecord to BlueskyProfileData
+
// Note: avatar and banner are Blob objects in the record (from all sources)
+
// The appview response is converted to ProfileRecord format by extracting CIDs from CDN URLs
+
const data: BlueskyProfileData | undefined = record
+
? {
+
did: did || "",
+
handle: "",
+
displayName: record.displayName,
+
description: record.description,
+
avatar: extractCidFromBlob(record.avatar),
+
banner: extractCidFromBlob(record.banner),
+
createdAt: record.createdAt,
}
-
run();
-
return () => {
-
cancelled = true;
-
};
-
}, [did, endpoint]);
+
: undefined;
return { data, loading, error };
-
}
+
}
-66
lib/hooks/useColorScheme.ts
···
-
import { useEffect, useState } from "react";
-
-
/**
-
* Possible user-facing color scheme preferences.
-
*/
-
export type ColorSchemePreference = "light" | "dark" | "system";
-
-
const MEDIA_QUERY = "(prefers-color-scheme: dark)";
-
-
/**
-
* Resolves a persisted preference into an explicit light/dark value.
-
*
-
* @param pref - Stored preference value (`light`, `dark`, or `system`).
-
* @returns Explicit light/dark scheme suitable for rendering.
-
*/
-
function resolveScheme(pref: ColorSchemePreference): "light" | "dark" {
-
if (pref === "light" || pref === "dark") return pref;
-
if (
-
typeof window === "undefined" ||
-
typeof window.matchMedia !== "function"
-
) {
-
return "light";
-
}
-
return window.matchMedia(MEDIA_QUERY).matches ? "dark" : "light";
-
}
-
-
/**
-
* React hook that returns the effective light/dark scheme, respecting system preferences.
-
*
-
* @param preference - User preference; defaults to following the OS setting.
-
* @returns {'light' | 'dark'} Explicit scheme that should be used for rendering.
-
*/
-
export function useColorScheme(
-
preference: ColorSchemePreference = "system",
-
): "light" | "dark" {
-
const [scheme, setScheme] = useState<"light" | "dark">(() =>
-
resolveScheme(preference),
-
);
-
-
useEffect(() => {
-
if (preference === "light" || preference === "dark") {
-
setScheme(preference);
-
return;
-
}
-
if (
-
typeof window === "undefined" ||
-
typeof window.matchMedia !== "function"
-
) {
-
setScheme("light");
-
return;
-
}
-
const media = window.matchMedia(MEDIA_QUERY);
-
const update = (event: MediaQueryListEvent | MediaQueryList) => {
-
setScheme(event.matches ? "dark" : "light");
-
};
-
update(media);
-
if (typeof media.addEventListener === "function") {
-
media.addEventListener("change", update);
-
return () => media.removeEventListener("change", update);
-
}
-
media.addListener(update);
-
return () => media.removeListener(update);
-
}, [preference]);
-
-
return scheme;
-
}
+5 -1
lib/hooks/useDidResolution.ts
···
}
} catch (e) {
if (!cancelled) {
-
setError(e as Error);
+
const newError = e as Error;
+
// Only update error if message changed (stabilize reference)
+
setError(prevError =>
+
prevError?.message === newError.message ? prevError : newError
+
);
}
} finally {
if (!cancelled) setLoading(false);
+61 -33
lib/hooks/useLatestRecord.ts
···
import { useEffect, useState } from "react";
import { useDidResolution } from "./useDidResolution";
import { usePdsEndpoint } from "./usePdsEndpoint";
-
import { createAtprotoClient } from "../utils/atproto-client";
+
import { callListRecords } from "./useBlueskyAppview";
/**
* Shape of the state returned by {@link useLatestRecord}.
···
}
/**
-
* Fetches the most recent record from a collection using `listRecords(limit=1)`.
+
* Fetches the most recent record from a collection using `listRecords(limit=3)`.
+
*
+
* Note: Slingshot does not support listRecords, so this always queries the actor's PDS directly.
+
*
+
* Records with invalid timestamps (before 2023, when ATProto was created) are automatically
+
* skipped, and additional records are fetched to find a valid one.
*
* @param handleOrDid - Handle or DID that owns the collection.
* @param collection - NSID of the collection to query.
+
* @param refreshKey - Optional key that when changed, triggers a refetch. Use for auto-refresh scenarios.
* @returns {LatestRecordState<T>} Object reporting the latest record value, derived rkey, loading status, emptiness, and any error.
*/
export function useLatestRecord<T = unknown>(
handleOrDid: string | undefined,
collection: string,
+
refreshKey?: number,
): LatestRecordState<T> {
const {
did,
···
(async () => {
try {
-
const { rpc } = await createAtprotoClient({
-
service: endpoint,
-
});
-
const res = await (
-
rpc as unknown as {
-
get: (
-
nsid: string,
-
opts: {
-
params: Record<
-
string,
-
string | number | boolean
-
>;
-
},
-
) => Promise<{
-
ok: boolean;
-
data: {
-
records: Array<{
-
uri: string;
-
rkey?: string;
-
value: T;
-
}>;
-
};
-
}>;
-
}
-
).get("com.atproto.repo.listRecords", {
-
params: { repo: did, collection, limit: 1, reverse: false },
-
});
-
if (!res.ok) throw new Error("Failed to list records");
+
// Slingshot doesn't support listRecords, so we query PDS directly
+
const res = await callListRecords<T>(
+
endpoint,
+
did,
+
collection,
+
3, // Fetch 3 in case some have invalid timestamps
+
);
+
+
if (!res.ok) {
+
throw new Error("Failed to list records from PDS");
+
}
+
const list = res.data.records;
if (list.length === 0) {
assign({
···
});
return;
}
-
const first = list[0];
-
const derivedRkey = first.rkey ?? extractRkey(first.uri);
+
+
// Find the first valid record (skip records before 2023)
+
const validRecord = list.find((item) => isValidTimestamp(item.value));
+
+
if (!validRecord) {
+
console.warn("No valid records found (all had timestamps before 2023)");
+
assign({
+
loading: false,
+
empty: true,
+
record: undefined,
+
rkey: undefined,
+
});
+
return;
+
}
+
+
const derivedRkey = validRecord.rkey ?? extractRkey(validRecord.uri);
assign({
-
record: first.value,
+
record: validRecord.value,
rkey: derivedRkey,
loading: false,
empty: false,
···
resolvingEndpoint,
didError,
endpointError,
+
refreshKey,
]);
return state;
···
const parts = uri.split("/");
return parts[parts.length - 1];
}
+
+
/**
+
* Validates that a record has a reasonable timestamp (not before 2023).
+
* ATProto was created in 2023, so any timestamp before that is invalid.
+
*/
+
function isValidTimestamp(record: unknown): boolean {
+
if (typeof record !== "object" || record === null) return true;
+
+
const recordObj = record as { createdAt?: string; indexedAt?: string };
+
const timestamp = recordObj.createdAt || recordObj.indexedAt;
+
+
if (!timestamp || typeof timestamp !== "string") return true; // No timestamp to validate
+
+
try {
+
const date = new Date(timestamp);
+
// ATProto was created in 2023, reject anything before that
+
return date.getFullYear() >= 2023;
+
} catch {
+
// If we can't parse the date, consider it valid to avoid false negatives
+
return true;
+
}
+
}
+77 -83
lib/hooks/usePaginatedRecords.ts
···
import { useCallback, useEffect, useMemo, useRef, useState } from "react";
import { useDidResolution } from "./useDidResolution";
import { usePdsEndpoint } from "./usePdsEndpoint";
-
import { createAtprotoClient } from "../utils/atproto-client";
+
import { callAppviewRpc, callListRecords } from "./useBlueskyAppview";
+
import { useAtProto } from "../providers/AtProtoProvider";
/**
* Record envelope returned by paginated AT Protocol queries.
···
pagesCount: number;
}
-
const DEFAULT_APPVIEW_SERVICE = "https://public.api.bsky.app";
+
export type AuthorFeedFilter =
| "posts_with_replies"
···
authorFeedService,
authorFeedActor,
}: UsePaginatedRecordsOptions): UsePaginatedRecordsResult<T> {
+
const { blueskyAppviewService } = useAtProto();
const {
did,
handle,
···
!!actorIdentifier;
if (shouldUseAuthorFeed) {
try {
-
const { rpc } = await createAtprotoClient({
-
service:
-
authorFeedService ?? DEFAULT_APPVIEW_SERVICE,
-
});
-
const res = await (
-
rpc as unknown as {
-
get: (
-
nsid: string,
-
opts: {
-
params: Record<
-
string,
-
| string
-
| number
-
| boolean
-
| undefined
-
>;
-
},
-
) => Promise<{
-
ok: boolean;
-
data: {
-
feed?: Array<{
-
post?: {
-
uri?: string;
-
record?: T;
-
reply?: {
-
parent?: {
-
uri?: string;
-
author?: {
-
handle?: string;
-
did?: string;
-
};
-
};
-
};
+
interface AuthorFeedResponse {
+
feed?: Array<{
+
post?: {
+
uri?: string;
+
record?: T;
+
reply?: {
+
parent?: {
+
uri?: string;
+
author?: {
+
handle?: string;
+
did?: string;
};
-
reason?: AuthorFeedReason;
-
}>;
-
cursor?: string;
+
};
};
-
}>;
-
}
-
).get("app.bsky.feed.getAuthorFeed", {
-
params: {
+
};
+
reason?: AuthorFeedReason;
+
}>;
+
cursor?: string;
+
}
+
+
const res = await callAppviewRpc<AuthorFeedResponse>(
+
authorFeedService ?? blueskyAppviewService,
+
"app.bsky.feed.getAuthorFeed",
+
{
actor: actorIdentifier,
limit,
cursor,
filter: authorFeedFilter,
includePins: authorFeedIncludePins,
},
-
});
+
);
if (!res.ok)
throw new Error("Failed to fetch author feed");
const { feed, cursor: feedCursor } = res.data;
···
!post.record
)
return acc;
+
// Skip records with invalid timestamps (before 2023)
+
if (!isValidTimestamp(post.record)) {
+
console.warn("Skipping record with invalid timestamp:", post.uri);
+
return acc;
+
}
acc.push({
uri: post.uri,
rkey: extractRkey(post.uri),
···
}
if (!mapped) {
-
const { rpc } = await createAtprotoClient({
-
service: endpoint,
-
});
-
const res = await (
-
rpc as unknown as {
-
get: (
-
nsid: string,
-
opts: {
-
params: Record<
-
string,
-
string | number | boolean | undefined
-
>;
-
},
-
) => Promise<{
-
ok: boolean;
-
data: {
-
records: Array<{
-
uri: string;
-
rkey?: string;
-
value: T;
-
}>;
-
cursor?: string;
-
};
-
}>;
-
}
-
).get("com.atproto.repo.listRecords", {
-
params: {
-
repo: did,
-
collection,
-
limit,
-
cursor,
-
reverse: false,
-
},
-
});
-
if (!res.ok) throw new Error("Failed to list records");
+
// Slingshot doesn't support listRecords, query PDS directly
+
const res = await callListRecords<T>(
+
endpoint,
+
did,
+
collection,
+
limit,
+
cursor,
+
);
+
+
if (!res.ok) throw new Error("Failed to list records from PDS");
const { records, cursor: repoCursor } = res.data;
-
mapped = records.map((item) => ({
-
uri: item.uri,
-
rkey: item.rkey ?? extractRkey(item.uri),
-
value: item.value,
-
}));
+
mapped = records
+
.filter((item) => {
+
if (!isValidTimestamp(item.value)) {
+
console.warn("Skipping record with invalid timestamp:", item.uri);
+
return false;
+
}
+
return true;
+
})
+
.map((item) => ({
+
uri: item.uri,
+
rkey: item.rkey ?? extractRkey(item.uri),
+
value: item.value,
+
}));
nextCursor = repoCursor;
}
···
const parts = uri.split("/");
return parts[parts.length - 1];
}
+
+
/**
+
* Validates that a record has a reasonable timestamp (not before 2023).
+
* ATProto was created in 2023, so any timestamp before that is invalid.
+
*/
+
function isValidTimestamp(record: unknown): boolean {
+
if (typeof record !== "object" || record === null) return true;
+
+
const recordObj = record as { createdAt?: string; indexedAt?: string };
+
const timestamp = recordObj.createdAt || recordObj.indexedAt;
+
+
if (!timestamp || typeof timestamp !== "string") return true; // No timestamp to validate
+
+
try {
+
const date = new Date(timestamp);
+
// ATProto was created in 2023, reject anything before that
+
return date.getFullYear() >= 2023;
+
} catch {
+
// If we can't parse the date, consider it valid to avoid false negatives
+
return true;
+
}
+
}
+5 -1
lib/hooks/usePdsEndpoint.ts
···
})
.catch((e) => {
if (cancelled) return;
-
setError(e as Error);
+
const newError = e as Error;
+
// Only update error if message changed (stabilize reference)
+
setError(prevError =>
+
prevError?.message === newError.message ? prevError : newError
+
);
})
.finally(() => {
if (!cancelled) setLoading(false);
+104
lib/hooks/useRepoLanguages.ts
···
+
import { useState, useEffect } from "react";
+
import type { RepoLanguagesResponse } from "../types/tangled";
+
+
export interface UseRepoLanguagesOptions {
+
/** The knot server URL (e.g., "knot.gaze.systems") */
+
knot?: string;
+
/** DID of the repository owner */
+
did?: string;
+
/** Repository name */
+
repoName?: string;
+
/** Branch to query (defaults to trying "main", then "master") */
+
branch?: string;
+
/** Whether to enable the query */
+
enabled?: boolean;
+
}
+
+
export interface UseRepoLanguagesResult {
+
/** Language data from the knot server */
+
data?: RepoLanguagesResponse;
+
/** Loading state */
+
loading: boolean;
+
/** Error state */
+
error?: Error;
+
}
+
+
/**
+
* Hook to fetch repository language information from a Tangled knot server.
+
* If no branch supplied, tries "main" first, then falls back to "master".
+
*/
+
export function useRepoLanguages({
+
knot,
+
did,
+
repoName,
+
branch,
+
enabled = true,
+
}: UseRepoLanguagesOptions): UseRepoLanguagesResult {
+
const [data, setData] = useState<RepoLanguagesResponse | undefined>();
+
const [loading, setLoading] = useState(false);
+
const [error, setError] = useState<Error | undefined>();
+
+
useEffect(() => {
+
if (!enabled || !knot || !did || !repoName) {
+
return;
+
}
+
+
let cancelled = false;
+
+
const fetchLanguages = async (ref: string): Promise<boolean> => {
+
try {
+
const url = `https://${knot}/xrpc/sh.tangled.repo.languages?repo=${encodeURIComponent(`${did}/${repoName}`)}&ref=${encodeURIComponent(ref)}`;
+
const response = await fetch(url);
+
+
if (!response.ok) {
+
return false;
+
}
+
+
const result = await response.json();
+
if (!cancelled) {
+
setData(result);
+
setError(undefined);
+
}
+
return true;
+
} catch (err) {
+
return false;
+
}
+
};
+
+
const fetchWithFallback = async () => {
+
setLoading(true);
+
setError(undefined);
+
+
if (branch) {
+
const success = await fetchLanguages(branch);
+
if (!cancelled) {
+
if (!success) {
+
setError(new Error(`Failed to fetch languages for branch: ${branch}`));
+
}
+
setLoading(false);
+
}
+
} else {
+
// Try "main" first, then "master"
+
let success = await fetchLanguages("main");
+
if (!success && !cancelled) {
+
success = await fetchLanguages("master");
+
}
+
+
if (!cancelled) {
+
if (!success) {
+
setError(new Error("Failed to fetch languages for main or master branch"));
+
}
+
setLoading(false);
+
}
+
}
+
};
+
+
fetchWithFallback();
+
+
return () => {
+
cancelled = true;
+
};
+
}, [knot, did, repoName, branch, enabled]);
+
+
return { data, loading, error };
+
}
+18 -2
lib/index.ts
···
// Master exporter for the AT React component library.
+
import "./styles.css";
+
// Providers & core primitives
export * from "./providers/AtProtoProvider";
export * from "./core/AtProtoRecord";
···
export * from "./components/BlueskyPostList";
export * from "./components/BlueskyProfile";
export * from "./components/BlueskyQuotePost";
-
export * from "./components/ColorSchemeToggle";
+
export * from "./components/GrainGallery";
export * from "./components/LeafletDocument";
+
export * from "./components/TangledRepo";
export * from "./components/TangledString";
+
export * from "./components/CurrentlyPlaying";
+
export * from "./components/LastPlayed";
+
export * from "./components/SongHistoryList";
// Hooks
export * from "./hooks/useAtProtoRecord";
+
export * from "./hooks/useBacklinks";
export * from "./hooks/useBlob";
+
export * from "./hooks/useBlueskyAppview";
export * from "./hooks/useBlueskyProfile";
-
export * from "./hooks/useColorScheme";
export * from "./hooks/useDidResolution";
export * from "./hooks/useLatestRecord";
export * from "./hooks/usePaginatedRecords";
export * from "./hooks/usePdsEndpoint";
+
export * from "./hooks/useRepoLanguages";
// Renderers
export * from "./renderers/BlueskyPostRenderer";
export * from "./renderers/BlueskyProfileRenderer";
+
export * from "./renderers/GrainGalleryRenderer";
export * from "./renderers/LeafletDocumentRenderer";
+
export * from "./renderers/TangledRepoRenderer";
export * from "./renderers/TangledStringRenderer";
+
export * from "./renderers/CurrentlyPlayingRenderer";
// Types
export * from "./types/bluesky";
+
export * from "./types/grain";
export * from "./types/leaflet";
+
export * from "./types/tangled";
+
export * from "./types/teal";
+
export * from "./types/theme";
// Utilities
export * from "./utils/at-uri";
export * from "./utils/atproto-client";
+
export * from "./utils/blob";
export * from "./utils/profile";
+174 -7
lib/providers/AtProtoProvider.tsx
···
/* eslint-disable react-refresh/only-export-components */
-
import React, { createContext, useContext, useMemo, useRef } from "react";
-
import { ServiceResolver, normalizeBaseUrl } from "../utils/atproto-client";
-
import { BlobCache, DidCache } from "../utils/cache";
+
import React, {
+
createContext,
+
useContext,
+
useMemo,
+
useRef,
+
} from "react";
+
import { ServiceResolver, normalizeBaseUrl, DEFAULT_CONFIG } from "../utils/atproto-client";
+
import { BlobCache, DidCache, RecordCache } from "../utils/cache";
+
/**
+
* Props for the AT Protocol context provider.
+
*/
export interface AtProtoProviderProps {
+
/** Child components that will have access to the AT Protocol context. */
children: React.ReactNode;
+
/** Optional custom PLC directory URL. Defaults to https://plc.directory */
plcDirectory?: string;
+
/** Optional custom identity service URL. Defaults to https://public.api.bsky.app */
+
identityService?: string;
+
/** Optional custom Slingshot service URL. Defaults to https://slingshot.microcosm.blue */
+
slingshotBaseUrl?: string;
+
/** Optional custom Bluesky appview service URL. Defaults to https://public.api.bsky.app */
+
blueskyAppviewService?: string;
+
/** Optional custom Bluesky app base URL for links. Defaults to https://bsky.app */
+
blueskyAppBaseUrl?: string;
+
/** Optional custom Tangled base URL for links. Defaults to https://tangled.org */
+
tangledBaseUrl?: string;
+
/** Optional custom Constellation API URL for backlinks. Defaults to https://constellation.microcosm.blue */
+
constellationBaseUrl?: string;
}
+
/**
+
* Internal context value shared across all AT Protocol hooks.
+
*/
interface AtProtoContextValue {
+
/** Service resolver for DID resolution and PDS endpoint discovery. */
resolver: ServiceResolver;
+
/** Normalized PLC directory base URL. */
plcDirectory: string;
+
/** Normalized Bluesky appview service URL. */
+
blueskyAppviewService: string;
+
/** Normalized Bluesky app base URL for links. */
+
blueskyAppBaseUrl: string;
+
/** Normalized Tangled base URL for links. */
+
tangledBaseUrl: string;
+
/** Normalized Constellation API base URL for backlinks. */
+
constellationBaseUrl: string;
+
/** Cache for DID documents and handle mappings. */
didCache: DidCache;
+
/** Cache for fetched blob data. */
blobCache: BlobCache;
+
/** Cache for fetched AT Protocol records. */
+
recordCache: RecordCache;
}
const AtProtoContext = createContext<AtProtoContextValue | undefined>(
undefined,
);
+
/**
+
* Context provider that supplies AT Protocol infrastructure to all child components.
+
*
+
* This provider initializes and shares:
+
* - Service resolver for DID and PDS endpoint resolution
+
* - DID cache for identity resolution
+
* - Blob cache for efficient media handling
+
*
+
* All AT Protocol components (`BlueskyPost`, `LeafletDocument`, etc.) must be wrapped
+
* in this provider to function correctly.
+
*
+
* @example
+
* ```tsx
+
* import { AtProtoProvider, BlueskyPost } from 'atproto-ui';
+
*
+
* function App() {
+
* return (
+
* <AtProtoProvider>
+
* <BlueskyPost did="did:plc:example" rkey="3k2aexample" />
+
* </AtProtoProvider>
+
* );
+
* }
+
* ```
+
*
+
* @example
+
* ```tsx
+
* // Using a custom PLC directory
+
* <AtProtoProvider plcDirectory="https://custom-plc.example.com">
+
* <YourComponents />
+
* </AtProtoProvider>
+
* ```
+
*
+
* @param children - Child components to render within the provider.
+
* @param plcDirectory - Optional PLC directory override (defaults to https://plc.directory).
+
* @returns Provider component that enables AT Protocol functionality.
+
*/
export function AtProtoProvider({
children,
plcDirectory,
+
identityService,
+
slingshotBaseUrl,
+
blueskyAppviewService,
+
blueskyAppBaseUrl,
+
tangledBaseUrl,
+
constellationBaseUrl,
}: AtProtoProviderProps) {
const normalizedPlc = useMemo(
() =>
normalizeBaseUrl(
plcDirectory && plcDirectory.trim()
? plcDirectory
-
: "https://plc.directory",
+
: DEFAULT_CONFIG.plcDirectory,
),
[plcDirectory],
);
+
const normalizedIdentity = useMemo(
+
() =>
+
normalizeBaseUrl(
+
identityService && identityService.trim()
+
? identityService
+
: DEFAULT_CONFIG.identityService,
+
),
+
[identityService],
+
);
+
const normalizedSlingshot = useMemo(
+
() =>
+
normalizeBaseUrl(
+
slingshotBaseUrl && slingshotBaseUrl.trim()
+
? slingshotBaseUrl
+
: DEFAULT_CONFIG.slingshotBaseUrl,
+
),
+
[slingshotBaseUrl],
+
);
+
const normalizedAppview = useMemo(
+
() =>
+
normalizeBaseUrl(
+
blueskyAppviewService && blueskyAppviewService.trim()
+
? blueskyAppviewService
+
: DEFAULT_CONFIG.blueskyAppviewService,
+
),
+
[blueskyAppviewService],
+
);
+
const normalizedBlueskyApp = useMemo(
+
() =>
+
normalizeBaseUrl(
+
blueskyAppBaseUrl && blueskyAppBaseUrl.trim()
+
? blueskyAppBaseUrl
+
: DEFAULT_CONFIG.blueskyAppBaseUrl,
+
),
+
[blueskyAppBaseUrl],
+
);
+
const normalizedTangled = useMemo(
+
() =>
+
normalizeBaseUrl(
+
tangledBaseUrl && tangledBaseUrl.trim()
+
? tangledBaseUrl
+
: DEFAULT_CONFIG.tangledBaseUrl,
+
),
+
[tangledBaseUrl],
+
);
+
const normalizedConstellation = useMemo(
+
() =>
+
normalizeBaseUrl(
+
constellationBaseUrl && constellationBaseUrl.trim()
+
? constellationBaseUrl
+
: DEFAULT_CONFIG.constellationBaseUrl,
+
),
+
[constellationBaseUrl],
+
);
const resolver = useMemo(
-
() => new ServiceResolver({ plcDirectory: normalizedPlc }),
-
[normalizedPlc],
+
() => new ServiceResolver({
+
plcDirectory: normalizedPlc,
+
identityService: normalizedIdentity,
+
slingshotBaseUrl: normalizedSlingshot,
+
}),
+
[normalizedPlc, normalizedIdentity, normalizedSlingshot],
);
const cachesRef = useRef<{
didCache: DidCache;
blobCache: BlobCache;
+
recordCache: RecordCache;
} | null>(null);
if (!cachesRef.current) {
cachesRef.current = {
didCache: new DidCache(),
blobCache: new BlobCache(),
+
recordCache: new RecordCache(),
};
}
+
const value = useMemo<AtProtoContextValue>(
() => ({
resolver,
plcDirectory: normalizedPlc,
+
blueskyAppviewService: normalizedAppview,
+
blueskyAppBaseUrl: normalizedBlueskyApp,
+
tangledBaseUrl: normalizedTangled,
+
constellationBaseUrl: normalizedConstellation,
didCache: cachesRef.current!.didCache,
blobCache: cachesRef.current!.blobCache,
+
recordCache: cachesRef.current!.recordCache,
}),
-
[resolver, normalizedPlc],
+
[resolver, normalizedPlc, normalizedAppview, normalizedBlueskyApp, normalizedTangled, normalizedConstellation],
);
+
return (
<AtProtoContext.Provider value={value}>
{children}
···
);
}
+
/**
+
* Hook that accesses the AT Protocol context provided by `AtProtoProvider`.
+
*
+
* This hook exposes the service resolver, DID cache, blob cache, and record cache
+
* for building custom AT Protocol functionality.
+
*
+
* @throws {Error} When called outside of an `AtProtoProvider`.
+
* @returns {AtProtoContextValue} Object containing resolver, caches, and PLC directory URL.
+
*
+
* @example
+
* ```tsx
+
* import { useAtProto } from 'atproto-ui';
+
*
+
* function MyCustomComponent() {
+
* const { resolver, didCache, blobCache, recordCache } = useAtProto();
+
* // Use the resolver and caches for custom AT Protocol operations
+
* }
+
* ```
+
*/
export function useAtProto() {
const ctx = useContext(AtProtoContext);
if (!ctx) throw new Error("useAtProto must be used within AtProtoProvider");
+322 -269
lib/renderers/BlueskyPostRenderer.tsx
···
import React from "react";
import type { FeedPostRecord } from "../types/bluesky";
import {
-
useColorScheme,
-
type ColorSchemePreference,
-
} from "../hooks/useColorScheme";
-
import {
parseAtUri,
toBlueskyPostUrl,
formatDidForLabel,
···
import { useDidResolution } from "../hooks/useDidResolution";
import { useBlob } from "../hooks/useBlob";
import { BlueskyIcon } from "../components/BlueskyIcon";
+
import { isBlobWithCdn, extractCidFromBlob } from "../utils/blob";
+
import { RichText } from "../components/RichText";
export interface BlueskyPostRendererProps {
record: FeedPostRecord;
loading: boolean;
error?: Error;
-
// Optionally pass in actor display info if pre-fetched
authorHandle?: string;
authorDisplayName?: string;
avatarUrl?: string;
-
colorScheme?: ColorSchemePreference;
authorDid?: string;
embed?: React.ReactNode;
iconPlacement?: "cardBottomRight" | "timestamp" | "linkInline";
showIcon?: boolean;
atUri?: string;
+
isInThread?: boolean;
+
threadDepth?: number;
+
isQuotePost?: boolean;
+
showThreadBorder?: boolean;
}
export const BlueskyPostRenderer: React.FC<BlueskyPostRendererProps> = ({
···
authorDisplayName,
authorHandle,
avatarUrl,
-
colorScheme = "system",
authorDid,
embed,
iconPlacement = "timestamp",
showIcon = true,
atUri,
+
isInThread = false,
+
threadDepth = 0,
+
isQuotePost = false,
+
showThreadBorder = false
}) => {
-
const scheme = useColorScheme(colorScheme);
+
void threadDepth;
+
const replyParentUri = record.reply?.parent?.uri;
const replyTarget = replyParentUri ? parseAtUri(replyParentUri) : undefined;
const { handle: parentHandle, loading: parentHandleLoading } =
useDidResolution(replyTarget?.did);
-
if (error)
+
if (error) {
return (
-
<div style={{ padding: 8, color: "crimson" }}>
+
<div role="alert" style={{ padding: 8, color: "crimson" }}>
Failed to load post.
</div>
);
-
if (loading && !record) return <div style={{ padding: 8 }}>Loadingโ€ฆ</div>;
-
-
const palette = scheme === "dark" ? themeStyles.dark : themeStyles.light;
+
}
+
if (loading && !record) return <div role="status" aria-live="polite" style={{ padding: 8 }}>Loadingโ€ฆ</div>;
const text = record.text;
const createdDate = new Date(record.createdAt);
···
: undefined;
const makeIcon = () => (showIcon ? <BlueskyIcon size={16} /> : null);
-
const resolvedEmbed = embed ?? createAutoEmbed(record, authorDid, scheme);
+
const resolvedEmbed = embed ?? createAutoEmbed(record, authorDid);
const parsedSelf = atUri ? parseAtUri(atUri) : undefined;
const postUrl = parsedSelf ? toBlueskyPostUrl(parsedSelf) : undefined;
const cardPadding =
typeof baseStyles.card.padding === "number"
? baseStyles.card.padding
: 12;
+
const cardStyle: React.CSSProperties = {
...baseStyles.card,
-
...palette.card,
-
...(iconPlacement === "cardBottomRight" && showIcon
+
border: (isInThread && !isQuotePost && !showThreadBorder) ? "none" : `1px solid var(--atproto-color-border)`,
+
background: `var(--atproto-color-bg)`,
+
color: `var(--atproto-color-text)`,
+
borderRadius: (isInThread && !isQuotePost && !showThreadBorder) ? "0" : "12px",
+
...(iconPlacement === "cardBottomRight" && showIcon && !isInThread
? { paddingBottom: cardPadding + 16 }
: {}),
};
return (
<article style={cardStyle} aria-busy={loading}>
-
<header style={baseStyles.header}>
-
{avatarUrl ? (
-
<img
-
src={avatarUrl}
-
alt="avatar"
-
style={baseStyles.avatarImg}
-
/>
-
) : (
-
<div
-
style={{
-
...baseStyles.avatarPlaceholder,
-
...palette.avatarPlaceholder,
-
}}
-
aria-hidden
-
/>
-
)}
-
<div style={{ display: "flex", flexDirection: "column" }}>
-
<strong style={{ fontSize: 14 }}>{primaryName}</strong>
-
{authorDisplayName && authorHandle && (
-
<span
-
style={{ ...baseStyles.handle, ...palette.handle }}
-
>
-
@{authorHandle}
-
</span>
-
)}
-
</div>
-
{iconPlacement === "timestamp" && showIcon && (
-
<div style={baseStyles.headerIcon}>{makeIcon()}</div>
-
)}
-
</header>
-
{replyHref && replyLabel && (
-
<div style={{ ...baseStyles.replyLine, ...palette.replyLine }}>
-
Replying to{" "}
+
{isInThread ? (
+
<ThreadLayout
+
avatarUrl={avatarUrl}
+
primaryName={primaryName}
+
authorDisplayName={authorDisplayName}
+
authorHandle={authorHandle}
+
iconPlacement={iconPlacement}
+
showIcon={showIcon}
+
makeIcon={makeIcon}
+
replyHref={replyHref}
+
replyLabel={replyLabel}
+
text={text}
+
record={record}
+
created={created}
+
postUrl={postUrl}
+
resolvedEmbed={resolvedEmbed}
+
/>
+
) : (
+
<DefaultLayout
+
avatarUrl={avatarUrl}
+
primaryName={primaryName}
+
authorDisplayName={authorDisplayName}
+
authorHandle={authorHandle}
+
iconPlacement={iconPlacement}
+
showIcon={showIcon}
+
makeIcon={makeIcon}
+
replyHref={replyHref}
+
replyLabel={replyLabel}
+
text={text}
+
record={record}
+
created={created}
+
postUrl={postUrl}
+
resolvedEmbed={resolvedEmbed}
+
/>
+
)}
+
</article>
+
);
+
};
+
+
interface LayoutProps {
+
avatarUrl?: string;
+
primaryName: string;
+
authorDisplayName?: string;
+
authorHandle?: string;
+
iconPlacement: "cardBottomRight" | "timestamp" | "linkInline";
+
showIcon: boolean;
+
makeIcon: () => React.ReactNode;
+
replyHref?: string;
+
replyLabel?: string;
+
text: string;
+
record: FeedPostRecord;
+
created: string;
+
postUrl?: string;
+
resolvedEmbed: React.ReactNode;
+
}
+
+
const AuthorInfo: React.FC<{
+
primaryName: string;
+
authorDisplayName?: string;
+
authorHandle?: string;
+
inline?: boolean;
+
}> = ({ primaryName, authorDisplayName, authorHandle, inline = false }) => (
+
<div
+
style={{
+
display: "flex",
+
flexDirection: inline ? "row" : "column",
+
alignItems: inline ? "center" : "flex-start",
+
gap: inline ? 8 : 0,
+
}}
+
>
+
<strong style={{ fontSize: 14 }}>{authorDisplayName || primaryName}</strong>
+
{authorHandle && (
+
<span
+
style={{
+
...baseStyles.handle,
+
color: `var(--atproto-color-text-secondary)`,
+
}}
+
>
+
@{authorHandle}
+
</span>
+
)}
+
</div>
+
);
+
+
const Avatar: React.FC<{ avatarUrl?: string; name?: string }> = ({ avatarUrl, name }) =>
+
avatarUrl ? (
+
<img src={avatarUrl} alt={`${name || 'User'}'s profile picture`} style={baseStyles.avatarImg} />
+
) : (
+
<div style={baseStyles.avatarPlaceholder} aria-hidden="true" />
+
);
+
+
const ReplyInfo: React.FC<{
+
replyHref?: string;
+
replyLabel?: string;
+
marginBottom?: number;
+
}> = ({ replyHref, replyLabel, marginBottom = 0 }) =>
+
replyHref && replyLabel ? (
+
<div
+
style={{
+
...baseStyles.replyLine,
+
color: `var(--atproto-color-text-secondary)`,
+
marginBottom,
+
}}
+
>
+
Replying to{" "}
+
<a
+
href={replyHref}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{
+
...baseStyles.replyLink,
+
color: `var(--atproto-color-link)`,
+
}}
+
>
+
{replyLabel}
+
</a>
+
</div>
+
) : null;
+
+
const PostContent: React.FC<{
+
text: string;
+
record: FeedPostRecord;
+
created: string;
+
postUrl?: string;
+
iconPlacement: "cardBottomRight" | "timestamp" | "linkInline";
+
showIcon: boolean;
+
makeIcon: () => React.ReactNode;
+
resolvedEmbed: React.ReactNode;
+
}> = ({
+
text,
+
record,
+
created,
+
postUrl,
+
iconPlacement,
+
showIcon,
+
makeIcon,
+
resolvedEmbed,
+
}) => (
+
<div style={baseStyles.body}>
+
<p style={{ ...baseStyles.text, color: `var(--atproto-color-text)` }}>
+
<RichText text={text} facets={record.facets} />
+
</p>
+
{resolvedEmbed && (
+
<div style={baseStyles.embedContainer}>{resolvedEmbed}</div>
+
)}
+
<div style={baseStyles.timestampRow}>
+
<time
+
style={{
+
...baseStyles.time,
+
color: `var(--atproto-color-text-muted)`,
+
}}
+
dateTime={record.createdAt}
+
>
+
{created}
+
</time>
+
{postUrl && (
+
<span style={baseStyles.linkWithIcon}>
<a
-
href={replyHref}
+
href={postUrl}
target="_blank"
rel="noopener noreferrer"
style={{
-
...baseStyles.replyLink,
-
...palette.replyLink,
+
...baseStyles.postLink,
+
color: `var(--atproto-color-link)`,
}}
>
-
{replyLabel}
+
View on Bluesky
</a>
-
</div>
-
)}
-
<div style={baseStyles.body}>
-
<p style={{ ...baseStyles.text, ...palette.text }}>{text}</p>
-
{record.facets && record.facets.length > 0 && (
-
<div style={baseStyles.facets}>
-
{record.facets.map((_, idx) => (
-
<span
-
key={idx}
-
style={{
-
...baseStyles.facetTag,
-
...palette.facetTag,
-
}}
-
>
-
facet
-
</span>
-
))}
-
</div>
-
)}
-
<div style={baseStyles.timestampRow}>
-
<time
-
style={{ ...baseStyles.time, ...palette.time }}
-
dateTime={record.createdAt}
-
>
-
{created}
-
</time>
-
{postUrl && (
-
<span style={baseStyles.linkWithIcon}>
-
<a
-
href={postUrl}
-
target="_blank"
-
rel="noopener noreferrer"
-
style={{
-
...baseStyles.postLink,
-
...palette.postLink,
-
}}
-
>
-
View on Bluesky
-
</a>
-
{iconPlacement === "linkInline" && showIcon && (
-
<span style={baseStyles.inlineIcon} aria-hidden>
-
{makeIcon()}
-
</span>
-
)}
+
{iconPlacement === "linkInline" && showIcon && (
+
<span style={baseStyles.inlineIcon} aria-hidden>
+
{makeIcon()}
</span>
)}
-
</div>
-
{resolvedEmbed && (
-
<div
-
style={{
-
...baseStyles.embedContainer,
-
...palette.embedContainer,
-
}}
-
>
-
{resolvedEmbed}
-
</div>
+
</span>
+
)}
+
</div>
+
</div>
+
);
+
+
const ThreadLayout: React.FC<LayoutProps> = (props) => (
+
<div style={{ display: "flex", gap: 8, alignItems: "flex-start" }}>
+
<Avatar avatarUrl={props.avatarUrl} name={props.authorDisplayName || props.authorHandle} />
+
<div style={{ flex: 1, minWidth: 0 }}>
+
<div
+
style={{
+
display: "flex",
+
alignItems: "center",
+
gap: 8,
+
marginBottom: 4,
+
}}
+
>
+
<AuthorInfo
+
primaryName={props.primaryName}
+
authorDisplayName={props.authorDisplayName}
+
authorHandle={props.authorHandle}
+
inline
+
/>
+
{props.iconPlacement === "timestamp" && props.showIcon && (
+
<div style={{ marginLeft: "auto" }}>{props.makeIcon()}</div>
)}
</div>
-
{iconPlacement === "cardBottomRight" && showIcon && (
-
<div style={baseStyles.iconCorner} aria-hidden>
-
{makeIcon()}
+
<ReplyInfo
+
replyHref={props.replyHref}
+
replyLabel={props.replyLabel}
+
marginBottom={4}
+
/>
+
<PostContent {...props} />
+
{props.iconPlacement === "cardBottomRight" && props.showIcon && (
+
<div
+
style={{
+
position: "relative",
+
right: 0,
+
bottom: 0,
+
justifyContent: "flex-start",
+
marginTop: 8,
+
display: "flex",
+
}}
+
aria-hidden
+
>
+
{props.makeIcon()}
</div>
)}
-
</article>
-
);
-
};
+
</div>
+
</div>
+
);
+
+
const DefaultLayout: React.FC<LayoutProps> = (props) => (
+
<>
+
<header style={baseStyles.header}>
+
<Avatar avatarUrl={props.avatarUrl} name={props.authorDisplayName || props.authorHandle} />
+
<AuthorInfo
+
primaryName={props.primaryName}
+
authorDisplayName={props.authorDisplayName}
+
authorHandle={props.authorHandle}
+
/>
+
{props.iconPlacement === "timestamp" && props.showIcon && (
+
<div style={baseStyles.headerIcon}>{props.makeIcon()}</div>
+
)}
+
</header>
+
<ReplyInfo replyHref={props.replyHref} replyLabel={props.replyLabel} />
+
<PostContent {...props} />
+
{props.iconPlacement === "cardBottomRight" && props.showIcon && (
+
<div style={baseStyles.iconCorner} aria-hidden>
+
{props.makeIcon()}
+
</div>
+
)}
+
</>
+
);
const baseStyles: Record<string, React.CSSProperties> = {
card: {
···
time: {
fontSize: 11,
},
-
timestampIcon: {
-
display: "flex",
-
alignItems: "center",
-
justifyContent: "center",
-
},
body: {
fontSize: 14,
lineHeight: 1.4,
···
whiteSpace: "pre-wrap",
overflowWrap: "anywhere",
},
-
facets: {
-
marginTop: 8,
-
display: "flex",
-
gap: 4,
-
},
embedContainer: {
marginTop: 12,
padding: 8,
borderRadius: 12,
+
border: `1px solid var(--atproto-color-border)`,
+
background: `var(--atproto-color-bg-elevated)`,
display: "flex",
flexDirection: "column",
gap: 8,
···
display: "inline-flex",
alignItems: "center",
},
-
facetTag: {
-
padding: "2px 6px",
-
borderRadius: 4,
-
fontSize: 11,
-
},
replyLine: {
fontSize: 12,
},
···
},
};
-
const themeStyles = {
-
light: {
-
card: {
-
border: "1px solid #e2e8f0",
-
background: "#ffffff",
-
color: "#0f172a",
-
},
-
avatarPlaceholder: {
-
background: "#cbd5e1",
-
},
-
handle: {
-
color: "#64748b",
-
},
-
time: {
-
color: "#94a3b8",
-
},
-
text: {
-
color: "#0f172a",
-
},
-
facetTag: {
-
background: "#f1f5f9",
-
color: "#475569",
-
},
-
replyLine: {
-
color: "#475569",
-
},
-
replyLink: {
-
color: "#2563eb",
-
},
-
embedContainer: {
-
border: "1px solid #e2e8f0",
-
borderRadius: 12,
-
background: "#f8fafc",
-
},
-
postLink: {
-
color: "#2563eb",
-
},
-
},
-
dark: {
-
card: {
-
border: "1px solid #1e293b",
-
background: "#0f172a",
-
color: "#e2e8f0",
-
},
-
avatarPlaceholder: {
-
background: "#1e293b",
-
},
-
handle: {
-
color: "#cbd5f5",
-
},
-
time: {
-
color: "#94a3ff",
-
},
-
text: {
-
color: "#e2e8f0",
-
},
-
facetTag: {
-
background: "#1e293b",
-
color: "#e0f2fe",
-
},
-
replyLine: {
-
color: "#cbd5f5",
-
},
-
replyLink: {
-
color: "#38bdf8",
-
},
-
embedContainer: {
-
border: "1px solid #1e293b",
-
borderRadius: 12,
-
background: "#0b1120",
-
},
-
postLink: {
-
color: "#38bdf8",
-
},
-
},
-
} satisfies Record<"light" | "dark", Record<string, React.CSSProperties>>;
-
function formatReplyLabel(
target: ParsedAtUri,
resolvedHandle?: string,
···
function createAutoEmbed(
record: FeedPostRecord,
authorDid: string | undefined,
-
scheme: "light" | "dark",
): React.ReactNode {
const embed = record.embed as { $type?: string } | undefined;
if (!embed) return null;
if (embed.$type === "app.bsky.embed.images") {
-
return (
-
<ImagesEmbed
-
embed={embed as ImagesEmbedType}
-
did={authorDid}
-
scheme={scheme}
-
/>
-
);
+
return <ImagesEmbed embed={embed as ImagesEmbedType} did={authorDid} />;
}
if (embed.$type === "app.bsky.embed.recordWithMedia") {
const media = (embed as RecordWithMediaEmbed).media;
if (media?.$type === "app.bsky.embed.images") {
return (
-
<ImagesEmbed
-
embed={media as ImagesEmbedType}
-
did={authorDid}
-
scheme={scheme}
-
/>
+
<ImagesEmbed embed={media as ImagesEmbedType} did={authorDid} />
);
}
}
···
interface ImagesEmbedProps {
embed: ImagesEmbedType;
did?: string;
-
scheme: "light" | "dark";
}
-
const ImagesEmbed: React.FC<ImagesEmbedProps> = ({ embed, did, scheme }) => {
+
const ImagesEmbed: React.FC<ImagesEmbedProps> = ({ embed, did }) => {
if (!embed.images || embed.images.length === 0) return null;
-
const palette =
-
scheme === "dark" ? imagesPalette.dark : imagesPalette.light;
+
const columns =
embed.images.length > 1
? "repeat(auto-fit, minmax(160px, 1fr))"
···
<div
style={{
...imagesBase.container,
-
...palette.container,
+
background: `var(--atproto-color-bg-elevated)`,
gridTemplateColumns: columns,
}}
>
-
{embed.images.map((image, idx) => (
-
<PostImage key={idx} image={image} did={did} scheme={scheme} />
+
{embed.images.map((img, idx) => (
+
<PostImage key={idx} image={img} did={did} />
))}
</div>
);
···
interface PostImageProps {
image: ImagesEmbedType["images"][number];
did?: string;
-
scheme: "light" | "dark";
}
-
const PostImage: React.FC<PostImageProps> = ({ image, did, scheme }) => {
-
const cid = image.image?.ref?.$link ?? image.image?.cid;
-
const { url, loading, error } = useBlob(did, cid);
+
const PostImage: React.FC<PostImageProps> = ({ image, did }) => {
+
const [showAltText, setShowAltText] = React.useState(false);
+
const imageBlob = image.image;
+
const cdnUrl = isBlobWithCdn(imageBlob) ? imageBlob.cdnUrl : undefined;
+
const cid = cdnUrl ? undefined : extractCidFromBlob(imageBlob);
+
const { url: urlFromBlob, loading, error } = useBlob(did, cid);
+
const url = cdnUrl || urlFromBlob;
const alt = image.alt?.trim() || "Bluesky attachment";
-
const palette =
-
scheme === "dark" ? imagesPalette.dark : imagesPalette.light;
+
const hasAlt = image.alt && image.alt.trim().length > 0;
+
const aspect =
image.aspectRatio && image.aspectRatio.height > 0
? `${image.aspectRatio.width} / ${image.aspectRatio.height}`
: undefined;
return (
-
<figure style={{ ...imagesBase.item, ...palette.item }}>
+
<figure
+
style={{
+
...imagesBase.item,
+
background: `var(--atproto-color-bg-elevated)`,
+
}}
+
>
<div
style={{
...imagesBase.media,
-
...palette.media,
+
background: `var(--atproto-color-image-bg)`,
aspectRatio: aspect,
}}
>
···
<img src={url} alt={alt} style={imagesBase.img} />
) : (
<div
+
role={error ? "alert" : "status"}
style={{
...imagesBase.placeholder,
-
...palette.placeholder,
+
color: `var(--atproto-color-text-muted)`,
}}
>
{loading
···
? "Image failed to load"
: "Image unavailable"}
</div>
+
)}
+
{hasAlt && (
+
<button
+
onClick={() => setShowAltText(!showAltText)}
+
style={{
+
...imagesBase.altBadge,
+
background: showAltText
+
? `var(--atproto-color-text)`
+
: `var(--atproto-color-bg-secondary)`,
+
color: showAltText
+
? `var(--atproto-color-bg)`
+
: `var(--atproto-color-text)`,
+
}}
+
title="Toggle alt text"
+
aria-label="Toggle alt text"
+
>
+
ALT
+
</button>
)}
</div>
-
{image.alt && image.alt.trim().length > 0 && (
+
{hasAlt && showAltText && (
<figcaption
-
style={{ ...imagesBase.caption, ...palette.caption }}
+
style={{
+
...imagesBase.caption,
+
color: `var(--atproto-color-text-secondary)`,
+
}}
>
{image.alt}
</figcaption>
···
fontSize: 12,
lineHeight: 1.3,
} satisfies React.CSSProperties,
+
altBadge: {
+
position: "absolute",
+
bottom: 8,
+
right: 8,
+
padding: "4px 8px",
+
fontSize: 10,
+
fontWeight: 600,
+
letterSpacing: "0.5px",
+
border: "none",
+
borderRadius: 4,
+
cursor: "pointer",
+
transition: "background 150ms ease, color 150ms ease",
+
fontFamily: "system-ui, sans-serif",
+
} satisfies React.CSSProperties,
};
-
-
const imagesPalette = {
-
light: {
-
container: {
-
padding: 0,
-
} satisfies React.CSSProperties,
-
item: {},
-
media: {
-
background: "#e2e8f0",
-
} satisfies React.CSSProperties,
-
placeholder: {
-
color: "#475569",
-
} satisfies React.CSSProperties,
-
caption: {
-
color: "#475569",
-
} satisfies React.CSSProperties,
-
},
-
dark: {
-
container: {
-
padding: 0,
-
} satisfies React.CSSProperties,
-
item: {},
-
media: {
-
background: "#1e293b",
-
} satisfies React.CSSProperties,
-
placeholder: {
-
color: "#cbd5f5",
-
} satisfies React.CSSProperties,
-
caption: {
-
color: "#94a3b8",
-
} satisfies React.CSSProperties,
-
},
-
} as const;
export default BlueskyPostRenderer;
+54 -112
lib/renderers/BlueskyProfileRenderer.tsx
···
import React from "react";
import type { ProfileRecord } from "../types/bluesky";
-
import {
-
useColorScheme,
-
type ColorSchemePreference,
-
} from "../hooks/useColorScheme";
import { BlueskyIcon } from "../components/BlueskyIcon";
+
import { useAtProto } from "../providers/AtProtoProvider";
export interface BlueskyProfileRendererProps {
record: ProfileRecord;
···
did: string;
handle?: string;
avatarUrl?: string;
-
colorScheme?: ColorSchemePreference;
}
export const BlueskyProfileRenderer: React.FC<BlueskyProfileRendererProps> = ({
···
did,
handle,
avatarUrl,
-
colorScheme = "system",
}) => {
-
const scheme = useColorScheme(colorScheme);
+
const { blueskyAppBaseUrl } = useAtProto();
if (error)
return (
-
<div style={{ padding: 8, color: "crimson" }}>
+
<div role="alert" style={{ padding: 8, color: "crimson" }}>
Failed to load profile.
</div>
);
-
if (loading && !record) return <div style={{ padding: 8 }}>Loadingโ€ฆ</div>;
+
if (loading && !record) return <div role="status" aria-live="polite" style={{ padding: 8 }}>Loadingโ€ฆ</div>;
-
const palette = scheme === "dark" ? theme.dark : theme.light;
-
const profileUrl = `https://bsky.app/profile/${encodeURIComponent(did)}`;
+
const profileUrl = `${blueskyAppBaseUrl}/profile/${did}`;
const rawWebsite = record.website?.trim();
const websiteHref = rawWebsite
? rawWebsite.match(/^https?:\/\//i)
···
: undefined;
return (
-
<div style={{ ...base.card, ...palette.card }}>
+
<div style={{ ...base.card, background: `var(--atproto-color-bg)`, borderColor: `var(--atproto-color-border)`, color: `var(--atproto-color-text)` }}>
<div style={base.header}>
{avatarUrl ? (
-
<img src={avatarUrl} alt="avatar" style={base.avatarImg} />
+
<img src={avatarUrl} alt={`${record.displayName || handle || did}'s profile picture`} style={base.avatarImg} />
) : (
<div
-
style={{ ...base.avatar, ...palette.avatar }}
-
aria-label="avatar"
+
style={{ ...base.avatar, background: `var(--atproto-color-bg-elevated)` }}
+
aria-hidden="true"
/>
)}
<div style={{ flex: 1 }}>
-
<div style={{ ...base.display, ...palette.display }}>
+
<div style={{ ...base.display, color: `var(--atproto-color-text)` }}>
{record.displayName ?? handle ?? did}
</div>
-
<div style={{ ...base.handleLine, ...palette.handleLine }}>
+
<div style={{ ...base.handleLine, color: `var(--atproto-color-text-secondary)` }}>
@{handle ?? did}
</div>
{record.pronouns && (
-
<div style={{ ...base.pronouns, ...palette.pronouns }}>
+
<div style={{ ...base.pronouns, background: `var(--atproto-color-bg-elevated)`, color: `var(--atproto-color-text-secondary)` }}>
{record.pronouns}
</div>
)}
</div>
</div>
{record.description && (
-
<p style={{ ...base.desc, ...palette.desc }}>
+
<p style={{ ...base.desc, color: `var(--atproto-color-text)` }}>
{record.description}
</p>
)}
-
{record.createdAt && (
-
<div style={{ ...base.meta, ...palette.meta }}>
-
Joined {new Date(record.createdAt).toLocaleDateString()}
-
</div>
-
)}
-
<div style={base.links}>
-
{websiteHref && websiteLabel && (
+
<div style={base.bottomRow}>
+
<div style={base.bottomLeft}>
+
{record.createdAt && (
+
<div style={{ ...base.meta, color: `var(--atproto-color-text-secondary)` }}>
+
Joined {new Date(record.createdAt).toLocaleDateString()}
+
</div>
+
)}
+
{websiteHref && websiteLabel && (
+
<a
+
href={websiteHref}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{ ...base.link, color: `var(--atproto-color-link)` }}
+
>
+
{websiteLabel}
+
</a>
+
)}
<a
-
href={websiteHref}
+
href={profileUrl}
target="_blank"
rel="noopener noreferrer"
-
style={{ ...base.link, ...palette.link }}
+
style={{ ...base.link, color: `var(--atproto-color-link)` }}
>
-
{websiteLabel}
+
View on Bluesky
</a>
-
)}
-
<a
-
href={profileUrl}
-
target="_blank"
-
rel="noopener noreferrer"
-
style={{ ...base.link, ...palette.link }}
-
>
-
View on Bluesky
-
</a>
-
</div>
-
<div style={base.iconCorner} aria-hidden>
-
<BlueskyIcon size={18} />
+
</div>
+
<div aria-hidden>
+
<BlueskyIcon size={18} />
+
</div>
</div>
</div>
);
···
const base: Record<string, React.CSSProperties> = {
card: {
+
display: "flex",
+
flexDirection: "column",
+
height: "100%",
borderRadius: 12,
padding: 16,
fontFamily: "system-ui, sans-serif",
···
lineHeight: 1.4,
},
meta: {
-
marginTop: 12,
+
marginTop: 0,
fontSize: 12,
},
pronouns: {
···
padding: "2px 8px",
marginTop: 6,
},
-
links: {
-
display: "flex",
-
flexDirection: "column",
-
gap: 8,
-
marginTop: 12,
-
},
link: {
display: "inline-flex",
alignItems: "center",
···
fontWeight: 600,
textDecoration: "none",
},
+
bottomRow: {
+
display: "flex",
+
alignItems: "flex-end",
+
justifyContent: "space-between",
+
marginTop: "auto",
+
paddingTop: 12,
+
},
+
bottomLeft: {
+
display: "flex",
+
flexDirection: "column",
+
gap: 8,
+
},
iconCorner: {
-
position: "absolute",
-
right: 12,
-
bottom: 12,
+
// Removed absolute positioning, now in flex layout
},
};
-
-
const theme = {
-
light: {
-
card: {
-
border: "1px solid #e2e8f0",
-
background: "#ffffff",
-
color: "#0f172a",
-
},
-
avatar: {
-
background: "#cbd5e1",
-
},
-
display: {
-
color: "#0f172a",
-
},
-
handleLine: {
-
color: "#64748b",
-
},
-
desc: {
-
color: "#0f172a",
-
},
-
meta: {
-
color: "#94a3b8",
-
},
-
pronouns: {
-
background: "#e2e8f0",
-
color: "#1e293b",
-
},
-
link: {
-
color: "#2563eb",
-
},
-
},
-
dark: {
-
card: {
-
border: "1px solid #1e293b",
-
background: "#0b1120",
-
color: "#e2e8f0",
-
},
-
avatar: {
-
background: "#1e293b",
-
},
-
display: {
-
color: "#e2e8f0",
-
},
-
handleLine: {
-
color: "#cbd5f5",
-
},
-
desc: {
-
color: "#e2e8f0",
-
},
-
meta: {
-
color: "#a5b4fc",
-
},
-
pronouns: {
-
background: "#1e293b",
-
color: "#e2e8f0",
-
},
-
link: {
-
color: "#38bdf8",
-
},
-
},
-
} satisfies Record<"light" | "dark", Record<string, React.CSSProperties>>;
export default BlueskyProfileRenderer;
+749
lib/renderers/CurrentlyPlayingRenderer.tsx
···
+
import React, { useState, useEffect, useRef } from "react";
+
import type { TealActorStatusRecord } from "../types/teal";
+
+
export interface CurrentlyPlayingRendererProps {
+
record: TealActorStatusRecord;
+
error?: Error;
+
loading: boolean;
+
did: string;
+
rkey: string;
+
colorScheme?: "light" | "dark" | "system";
+
/** Label to display (e.g., "CURRENTLY PLAYING", "LAST PLAYED"). Defaults to "CURRENTLY PLAYING". */
+
label?: string;
+
/** Handle to display in not listening state */
+
handle?: string;
+
}
+
+
interface SonglinkPlatform {
+
url: string;
+
entityUniqueId: string;
+
nativeAppUriMobile?: string;
+
nativeAppUriDesktop?: string;
+
}
+
+
interface SonglinkResponse {
+
linksByPlatform: {
+
[platform: string]: SonglinkPlatform;
+
};
+
entitiesByUniqueId: {
+
[id: string]: {
+
thumbnailUrl?: string;
+
title?: string;
+
artistName?: string;
+
};
+
};
+
}
+
+
export const CurrentlyPlayingRenderer: React.FC<CurrentlyPlayingRendererProps> = ({
+
record,
+
error,
+
loading,
+
label = "CURRENTLY PLAYING",
+
handle,
+
}) => {
+
const [albumArt, setAlbumArt] = useState<string | undefined>(undefined);
+
const [artworkLoading, setArtworkLoading] = useState(true);
+
const [songlinkData, setSonglinkData] = useState<SonglinkResponse | undefined>(undefined);
+
const [showPlatformModal, setShowPlatformModal] = useState(false);
+
const previousTrackIdentityRef = useRef<string>("");
+
+
// Auto-refresh interval removed - handled by AtProtoRecord
+
+
useEffect(() => {
+
if (!record) return;
+
+
const { item } = record;
+
const artistName = item.artists[0]?.artistName;
+
const trackName = item.trackName;
+
+
if (!artistName || !trackName) {
+
setArtworkLoading(false);
+
return;
+
}
+
+
// Create a unique identity for this track
+
const trackIdentity = `${trackName}::${artistName}`;
+
+
// Check if the track has actually changed
+
const trackHasChanged = trackIdentity !== previousTrackIdentityRef.current;
+
+
// Update tracked identity
+
previousTrackIdentityRef.current = trackIdentity;
+
+
// Only reset loading state and clear data when track actually changes
+
// This prevents the loading flicker when auto-refreshing the same track
+
if (trackHasChanged) {
+
console.log(`[teal.fm] ๐ŸŽต Track changed: "${trackName}" by ${artistName}`);
+
setArtworkLoading(true);
+
setAlbumArt(undefined);
+
setSonglinkData(undefined);
+
} else {
+
console.log(`[teal.fm] ๐Ÿ”„ Auto-refresh: same track still playing ("${trackName}" by ${artistName})`);
+
}
+
+
let cancelled = false;
+
+
const fetchMusicData = async () => {
+
try {
+
// Step 1: Check if we have an ISRC - Songlink supports this directly
+
if (item.isrc) {
+
console.log(`[teal.fm] Attempting ISRC lookup for ${trackName} by ${artistName}`, { isrc: item.isrc });
+
const response = await fetch(
+
`https://api.song.link/v1-alpha.1/links?platform=isrc&type=song&id=${encodeURIComponent(item.isrc)}&songIfSingle=true`
+
);
+
if (cancelled) return;
+
if (response.ok) {
+
const data = await response.json();
+
setSonglinkData(data);
+
+
// Extract album art from Songlink data
+
const entityId = data.entityUniqueId;
+
const entity = data.entitiesByUniqueId?.[entityId];
+
+
// Debug: Log the entity structure to see what fields are available
+
console.log(`[teal.fm] ISRC entity data:`, { entityId, entity });
+
+
if (entity?.thumbnailUrl) {
+
console.log(`[teal.fm] โœ“ Found album art via ISRC lookup`);
+
setAlbumArt(entity.thumbnailUrl);
+
} else {
+
console.warn(`[teal.fm] ISRC lookup succeeded but no thumbnail found`, {
+
entityId,
+
entityKeys: entity ? Object.keys(entity) : 'no entity',
+
entity
+
});
+
}
+
setArtworkLoading(false);
+
return;
+
} else {
+
console.warn(`[teal.fm] ISRC lookup failed with status ${response.status}`);
+
}
+
}
+
+
// Step 2: Search iTunes Search API to find the track (single request for both artwork and links)
+
console.log(`[teal.fm] Attempting iTunes search for: "${trackName}" by "${artistName}"`);
+
const iTunesSearchUrl = `https://itunes.apple.com/search?term=${encodeURIComponent(
+
`${trackName} ${artistName}`
+
)}&media=music&entity=song&limit=1`;
+
+
const iTunesResponse = await fetch(iTunesSearchUrl);
+
+
if (cancelled) return;
+
+
if (iTunesResponse.ok) {
+
const iTunesData = await iTunesResponse.json();
+
+
if (iTunesData.results && iTunesData.results.length > 0) {
+
const match = iTunesData.results[0];
+
const iTunesId = match.trackId;
+
+
// Set album artwork immediately (600x600 for high quality)
+
const artworkUrl = match.artworkUrl100?.replace('100x100', '600x600') || match.artworkUrl100;
+
if (artworkUrl) {
+
console.log(`[teal.fm] โœ“ Found album art via iTunes search`, { url: artworkUrl });
+
setAlbumArt(artworkUrl);
+
} else {
+
console.warn(`[teal.fm] iTunes match found but no artwork URL`);
+
}
+
setArtworkLoading(false);
+
+
// Step 3: Use iTunes ID with Songlink to get all platform links
+
console.log(`[teal.fm] Fetching platform links via Songlink (iTunes ID: ${iTunesId})`);
+
const songlinkResponse = await fetch(
+
`https://api.song.link/v1-alpha.1/links?platform=itunes&type=song&id=${iTunesId}&songIfSingle=true`
+
);
+
+
if (cancelled) return;
+
+
if (songlinkResponse.ok) {
+
const songlinkData = await songlinkResponse.json();
+
console.log(`[teal.fm] โœ“ Got platform links from Songlink`);
+
setSonglinkData(songlinkData);
+
return;
+
} else {
+
console.warn(`[teal.fm] Songlink request failed with status ${songlinkResponse.status}`);
+
}
+
} else {
+
console.warn(`[teal.fm] No iTunes results found for "${trackName}" by "${artistName}"`);
+
setArtworkLoading(false);
+
}
+
} else {
+
console.warn(`[teal.fm] iTunes search failed with status ${iTunesResponse.status}`);
+
}
+
+
// Step 4: Fallback - if originUrl is from a supported platform, try it directly
+
if (item.originUrl && (
+
item.originUrl.includes('spotify.com') ||
+
item.originUrl.includes('apple.com') ||
+
item.originUrl.includes('youtube.com') ||
+
item.originUrl.includes('tidal.com')
+
)) {
+
console.log(`[teal.fm] Attempting Songlink lookup via originUrl`, { url: item.originUrl });
+
const songlinkResponse = await fetch(
+
`https://api.song.link/v1-alpha.1/links?url=${encodeURIComponent(item.originUrl)}&songIfSingle=true`
+
);
+
+
if (cancelled) return;
+
+
if (songlinkResponse.ok) {
+
const data = await songlinkResponse.json();
+
console.log(`[teal.fm] โœ“ Got data from Songlink via originUrl`);
+
setSonglinkData(data);
+
+
// Try to get artwork from Songlink if we don't have it yet
+
if (!albumArt) {
+
const entityId = data.entityUniqueId;
+
const entity = data.entitiesByUniqueId?.[entityId];
+
+
// Debug: Log the entity structure to see what fields are available
+
console.log(`[teal.fm] Songlink originUrl entity data:`, { entityId, entity });
+
+
if (entity?.thumbnailUrl) {
+
console.log(`[teal.fm] โœ“ Found album art via Songlink originUrl lookup`);
+
setAlbumArt(entity.thumbnailUrl);
+
} else {
+
console.warn(`[teal.fm] Songlink lookup succeeded but no thumbnail found`, {
+
entityId,
+
entityKeys: entity ? Object.keys(entity) : 'no entity',
+
entity
+
});
+
}
+
}
+
} else {
+
console.warn(`[teal.fm] Songlink originUrl lookup failed with status ${songlinkResponse.status}`);
+
}
+
}
+
+
if (!albumArt) {
+
console.warn(`[teal.fm] โœ— All album art fetch methods failed for "${trackName}" by "${artistName}"`);
+
}
+
+
setArtworkLoading(false);
+
} catch (err) {
+
console.error(`[teal.fm] โœ— Error fetching music data for "${trackName}" by "${artistName}":`, err);
+
setArtworkLoading(false);
+
}
+
};
+
+
fetchMusicData();
+
+
return () => {
+
cancelled = true;
+
};
+
}, [record]); // Runs on record change
+
+
if (error)
+
return (
+
<div role="alert" style={{ padding: 8, color: "var(--atproto-color-error)" }}>
+
Failed to load status.
+
</div>
+
);
+
if (loading && !record)
+
return (
+
<div role="status" aria-live="polite" style={{ padding: 8, color: "var(--atproto-color-text-secondary)" }}>
+
Loadingโ€ฆ
+
</div>
+
);
+
+
const { item } = record;
+
+
// Check if user is not listening to anything
+
const isNotListening = !item.trackName || item.artists.length === 0;
+
+
// Show "not listening" state
+
if (isNotListening) {
+
const displayHandle = handle || "User";
+
return (
+
<div style={styles.notListeningContainer}>
+
<div style={styles.notListeningIcon}>
+
<svg
+
width="80"
+
height="80"
+
viewBox="0 0 24 24"
+
fill="none"
+
stroke="currentColor"
+
strokeWidth="1.5"
+
strokeLinecap="round"
+
strokeLinejoin="round"
+
>
+
<path d="M9 18V5l12-2v13" />
+
<circle cx="6" cy="18" r="3" />
+
<circle cx="18" cy="16" r="3" />
+
</svg>
+
</div>
+
<div style={styles.notListeningTitle}>
+
{displayHandle} isn't listening to anything
+
</div>
+
<div style={styles.notListeningSubtitle}>Check back soon</div>
+
</div>
+
);
+
}
+
+
const artistNames = item.artists.map((a) => a.artistName).join(", ");
+
+
const platformConfig: Record<string, { name: string; svg: string; color: string }> = {
+
spotify: {
+
name: "Spotify",
+
svg: '<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 496 512"><path fill="#1ed760" d="M248 8C111.1 8 0 119.1 0 256s111.1 248 248 248 248-111.1 248-248S384.9 8 248 8Z"/><path d="M406.6 231.1c-5.2 0-8.4-1.3-12.9-3.9-71.2-42.5-198.5-52.7-280.9-29.7-3.6 1-8.1 2.6-12.9 2.6-13.2 0-23.3-10.3-23.3-23.6 0-13.6 8.4-21.3 17.4-23.9 35.2-10.3 74.6-15.2 117.5-15.2 73 0 149.5 15.2 205.4 47.8 7.8 4.5 12.9 10.7 12.9 22.6 0 13.6-11 23.3-23.2 23.3zm-31 76.2c-5.2 0-8.7-2.3-12.3-4.2-62.5-37-155.7-51.9-238.6-29.4-4.8 1.3-7.4 2.6-11.9 2.6-10.7 0-19.4-8.7-19.4-19.4s5.2-17.8 15.5-20.7c27.8-7.8 56.2-13.6 97.8-13.6 64.9 0 127.6 16.1 177 45.5 8.1 4.8 11.3 11 11.3 19.7-.1 10.8-8.5 19.5-19.4 19.5zm-26.9 65.6c-4.2 0-6.8-1.3-10.7-3.6-62.4-37.6-135-39.2-206.7-24.5-3.9 1-9 2.6-11.9 2.6-9.7 0-15.8-7.7-15.8-15.8 0-10.3 6.1-15.2 13.6-16.8 81.9-18.1 165.6-16.5 237 26.2 6.1 3.9 9.7 7.4 9.7 16.5s-7.1 15.4-15.2 15.4z"/></svg>',
+
color: "#1DB954"
+
},
+
appleMusic: {
+
name: "Apple Music",
+
svg: '<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 361 361"><defs><linearGradient id="apple-grad" x1="180" y1="358.6" x2="180" y2="7.76" gradientUnits="userSpaceOnUse"><stop offset="0" style="stop-color:#FA233B"/><stop offset="1" style="stop-color:#FB5C74"/></linearGradient></defs><path fill="url(#apple-grad)" d="M360 112.61V247.39c0 4.3 0 8.6-.02 12.9-.02 3.62-.06 7.24-.16 10.86-.21 7.89-.68 15.84-2.08 23.64-1.42 7.92-3.75 15.29-7.41 22.49-3.6 7.07-8.3 13.53-13.91 19.14-5.61 5.61-12.08 10.31-19.15 13.91-7.19 3.66-14.56 5.98-22.47 7.41-7.8 1.4-15.76 1.87-23.65 2.08-3.62.1-7.24.14-10.86.16-4.3.03-8.6.02-12.9.02H112.61c-4.3 0-8.6 0-12.9-.02-3.62-.02-7.24-.06-10.86-.16-7.89-.21-15.85-.68-23.65-2.08-7.92-1.42-15.28-3.75-22.47-7.41-7.07-3.6-13.54-8.3-19.15-13.91-5.61-5.61-10.31-12.07-13.91-19.14-3.66-7.2-5.99-14.57-7.41-22.49-1.4-7.8-1.87-15.76-2.08-23.64-.1-3.62-.14-7.24-.16-10.86C0 255.99 0 251.69 0 247.39V112.61c0-4.3 0-8.6.02-12.9.02-3.62.06-7.24.16-10.86.21-7.89.68-15.84 2.08-23.64 1.42-7.92 3.75-15.29 7.41-22.49 3.6-7.07 8.3-13.53 13.91-19.14 5.61-5.61 12.08-10.31 19.15-13.91 7.19-3.66 14.56-5.98 22.47-7.41 7.8-1.4 15.76-1.87 23.65-2.08 3.62-.1 7.24-.14 10.86-.16C104.01 0 108.31 0 112.61 0h134.77c4.3 0 8.6 0 12.9.02 3.62.02 7.24.06 10.86.16 7.89.21 15.85.68 23.65 2.08 7.92 1.42 15.28 3.75 22.47 7.41 7.07 3.6 13.54 8.3 19.15 13.91 5.61 5.61 10.31 12.07 13.91 19.14 3.66 7.2 5.99 14.57 7.41 22.49 1.4 7.8 1.87 15.76 2.08 23.64.1 3.62.14 7.24.16 10.86.03 4.3.02 8.6.02 12.9z"/><path fill="#FFF" d="M254.5 55c-.87.08-8.6 1.45-9.53 1.64l-107 21.59-.04.01c-2.79.59-4.98 1.58-6.67 3-2.04 1.71-3.17 4.13-3.6 6.95-.09.6-.24 1.82-.24 3.62v133.92c0 3.13-.25 6.17-2.37 8.76-2.12 2.59-4.74 3.37-7.81 3.99-2.33.47-4.66.94-6.99 1.41-8.84 1.78-14.59 2.99-19.8 5.01-4.98 1.93-8.71 4.39-11.68 7.51-5.89 6.17-8.28 14.54-7.46 22.38.7 6.69 3.71 13.09 8.88 17.82 3.49 3.2 7.85 5.63 12.99 6.66 5.33 1.07 11.01.7 19.31-.98 4.42-.89 8.56-2.28 12.5-4.61 3.9-2.3 7.24-5.37 9.85-9.11 2.62-3.75 4.31-7.92 5.24-12.35.96-4.57 1.19-8.7 1.19-13.26V128.82c0-6.22 1.76-7.86 6.78-9.08l93.09-18.75c5.79-1.11 8.52.54 8.52 6.61v79.29c0 3.14-.03 6.32-2.17 8.92-2.12 2.59-4.74 3.37-7.81 3.99-2.33.47-4.66.94-6.99 1.41-8.84 1.78-14.59 2.99-19.8 5.01-4.98 1.93-8.71 4.39-11.68 7.51-5.89 6.17-8.49 14.54-7.67 22.38.7 6.69 3.92 13.09 9.09 17.82 3.49 3.2 7.85 5.56 12.99 6.6 5.33 1.07 11.01.69 19.31-.98 4.42-.89 8.56-2.22 12.5-4.55 3.9-2.3 7.24-5.37 9.85-9.11 2.62-3.75 4.31-7.92 5.24-12.35.96-4.57 1-8.7 1-13.26V64.46c0-6.16-3.25-9.96-9.04-9.46z"/></svg>',
+
color: "#FA243C"
+
},
+
youtube: {
+
name: "YouTube",
+
svg: '<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 300 300"><g transform="scale(.75)"><path fill="red" d="M199.917 105.63s-84.292 0-105.448 5.497c-11.328 3.165-20.655 12.493-23.82 23.987-5.498 21.156-5.498 64.969-5.498 64.969s0 43.979 5.497 64.802c3.165 11.494 12.326 20.655 23.82 23.82 21.323 5.664 105.448 5.664 105.448 5.664s84.459 0 105.615-5.497c11.494-3.165 20.655-12.16 23.654-23.82 5.664-20.99 5.664-64.803 5.664-64.803s.166-43.98-5.664-65.135c-2.999-11.494-12.16-20.655-23.654-23.654-21.156-5.83-105.615-5.83-105.615-5.83zm-26.82 53.974 70.133 40.479-70.133 40.312v-80.79z"/><path fill="#fff" d="m173.097 159.604 70.133 40.479-70.133 40.312v-80.79z"/></g></svg>',
+
color: "#FF0000"
+
},
+
youtubeMusic: {
+
name: "YouTube Music",
+
svg: '<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 176 176"><circle fill="#FF0000" cx="88" cy="88" r="88"/><path fill="#FFF" d="M88 46c23.1 0 42 18.8 42 42s-18.8 42-42 42-42-18.8-42-42 18.8-42 42-42m0-4c-25.4 0-46 20.6-46 46s20.6 46 46 46 46-20.6 46-46-20.6-46-46-46z"/><path fill="#FFF" d="m72 111 39-24-39-22z"/></svg>',
+
color: "#FF0000"
+
},
+
tidal: {
+
name: "Tidal",
+
svg: '<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 512 512"><path d="M256 0c141.385 0 256 114.615 256 256S397.385 512 256 512 0 397.385 0 256 114.615 0 256 0zm50.384 219.459-50.372 50.383 50.379 50.391-50.382 50.393-50.395-50.393 50.393-50.389-50.393-50.39 50.395-50.372 50.38 50.369 50.389-50.375 50.382 50.382-50.382 50.392-50.394-50.391zm-100.767-.001-50.392 50.392-50.385-50.392 50.385-50.382 50.392 50.382z"/></svg>',
+
color: "#000000"
+
},
+
bandcamp: {
+
name: "Bandcamp",
+
svg: '<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 512 512"><path fill="#1DA0C3" d="M0 156v200h172l84-200z"/></svg>',
+
color: "#1DA0C3"
+
},
+
};
+
+
const availablePlatforms = songlinkData
+
? Object.keys(platformConfig).filter((platform) =>
+
songlinkData.linksByPlatform[platform]
+
)
+
: [];
+
+
return (
+
<>
+
<div style={styles.container}>
+
{/* Album Artwork */}
+
<div style={styles.artworkContainer}>
+
{artworkLoading ? (
+
<div style={styles.artworkPlaceholder}>
+
<div style={styles.loadingSpinner} />
+
</div>
+
) : albumArt ? (
+
<img
+
src={albumArt}
+
alt={`${item.releaseName || "Album"} cover`}
+
style={styles.artwork}
+
onError={(e) => {
+
console.error("Failed to load album art:", {
+
url: albumArt,
+
track: item.trackName,
+
artist: item.artists[0]?.artistName,
+
error: "Image load error"
+
});
+
e.currentTarget.style.display = "none";
+
}}
+
/>
+
) : (
+
<div style={styles.artworkPlaceholder}>
+
<svg
+
width="64"
+
height="64"
+
viewBox="0 0 24 24"
+
fill="none"
+
stroke="currentColor"
+
strokeWidth="1.5"
+
>
+
<circle cx="12" cy="12" r="10" />
+
<circle cx="12" cy="12" r="3" />
+
<path d="M12 2v3M12 19v3M2 12h3M19 12h3" />
+
</svg>
+
</div>
+
)}
+
</div>
+
+
{/* Content */}
+
<div style={styles.content}>
+
<div style={styles.label}>{label}</div>
+
<h2 style={styles.trackName}>{item.trackName}</h2>
+
<div style={styles.artistName}>{artistNames}</div>
+
{item.releaseName && (
+
<div style={styles.releaseName}>from {item.releaseName}</div>
+
)}
+
+
{/* Listen Button */}
+
{availablePlatforms.length > 0 ? (
+
<button
+
onClick={() => setShowPlatformModal(true)}
+
style={styles.listenButton}
+
data-teal-listen-button="true"
+
>
+
<span>Listen with your Streaming Client</span>
+
<svg
+
width="16"
+
height="16"
+
viewBox="0 0 24 24"
+
fill="none"
+
stroke="currentColor"
+
strokeWidth="2"
+
strokeLinecap="round"
+
strokeLinejoin="round"
+
>
+
<path d="M18 13v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h6" />
+
<polyline points="15 3 21 3 21 9" />
+
<line x1="10" y1="14" x2="21" y2="3" />
+
</svg>
+
</button>
+
) : item.originUrl ? (
+
<a
+
href={item.originUrl}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={styles.listenButton}
+
data-teal-listen-button="true"
+
>
+
<span>Listen on Last.fm</span>
+
<svg
+
width="16"
+
height="16"
+
viewBox="0 0 24 24"
+
fill="none"
+
stroke="currentColor"
+
strokeWidth="2"
+
strokeLinecap="round"
+
strokeLinejoin="round"
+
>
+
<path d="M18 13v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h6" />
+
<polyline points="15 3 21 3 21 9" />
+
<line x1="10" y1="14" x2="21" y2="3" />
+
</svg>
+
</a>
+
) : null}
+
</div>
+
</div>
+
+
{/* Platform Selection Modal */}
+
{showPlatformModal && songlinkData && (
+
<div style={styles.modalOverlay} onClick={() => setShowPlatformModal(false)}>
+
<div
+
role="dialog"
+
aria-modal="true"
+
aria-labelledby="platform-modal-title"
+
style={styles.modalContent}
+
onClick={(e) => e.stopPropagation()}
+
>
+
<div style={styles.modalHeader}>
+
<h3 id="platform-modal-title" style={styles.modalTitle}>Choose your streaming service</h3>
+
<button
+
style={styles.closeButton}
+
onClick={() => setShowPlatformModal(false)}
+
data-teal-close="true"
+
>
+
ร—
+
</button>
+
</div>
+
<div style={styles.platformList}>
+
{availablePlatforms.map((platform) => {
+
const config = platformConfig[platform];
+
const link = songlinkData.linksByPlatform[platform];
+
return (
+
<a
+
key={platform}
+
href={link.url}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{
+
...styles.platformItem,
+
borderLeft: `4px solid ${config.color}`,
+
}}
+
onClick={() => setShowPlatformModal(false)}
+
data-teal-platform="true"
+
>
+
<span
+
style={styles.platformIcon}
+
dangerouslySetInnerHTML={{ __html: config.svg }}
+
/>
+
<span style={styles.platformName}>{config.name}</span>
+
<svg
+
width="20"
+
height="20"
+
viewBox="0 0 24 24"
+
fill="none"
+
stroke="currentColor"
+
strokeWidth="2"
+
style={styles.platformArrow}
+
>
+
<path d="M18 13v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h6" />
+
<polyline points="15 3 21 3 21 9" />
+
<line x1="10" y1="14" x2="21" y2="3" />
+
</svg>
+
</a>
+
);
+
})}
+
</div>
+
</div>
+
</div>
+
)}
+
</>
+
);
+
};
+
+
const styles: Record<string, React.CSSProperties> = {
+
container: {
+
fontFamily: "system-ui, -apple-system, sans-serif",
+
display: "flex",
+
flexDirection: "column",
+
background: "var(--atproto-color-bg)",
+
borderRadius: 16,
+
overflow: "hidden",
+
maxWidth: 420,
+
color: "var(--atproto-color-text)",
+
boxShadow: "0 8px 24px rgba(0, 0, 0, 0.4)",
+
border: "1px solid var(--atproto-color-border)",
+
},
+
artworkContainer: {
+
width: "100%",
+
aspectRatio: "1 / 1",
+
position: "relative",
+
overflow: "hidden",
+
},
+
artwork: {
+
width: "100%",
+
height: "100%",
+
objectFit: "cover",
+
display: "block",
+
},
+
artworkPlaceholder: {
+
width: "100%",
+
height: "100%",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
background: "linear-gradient(135deg, #667eea 0%, #764ba2 100%)",
+
color: "rgba(255, 255, 255, 0.5)",
+
},
+
loadingSpinner: {
+
width: 40,
+
height: 40,
+
border: "3px solid var(--atproto-color-border)",
+
borderTop: "3px solid var(--atproto-color-primary)",
+
borderRadius: "50%",
+
animation: "spin 1s linear infinite",
+
},
+
content: {
+
padding: "24px",
+
display: "flex",
+
flexDirection: "column",
+
gap: "8px",
+
},
+
label: {
+
fontSize: 11,
+
fontWeight: 600,
+
letterSpacing: "0.1em",
+
textTransform: "uppercase",
+
color: "var(--atproto-color-text-secondary)",
+
marginBottom: "4px",
+
},
+
trackName: {
+
fontSize: 28,
+
fontWeight: 700,
+
margin: 0,
+
lineHeight: 1.2,
+
color: "var(--atproto-color-text)",
+
},
+
artistName: {
+
fontSize: 16,
+
color: "var(--atproto-color-text-secondary)",
+
marginTop: "4px",
+
},
+
releaseName: {
+
fontSize: 14,
+
color: "var(--atproto-color-text-secondary)",
+
marginTop: "2px",
+
},
+
listenButton: {
+
display: "inline-flex",
+
alignItems: "center",
+
gap: "8px",
+
marginTop: "16px",
+
padding: "12px 20px",
+
background: "var(--atproto-color-bg-elevated)",
+
border: "1px solid var(--atproto-color-border)",
+
borderRadius: 24,
+
color: "var(--atproto-color-text)",
+
fontSize: 14,
+
fontWeight: 600,
+
textDecoration: "none",
+
cursor: "pointer",
+
transition: "all 0.2s ease",
+
alignSelf: "flex-start",
+
},
+
modalOverlay: {
+
position: "fixed",
+
top: 0,
+
left: 0,
+
right: 0,
+
bottom: 0,
+
backgroundColor: "rgba(0, 0, 0, 0.85)",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
zIndex: 9999,
+
backdropFilter: "blur(4px)",
+
},
+
modalContent: {
+
background: "var(--atproto-color-bg)",
+
borderRadius: 16,
+
padding: 0,
+
maxWidth: 450,
+
width: "90%",
+
maxHeight: "80vh",
+
overflow: "auto",
+
boxShadow: "0 20px 60px rgba(0, 0, 0, 0.8)",
+
border: "1px solid var(--atproto-color-border)",
+
},
+
modalHeader: {
+
display: "flex",
+
justifyContent: "space-between",
+
alignItems: "center",
+
padding: "24px 24px 16px 24px",
+
borderBottom: "1px solid var(--atproto-color-border)",
+
},
+
modalTitle: {
+
margin: 0,
+
fontSize: 20,
+
fontWeight: 700,
+
color: "var(--atproto-color-text)",
+
},
+
closeButton: {
+
background: "transparent",
+
border: "none",
+
color: "var(--atproto-color-text-secondary)",
+
fontSize: 32,
+
cursor: "pointer",
+
padding: 0,
+
width: 32,
+
height: 32,
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
borderRadius: "50%",
+
transition: "all 0.2s ease",
+
lineHeight: 1,
+
},
+
platformList: {
+
padding: "16px",
+
display: "flex",
+
flexDirection: "column",
+
gap: "8px",
+
},
+
platformItem: {
+
display: "flex",
+
alignItems: "center",
+
gap: "16px",
+
padding: "16px",
+
background: "var(--atproto-color-bg-hover)",
+
borderRadius: 12,
+
textDecoration: "none",
+
color: "var(--atproto-color-text)",
+
transition: "all 0.2s ease",
+
cursor: "pointer",
+
border: "1px solid var(--atproto-color-border)",
+
},
+
platformIcon: {
+
fontSize: 24,
+
width: 32,
+
height: 32,
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
},
+
platformName: {
+
flex: 1,
+
fontSize: 16,
+
fontWeight: 600,
+
},
+
platformArrow: {
+
opacity: 0.5,
+
transition: "opacity 0.2s ease",
+
},
+
notListeningContainer: {
+
fontFamily: "system-ui, -apple-system, sans-serif",
+
display: "flex",
+
flexDirection: "column",
+
alignItems: "center",
+
justifyContent: "center",
+
background: "var(--atproto-color-bg)",
+
borderRadius: 16,
+
padding: "80px 40px",
+
maxWidth: 420,
+
color: "var(--atproto-color-text-secondary)",
+
border: "1px solid var(--atproto-color-border)",
+
textAlign: "center",
+
},
+
notListeningIcon: {
+
width: 120,
+
height: 120,
+
borderRadius: "50%",
+
background: "var(--atproto-color-bg-elevated)",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
marginBottom: 24,
+
color: "var(--atproto-color-text-muted)",
+
},
+
notListeningTitle: {
+
fontSize: 18,
+
fontWeight: 600,
+
color: "var(--atproto-color-text)",
+
marginBottom: 8,
+
},
+
notListeningSubtitle: {
+
fontSize: 14,
+
color: "var(--atproto-color-text-secondary)",
+
},
+
};
+
+
// Add keyframes and hover styles
+
if (typeof document !== "undefined") {
+
const styleId = "teal-status-styles";
+
if (!document.getElementById(styleId)) {
+
const styleElement = document.createElement("style");
+
styleElement.id = styleId;
+
styleElement.textContent = `
+
@keyframes spin {
+
0% { transform: rotate(0deg); }
+
100% { transform: rotate(360deg); }
+
}
+
+
button[data-teal-listen-button]:hover:not(:disabled),
+
a[data-teal-listen-button]:hover {
+
background: var(--atproto-color-bg-pressed) !important;
+
border-color: var(--atproto-color-border-hover) !important;
+
transform: translateY(-2px);
+
}
+
+
button[data-teal-listen-button]:disabled {
+
opacity: 0.5;
+
cursor: not-allowed;
+
}
+
+
button[data-teal-close]:hover {
+
background: var(--atproto-color-bg-hover) !important;
+
color: var(--atproto-color-text) !important;
+
}
+
+
a[data-teal-platform]:hover {
+
background: var(--atproto-color-bg-pressed) !important;
+
transform: translateX(4px);
+
}
+
+
a[data-teal-platform]:hover svg {
+
opacity: 1 !important;
+
}
+
`;
+
document.head.appendChild(styleElement);
+
}
+
}
+
+
export default CurrentlyPlayingRenderer;
+971
lib/renderers/GrainGalleryRenderer.tsx
···
+
import React from "react";
+
import type { GrainGalleryRecord, GrainPhotoRecord } from "../types/grain";
+
import { useBlob } from "../hooks/useBlob";
+
import { isBlobWithCdn, extractCidFromBlob } from "../utils/blob";
+
+
export interface GrainGalleryPhoto {
+
record: GrainPhotoRecord;
+
did: string;
+
rkey: string;
+
position?: number;
+
}
+
+
export interface GrainGalleryRendererProps {
+
gallery: GrainGalleryRecord;
+
photos: GrainGalleryPhoto[];
+
loading: boolean;
+
error?: Error;
+
authorHandle?: string;
+
authorDisplayName?: string;
+
avatarUrl?: string;
+
}
+
+
export const GrainGalleryRenderer: React.FC<GrainGalleryRendererProps> = ({
+
gallery,
+
photos,
+
loading,
+
error,
+
authorDisplayName,
+
authorHandle,
+
avatarUrl,
+
}) => {
+
const [currentPage, setCurrentPage] = React.useState(0);
+
const [lightboxOpen, setLightboxOpen] = React.useState(false);
+
const [lightboxPhotoIndex, setLightboxPhotoIndex] = React.useState(0);
+
+
const createdDate = new Date(gallery.createdAt);
+
const created = createdDate.toLocaleString(undefined, {
+
dateStyle: "medium",
+
timeStyle: "short",
+
});
+
+
const primaryName = authorDisplayName || authorHandle || "โ€ฆ";
+
+
// Memoize sorted photos to prevent re-sorting on every render
+
const sortedPhotos = React.useMemo(
+
() => [...photos].sort((a, b) => (a.position ?? 0) - (b.position ?? 0)),
+
[photos]
+
);
+
+
// Open lightbox
+
const openLightbox = React.useCallback((photoIndex: number) => {
+
setLightboxPhotoIndex(photoIndex);
+
setLightboxOpen(true);
+
}, []);
+
+
// Close lightbox
+
const closeLightbox = React.useCallback(() => {
+
setLightboxOpen(false);
+
}, []);
+
+
// Navigate lightbox
+
const goToNextPhoto = React.useCallback(() => {
+
setLightboxPhotoIndex((prev) => (prev + 1) % sortedPhotos.length);
+
}, [sortedPhotos.length]);
+
+
const goToPrevPhoto = React.useCallback(() => {
+
setLightboxPhotoIndex((prev) => (prev - 1 + sortedPhotos.length) % sortedPhotos.length);
+
}, [sortedPhotos.length]);
+
+
// Keyboard navigation
+
React.useEffect(() => {
+
if (!lightboxOpen) return;
+
+
const handleKeyDown = (e: KeyboardEvent) => {
+
if (e.key === "Escape") closeLightbox();
+
if (e.key === "ArrowLeft") goToPrevPhoto();
+
if (e.key === "ArrowRight") goToNextPhoto();
+
};
+
+
window.addEventListener("keydown", handleKeyDown);
+
return () => window.removeEventListener("keydown", handleKeyDown);
+
}, [lightboxOpen, closeLightbox, goToPrevPhoto, goToNextPhoto]);
+
+
const isSinglePhoto = sortedPhotos.length === 1;
+
+
// Preload all photos to avoid loading states when paginating
+
usePreloadAllPhotos(sortedPhotos);
+
+
// Reset to first page when photos change
+
React.useEffect(() => {
+
setCurrentPage(0);
+
}, [sortedPhotos.length]);
+
+
// Memoize pagination calculations with intelligent photo count per page
+
const paginationData = React.useMemo(() => {
+
const pages = calculatePages(sortedPhotos);
+
const totalPages = pages.length;
+
const visiblePhotos = pages[currentPage] || [];
+
const hasMultiplePages = totalPages > 1;
+
const layoutPhotos = calculateLayout(visiblePhotos);
+
+
return {
+
pages,
+
totalPages,
+
visiblePhotos,
+
hasMultiplePages,
+
layoutPhotos,
+
};
+
}, [sortedPhotos, currentPage]);
+
+
const { totalPages, hasMultiplePages, layoutPhotos } = paginationData;
+
+
// Memoize navigation handlers to prevent re-creation
+
const goToNextPage = React.useCallback(() => {
+
setCurrentPage((prev) => (prev + 1) % totalPages);
+
}, [totalPages]);
+
+
const goToPrevPage = React.useCallback(() => {
+
setCurrentPage((prev) => (prev - 1 + totalPages) % totalPages);
+
}, [totalPages]);
+
+
if (error) {
+
return (
+
<div role="alert" style={{ padding: 8, color: "crimson" }}>
+
Failed to load gallery.
+
</div>
+
);
+
}
+
+
if (loading && photos.length === 0) {
+
return <div role="status" aria-live="polite" style={{ padding: 8 }}>Loading galleryโ€ฆ</div>;
+
}
+
+
return (
+
<>
+
{/* Hidden preload elements for all photos */}
+
<div style={{ display: "none" }} aria-hidden>
+
{sortedPhotos.map((photo) => (
+
<PreloadPhoto key={`${photo.did}-${photo.rkey}-preload`} photo={photo} />
+
))}
+
</div>
+
+
{/* Lightbox */}
+
{lightboxOpen && (
+
<Lightbox
+
photo={sortedPhotos[lightboxPhotoIndex]}
+
photoIndex={lightboxPhotoIndex}
+
totalPhotos={sortedPhotos.length}
+
onClose={closeLightbox}
+
onNext={goToNextPhoto}
+
onPrev={goToPrevPhoto}
+
/>
+
)}
+
+
<article style={styles.card}>
+
<header style={styles.header}>
+
{avatarUrl ? (
+
<img src={avatarUrl} alt={`${authorDisplayName || authorHandle || 'User'}'s profile picture`} style={styles.avatarImg} />
+
) : (
+
<div style={styles.avatarPlaceholder} aria-hidden />
+
)}
+
<div style={styles.authorInfo}>
+
<strong style={styles.displayName}>{primaryName}</strong>
+
{authorHandle && (
+
<span
+
style={{
+
...styles.handle,
+
color: `var(--atproto-color-text-secondary)`,
+
}}
+
>
+
@{authorHandle}
+
</span>
+
)}
+
</div>
+
</header>
+
+
<div style={styles.galleryInfo}>
+
<h2
+
style={{
+
...styles.title,
+
color: `var(--atproto-color-text)`,
+
}}
+
>
+
{gallery.title}
+
</h2>
+
{gallery.description && (
+
<p
+
style={{
+
...styles.description,
+
color: `var(--atproto-color-text-secondary)`,
+
}}
+
>
+
{gallery.description}
+
</p>
+
)}
+
</div>
+
+
{isSinglePhoto ? (
+
<div style={styles.singlePhotoContainer}>
+
<GalleryPhotoItem
+
key={`${sortedPhotos[0].did}-${sortedPhotos[0].rkey}`}
+
photo={sortedPhotos[0]}
+
isSingle={true}
+
onClick={() => openLightbox(0)}
+
/>
+
</div>
+
) : (
+
<div style={styles.carouselContainer}>
+
{hasMultiplePages && currentPage > 0 && (
+
<button
+
onClick={goToPrevPage}
+
onMouseEnter={(e) => (e.currentTarget.style.opacity = "1")}
+
onMouseLeave={(e) => (e.currentTarget.style.opacity = "0.7")}
+
style={{
+
...styles.navButton,
+
...styles.navButtonLeft,
+
color: "white",
+
background: "rgba(0, 0, 0, 0.5)",
+
boxShadow: "0 2px 4px rgba(0, 0, 0, 0.1)",
+
}}
+
aria-label="Previous photos"
+
>
+
โ€น
+
</button>
+
)}
+
<div style={styles.photosGrid}>
+
{layoutPhotos.map((item) => {
+
const photoIndex = sortedPhotos.findIndex(p => p.did === item.did && p.rkey === item.rkey);
+
return (
+
<GalleryPhotoItem
+
key={`${item.did}-${item.rkey}`}
+
photo={item}
+
isSingle={false}
+
span={item.span}
+
onClick={() => openLightbox(photoIndex)}
+
/>
+
);
+
})}
+
</div>
+
{hasMultiplePages && currentPage < totalPages - 1 && (
+
<button
+
onClick={goToNextPage}
+
onMouseEnter={(e) => (e.currentTarget.style.opacity = "1")}
+
onMouseLeave={(e) => (e.currentTarget.style.opacity = "0.7")}
+
style={{
+
...styles.navButton,
+
...styles.navButtonRight,
+
color: "white",
+
background: "rgba(0, 0, 0, 0.5)",
+
boxShadow: "0 2px 4px rgba(0, 0, 0, 0.1)",
+
}}
+
aria-label="Next photos"
+
>
+
โ€บ
+
</button>
+
)}
+
</div>
+
)}
+
+
<footer style={styles.footer}>
+
<time
+
style={{
+
...styles.time,
+
color: `var(--atproto-color-text-muted)`,
+
}}
+
dateTime={gallery.createdAt}
+
>
+
{created}
+
</time>
+
{hasMultiplePages && !isSinglePhoto && (
+
<div style={styles.paginationDots}>
+
{Array.from({ length: totalPages }, (_, i) => (
+
<button
+
key={i}
+
onClick={() => setCurrentPage(i)}
+
style={{
+
...styles.paginationDot,
+
background: i === currentPage
+
? `var(--atproto-color-text)`
+
: `var(--atproto-color-border)`,
+
}}
+
aria-label={`Go to page ${i + 1}`}
+
aria-current={i === currentPage ? "page" : undefined}
+
/>
+
))}
+
</div>
+
)}
+
</footer>
+
</article>
+
</>
+
);
+
};
+
+
// Component to preload a single photo's blob
+
const PreloadPhoto: React.FC<{ photo: GrainGalleryPhoto }> = ({ photo }) => {
+
const photoBlob = photo.record.photo;
+
const cdnUrl = isBlobWithCdn(photoBlob) ? photoBlob.cdnUrl : undefined;
+
const cid = cdnUrl ? undefined : extractCidFromBlob(photoBlob);
+
+
// Trigger blob loading via the hook
+
useBlob(photo.did, cid);
+
+
// Preload CDN images via Image element
+
React.useEffect(() => {
+
if (cdnUrl) {
+
const img = new Image();
+
img.src = cdnUrl;
+
}
+
}, [cdnUrl]);
+
+
return null;
+
};
+
+
// Hook to preload all photos (CDN-based)
+
const usePreloadAllPhotos = (photos: GrainGalleryPhoto[]) => {
+
React.useEffect(() => {
+
// Preload CDN images
+
photos.forEach((photo) => {
+
const photoBlob = photo.record.photo;
+
const cdnUrl = isBlobWithCdn(photoBlob) ? photoBlob.cdnUrl : undefined;
+
+
if (cdnUrl) {
+
const img = new Image();
+
img.src = cdnUrl;
+
}
+
});
+
}, [photos]);
+
};
+
+
// Calculate pages with intelligent photo count (1, 2, or 3)
+
// Only includes multiple photos when they fit well together
+
const calculatePages = (photos: GrainGalleryPhoto[]): GrainGalleryPhoto[][] => {
+
if (photos.length === 0) return [];
+
if (photos.length === 1) return [[photos[0]]];
+
+
const pages: GrainGalleryPhoto[][] = [];
+
let i = 0;
+
+
while (i < photos.length) {
+
const remaining = photos.length - i;
+
+
// Only one photo left - use it
+
if (remaining === 1) {
+
pages.push([photos[i]]);
+
break;
+
}
+
+
// Check if next 3 photos can fit well together
+
if (remaining >= 3) {
+
const nextThree = photos.slice(i, i + 3);
+
if (canFitThreePhotos(nextThree)) {
+
pages.push(nextThree);
+
i += 3;
+
continue;
+
}
+
}
+
+
// Check if next 2 photos can fit well together
+
if (remaining >= 2) {
+
const nextTwo = photos.slice(i, i + 2);
+
if (canFitTwoPhotos(nextTwo)) {
+
pages.push(nextTwo);
+
i += 2;
+
continue;
+
}
+
}
+
+
// Photos don't fit well together, use 1 per page
+
pages.push([photos[i]]);
+
i += 1;
+
}
+
+
return pages;
+
};
+
+
// Helper functions for aspect ratio classification
+
const isPortrait = (ratio: number) => ratio < 0.8;
+
const isLandscape = (ratio: number) => ratio > 1.2;
+
const isSquarish = (ratio: number) => ratio >= 0.8 && ratio <= 1.2;
+
+
// Determine if 2 photos can fit well together side by side
+
const canFitTwoPhotos = (photos: GrainGalleryPhoto[]): boolean => {
+
if (photos.length !== 2) return false;
+
+
const ratios = photos.map((p) => {
+
const ar = p.record.aspectRatio;
+
return ar ? ar.width / ar.height : 1;
+
});
+
+
const [r1, r2] = ratios;
+
+
// Two portraits side by side don't work well (too narrow)
+
if (isPortrait(r1) && isPortrait(r2)) return false;
+
+
// Portrait + landscape/square creates awkward layout
+
if (isPortrait(r1) && !isPortrait(r2)) return false;
+
if (!isPortrait(r1) && isPortrait(r2)) return false;
+
+
// Two landscape or two squarish photos work well
+
if ((isLandscape(r1) || isSquarish(r1)) && (isLandscape(r2) || isSquarish(r2))) {
+
return true;
+
}
+
+
// Default to not fitting
+
return false;
+
};
+
+
// Determine if 3 photos can fit well together in a layout
+
const canFitThreePhotos = (photos: GrainGalleryPhoto[]): boolean => {
+
if (photos.length !== 3) return false;
+
+
const ratios = photos.map((p) => {
+
const ar = p.record.aspectRatio;
+
return ar ? ar.width / ar.height : 1;
+
});
+
+
const [r1, r2, r3] = ratios;
+
+
// Good pattern: one portrait, two landscape/square
+
if (isPortrait(r1) && !isPortrait(r2) && !isPortrait(r3)) return true;
+
if (isPortrait(r3) && !isPortrait(r1) && !isPortrait(r2)) return true;
+
+
// Good pattern: all similar aspect ratios (all landscape or all squarish)
+
const allLandscape = ratios.every(isLandscape);
+
const allSquarish = ratios.every(isSquarish);
+
if (allLandscape || allSquarish) return true;
+
+
// Three portraits in a row can work
+
const allPortrait = ratios.every(isPortrait);
+
if (allPortrait) return true;
+
+
// Otherwise don't fit 3 together
+
return false;
+
};
+
+
// Layout calculator for intelligent photo grid arrangement
+
const calculateLayout = (photos: GrainGalleryPhoto[]) => {
+
if (photos.length === 0) return [];
+
if (photos.length === 1) {
+
return [{ ...photos[0], span: { row: 2, col: 2 } }];
+
}
+
+
const photosWithRatios = photos.map((photo) => {
+
const ratio = photo.record.aspectRatio
+
? photo.record.aspectRatio.width / photo.record.aspectRatio.height
+
: 1;
+
return {
+
...photo,
+
ratio,
+
isPortrait: isPortrait(ratio),
+
isLandscape: isLandscape(ratio)
+
};
+
});
+
+
// For 2 photos: side by side
+
if (photos.length === 2) {
+
return photosWithRatios.map((p) => ({ ...p, span: { row: 2, col: 1 } }));
+
}
+
+
// For 3 photos: try to create a balanced layout
+
if (photos.length === 3) {
+
const [p1, p2, p3] = photosWithRatios;
+
+
// Pattern 1: One tall on left, two stacked on right
+
if (p1.isPortrait && !p2.isPortrait && !p3.isPortrait) {
+
return [
+
{ ...p1, span: { row: 2, col: 1 } },
+
{ ...p2, span: { row: 1, col: 1 } },
+
{ ...p3, span: { row: 1, col: 1 } },
+
];
+
}
+
+
// Pattern 2: Two stacked on left, one tall on right
+
if (!p1.isPortrait && !p2.isPortrait && p3.isPortrait) {
+
return [
+
{ ...p1, span: { row: 1, col: 1 } },
+
{ ...p2, span: { row: 1, col: 1 } },
+
{ ...p3, span: { row: 2, col: 1 } },
+
];
+
}
+
+
// Pattern 3: All in a row
+
const allPortrait = photosWithRatios.every((p) => p.isPortrait);
+
if (allPortrait) {
+
// All portraits: display in a row with smaller cells
+
return photosWithRatios.map((p) => ({ ...p, span: { row: 1, col: 1 } }));
+
}
+
+
// Default: All three in a row
+
return photosWithRatios.map((p) => ({ ...p, span: { row: 1, col: 1 } }));
+
}
+
+
return photosWithRatios.map((p) => ({ ...p, span: { row: 1, col: 1 } }));
+
};
+
+
// Lightbox component for fullscreen image viewing
+
const Lightbox: React.FC<{
+
photo: GrainGalleryPhoto;
+
photoIndex: number;
+
totalPhotos: number;
+
onClose: () => void;
+
onNext: () => void;
+
onPrev: () => void;
+
}> = ({ photo, photoIndex, totalPhotos, onClose, onNext, onPrev }) => {
+
const photoBlob = photo.record.photo;
+
const cdnUrl = isBlobWithCdn(photoBlob) ? photoBlob.cdnUrl : undefined;
+
const cid = cdnUrl ? undefined : extractCidFromBlob(photoBlob);
+
const { url: urlFromBlob, loading: photoLoading, error: photoError } = useBlob(photo.did, cid);
+
const url = cdnUrl || urlFromBlob;
+
const alt = photo.record.alt?.trim() || "grain.social photo";
+
+
return (
+
<div
+
role="dialog"
+
aria-modal="true"
+
aria-label={`Photo ${photoIndex + 1} of ${totalPhotos}`}
+
style={{
+
position: "fixed",
+
top: 0,
+
left: 0,
+
right: 0,
+
bottom: 0,
+
background: "rgba(0, 0, 0, 0.95)",
+
zIndex: 9999,
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
padding: 20,
+
}}
+
onClick={onClose}
+
>
+
{/* Close button */}
+
<button
+
onClick={onClose}
+
style={{
+
position: "absolute",
+
top: 20,
+
right: 20,
+
width: 40,
+
height: 40,
+
border: "none",
+
borderRadius: "50%",
+
background: "rgba(255, 255, 255, 0.1)",
+
color: "white",
+
fontSize: 24,
+
cursor: "pointer",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
transition: "background 200ms ease",
+
}}
+
onMouseEnter={(e) => (e.currentTarget.style.background = "rgba(255, 255, 255, 0.2)")}
+
onMouseLeave={(e) => (e.currentTarget.style.background = "rgba(255, 255, 255, 0.1)")}
+
aria-label="Close lightbox"
+
>
+
ร—
+
</button>
+
+
{/* Previous button */}
+
{totalPhotos > 1 && (
+
<button
+
onClick={(e) => {
+
e.stopPropagation();
+
onPrev();
+
}}
+
style={{
+
position: "absolute",
+
left: 20,
+
top: "50%",
+
transform: "translateY(-50%)",
+
width: 50,
+
height: 50,
+
border: "none",
+
borderRadius: "50%",
+
background: "rgba(255, 255, 255, 0.1)",
+
color: "white",
+
fontSize: 24,
+
cursor: "pointer",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
transition: "background 200ms ease",
+
}}
+
onMouseEnter={(e) => (e.currentTarget.style.background = "rgba(255, 255, 255, 0.2)")}
+
onMouseLeave={(e) => (e.currentTarget.style.background = "rgba(255, 255, 255, 0.1)")}
+
aria-label={`Previous photo (${photoIndex} of ${totalPhotos})`}
+
>
+
โ€น
+
</button>
+
)}
+
+
{/* Next button */}
+
{totalPhotos > 1 && (
+
<button
+
onClick={(e) => {
+
e.stopPropagation();
+
onNext();
+
}}
+
style={{
+
position: "absolute",
+
right: 20,
+
top: "50%",
+
transform: "translateY(-50%)",
+
width: 50,
+
height: 50,
+
border: "none",
+
borderRadius: "50%",
+
background: "rgba(255, 255, 255, 0.1)",
+
color: "white",
+
fontSize: 24,
+
cursor: "pointer",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
transition: "background 200ms ease",
+
}}
+
onMouseEnter={(e) => (e.currentTarget.style.background = "rgba(255, 255, 255, 0.2)")}
+
onMouseLeave={(e) => (e.currentTarget.style.background = "rgba(255, 255, 255, 0.1)")}
+
aria-label={`Next photo (${photoIndex + 2} of ${totalPhotos})`}
+
>
+
โ€บ
+
</button>
+
)}
+
+
{/* Image */}
+
<div
+
style={{
+
maxWidth: "90vw",
+
maxHeight: "90vh",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
}}
+
onClick={(e) => e.stopPropagation()}
+
>
+
{url ? (
+
<img
+
src={url}
+
alt={alt}
+
style={{
+
maxWidth: "100%",
+
maxHeight: "100%",
+
objectFit: "contain",
+
borderRadius: 8,
+
}}
+
/>
+
) : (
+
<div
+
style={{
+
color: "white",
+
fontSize: 16,
+
textAlign: "center",
+
}}
+
>
+
{photoLoading ? "Loadingโ€ฆ" : photoError ? "Failed to load" : "Unavailable"}
+
</div>
+
)}
+
</div>
+
+
{/* Photo counter */}
+
{totalPhotos > 1 && (
+
<div
+
style={{
+
position: "absolute",
+
bottom: 20,
+
left: "50%",
+
transform: "translateX(-50%)",
+
color: "white",
+
fontSize: 14,
+
background: "rgba(0, 0, 0, 0.5)",
+
padding: "8px 16px",
+
borderRadius: 20,
+
}}
+
>
+
{photoIndex + 1} / {totalPhotos}
+
</div>
+
)}
+
</div>
+
);
+
};
+
+
const GalleryPhotoItem: React.FC<{
+
photo: GrainGalleryPhoto;
+
isSingle: boolean;
+
span?: { row: number; col: number };
+
onClick?: () => void;
+
}> = ({ photo, isSingle, span, onClick }) => {
+
const [showAltText, setShowAltText] = React.useState(false);
+
const photoBlob = photo.record.photo;
+
const cdnUrl = isBlobWithCdn(photoBlob) ? photoBlob.cdnUrl : undefined;
+
const cid = cdnUrl ? undefined : extractCidFromBlob(photoBlob);
+
const { url: urlFromBlob, loading: photoLoading, error: photoError } = useBlob(photo.did, cid);
+
const url = cdnUrl || urlFromBlob;
+
const alt = photo.record.alt?.trim() || "grain.social photo";
+
const hasAlt = photo.record.alt && photo.record.alt.trim().length > 0;
+
+
const aspect =
+
photo.record.aspectRatio && photo.record.aspectRatio.height > 0
+
? `${photo.record.aspectRatio.width} / ${photo.record.aspectRatio.height}`
+
: undefined;
+
+
const gridItemStyle = span
+
? {
+
gridRow: `span ${span.row}`,
+
gridColumn: `span ${span.col}`,
+
}
+
: {};
+
+
return (
+
<figure style={{ ...(isSingle ? styles.singlePhotoItem : styles.photoItem), ...gridItemStyle }}>
+
<button
+
onClick={onClick}
+
aria-label={hasAlt ? `View photo: ${alt}` : "View photo"}
+
style={{
+
...(isSingle ? styles.singlePhotoMedia : styles.photoContainer),
+
background: `var(--atproto-color-image-bg)`,
+
// Only apply aspect ratio for single photos; grid photos fill their cells
+
...(isSingle && aspect ? { aspectRatio: aspect } : {}),
+
cursor: onClick ? "pointer" : "default",
+
border: "none",
+
padding: 0,
+
display: "block",
+
width: "100%",
+
}}
+
>
+
{url ? (
+
<img src={url} alt={alt} style={isSingle ? styles.photo : styles.photoGrid} />
+
) : (
+
<div
+
style={{
+
...styles.placeholder,
+
color: `var(--atproto-color-text-muted)`,
+
}}
+
>
+
{photoLoading
+
? "Loadingโ€ฆ"
+
: photoError
+
? "Failed to load"
+
: "Unavailable"}
+
</div>
+
)}
+
{hasAlt && (
+
<button
+
onClick={(e) => {
+
e.stopPropagation();
+
setShowAltText(!showAltText);
+
}}
+
style={{
+
...styles.altBadge,
+
background: showAltText
+
? `var(--atproto-color-text)`
+
: `var(--atproto-color-bg-secondary)`,
+
color: showAltText
+
? `var(--atproto-color-bg)`
+
: `var(--atproto-color-text)`,
+
}}
+
title="Toggle alt text"
+
aria-label="Toggle alt text"
+
aria-pressed={showAltText}
+
>
+
ALT
+
</button>
+
)}
+
</button>
+
{hasAlt && showAltText && (
+
<figcaption
+
style={{
+
...styles.caption,
+
color: `var(--atproto-color-text-secondary)`,
+
}}
+
>
+
{photo.record.alt}
+
</figcaption>
+
)}
+
</figure>
+
);
+
};
+
+
const styles: Record<string, React.CSSProperties> = {
+
card: {
+
borderRadius: 12,
+
border: `1px solid var(--atproto-color-border)`,
+
background: `var(--atproto-color-bg)`,
+
color: `var(--atproto-color-text)`,
+
fontFamily: "system-ui, sans-serif",
+
display: "flex",
+
flexDirection: "column",
+
maxWidth: 600,
+
transition:
+
"background-color 180ms ease, border-color 180ms ease, color 180ms ease",
+
overflow: "hidden",
+
},
+
header: {
+
display: "flex",
+
alignItems: "center",
+
gap: 12,
+
padding: 12,
+
paddingBottom: 0,
+
},
+
avatarPlaceholder: {
+
width: 32,
+
height: 32,
+
borderRadius: "50%",
+
background: `var(--atproto-color-border)`,
+
},
+
avatarImg: {
+
width: 32,
+
height: 32,
+
borderRadius: "50%",
+
objectFit: "cover",
+
},
+
authorInfo: {
+
display: "flex",
+
flexDirection: "column",
+
gap: 2,
+
},
+
displayName: {
+
fontSize: 14,
+
fontWeight: 600,
+
},
+
handle: {
+
fontSize: 12,
+
},
+
galleryInfo: {
+
padding: 12,
+
paddingBottom: 8,
+
},
+
title: {
+
margin: 0,
+
fontSize: 18,
+
fontWeight: 600,
+
marginBottom: 4,
+
},
+
description: {
+
margin: 0,
+
fontSize: 14,
+
lineHeight: 1.4,
+
whiteSpace: "pre-wrap",
+
},
+
singlePhotoContainer: {
+
padding: 0,
+
},
+
carouselContainer: {
+
position: "relative",
+
padding: 4,
+
},
+
photosGrid: {
+
display: "grid",
+
gridTemplateColumns: "repeat(2, 1fr)",
+
gridTemplateRows: "repeat(2, 1fr)",
+
gap: 4,
+
minHeight: 400,
+
},
+
navButton: {
+
position: "absolute",
+
top: "50%",
+
transform: "translateY(-50%)",
+
width: 28,
+
height: 28,
+
border: "none",
+
borderRadius: "50%",
+
fontSize: 18,
+
fontWeight: "600",
+
cursor: "pointer",
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
zIndex: 10,
+
transition: "opacity 150ms ease",
+
userSelect: "none",
+
opacity: 0.7,
+
},
+
navButtonLeft: {
+
left: 8,
+
},
+
navButtonRight: {
+
right: 8,
+
},
+
photoItem: {
+
margin: 0,
+
display: "flex",
+
flexDirection: "column",
+
gap: 4,
+
},
+
singlePhotoItem: {
+
margin: 0,
+
display: "flex",
+
flexDirection: "column",
+
gap: 8,
+
},
+
photoContainer: {
+
position: "relative",
+
width: "100%",
+
height: "100%",
+
overflow: "hidden",
+
borderRadius: 4,
+
},
+
singlePhotoMedia: {
+
position: "relative",
+
width: "100%",
+
overflow: "hidden",
+
borderRadius: 0,
+
},
+
photo: {
+
width: "100%",
+
height: "100%",
+
objectFit: "cover",
+
display: "block",
+
},
+
photoGrid: {
+
width: "100%",
+
height: "100%",
+
objectFit: "cover",
+
display: "block",
+
},
+
placeholder: {
+
display: "flex",
+
alignItems: "center",
+
justifyContent: "center",
+
width: "100%",
+
height: "100%",
+
minHeight: 100,
+
fontSize: 12,
+
},
+
caption: {
+
fontSize: 12,
+
lineHeight: 1.3,
+
padding: "0 12px 8px",
+
},
+
altBadge: {
+
position: "absolute",
+
bottom: 8,
+
right: 8,
+
padding: "4px 8px",
+
fontSize: 10,
+
fontWeight: 600,
+
letterSpacing: "0.5px",
+
border: "none",
+
borderRadius: 4,
+
cursor: "pointer",
+
transition: "background 150ms ease, color 150ms ease",
+
fontFamily: "system-ui, sans-serif",
+
},
+
footer: {
+
padding: 12,
+
paddingTop: 8,
+
display: "flex",
+
justifyContent: "space-between",
+
alignItems: "center",
+
},
+
time: {
+
fontSize: 11,
+
},
+
paginationDots: {
+
display: "flex",
+
gap: 6,
+
alignItems: "center",
+
},
+
paginationDot: {
+
width: 6,
+
height: 6,
+
borderRadius: "50%",
+
border: "none",
+
padding: 0,
+
cursor: "pointer",
+
transition: "background 200ms ease, transform 150ms ease",
+
flexShrink: 0,
+
},
+
};
+
+
export default GrainGalleryRenderer;
+80 -336
lib/renderers/LeafletDocumentRenderer.tsx
···
import React, { useMemo, useRef } from "react";
-
import {
-
useColorScheme,
-
type ColorSchemePreference,
-
} from "../hooks/useColorScheme";
import { useDidResolution } from "../hooks/useDidResolution";
import { useBlob } from "../hooks/useBlob";
+
import { useAtProto } from "../providers/AtProtoProvider";
import {
parseAtUri,
formatDidForLabel,
···
record: LeafletDocumentRecord;
loading: boolean;
error?: Error;
-
colorScheme?: ColorSchemePreference;
did: string;
rkey: string;
canonicalUrl?: string;
···
record,
loading,
error,
-
colorScheme = "system",
did,
rkey,
canonicalUrl,
publicationBaseUrl,
publicationRecord,
}) => {
-
const scheme = useColorScheme(colorScheme);
-
const palette = scheme === "dark" ? theme.dark : theme.light;
+
const { blueskyAppBaseUrl } = useAtProto();
const authorDid = record.author?.startsWith("did:")
? record.author
: undefined;
···
: undefined);
const authorLabel = resolvedPublicationLabel ?? fallbackAuthorLabel;
const authorHref = publicationUri
-
? `https://bsky.app/profile/${publicationUri.did}`
+
? `${blueskyAppBaseUrl}/profile/${publicationUri.did}`
: undefined;
if (error)
···
timeStyle: "short",
})
: undefined;
-
const fallbackLeafletUrl = `https://bsky.app/leaflet/${encodeURIComponent(did)}/${encodeURIComponent(rkey)}`;
+
const fallbackLeafletUrl = `${blueskyAppBaseUrl}/leaflet/${encodeURIComponent(did)}/${encodeURIComponent(rkey)}`;
const publicationRoot =
publicationBaseUrl ?? publicationRecord?.base_path ?? undefined;
const resolvedPublicationRoot = publicationRoot
···
publicationLeafletUrl ??
postUrl ??
(publicationUri
-
? `https://bsky.app/profile/${publicationUri.did}`
+
? `${blueskyAppBaseUrl}/profile/${publicationUri.did}`
: undefined) ??
fallbackLeafletUrl;
···
href={authorHref}
target="_blank"
rel="noopener noreferrer"
-
style={palette.metaLink}
+
style={{ color: `var(--atproto-color-link)`, textDecoration: "none" }}
>
{authorLabel}
</a>
···
href={resolvedPublicationRoot}
target="_blank"
rel="noopener noreferrer"
-
style={palette.metaLink}
+
style={{ color: `var(--atproto-color-link)`, textDecoration: "none" }}
>
{resolvedPublicationRoot.replace(/^https?:\/\//, "")}
</a>,
···
href={viewUrl}
target="_blank"
rel="noopener noreferrer"
-
style={palette.metaLink}
+
style={{ color: `var(--atproto-color-link)`, textDecoration: "none" }}
>
View source
</a>,
···
}
return (
-
<article style={{ ...base.container, ...palette.container }}>
-
<header style={{ ...base.header, ...palette.header }}>
+
<article style={{ ...base.container, background: `var(--atproto-color-bg)`, borderWidth: "1px", borderStyle: "solid", borderColor: `var(--atproto-color-border)`, color: `var(--atproto-color-text)` }}>
+
<header style={{ ...base.header }}>
<div style={base.headerContent}>
-
<h1 style={{ ...base.title, ...palette.title }}>
+
<h1 style={{ ...base.title, color: `var(--atproto-color-text)` }}>
{record.title}
</h1>
{record.description && (
-
<p style={{ ...base.subtitle, ...palette.subtitle }}>
+
<p style={{ ...base.subtitle, color: `var(--atproto-color-text-secondary)` }}>
{record.description}
</p>
)}
</div>
-
<div style={{ ...base.meta, ...palette.meta }}>
+
<div style={{ ...base.meta, color: `var(--atproto-color-text-secondary)` }}>
{metaItems.map((item, idx) => (
<React.Fragment key={`meta-${idx}`}>
{idx > 0 && (
-
<span style={palette.metaSeparator}>โ€ข</span>
+
<span style={{ margin: "0 4px" }}>โ€ข</span>
)}
{item}
</React.Fragment>
···
key={`page-${pageIndex}`}
page={page}
documentDid={did}
-
colorScheme={scheme}
/>
))}
</div>
···
const LeafletPageRenderer: React.FC<{
page: LeafletLinearDocumentPage;
documentDid: string;
-
colorScheme: "light" | "dark";
-
}> = ({ page, documentDid, colorScheme }) => {
+
}> = ({ page, documentDid }) => {
if (!page.blocks?.length) return null;
return (
<div style={base.page}>
···
key={`block-${idx}`}
wrapper={blockWrapper}
documentDid={documentDid}
-
colorScheme={colorScheme}
isFirst={idx === 0}
/>
))}
···
interface LeafletBlockRendererProps {
wrapper: LeafletLinearDocumentBlock;
documentDid: string;
-
colorScheme: "light" | "dark";
isFirst?: boolean;
}
const LeafletBlockRenderer: React.FC<LeafletBlockRendererProps> = ({
wrapper,
documentDid,
-
colorScheme,
isFirst,
}) => {
const block = wrapper.block;
···
<LeafletHeaderBlockView
block={block}
alignment={alignment}
-
colorScheme={colorScheme}
isFirst={isFirst}
/>
);
···
<LeafletBlockquoteBlockView
block={block}
alignment={alignment}
-
colorScheme={colorScheme}
isFirst={isFirst}
/>
);
···
block={block}
alignment={alignment}
documentDid={documentDid}
-
colorScheme={colorScheme}
/>
);
case "pub.leaflet.blocks.unorderedList":
···
block={block}
alignment={alignment}
documentDid={documentDid}
-
colorScheme={colorScheme}
/>
);
case "pub.leaflet.blocks.website":
···
block={block}
alignment={alignment}
documentDid={documentDid}
-
colorScheme={colorScheme}
/>
);
case "pub.leaflet.blocks.iframe":
···
<LeafletMathBlockView
block={block}
alignment={alignment}
-
colorScheme={colorScheme}
/>
);
case "pub.leaflet.blocks.code":
···
<LeafletCodeBlockView
block={block}
alignment={alignment}
-
colorScheme={colorScheme}
/>
);
case "pub.leaflet.blocks.horizontalRule":
return (
<LeafletHorizontalRuleBlockView
alignment={alignment}
-
colorScheme={colorScheme}
/>
);
case "pub.leaflet.blocks.bskyPost":
return (
<LeafletBskyPostBlockView
block={block}
-
colorScheme={colorScheme}
/>
);
case "pub.leaflet.blocks.text":
···
<LeafletTextBlockView
block={block as LeafletTextBlock}
alignment={alignment}
-
colorScheme={colorScheme}
isFirst={isFirst}
/>
);
···
const LeafletTextBlockView: React.FC<{
block: LeafletTextBlock;
alignment?: React.CSSProperties["textAlign"];
-
colorScheme: "light" | "dark";
isFirst?: boolean;
-
}> = ({ block, alignment, colorScheme, isFirst }) => {
+
}> = ({ block, alignment, isFirst }) => {
const segments = useMemo(
() => createFacetedSegments(block.plaintext, block.facets),
[block.plaintext, block.facets],
···
if (!textContent.trim() && segments.length === 0) {
return null;
}
-
const palette = colorScheme === "dark" ? theme.dark : theme.light;
const style: React.CSSProperties = {
...base.paragraph,
-
...palette.paragraph,
+
color: `var(--atproto-color-text)`,
...(alignment ? { textAlign: alignment } : undefined),
...(isFirst ? { marginTop: 0 } : undefined),
};
···
<p style={style}>
{segments.map((segment, idx) => (
<React.Fragment key={`text-${idx}`}>
-
{renderSegment(segment, colorScheme)}
+
{renderSegment(segment)}
</React.Fragment>
))}
</p>
···
const LeafletHeaderBlockView: React.FC<{
block: LeafletHeaderBlock;
alignment?: React.CSSProperties["textAlign"];
-
colorScheme: "light" | "dark";
isFirst?: boolean;
-
}> = ({ block, alignment, colorScheme, isFirst }) => {
-
const palette = colorScheme === "dark" ? theme.dark : theme.light;
+
}> = ({ block, alignment, isFirst }) => {
const level =
block.level && block.level >= 1 && block.level <= 6 ? block.level : 2;
const segments = useMemo(
···
const headingTag = (["h1", "h2", "h3", "h4", "h5", "h6"] as const)[
normalizedLevel - 1
];
-
const headingStyles = palette.heading[normalizedLevel];
const style: React.CSSProperties = {
...base.heading,
-
...headingStyles,
+
color: `var(--atproto-color-text)`,
+
fontSize: normalizedLevel === 1 ? 30 : normalizedLevel === 2 ? 28 : normalizedLevel === 3 ? 24 : normalizedLevel === 4 ? 20 : normalizedLevel === 5 ? 18 : 16,
...(alignment ? { textAlign: alignment } : undefined),
...(isFirst ? { marginTop: 0 } : undefined),
};
···
{ style },
segments.map((segment, idx) => (
<React.Fragment key={`header-${idx}`}>
-
{renderSegment(segment, colorScheme)}
+
{renderSegment(segment)}
</React.Fragment>
)),
);
···
const LeafletBlockquoteBlockView: React.FC<{
block: LeafletBlockquoteBlock;
alignment?: React.CSSProperties["textAlign"];
-
colorScheme: "light" | "dark";
isFirst?: boolean;
-
}> = ({ block, alignment, colorScheme, isFirst }) => {
+
}> = ({ block, alignment, isFirst }) => {
const segments = useMemo(
() => createFacetedSegments(block.plaintext, block.facets),
[block.plaintext, block.facets],
···
if (!textContent.trim() && segments.length === 0) {
return null;
}
-
const palette = colorScheme === "dark" ? theme.dark : theme.light;
return (
<blockquote
style={{
...base.blockquote,
-
...palette.blockquote,
+
background: `var(--atproto-color-bg-elevated)`,
+
borderLeftWidth: "4px",
+
borderLeftStyle: "solid",
+
borderColor: `var(--atproto-color-border)`,
+
color: `var(--atproto-color-text)`,
...(alignment ? { textAlign: alignment } : undefined),
...(isFirst ? { marginTop: 0 } : undefined),
}}
>
{segments.map((segment, idx) => (
<React.Fragment key={`quote-${idx}`}>
-
{renderSegment(segment, colorScheme)}
+
{renderSegment(segment)}
</React.Fragment>
))}
</blockquote>
···
block: LeafletImageBlock;
alignment?: React.CSSProperties["textAlign"];
documentDid: string;
-
colorScheme: "light" | "dark";
-
}> = ({ block, alignment, documentDid, colorScheme }) => {
-
const palette = colorScheme === "dark" ? theme.dark : theme.light;
+
}> = ({ block, alignment, documentDid }) => {
const cid = block.image?.ref?.$link ?? block.image?.cid;
const { url, loading, error } = useBlob(documentDid, cid);
const aspectRatio =
···
<figure
style={{
...base.figure,
-
...palette.figure,
...(alignment ? { textAlign: alignment } : undefined),
}}
>
<div
style={{
...base.imageWrapper,
-
...palette.imageWrapper,
+
background: `var(--atproto-color-bg-elevated)`,
...(aspectRatio ? { aspectRatio } : {}),
}}
>
···
<img
src={url}
alt={block.alt ?? ""}
-
style={{ ...base.image, ...palette.image }}
+
style={{ ...base.image }}
/>
) : (
<div
style={{
...base.imagePlaceholder,
-
...palette.imagePlaceholder,
+
color: `var(--atproto-color-text-secondary)`,
}}
>
{loading
···
)}
</div>
{block.alt && block.alt.trim().length > 0 && (
-
<figcaption style={{ ...base.caption, ...palette.caption }}>
+
<figcaption style={{ ...base.caption, color: `var(--atproto-color-text-secondary)` }}>
{block.alt}
</figcaption>
)}
···
block: LeafletUnorderedListBlock;
alignment?: React.CSSProperties["textAlign"];
documentDid: string;
-
colorScheme: "light" | "dark";
-
}> = ({ block, alignment, documentDid, colorScheme }) => {
-
const palette = colorScheme === "dark" ? theme.dark : theme.light;
+
}> = ({ block, alignment, documentDid }) => {
return (
<ul
style={{
...base.list,
-
...palette.list,
+
color: `var(--atproto-color-text)`,
...(alignment ? { textAlign: alignment } : undefined),
}}
>
···
key={`list-item-${idx}`}
item={child}
documentDid={documentDid}
-
colorScheme={colorScheme}
alignment={alignment}
/>
))}
···
const LeafletListItemRenderer: React.FC<{
item: LeafletListItem;
documentDid: string;
-
colorScheme: "light" | "dark";
alignment?: React.CSSProperties["textAlign"];
-
}> = ({ item, documentDid, colorScheme, alignment }) => {
+
}> = ({ item, documentDid, alignment }) => {
return (
<li
style={{
···
<div>
<LeafletInlineBlock
block={item.content}
-
colorScheme={colorScheme}
documentDid={documentDid}
alignment={alignment}
/>
···
key={`nested-${idx}`}
item={child}
documentDid={documentDid}
-
colorScheme={colorScheme}
alignment={alignment}
/>
))}
···
const LeafletInlineBlock: React.FC<{
block: LeafletBlock;
-
colorScheme: "light" | "dark";
documentDid: string;
alignment?: React.CSSProperties["textAlign"];
-
}> = ({ block, colorScheme, documentDid, alignment }) => {
+
}> = ({ block, documentDid, alignment }) => {
switch (block.$type) {
case "pub.leaflet.blocks.header":
return (
<LeafletHeaderBlockView
block={block as LeafletHeaderBlock}
-
colorScheme={colorScheme}
alignment={alignment}
/>
);
···
return (
<LeafletBlockquoteBlockView
block={block as LeafletBlockquoteBlock}
-
colorScheme={colorScheme}
alignment={alignment}
/>
);
···
<LeafletImageBlockView
block={block as LeafletImageBlock}
documentDid={documentDid}
-
colorScheme={colorScheme}
alignment={alignment}
/>
);
···
return (
<LeafletTextBlockView
block={block as LeafletTextBlock}
-
colorScheme={colorScheme}
alignment={alignment}
/>
);
···
block: LeafletWebsiteBlock;
alignment?: React.CSSProperties["textAlign"];
documentDid: string;
-
colorScheme: "light" | "dark";
-
}> = ({ block, alignment, documentDid, colorScheme }) => {
-
const palette = colorScheme === "dark" ? theme.dark : theme.light;
+
}> = ({ block, alignment, documentDid }) => {
const previewCid =
block.previewImage?.ref?.$link ?? block.previewImage?.cid;
const { url, loading, error } = useBlob(documentDid, previewCid);
···
rel="noopener noreferrer"
style={{
...base.linkCard,
-
...palette.linkCard,
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: `var(--atproto-color-border)`,
+
background: `var(--atproto-color-bg-elevated)`,
+
color: `var(--atproto-color-text)`,
...(alignment ? { textAlign: alignment } : undefined),
}}
>
···
<img
src={url}
alt={block.title ?? "Website preview"}
-
style={{ ...base.linkPreview, ...palette.linkPreview }}
+
style={{ ...base.linkPreview }}
/>
) : (
<div
style={{
...base.linkPreviewPlaceholder,
-
...palette.linkPreviewPlaceholder,
+
background: `var(--atproto-color-bg-elevated)`,
+
color: `var(--atproto-color-text-secondary)`,
}}
>
{loading ? "Loading previewโ€ฆ" : "Open link"}
···
)}
<div style={base.linkContent}>
{block.title && (
-
<strong style={palette.linkTitle}>{block.title}</strong>
+
<strong style={{ fontSize: 16, color: `var(--atproto-color-text)` }}>{block.title}</strong>
)}
{block.description && (
-
<p style={palette.linkDescription}>{block.description}</p>
+
<p style={{ margin: 0, fontSize: 14, color: `var(--atproto-color-text-secondary)`, lineHeight: 1.5 }}>{block.description}</p>
)}
-
<span style={palette.linkUrl}>{block.src}</span>
+
<span style={{ fontSize: 13, color: `var(--atproto-color-link)`, wordBreak: "break-all" }}>{block.src}</span>
</div>
</a>
);
···
const LeafletMathBlockView: React.FC<{
block: LeafletMathBlock;
alignment?: React.CSSProperties["textAlign"];
-
colorScheme: "light" | "dark";
-
}> = ({ block, alignment, colorScheme }) => {
-
const palette = colorScheme === "dark" ? theme.dark : theme.light;
+
}> = ({ block, alignment }) => {
return (
<pre
style={{
...base.math,
-
...palette.math,
+
background: `var(--atproto-color-bg-elevated)`,
+
color: `var(--atproto-color-text)`,
+
border: `1px solid var(--atproto-color-border)`,
...(alignment ? { textAlign: alignment } : undefined),
}}
>
···
const LeafletCodeBlockView: React.FC<{
block: LeafletCodeBlock;
alignment?: React.CSSProperties["textAlign"];
-
colorScheme: "light" | "dark";
-
}> = ({ block, alignment, colorScheme }) => {
-
const palette = colorScheme === "dark" ? theme.dark : theme.light;
+
}> = ({ block, alignment }) => {
const codeRef = useRef<HTMLElement | null>(null);
const langClass = block.language
? `language-${block.language.toLowerCase()}`
···
<pre
style={{
...base.code,
-
...palette.code,
+
background: `var(--atproto-color-bg)`,
+
color: `var(--atproto-color-text)`,
...(alignment ? { textAlign: alignment } : undefined),
}}
>
···
const LeafletHorizontalRuleBlockView: React.FC<{
alignment?: React.CSSProperties["textAlign"];
-
colorScheme: "light" | "dark";
-
}> = ({ alignment, colorScheme }) => {
-
const palette = colorScheme === "dark" ? theme.dark : theme.light;
+
}> = ({ alignment }) => {
return (
<hr
style={{
...base.hr,
-
...palette.hr,
+
borderTopWidth: "1px",
+
borderTopStyle: "solid",
+
borderColor: `var(--atproto-color-border)`,
marginLeft: alignment ? "auto" : undefined,
marginRight: alignment ? "auto" : undefined,
}}
···
const LeafletBskyPostBlockView: React.FC<{
block: LeafletBskyPostBlock;
-
colorScheme: "light" | "dark";
-
}> = ({ block, colorScheme }) => {
+
}> = ({ block }) => {
const parsed = parseAtUri(block.postRef?.uri);
if (!parsed) {
return (
···
<BlueskyPost
did={parsed.did}
rkey={parsed.rkey}
-
colorScheme={colorScheme}
iconPlacement="linkInline"
/>
);
···
]);
}
}
-
const sortedBounds = [...boundaries].sort((a, b) => a - b);
+
const sortedBounds = Array.from(boundaries).sort((a, b) => a - b);
const segments: Segment[] = [];
let active: LeafletRichTextFeature[] = [];
for (let i = 0; i < sortedBounds.length - 1; i++) {
···
function renderSegment(
segment: Segment,
-
colorScheme: "light" | "dark",
): React.ReactNode {
const parts = segment.text.split("\n");
return parts.flatMap((part, idx) => {
···
part.length ? part : "\u00a0",
segment.features,
key,
-
colorScheme,
);
if (idx === parts.length - 1) return wrapped;
return [wrapped, <br key={`${key}-br`} />];
···
content: React.ReactNode,
features: LeafletRichTextFeature[],
key: string,
-
colorScheme: "light" | "dark",
): React.ReactNode {
if (!features?.length)
return <React.Fragment key={key}>{content}</React.Fragment>;
···
child,
feature,
`${key}-feature-${idx}`,
-
colorScheme,
),
content,
)}
···
child: React.ReactNode,
feature: LeafletRichTextFeature,
key: string,
-
colorScheme: "light" | "dark",
): React.ReactNode {
switch (feature.$type) {
case "pub.leaflet.richtext.facet#link":
···
href={feature.uri}
target="_blank"
rel="noopener noreferrer"
-
style={linkStyles[colorScheme]}
+
style={{ color: `var(--atproto-color-link)`, textDecoration: "underline" }}
>
{child}
</a>
);
case "pub.leaflet.richtext.facet#code":
return (
-
<code key={key} style={inlineCodeStyles[colorScheme]}>
+
<code key={key} style={{
+
fontFamily: 'Menlo, Consolas, "SFMono-Regular", ui-monospace',
+
background: `var(--atproto-color-bg-elevated)`,
+
padding: "0 4px",
+
borderRadius: 4,
+
}}>
{child}
</code>
);
case "pub.leaflet.richtext.facet#highlight":
return (
-
<mark key={key} style={highlightStyles[colorScheme]}>
+
<mark key={key} style={{ background: `var(--atproto-color-highlight)` }}>
{child}
</mark>
);
···
gap: 24,
padding: "24px 28px",
borderRadius: 20,
-
border: "1px solid transparent",
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: "transparent",
maxWidth: 720,
width: "100%",
fontFamily:
···
blockquote: {
margin: "1em 0 0",
padding: "0.6em 1em",
-
borderLeft: "4px solid",
+
borderLeftWidth: "4px",
+
borderLeftStyle: "solid",
},
figure: {
margin: "1.2em 0 0",
···
},
linkCard: {
borderRadius: 16,
-
border: "1px solid",
+
borderWidth: "1px",
+
borderStyle: "solid",
display: "flex",
flexDirection: "column",
overflow: "hidden",
···
},
hr: {
border: 0,
-
borderTop: "1px solid",
+
borderTopWidth: "1px",
+
borderTopStyle: "solid",
margin: "24px 0 0",
},
embedFallback: {
···
fontSize: 14,
},
};
-
-
const theme = {
-
light: {
-
container: {
-
background: "#ffffff",
-
borderColor: "#e2e8f0",
-
color: "#0f172a",
-
boxShadow: "0 4px 18px rgba(15, 23, 42, 0.06)",
-
},
-
header: {},
-
title: {
-
color: "#0f172a",
-
},
-
subtitle: {
-
color: "#475569",
-
},
-
meta: {
-
color: "#64748b",
-
},
-
metaLink: {
-
color: "#2563eb",
-
textDecoration: "none",
-
} satisfies React.CSSProperties,
-
metaSeparator: {
-
margin: "0 4px",
-
} satisfies React.CSSProperties,
-
paragraph: {
-
color: "#1f2937",
-
},
-
heading: {
-
1: { color: "#0f172a", fontSize: 30 },
-
2: { color: "#0f172a", fontSize: 28 },
-
3: { color: "#0f172a", fontSize: 24 },
-
4: { color: "#0f172a", fontSize: 20 },
-
5: { color: "#0f172a", fontSize: 18 },
-
6: { color: "#0f172a", fontSize: 16 },
-
} satisfies Record<number, React.CSSProperties>,
-
blockquote: {
-
background: "#f8fafc",
-
borderColor: "#cbd5f5",
-
color: "#1f2937",
-
},
-
figure: {},
-
imageWrapper: {
-
background: "#e2e8f0",
-
},
-
image: {},
-
imagePlaceholder: {
-
color: "#475569",
-
},
-
caption: {
-
color: "#475569",
-
},
-
list: {
-
color: "#1f2937",
-
},
-
linkCard: {
-
borderColor: "#e2e8f0",
-
background: "#f8fafc",
-
color: "#0f172a",
-
},
-
linkPreview: {},
-
linkPreviewPlaceholder: {
-
background: "#e2e8f0",
-
color: "#475569",
-
},
-
linkTitle: {
-
fontSize: 16,
-
color: "#0f172a",
-
} satisfies React.CSSProperties,
-
linkDescription: {
-
margin: 0,
-
fontSize: 14,
-
color: "#475569",
-
lineHeight: 1.5,
-
} satisfies React.CSSProperties,
-
linkUrl: {
-
fontSize: 13,
-
color: "#2563eb",
-
wordBreak: "break-all",
-
} satisfies React.CSSProperties,
-
math: {
-
background: "#f1f5f9",
-
color: "#1f2937",
-
border: "1px solid #e2e8f0",
-
},
-
code: {
-
background: "#0f172a",
-
color: "#e2e8f0",
-
},
-
hr: {
-
borderColor: "#e2e8f0",
-
},
-
},
-
dark: {
-
container: {
-
background: "rgba(15, 23, 42, 0.6)",
-
borderColor: "rgba(148, 163, 184, 0.3)",
-
color: "#e2e8f0",
-
backdropFilter: "blur(8px)",
-
boxShadow: "0 10px 40px rgba(2, 6, 23, 0.45)",
-
},
-
header: {},
-
title: {
-
color: "#f8fafc",
-
},
-
subtitle: {
-
color: "#cbd5f5",
-
},
-
meta: {
-
color: "#94a3b8",
-
},
-
metaLink: {
-
color: "#38bdf8",
-
textDecoration: "none",
-
} satisfies React.CSSProperties,
-
metaSeparator: {
-
margin: "0 4px",
-
} satisfies React.CSSProperties,
-
paragraph: {
-
color: "#e2e8f0",
-
},
-
heading: {
-
1: { color: "#f8fafc", fontSize: 30 },
-
2: { color: "#f8fafc", fontSize: 28 },
-
3: { color: "#f8fafc", fontSize: 24 },
-
4: { color: "#e2e8f0", fontSize: 20 },
-
5: { color: "#e2e8f0", fontSize: 18 },
-
6: { color: "#e2e8f0", fontSize: 16 },
-
} satisfies Record<number, React.CSSProperties>,
-
blockquote: {
-
background: "rgba(30, 41, 59, 0.6)",
-
borderColor: "#38bdf8",
-
color: "#e2e8f0",
-
},
-
figure: {},
-
imageWrapper: {
-
background: "#1e293b",
-
},
-
image: {},
-
imagePlaceholder: {
-
color: "#94a3b8",
-
},
-
caption: {
-
color: "#94a3b8",
-
},
-
list: {
-
color: "#f1f5f9",
-
},
-
linkCard: {
-
borderColor: "rgba(148, 163, 184, 0.3)",
-
background: "rgba(15, 23, 42, 0.8)",
-
color: "#e2e8f0",
-
},
-
linkPreview: {},
-
linkPreviewPlaceholder: {
-
background: "#1e293b",
-
color: "#94a3b8",
-
},
-
linkTitle: {
-
fontSize: 16,
-
color: "#e0f2fe",
-
} satisfies React.CSSProperties,
-
linkDescription: {
-
margin: 0,
-
fontSize: 14,
-
color: "#cbd5f5",
-
lineHeight: 1.5,
-
} satisfies React.CSSProperties,
-
linkUrl: {
-
fontSize: 13,
-
color: "#38bdf8",
-
wordBreak: "break-all",
-
} satisfies React.CSSProperties,
-
math: {
-
background: "rgba(15, 23, 42, 0.8)",
-
color: "#e2e8f0",
-
border: "1px solid rgba(148, 163, 184, 0.35)",
-
},
-
code: {
-
background: "#020617",
-
color: "#e2e8f0",
-
},
-
hr: {
-
borderColor: "rgba(148, 163, 184, 0.3)",
-
},
-
},
-
} as const;
-
-
const linkStyles = {
-
light: {
-
color: "#2563eb",
-
textDecoration: "underline",
-
} satisfies React.CSSProperties,
-
dark: {
-
color: "#38bdf8",
-
textDecoration: "underline",
-
} satisfies React.CSSProperties,
-
} as const;
-
-
const inlineCodeStyles = {
-
light: {
-
fontFamily: 'Menlo, Consolas, "SFMono-Regular", ui-monospace',
-
background: "#f1f5f9",
-
padding: "0 4px",
-
borderRadius: 4,
-
} satisfies React.CSSProperties,
-
dark: {
-
fontFamily: 'Menlo, Consolas, "SFMono-Regular", ui-monospace',
-
background: "#1e293b",
-
padding: "0 4px",
-
borderRadius: 4,
-
} satisfies React.CSSProperties,
-
} as const;
-
-
const highlightStyles = {
-
light: {
-
background: "#fef08a",
-
} satisfies React.CSSProperties,
-
dark: {
-
background: "#facc15",
-
color: "#0f172a",
-
} satisfies React.CSSProperties,
-
} as const;
export default LeafletDocumentRenderer;
+330
lib/renderers/TangledRepoRenderer.tsx
···
+
import React from "react";
+
import type { TangledRepoRecord } from "../types/tangled";
+
import { useAtProto } from "../providers/AtProtoProvider";
+
import { useBacklinks } from "../hooks/useBacklinks";
+
import { useRepoLanguages } from "../hooks/useRepoLanguages";
+
+
export interface TangledRepoRendererProps {
+
record: TangledRepoRecord;
+
error?: Error;
+
loading: boolean;
+
did: string;
+
rkey: string;
+
canonicalUrl?: string;
+
showStarCount?: boolean;
+
branch?: string;
+
languages?: string[];
+
}
+
+
export const TangledRepoRenderer: React.FC<TangledRepoRendererProps> = ({
+
record,
+
error,
+
loading,
+
did,
+
rkey,
+
canonicalUrl,
+
showStarCount = true,
+
branch,
+
languages,
+
}) => {
+
const { tangledBaseUrl, constellationBaseUrl } = useAtProto();
+
+
// Construct the AT-URI for this repo record
+
const atUri = `at://${did}/sh.tangled.repo/${rkey}`;
+
+
// Fetch star backlinks
+
const {
+
count: starCount,
+
loading: starsLoading,
+
error: starsError,
+
} = useBacklinks({
+
subject: atUri,
+
source: "sh.tangled.feed.star:subject",
+
limit: 100,
+
constellationBaseUrl,
+
enabled: showStarCount,
+
});
+
+
// Extract knot server from record.knot (e.g., "knot.gaze.systems")
+
const knotUrl = record?.knot
+
? record.knot.startsWith("http://") || record.knot.startsWith("https://")
+
? new URL(record.knot).hostname
+
: record.knot
+
: undefined;
+
+
// Fetch language data from knot server only if languages not provided
+
const {
+
data: languagesData,
+
loading: _languagesLoading,
+
error: _languagesError,
+
} = useRepoLanguages({
+
knot: knotUrl,
+
did,
+
repoName: record?.name,
+
branch,
+
enabled: !languages && !!knotUrl && !!record?.name,
+
});
+
+
// Convert provided language names to the format expected by the renderer
+
const providedLanguagesData = languages
+
? {
+
languages: languages.map((name) => ({
+
name,
+
percentage: 0,
+
size: 0,
+
})),
+
ref: branch || "main",
+
totalFiles: 0,
+
totalSize: 0,
+
}
+
: undefined;
+
+
// Use provided languages or fetched languages
+
const finalLanguagesData = providedLanguagesData ?? languagesData;
+
+
if (error)
+
return (
+
<div role="alert" style={{ padding: 8, color: "crimson" }}>
+
Failed to load repository.
+
</div>
+
);
+
if (loading && !record) return <div role="status" aria-live="polite" style={{ padding: 8 }}>Loadingโ€ฆ</div>;
+
+
// Construct the canonical URL: tangled.org/[did]/[repo-name]
+
const viewUrl =
+
canonicalUrl ??
+
`${tangledBaseUrl}/${did}/${encodeURIComponent(record.name)}`;
+
+
const tangledIcon = (
+
<svg xmlns="http://www.w3.org/2000/svg" width="20" height="20" viewBox="0 0 25 25" style={{ display: "block" }}>
+
<path fill="currentColor" d="m 16.208435,23.914069 c -0.06147,-0.02273 -0.147027,-0.03034 -0.190158,-0.01691 -0.197279,0.06145 -1.31068,-0.230493 -1.388819,-0.364153 -0.01956,-0.03344 -0.163274,-0.134049 -0.319377,-0.223561 -0.550395,-0.315603 -1.010951,-0.696643 -1.428383,-1.181771 -0.264598,-0.307509 -0.597257,-0.785384 -0.597257,-0.857979 0,-0.0216 -0.02841,-0.06243 -0.06313,-0.0907 -0.04977,-0.04053 -0.160873,0.0436 -0.52488,0.397463 -0.479803,0.466432 -0.78924,0.689475 -1.355603,0.977118 -0.183693,0.0933 -0.323426,0.179989 -0.310516,0.192658 0.02801,0.02748 -0.7656391,0.270031 -1.209129,0.369517 -0.5378332,0.120647 -1.6341809,0.08626 -1.9721503,-0.06186 C 6.7977157,23.031391 6.56735,22.957551 6.3371134,22.889782 4.9717169,22.487902 3.7511914,21.481518 3.1172396,20.234838 2.6890391,19.392772 2.5582276,18.827446 2.5610489,17.831154 2.5639589,16.802192 2.7366641,16.125844 3.2142117,15.273187 3.3040457,15.112788 3.3713143,14.976533 3.3636956,14.9704 3.3560756,14.9643 3.2459634,14.90305 3.1189994,14.834381 1.7582586,14.098312 0.77760984,12.777439 0.44909837,11.23818 0.33531456,10.705039 0.33670119,9.7067968 0.45195381,9.1778795 0.72259241,7.9359287 1.3827188,6.8888436 2.4297498,6.0407205 2.6856126,5.8334648 3.2975489,5.4910878 3.6885849,5.3364049 L 4.0584319,5.190106 4.2333984,4.860432 C 4.8393906,3.7186139 5.8908314,2.7968028 7.1056396,2.3423025 7.7690673,2.0940921 8.2290216,2.0150935 9.01853,2.0137575 c 0.9625627,-0.00163 1.629181,0.1532762 2.485864,0.5776514 l 0.271744,0.1346134 0.42911,-0.3607688 c 1.082666,-0.9102346 2.185531,-1.3136811 3.578383,-1.3090327 0.916696,0.00306 1.573918,0.1517893 2.356121,0.5331927 1.465948,0.7148 2.54506,2.0625628 2.865177,3.57848 l 0.07653,0.362429 0.515095,0.2556611 c 1.022872,0.5076874 1.756122,1.1690944 2.288361,2.0641468 0.401896,0.6758594 0.537303,1.0442682 0.675505,1.8378683 0.288575,1.6570823 -0.266229,3.3548023 -1.490464,4.5608743 -0.371074,0.36557 -0.840205,0.718265 -1.203442,0.904754 -0.144112,0.07398 -0.271303,0.15826 -0.282647,0.187269 -0.01134,0.02901 0.02121,0.142764 0.07234,0.25279 0.184248,0.396467 0.451371,1.331823 0.619371,2.168779 0.463493,2.30908 -0.754646,4.693707 -2.92278,5.721632 -0.479538,0.227352 -0.717629,0.309322 -1.144194,0.39393 -0.321869,0.06383 -1.850573,0.09139 -2.000174,0.03604 z M 12.25443,18.636956 c 0.739923,-0.24652 1.382521,-0.718922 1.874623,-1.37812 0.0752,-0.100718 0.213883,-0.275851 0.308198,-0.389167 0.09432,-0.113318 0.210136,-0.271056 0.257381,-0.350531 0.416347,-0.700389 0.680936,-1.176102 0.766454,-1.378041 0.05594,-0.132087 0.114653,-0.239607 0.130477,-0.238929 0.01583,6.79e-4 0.08126,0.08531 0.145412,0.188069 0.178029,0.285173 0.614305,0.658998 0.868158,0.743878 0.259802,0.08686 0.656158,0.09598 0.911369,0.02095 0.213812,-0.06285 0.507296,-0.298016 0.645179,-0.516947 0.155165,-0.246374 0.327989,-0.989595 0.327989,-1.410501 0,-1.26718 -0.610975,-3.143405 -1.237774,-3.801045 -0.198483,-0.2082486 -0.208557,-0.2319396 -0.208557,-0.4904655 0,-0.2517771 -0.08774,-0.5704927 -0.258476,-0.938956 C 16.694963,8.50313 16.375697,8.1377479 16.135846,7.9543702 L 15.932296,7.7987471 15.683004,7.9356529 C 15.131767,8.2383821 14.435638,8.1945733 13.943459,7.8261812 L 13.782862,7.7059758 13.686773,7.8908012 C 13.338849,8.5600578 12.487087,8.8811064 11.743178,8.6233891 11.487199,8.5347109 11.358897,8.4505994 11.063189,8.1776138 L 10.69871,7.8411436 10.453484,8.0579255 C 10.318608,8.1771557 10.113778,8.3156283 9.9983037,8.3656417 9.7041488,8.4930449 9.1808299,8.5227884 8.8979004,8.4281886 8.7754792,8.3872574 8.6687415,8.3537661 8.6607053,8.3537661 c -0.03426,0 -0.3092864,0.3066098 -0.3791974,0.42275 -0.041935,0.069664 -0.1040482,0.1266636 -0.1380294,0.1266636 -0.1316419,0 -0.4197402,0.1843928 -0.6257041,0.4004735 -0.1923125,0.2017571 -0.6853701,0.9036038 -0.8926582,1.2706578 -0.042662,0.07554 -0.1803555,0.353687 -0.3059848,0.618091 -0.1256293,0.264406 -0.3270073,0.686768 -0.4475067,0.938581 -0.1204992,0.251816 -0.2469926,0.519654 -0.2810961,0.595199 -0.2592829,0.574347 -0.285919,1.391094 -0.057822,1.77304 0.1690683,0.283105 0.4224039,0.480895 0.7285507,0.568809 0.487122,0.139885 0.9109638,-0.004 1.6013422,-0.543768 l 0.4560939,-0.356568 0.0036,0.172041 c 0.01635,0.781837 0.1831084,1.813183 0.4016641,2.484154 0.1160449,0.356262 0.3781448,0.83968 0.5614081,1.035462 0.2171883,0.232025 0.7140951,0.577268 1.0100284,0.701749 0.121485,0.0511 0.351032,0.110795 0.510105,0.132647 0.396966,0.05452 1.2105,0.02265 1.448934,-0.05679 z"/>
+
</svg>
+
);
+
+
return (
+
<div
+
style={{
+
...base.container,
+
background: `var(--atproto-color-bg)`,
+
borderWidth: "1px",
+
borderStyle: "solid",
+
borderColor: `var(--atproto-color-border)`,
+
color: `var(--atproto-color-text)`,
+
}}
+
>
+
{/* Header with title and icons */}
+
<div
+
style={{
+
...base.header,
+
background: `var(--atproto-color-bg)`,
+
}}
+
>
+
<div style={base.headerTop}>
+
<strong
+
style={{
+
...base.repoName,
+
color: `var(--atproto-color-text)`,
+
}}
+
>
+
{record.name}
+
</strong>
+
<div style={base.headerRight}>
+
<a
+
href={viewUrl}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{
+
...base.iconLink,
+
color: `var(--atproto-color-text)`,
+
}}
+
title="View on Tangled"
+
>
+
{tangledIcon}
+
</a>
+
{record.source && (
+
<a
+
href={record.source}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{
+
...base.iconLink,
+
color: `var(--atproto-color-text)`,
+
}}
+
title="View source repository"
+
>
+
<svg xmlns="http://www.w3.org/2000/svg" width="20" height="20" viewBox="0 0 16 16" fill="currentColor" style={{ display: "block" }}>
+
<path d="M8 0C3.58 0 0 3.58 0 8c0 3.54 2.29 6.53 5.47 7.59.4.07.55-.17.55-.38 0-.19-.01-.82-.01-1.49-2.01.37-2.53-.49-2.69-.94-.09-.23-.48-.94-.82-1.13-.28-.15-.68-.52-.01-.53.63-.01 1.08.58 1.23.82.72 1.21 1.87.87 2.33.66.07-.52.28-.87.51-1.07-1.78-.2-3.64-.89-3.64-3.95 0-.87.31-1.59.82-2.15-.08-.2-.36-1.02.08-2.12 0 0 .67-.21 2.2.82.64-.18 1.32-.27 2-.27.68 0 1.36.09 2 .27 1.53-1.04 2.2-.82 2.2-.82.44 1.1.16 1.92.08 2.12.51.56.82 1.27.82 2.15 0 3.07-1.87 3.75-3.65 3.95.29.25.54.73.54 1.48 0 1.07-.01 1.93-.01 2.2 0 .21.15.46.55.38A8.013 8.013 0 0016 8c0-4.42-3.58-8-8-8z"/>
+
</svg>
+
</a>
+
)}
+
</div>
+
</div>
+
</div>
+
+
{/* Description */}
+
{record.description && (
+
<div
+
style={{
+
...base.description,
+
background: `var(--atproto-color-bg)`,
+
color: `var(--atproto-color-text-secondary)`,
+
}}
+
>
+
{record.description}
+
</div>
+
)}
+
+
{/* Languages and Stars */}
+
<div
+
style={{
+
...base.languageSection,
+
background: `var(--atproto-color-bg)`,
+
}}
+
>
+
{/* Languages */}
+
{finalLanguagesData && finalLanguagesData.languages.length > 0 && (() => {
+
const topLanguages = finalLanguagesData.languages
+
.filter((lang) => lang.name && (lang.percentage > 0 || finalLanguagesData.languages.every(l => l.percentage === 0)))
+
.sort((a, b) => b.percentage - a.percentage)
+
.slice(0, 2);
+
return topLanguages.length > 0 ? (
+
<div style={base.languageTags}>
+
{topLanguages.map((lang) => (
+
<span key={lang.name} style={base.languageTag}>
+
{lang.name}
+
</span>
+
))}
+
</div>
+
) : null;
+
})()}
+
+
{/* Right side: Stars and View on Tangled link */}
+
<div style={base.rightSection}>
+
{/* Stars */}
+
{showStarCount && (
+
<div
+
style={{
+
...base.starCountContainer,
+
color: `var(--atproto-color-text-secondary)`,
+
}}
+
>
+
<svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 16 16" fill="currentColor" style={{ display: "block" }}>
+
<path d="M8 .25a.75.75 0 0 1 .673.418l1.882 3.815 4.21.612a.75.75 0 0 1 .416 1.279l-3.046 2.97.719 4.192a.751.751 0 0 1-1.088.791L8 12.347l-3.766 1.98a.75.75 0 0 1-1.088-.79l.72-4.194L.818 6.374a.75.75 0 0 1 .416-1.28l4.21-.611L7.327.668A.75.75 0 0 1 8 .25Z"/>
+
</svg>
+
{starsLoading ? (
+
<span style={base.starCount}>...</span>
+
) : starsError ? (
+
<span style={base.starCount}>โ€”</span>
+
) : (
+
<span style={base.starCount}>{starCount}</span>
+
)}
+
</div>
+
)}
+
+
{/* View on Tangled link */}
+
<a
+
href={viewUrl}
+
target="_blank"
+
rel="noopener noreferrer"
+
style={{
+
...base.viewLink,
+
color: `var(--atproto-color-link)`,
+
}}
+
>
+
View on Tangled
+
</a>
+
</div>
+
</div>
+
</div>
+
);
+
};
+
+
const base: Record<string, React.CSSProperties> = {
+
container: {
+
fontFamily: "system-ui, sans-serif",
+
borderRadius: 6,
+
overflow: "hidden",
+
transition:
+
"background-color 180ms ease, border-color 180ms ease, color 180ms ease, box-shadow 180ms ease",
+
width: "100%",
+
},
+
header: {
+
padding: "16px",
+
display: "flex",
+
flexDirection: "column",
+
},
+
headerTop: {
+
display: "flex",
+
justifyContent: "space-between",
+
alignItems: "flex-start",
+
gap: 12,
+
},
+
headerRight: {
+
display: "flex",
+
alignItems: "center",
+
gap: 8,
+
},
+
repoName: {
+
fontFamily:
+
'SFMono-Regular, ui-monospace, Menlo, Monaco, "Courier New", monospace',
+
fontSize: 18,
+
fontWeight: 600,
+
wordBreak: "break-word",
+
margin: 0,
+
},
+
iconLink: {
+
display: "flex",
+
alignItems: "center",
+
textDecoration: "none",
+
opacity: 0.7,
+
transition: "opacity 150ms ease",
+
},
+
description: {
+
padding: "0 16px 16px 16px",
+
fontSize: 14,
+
lineHeight: 1.5,
+
},
+
languageSection: {
+
padding: "0 16px 16px 16px",
+
display: "flex",
+
justifyContent: "space-between",
+
alignItems: "center",
+
gap: 12,
+
flexWrap: "wrap",
+
},
+
languageTags: {
+
display: "flex",
+
gap: 8,
+
flexWrap: "wrap",
+
},
+
languageTag: {
+
fontSize: 12,
+
fontWeight: 500,
+
padding: "4px 10px",
+
background: `var(--atproto-color-bg)`,
+
borderRadius: 12,
+
border: "1px solid var(--atproto-color-border)",
+
},
+
rightSection: {
+
display: "flex",
+
alignItems: "center",
+
gap: 12,
+
},
+
starCountContainer: {
+
display: "flex",
+
alignItems: "center",
+
gap: 4,
+
fontSize: 13,
+
},
+
starCount: {
+
fontSize: 13,
+
fontWeight: 500,
+
},
+
viewLink: {
+
fontSize: 13,
+
fontWeight: 500,
+
textDecoration: "none",
+
},
+
};
+
+
export default TangledRepoRenderer;
+18 -91
lib/renderers/TangledStringRenderer.tsx
···
import React from "react";
-
import type { ShTangledString } from "@atcute/tangled";
-
import {
-
useColorScheme,
-
type ColorSchemePreference,
-
} from "../hooks/useColorScheme";
-
-
export type TangledStringRecord = ShTangledString.Main;
+
import { useAtProto } from "../providers/AtProtoProvider";
+
import type { TangledStringRecord } from "../types/tangled";
export interface TangledStringRendererProps {
record: TangledStringRecord;
error?: Error;
loading: boolean;
-
colorScheme?: ColorSchemePreference;
did: string;
rkey: string;
canonicalUrl?: string;
···
record,
error,
loading,
-
colorScheme = "system",
did,
rkey,
canonicalUrl,
}) => {
-
const scheme = useColorScheme(colorScheme);
+
const { tangledBaseUrl } = useAtProto();
if (error)
return (
···
);
if (loading && !record) return <div style={{ padding: 8 }}>Loadingโ€ฆ</div>;
-
const palette = scheme === "dark" ? theme.dark : theme.light;
const viewUrl =
canonicalUrl ??
-
`https://tangled.org/strings/${did}/${encodeURIComponent(rkey)}`;
+
`${tangledBaseUrl}/strings/${did}/${encodeURIComponent(rkey)}`;
const timestamp = new Date(record.createdAt).toLocaleString(undefined, {
dateStyle: "medium",
timeStyle: "short",
});
return (
-
<div style={{ ...base.container, ...palette.container }}>
-
<div style={{ ...base.header, ...palette.header }}>
-
<strong style={{ ...base.filename, ...palette.filename }}>
+
<div style={{ ...base.container, background: `var(--atproto-color-bg-elevated)`, borderWidth: "1px", borderStyle: "solid", borderColor: `var(--atproto-color-border)`, color: `var(--atproto-color-text)` }}>
+
<div style={{ ...base.header, background: `var(--atproto-color-bg-elevated)`, borderBottomWidth: "1px", borderBottomStyle: "solid", borderBottomColor: `var(--atproto-color-border)` }}>
+
<strong style={{ ...base.filename, color: `var(--atproto-color-text)` }}>
{record.filename}
</strong>
-
<div style={{ ...base.headerRight, ...palette.headerRight }}>
+
<div style={{ ...base.headerRight }}>
<time
-
style={{ ...base.timestamp, ...palette.timestamp }}
+
style={{ ...base.timestamp, color: `var(--atproto-color-text-secondary)` }}
dateTime={record.createdAt}
>
{timestamp}
···
href={viewUrl}
target="_blank"
rel="noopener noreferrer"
-
style={{ ...base.headerLink, ...palette.headerLink }}
+
style={{ ...base.headerLink, color: `var(--atproto-color-link)` }}
>
View on Tangled
</a>
</div>
</div>
{record.description && (
-
<div style={{ ...base.description, ...palette.description }}>
+
<div style={{ ...base.description, background: `var(--atproto-color-bg)`, borderTopWidth: "1px", borderTopStyle: "solid", borderTopColor: `var(--atproto-color-border)`, borderBottomWidth: "1px", borderBottomStyle: "solid", borderBottomColor: `var(--atproto-color-border)`, color: `var(--atproto-color-text)` }}>
{record.description}
</div>
)}
-
<pre style={{ ...base.codeBlock, ...palette.codeBlock }}>
+
<pre style={{ ...base.codeBlock, background: `var(--atproto-color-bg)`, color: `var(--atproto-color-text)`, borderTopWidth: "1px", borderTopStyle: "solid", borderTopColor: `var(--atproto-color-border)` }}>
<code>{record.contents}</code>
</pre>
</div>
···
description: {
padding: "10px 16px",
fontSize: 13,
-
borderTop: "1px solid transparent",
+
borderTopWidth: "1px",
+
borderTopStyle: "solid",
+
borderTopColor: "transparent",
},
codeBlock: {
margin: 0,
padding: "16px",
fontSize: 13,
overflowX: "auto",
-
borderTop: "1px solid transparent",
+
borderTopWidth: "1px",
+
borderTopStyle: "solid",
+
borderTopColor: "transparent",
fontFamily:
'SFMono-Regular, ui-monospace, Menlo, Monaco, "Courier New", monospace',
},
};
-
-
const theme = {
-
light: {
-
container: {
-
border: "1px solid #d0d7de",
-
background: "#f6f8fa",
-
color: "#1f2328",
-
boxShadow: "0 1px 2px rgba(31,35,40,0.05)",
-
},
-
header: {
-
background: "#f6f8fa",
-
borderBottom: "1px solid #d0d7de",
-
},
-
headerRight: {},
-
filename: {
-
color: "#1f2328",
-
},
-
timestamp: {
-
color: "#57606a",
-
},
-
headerLink: {
-
color: "#2563eb",
-
},
-
description: {
-
background: "#ffffff",
-
borderBottom: "1px solid #d0d7de",
-
borderTopColor: "#d0d7de",
-
color: "#1f2328",
-
},
-
codeBlock: {
-
background: "#ffffff",
-
color: "#1f2328",
-
borderTopColor: "#d0d7de",
-
},
-
},
-
dark: {
-
container: {
-
border: "1px solid #30363d",
-
background: "#0d1117",
-
color: "#c9d1d9",
-
boxShadow: "0 0 0 1px rgba(1,4,9,0.3) inset",
-
},
-
header: {
-
background: "#161b22",
-
borderBottom: "1px solid #30363d",
-
},
-
headerRight: {},
-
filename: {
-
color: "#c9d1d9",
-
},
-
timestamp: {
-
color: "#8b949e",
-
},
-
headerLink: {
-
color: "#58a6ff",
-
},
-
description: {
-
background: "#161b22",
-
borderBottom: "1px solid #30363d",
-
borderTopColor: "#30363d",
-
color: "#c9d1d9",
-
},
-
codeBlock: {
-
background: "#0d1117",
-
color: "#c9d1d9",
-
borderTopColor: "#30363d",
-
},
-
},
-
} satisfies Record<"light" | "dark", Record<string, React.CSSProperties>>;
export default TangledStringRenderer;
+97
lib/styles.css
···
+
/**
+
* Global CSS variables for AtProto UI components
+
*
+
* These variables can be customized in your application by setting them
+
* at the :root level or within specific components.
+
*/
+
+
:root {
+
/* Light theme colors (default) */
+
--atproto-color-bg: #f5f7f9;
+
--atproto-color-bg-elevated: #f8f9fb;
+
--atproto-color-bg-secondary: #edf1f5;
+
--atproto-color-text: #0f172a;
+
--atproto-color-text-secondary: #475569;
+
--atproto-color-text-muted: #64748b;
+
--atproto-color-border: #d6dce3;
+
--atproto-color-border-subtle: #c1cad4;
+
--atproto-color-border-hover: #94a3b8;
+
--atproto-color-link: #2563eb;
+
--atproto-color-link-hover: #1d4ed8;
+
--atproto-color-error: #dc2626;
+
--atproto-color-primary: #2563eb;
+
--atproto-color-button-bg: #edf1f5;
+
--atproto-color-button-hover: #e3e9ef;
+
--atproto-color-button-text: #0f172a;
+
--atproto-color-bg-hover: #f0f3f6;
+
--atproto-color-bg-pressed: #e3e9ef;
+
--atproto-color-code-bg: #edf1f5;
+
--atproto-color-code-border: #d6dce3;
+
--atproto-color-blockquote-border: #c1cad4;
+
--atproto-color-blockquote-bg: #f0f3f6;
+
--atproto-color-hr: #d6dce3;
+
--atproto-color-image-bg: #edf1f5;
+
--atproto-color-highlight: #fef08a;
+
}
+
+
/* Dark theme - can be applied via [data-theme="dark"] or .dark class */
+
[data-theme="dark"],
+
.dark {
+
--atproto-color-bg: #141b22;
+
--atproto-color-bg-elevated: #1a222a;
+
--atproto-color-bg-secondary: #0f161c;
+
--atproto-color-text: #fafafa;
+
--atproto-color-text-secondary: #a1a1aa;
+
--atproto-color-text-muted: #71717a;
+
--atproto-color-border: #1f2933;
+
--atproto-color-border-subtle: #2d3748;
+
--atproto-color-border-hover: #4a5568;
+
--atproto-color-link: #60a5fa;
+
--atproto-color-link-hover: #93c5fd;
+
--atproto-color-error: #ef4444;
+
--atproto-color-primary: #3b82f6;
+
--atproto-color-button-bg: #1a222a;
+
--atproto-color-button-hover: #243039;
+
--atproto-color-button-text: #fafafa;
+
--atproto-color-bg-hover: #1a222a;
+
--atproto-color-bg-pressed: #243039;
+
--atproto-color-code-bg: #0f161c;
+
--atproto-color-code-border: #1f2933;
+
--atproto-color-blockquote-border: #2d3748;
+
--atproto-color-blockquote-bg: #1a222a;
+
--atproto-color-hr: #243039;
+
--atproto-color-image-bg: #1a222a;
+
--atproto-color-highlight: #854d0e;
+
}
+
+
/* Support for system preference based theming */
+
@media (prefers-color-scheme: dark) {
+
:root:not([data-theme]),
+
:root[data-theme="system"] {
+
--atproto-color-bg: #141b22;
+
--atproto-color-bg-elevated: #1a222a;
+
--atproto-color-bg-secondary: #0f161c;
+
--atproto-color-text: #fafafa;
+
--atproto-color-text-secondary: #a1a1aa;
+
--atproto-color-text-muted: #71717a;
+
--atproto-color-border: #1f2933;
+
--atproto-color-border-subtle: #2d3748;
+
--atproto-color-border-hover: #4a5568;
+
--atproto-color-link: #60a5fa;
+
--atproto-color-link-hover: #93c5fd;
+
--atproto-color-error: #ef4444;
+
--atproto-color-primary: #3b82f6;
+
--atproto-color-button-bg: #1a222a;
+
--atproto-color-button-hover: #243039;
+
--atproto-color-button-text: #fafafa;
+
--atproto-color-bg-hover: #1a222a;
+
--atproto-color-bg-pressed: #243039;
+
--atproto-color-code-bg: #0f161c;
+
--atproto-color-code-border: #1f2933;
+
--atproto-color-blockquote-border: #2d3748;
+
--atproto-color-blockquote-bg: #1a222a;
+
--atproto-color-hr: #243039;
+
--atproto-color-image-bg: #1a222a;
+
--atproto-color-highlight: #854d0e;
+
}
+
}
+95
lib/types/grain.ts
···
+
/**
+
* Type definitions for grain.social records
+
* Uses standard atcute blob types for compatibility
+
*/
+
import type { Blob } from "@atcute/lexicons/interfaces";
+
import type { BlobWithCdn } from "../hooks/useBlueskyAppview";
+
+
/**
+
* grain.social gallery record
+
* A container for a collection of photos
+
*/
+
export interface GrainGalleryRecord {
+
/**
+
* Record type identifier
+
*/
+
$type: "social.grain.gallery";
+
/**
+
* Gallery title
+
*/
+
title: string;
+
/**
+
* Gallery description
+
*/
+
description?: string;
+
/**
+
* Self-label values (content warnings)
+
*/
+
labels?: {
+
$type: "com.atproto.label.defs#selfLabels";
+
values: Array<{ val: string }>;
+
};
+
/**
+
* Timestamp when the gallery was created
+
*/
+
createdAt: string;
+
}
+
+
/**
+
* grain.social gallery item record
+
* Links a photo to a gallery
+
*/
+
export interface GrainGalleryItemRecord {
+
/**
+
* Record type identifier
+
*/
+
$type: "social.grain.gallery.item";
+
/**
+
* AT URI of the photo (social.grain.photo)
+
*/
+
item: string;
+
/**
+
* AT URI of the gallery this item belongs to
+
*/
+
gallery: string;
+
/**
+
* Position/order within the gallery
+
*/
+
position?: number;
+
/**
+
* Timestamp when the item was added to the gallery
+
*/
+
createdAt: string;
+
}
+
+
/**
+
* grain.social photo record
+
* Compatible with records from @atcute clients
+
*/
+
export interface GrainPhotoRecord {
+
/**
+
* Record type identifier
+
*/
+
$type: "social.grain.photo";
+
/**
+
* Alt text description of the image (required for accessibility)
+
*/
+
alt: string;
+
/**
+
* Photo blob reference - uses standard AT Proto blob format
+
* Supports any image/* mime type
+
* May include cdnUrl when fetched from appview
+
*/
+
photo: Blob<`image/${string}`> | BlobWithCdn;
+
/**
+
* Timestamp when the photo was created
+
*/
+
createdAt?: string;
+
/**
+
* Aspect ratio of the photo
+
*/
+
aspectRatio?: {
+
width: number;
+
height: number;
+
};
+
}
+22
lib/types/tangled.ts
···
+
import type { ShTangledRepo, ShTangledString } from "@atcute/tangled";
+
+
export type TangledRepoRecord = ShTangledRepo.Main;
+
export type TangledStringRecord = ShTangledString.Main;
+
+
/** Language information from sh.tangled.repo.languages endpoint */
+
export interface RepoLanguage {
+
name: string;
+
percentage: number;
+
size: number;
+
}
+
+
/**
+
* Response from sh.tangled.repo.languages endpoint from tangled knot
+
*/
+
export interface RepoLanguagesResponse {
+
languages: RepoLanguage[];
+
/** Branch name */
+
ref: string;
+
totalFiles: number;
+
totalSize: number;
+
}
+40
lib/types/teal.ts
···
+
/**
+
* teal.fm record types for music listening history
+
* Specification: fm.teal.alpha.actor.status and fm.teal.alpha.feed.play
+
*/
+
+
export interface TealArtist {
+
artistName: string;
+
artistMbId?: string;
+
}
+
+
export interface TealPlayItem {
+
artists: TealArtist[];
+
originUrl?: string;
+
trackName: string;
+
playedTime: string;
+
releaseName?: string;
+
recordingMbId?: string;
+
releaseMbId?: string;
+
submissionClientAgent?: string;
+
musicServiceBaseDomain?: string;
+
isrc?: string;
+
duration?: number;
+
}
+
+
/**
+
* fm.teal.alpha.actor.status - The last played song
+
*/
+
export interface TealActorStatusRecord {
+
$type: "fm.teal.alpha.actor.status";
+
item: TealPlayItem;
+
time: string;
+
expiry?: string;
+
}
+
+
/**
+
* fm.teal.alpha.feed.play - A single play record
+
*/
+
export interface TealFeedPlayRecord extends TealPlayItem {
+
$type: "fm.teal.alpha.feed.play";
+
}
+23
lib/types/theme.ts
···
+
export type AtProtoStyles = React.CSSProperties & {
+
'--atproto-color-bg'?: string;
+
'--atproto-color-bg-elevated'?: string;
+
'--atproto-color-bg-secondary'?: string;
+
'--atproto-color-text'?: string;
+
'--atproto-color-text-secondary'?: string;
+
'--atproto-color-text-muted'?: string;
+
'--atproto-color-border'?: string;
+
'--atproto-color-border-subtle'?: string;
+
'--atproto-color-link'?: string;
+
'--atproto-color-link-hover'?: string;
+
'--atproto-color-error'?: string;
+
'--atproto-color-button-bg'?: string;
+
'--atproto-color-button-hover'?: string;
+
'--atproto-color-button-text'?: string;
+
'--atproto-color-code-bg'?: string;
+
'--atproto-color-code-border'?: string;
+
'--atproto-color-blockquote-border'?: string;
+
'--atproto-color-blockquote-bg'?: string;
+
'--atproto-color-hr'?: string;
+
'--atproto-color-image-bg'?: string;
+
'--atproto-color-highlight'?: string;
+
};
+37 -4
lib/utils/atproto-client.ts
···
export interface ServiceResolverOptions {
plcDirectory?: string;
identityService?: string;
+
slingshotBaseUrl?: string;
fetch?: typeof fetch;
}
const DEFAULT_PLC = "https://plc.directory";
const DEFAULT_IDENTITY_SERVICE = "https://public.api.bsky.app";
+
const DEFAULT_SLINGSHOT = "https://slingshot.microcosm.blue";
+
const DEFAULT_APPVIEW = "https://public.api.bsky.app";
+
const DEFAULT_BLUESKY_APP = "https://bsky.app";
+
const DEFAULT_TANGLED = "https://tangled.org";
+
const DEFAULT_CONSTELLATION = "https://constellation.microcosm.blue";
+
const ABSOLUTE_URL_RE = /^[a-zA-Z][a-zA-Z\d+\-.]*:/;
const SUPPORTED_DID_METHODS = ["plc", "web"] as const;
type SupportedDidMethod = (typeof SUPPORTED_DID_METHODS)[number];
type SupportedDid = Did<SupportedDidMethod>;
-
export const SLINGSHOT_BASE_URL = "https://slingshot.microcosm.blue";
+
/**
+
* Default configuration values for AT Protocol services.
+
* These can be overridden via AtProtoProvider props.
+
*/
+
export const DEFAULT_CONFIG = {
+
plcDirectory: DEFAULT_PLC,
+
identityService: DEFAULT_IDENTITY_SERVICE,
+
slingshotBaseUrl: DEFAULT_SLINGSHOT,
+
blueskyAppviewService: DEFAULT_APPVIEW,
+
blueskyAppBaseUrl: DEFAULT_BLUESKY_APP,
+
tangledBaseUrl: DEFAULT_TANGLED,
+
constellationBaseUrl: DEFAULT_CONSTELLATION,
+
} as const;
+
+
export const SLINGSHOT_BASE_URL = DEFAULT_SLINGSHOT;
export const normalizeBaseUrl = (input: string): string => {
const trimmed = input.trim();
···
export class ServiceResolver {
private plc: string;
+
private slingshot: string;
private didResolver: CompositeDidDocumentResolver<SupportedDidMethod>;
private handleResolver: XrpcHandleResolver;
private fetchImpl: typeof fetch;
···
opts.identityService && opts.identityService.trim()
? opts.identityService
: DEFAULT_IDENTITY_SERVICE;
+
const slingshotSource =
+
opts.slingshotBaseUrl && opts.slingshotBaseUrl.trim()
+
? opts.slingshotBaseUrl
+
: DEFAULT_SLINGSHOT;
this.plc = normalizeBaseUrl(plcSource);
const identityBase = normalizeBaseUrl(identitySource);
+
this.slingshot = normalizeBaseUrl(slingshotSource);
this.fetchImpl = bindFetch(opts.fetch);
const plcResolver = new PlcDidDocumentResolver({
apiUrl: this.plc,
···
return svc.serviceEndpoint.replace(/\/$/, "");
}
+
getSlingshotUrl(): string {
+
return this.slingshot;
+
}
+
async resolveHandle(handle: string): Promise<string> {
const normalized = handle.trim().toLowerCase();
if (!normalized) throw new Error("Handle cannot be empty");
···
try {
const url = new URL(
"/xrpc/com.atproto.identity.resolveHandle",
-
SLINGSHOT_BASE_URL,
+
this.slingshot,
);
url.searchParams.set("handle", normalized);
const response = await this.fetchImpl(url);
···
}
if (!service) throw new Error("service or did required");
const normalizedService = normalizeBaseUrl(service);
-
const handler = createSlingshotAwareHandler(normalizedService, fetchImpl);
+
const slingshotUrl = resolver.getSlingshotUrl();
+
const handler = createSlingshotAwareHandler(normalizedService, slingshotUrl, fetchImpl);
const rpc = new Client({ handler });
return { rpc, service: normalizedService, resolver };
}
···
function createSlingshotAwareHandler(
service: string,
+
slingshotBaseUrl: string,
fetchImpl: typeof fetch,
): FetchHandler {
const primary = simpleFetchHandler({ service, fetch: fetchImpl });
const slingshot = simpleFetchHandler({
-
service: SLINGSHOT_BASE_URL,
+
service: slingshotBaseUrl,
fetch: fetchImpl,
});
return async (pathname, init) => {
+37
lib/utils/blob.ts
···
+
import type { BlobWithCdn } from "../hooks/useBlueskyAppview";
+
+
/**
+
* Type guard to check if a blob has a CDN URL from appview.
+
*/
+
export function isBlobWithCdn(value: unknown): value is BlobWithCdn {
+
if (typeof value !== "object" || value === null) return false;
+
const obj = value as Record<string, unknown>;
+
return (
+
obj.$type === "blob" &&
+
typeof obj.cdnUrl === "string" &&
+
typeof obj.ref === "object" &&
+
obj.ref !== null &&
+
typeof (obj.ref as { $link?: unknown }).$link === "string"
+
);
+
}
+
+
/**
+
* Extracts CID from a blob reference object.
+
* Works with both legacy and modern blob formats.
+
*/
+
export function extractCidFromBlob(blob: unknown): string | undefined {
+
if (typeof blob !== "object" || blob === null) return undefined;
+
+
const blobObj = blob as {
+
ref?: { $link?: string };
+
cid?: string;
+
};
+
+
if (typeof blobObj.cid === "string") return blobObj.cid;
+
if (typeof blobObj.ref === "object" && blobObj.ref !== null) {
+
const link = blobObj.ref.$link;
+
if (typeof link === "string") return link;
+
}
+
+
return undefined;
+
}
+141 -1
lib/utils/cache.ts
···
doc?: DidDocument;
pdsEndpoint?: string;
timestamp: number;
+
snapshot?: DidCacheSnapshot; // Memoized snapshot to prevent rerenders
}
export interface DidCacheSnapshot {
···
entry: DidCacheEntry | undefined,
): DidCacheSnapshot | undefined => {
if (!entry) return undefined;
+
// Return memoized snapshot if it exists
+
if (entry.snapshot) return entry.snapshot;
+
// Create and cache new snapshot
const { did, handle, doc, pdsEndpoint } = entry;
-
return { did, handle, doc, pdsEndpoint };
+
const snapshot = { did, handle, doc, pdsEndpoint };
+
entry.snapshot = snapshot;
+
return snapshot;
};
const derivePdsEndpoint = (
···
derivePdsEndpoint(doc) ??
existing?.pdsEndpoint;
+
// Check if data has changed - if not, reuse existing snapshot
+
if (
+
existing &&
+
existing.did === did &&
+
existing.handle === handle &&
+
existing.doc === doc &&
+
existing.pdsEndpoint === pdsEndpoint
+
) {
+
// Data unchanged, return existing memoized snapshot
+
return toSnapshot(existing) as DidCacheSnapshot;
+
}
+
+
// Data changed, create new entry (snapshot will be created on first access)
const merged: DidCacheEntry = {
did,
handle,
doc,
pdsEndpoint,
timestamp: Date.now(),
+
snapshot: undefined, // Will be created lazily by toSnapshot
};
this.byDid.set(did, merged);
···
}
}
}
+
+
interface RecordCacheEntry<T = unknown> {
+
record: T;
+
timestamp: number;
+
}
+
+
interface InFlightRecordEntry<T = unknown> {
+
promise: Promise<T>;
+
abort: () => void;
+
refCount: number;
+
}
+
+
interface RecordEnsureResult<T = unknown> {
+
promise: Promise<T>;
+
release: () => void;
+
}
+
+
export class RecordCache {
+
private store = new Map<string, RecordCacheEntry>();
+
private inFlight = new Map<string, InFlightRecordEntry>();
+
// Collections that should not be cached (e.g., status records that change frequently)
+
private noCacheCollections = new Set<string>([
+
"fm.teal.alpha.actor.status",
+
"fm.teal.alpha.feed.play",
+
]);
+
+
private key(did: string, collection: string, rkey: string): string {
+
return `${did}::${collection}::${rkey}`;
+
}
+
+
private shouldCache(collection: string): boolean {
+
return !this.noCacheCollections.has(collection);
+
}
+
+
get<T = unknown>(
+
did?: string,
+
collection?: string,
+
rkey?: string,
+
): T | undefined {
+
if (!did || !collection || !rkey) return undefined;
+
// Don't return cached data for non-cacheable collections
+
if (!this.shouldCache(collection)) return undefined;
+
return this.store.get(this.key(did, collection, rkey))?.record as
+
| T
+
| undefined;
+
}
+
+
set<T = unknown>(
+
did: string,
+
collection: string,
+
rkey: string,
+
record: T,
+
): void {
+
// Don't cache records for non-cacheable collections
+
if (!this.shouldCache(collection)) return;
+
this.store.set(this.key(did, collection, rkey), {
+
record,
+
timestamp: Date.now(),
+
});
+
}
+
+
ensure<T = unknown>(
+
did: string,
+
collection: string,
+
rkey: string,
+
loader: () => { promise: Promise<T>; abort: () => void },
+
): RecordEnsureResult<T> {
+
const cached = this.get<T>(did, collection, rkey);
+
if (cached !== undefined) {
+
return { promise: Promise.resolve(cached), release: () => {} };
+
}
+
+
const key = this.key(did, collection, rkey);
+
const existing = this.inFlight.get(key) as
+
| InFlightRecordEntry<T>
+
| undefined;
+
if (existing) {
+
existing.refCount += 1;
+
return {
+
promise: existing.promise,
+
release: () => this.release(key),
+
};
+
}
+
+
const { promise, abort } = loader();
+
const wrapped = promise.then((record) => {
+
this.set(did, collection, rkey, record);
+
return record;
+
});
+
+
const entry: InFlightRecordEntry<T> = {
+
promise: wrapped,
+
abort,
+
refCount: 1,
+
};
+
+
this.inFlight.set(key, entry as InFlightRecordEntry);
+
+
wrapped
+
.catch(() => {})
+
.finally(() => {
+
this.inFlight.delete(key);
+
});
+
+
return {
+
promise: wrapped,
+
release: () => this.release(key),
+
};
+
}
+
+
private release(key: string) {
+
const entry = this.inFlight.get(key);
+
if (!entry) return;
+
entry.refCount -= 1;
+
if (entry.refCount <= 0) {
+
this.inFlight.delete(key);
+
entry.abort();
+
}
+
}
+
}
+120
lib/utils/richtext.ts
···
+
import type { AppBskyRichtextFacet } from "@atcute/bluesky";
+
+
export interface TextSegment {
+
text: string;
+
facet?: AppBskyRichtextFacet.Main;
+
}
+
+
/**
+
* Converts a text string with facets into segments that can be rendered
+
* with appropriate styling and interactivity.
+
*/
+
export function createTextSegments(
+
text: string,
+
facets?: AppBskyRichtextFacet.Main[],
+
): TextSegment[] {
+
if (!facets || facets.length === 0) {
+
return [{ text }];
+
}
+
+
// Build byte-to-char index mapping
+
const bytePrefix = buildBytePrefix(text);
+
+
// Sort facets by start position
+
const sortedFacets = [...facets].sort(
+
(a, b) => a.index.byteStart - b.index.byteStart,
+
);
+
+
const segments: TextSegment[] = [];
+
let currentPos = 0;
+
+
for (const facet of sortedFacets) {
+
const startChar = byteOffsetToCharIndex(bytePrefix, facet.index.byteStart);
+
const endChar = byteOffsetToCharIndex(bytePrefix, facet.index.byteEnd);
+
+
// Add plain text before this facet
+
if (startChar > currentPos) {
+
segments.push({
+
text: sliceByCharRange(text, currentPos, startChar),
+
});
+
}
+
+
// Add the faceted text
+
segments.push({
+
text: sliceByCharRange(text, startChar, endChar),
+
facet,
+
});
+
+
currentPos = endChar;
+
}
+
+
// Add remaining plain text
+
if (currentPos < text.length) {
+
segments.push({
+
text: sliceByCharRange(text, currentPos, text.length),
+
});
+
}
+
+
return segments;
+
}
+
+
/**
+
* Builds a byte offset prefix array for UTF-8 encoded text.
+
* This handles multi-byte characters correctly.
+
*/
+
function buildBytePrefix(text: string): number[] {
+
const encoder = new TextEncoder();
+
const prefix: number[] = [0];
+
let byteCount = 0;
+
+
for (let i = 0; i < text.length; ) {
+
const codePoint = text.codePointAt(i);
+
if (codePoint === undefined) break;
+
+
const char = String.fromCodePoint(codePoint);
+
const encoded = encoder.encode(char);
+
byteCount += encoded.length;
+
prefix.push(byteCount);
+
+
// Handle surrogate pairs (emojis, etc.)
+
i += codePoint > 0xffff ? 2 : 1;
+
}
+
+
return prefix;
+
}
+
+
/**
+
* Converts a byte offset to a character index using the byte prefix array.
+
*/
+
function byteOffsetToCharIndex(prefix: number[], byteOffset: number): number {
+
for (let i = 0; i < prefix.length; i++) {
+
if (prefix[i] === byteOffset) return i;
+
if (prefix[i] > byteOffset) return Math.max(0, i - 1);
+
}
+
return prefix.length - 1;
+
}
+
+
/**
+
* Slices text by character range, handling multi-byte characters correctly.
+
*/
+
function sliceByCharRange(text: string, start: number, end: number): string {
+
if (start <= 0 && end >= text.length) return text;
+
+
let result = "";
+
let charIndex = 0;
+
+
for (let i = 0; i < text.length && charIndex < end; ) {
+
const codePoint = text.codePointAt(i);
+
if (codePoint === undefined) break;
+
+
const char = String.fromCodePoint(codePoint);
+
if (charIndex >= start && charIndex < end) {
+
result += char;
+
}
+
+
i += codePoint > 0xffff ? 2 : 1;
+
charIndex++;
+
}
+
+
return result;
+
}
+4073 -2861
package-lock.json
···
{
-
"name": "atproto-ui",
-
"version": "0.2.0",
-
"lockfileVersion": 3,
-
"requires": true,
-
"packages": {
-
"": {
-
"name": "atproto-ui",
-
"version": "0.2.0",
-
"dependencies": {
-
"@atcute/atproto": "^3.1.7",
-
"@atcute/bluesky": "^3.2.3",
-
"@atcute/client": "^4.0.3",
-
"@atcute/identity-resolver": "^1.1.3",
-
"@atcute/tangled": "^1.0.6"
-
},
-
"devDependencies": {
-
"@eslint/js": "^9.36.0",
-
"@types/node": "^24.6.0",
-
"@types/react": "^19.1.16",
-
"@types/react-dom": "^19.1.9",
-
"@vitejs/plugin-react": "^5.0.4",
-
"eslint": "^9.36.0",
-
"eslint-plugin-react-hooks": "^5.2.0",
-
"eslint-plugin-react-refresh": "^0.4.22",
-
"globals": "^16.4.0",
-
"react": "^19.1.1",
-
"react-dom": "^19.1.1",
-
"typescript": "~5.9.3",
-
"typescript-eslint": "^8.45.0",
-
"vite": "npm:rolldown-vite@7.1.14"
-
},
-
"peerDependencies": {
-
"react": "^18.2.0 || ^19.0.0",
-
"react-dom": "^18.2.0 || ^19.0.0"
-
},
-
"peerDependenciesMeta": {
-
"react-dom": {
-
"optional": true
-
}
-
}
-
},
-
"node_modules/@atcute/atproto": {
-
"version": "3.1.7",
-
"resolved": "https://registry.npmjs.org/@atcute/atproto/-/atproto-3.1.7.tgz",
-
"integrity": "sha512-3Ym8qaVZg2vf8qw0KO1aue39z/5oik5J+UDoSes1vr8ddw40UVLA5sV4bXSKmLnhzQHiLLgoVZXe4zaKfozPoQ==",
-
"license": "0BSD",
-
"dependencies": {
-
"@atcute/lexicons": "^1.2.2"
-
}
-
},
-
"node_modules/@atcute/bluesky": {
-
"version": "3.2.3",
-
"resolved": "https://registry.npmjs.org/@atcute/bluesky/-/bluesky-3.2.3.tgz",
-
"integrity": "sha512-IdPQQ54F1BLhW5z49k81ZUC/GQl/tVygZ+CzLHYvQySHA6GJRcvPzwEf8aV21u0SZOJF+yF4CWEGNgtryyxPmg==",
-
"license": "0BSD",
-
"dependencies": {
-
"@atcute/atproto": "^3.1.4",
-
"@atcute/lexicons": "^1.1.1"
-
}
-
},
-
"node_modules/@atcute/client": {
-
"version": "4.0.3",
-
"resolved": "https://registry.npmjs.org/@atcute/client/-/client-4.0.3.tgz",
-
"integrity": "sha512-RIOZWFVLca/HiPAAUDqQPOdOreCxTbL5cb+WUf5yqQOKIu5yEAP3eksinmlLmgIrlr5qVOE7brazUUzaskFCfw==",
-
"license": "MIT",
-
"dependencies": {
-
"@atcute/identity": "^1.0.2",
-
"@atcute/lexicons": "^1.0.3"
-
}
-
},
-
"node_modules/@atcute/identity": {
-
"version": "1.1.0",
-
"resolved": "https://registry.npmjs.org/@atcute/identity/-/identity-1.1.0.tgz",
-
"integrity": "sha512-6vRvRqJatDB+JUQsb+UswYmtBGQnSZcqC3a2y6H5DB/v5KcIh+6nFFtc17G0+3W9rxdk7k9M4KkgkdKf/YDNoQ==",
-
"license": "0BSD",
-
"dependencies": {
-
"@atcute/lexicons": "^1.1.1",
-
"@badrap/valita": "^0.4.5"
-
}
-
},
-
"node_modules/@atcute/identity-resolver": {
-
"version": "1.1.4",
-
"resolved": "https://registry.npmjs.org/@atcute/identity-resolver/-/identity-resolver-1.1.4.tgz",
-
"integrity": "sha512-/SVh8vf2cXFJenmBnGeYF2aY3WGQm3cJeew5NWTlkqoy3LvJ5wkvKq9PWu4Tv653VF40rPOp6LOdVr9Fa+q5rA==",
-
"license": "0BSD",
-
"dependencies": {
-
"@atcute/lexicons": "^1.2.2",
-
"@atcute/util-fetch": "^1.0.3",
-
"@badrap/valita": "^0.4.6"
-
},
-
"peerDependencies": {
-
"@atcute/identity": "^1.0.0"
-
}
-
},
-
"node_modules/@atcute/lexicons": {
-
"version": "1.2.2",
-
"resolved": "https://registry.npmjs.org/@atcute/lexicons/-/lexicons-1.2.2.tgz",
-
"integrity": "sha512-bgEhJq5Z70/0TbK5sx+tAkrR8FsCODNiL2gUEvS5PuJfPxmFmRYNWaMGehxSPaXWpU2+Oa9ckceHiYbrItDTkA==",
-
"license": "0BSD",
-
"dependencies": {
-
"@standard-schema/spec": "^1.0.0",
-
"esm-env": "^1.2.2"
-
}
-
},
-
"node_modules/@atcute/tangled": {
-
"version": "1.0.6",
-
"resolved": "https://registry.npmjs.org/@atcute/tangled/-/tangled-1.0.6.tgz",
-
"integrity": "sha512-eEOtrKRbjKfeLYtb5hmkhE45w8h4sV6mT4E2CQzJmhOMGCiK31GX7Vqfh59rhNLb9AlbW72RcQTV737pxx+ksw==",
-
"license": "0BSD",
-
"dependencies": {
-
"@atcute/atproto": "^3.1.4",
-
"@atcute/lexicons": "^1.1.1"
-
}
-
},
-
"node_modules/@atcute/util-fetch": {
-
"version": "1.0.3",
-
"resolved": "https://registry.npmjs.org/@atcute/util-fetch/-/util-fetch-1.0.3.tgz",
-
"integrity": "sha512-f8zzTb/xlKIwv2OQ31DhShPUNCmIIleX6p7qIXwWwEUjX6x8skUtpdISSjnImq01LXpltGV5y8yhV4/Mlb7CRQ==",
-
"license": "0BSD",
-
"dependencies": {
-
"@badrap/valita": "^0.4.6"
-
}
-
},
-
"node_modules/@babel/code-frame": {
-
"version": "7.27.1",
-
"resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.27.1.tgz",
-
"integrity": "sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/helper-validator-identifier": "^7.27.1",
-
"js-tokens": "^4.0.0",
-
"picocolors": "^1.1.1"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/compat-data": {
-
"version": "7.28.4",
-
"resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.28.4.tgz",
-
"integrity": "sha512-YsmSKC29MJwf0gF8Rjjrg5LQCmyh+j/nD8/eP7f+BeoQTKYqs9RoWbjGOdy0+1Ekr68RJZMUOPVQaQisnIo4Rw==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/core": {
-
"version": "7.28.4",
-
"resolved": "https://registry.npmjs.org/@babel/core/-/core-7.28.4.tgz",
-
"integrity": "sha512-2BCOP7TN8M+gVDj7/ht3hsaO/B/n5oDbiAyyvnRlNOs+u1o+JWNYTQrmpuNp1/Wq2gcFrI01JAW+paEKDMx/CA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/code-frame": "^7.27.1",
-
"@babel/generator": "^7.28.3",
-
"@babel/helper-compilation-targets": "^7.27.2",
-
"@babel/helper-module-transforms": "^7.28.3",
-
"@babel/helpers": "^7.28.4",
-
"@babel/parser": "^7.28.4",
-
"@babel/template": "^7.27.2",
-
"@babel/traverse": "^7.28.4",
-
"@babel/types": "^7.28.4",
-
"@jridgewell/remapping": "^2.3.5",
-
"convert-source-map": "^2.0.0",
-
"debug": "^4.1.0",
-
"gensync": "^1.0.0-beta.2",
-
"json5": "^2.2.3",
-
"semver": "^6.3.1"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/babel"
-
}
-
},
-
"node_modules/@babel/generator": {
-
"version": "7.28.3",
-
"resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.28.3.tgz",
-
"integrity": "sha512-3lSpxGgvnmZznmBkCRnVREPUFJv2wrv9iAoFDvADJc0ypmdOxdUtcLeBgBJ6zE0PMeTKnxeQzyk0xTBq4Ep7zw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/parser": "^7.28.3",
-
"@babel/types": "^7.28.2",
-
"@jridgewell/gen-mapping": "^0.3.12",
-
"@jridgewell/trace-mapping": "^0.3.28",
-
"jsesc": "^3.0.2"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/helper-compilation-targets": {
-
"version": "7.27.2",
-
"resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz",
-
"integrity": "sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/compat-data": "^7.27.2",
-
"@babel/helper-validator-option": "^7.27.1",
-
"browserslist": "^4.24.0",
-
"lru-cache": "^5.1.1",
-
"semver": "^6.3.1"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/helper-globals": {
-
"version": "7.28.0",
-
"resolved": "https://registry.npmjs.org/@babel/helper-globals/-/helper-globals-7.28.0.tgz",
-
"integrity": "sha512-+W6cISkXFa1jXsDEdYA8HeevQT/FULhxzR99pxphltZcVaugps53THCeiWA8SguxxpSp3gKPiuYfSWopkLQ4hw==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/helper-module-imports": {
-
"version": "7.27.1",
-
"resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz",
-
"integrity": "sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/traverse": "^7.27.1",
-
"@babel/types": "^7.27.1"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/helper-module-transforms": {
-
"version": "7.28.3",
-
"resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.28.3.tgz",
-
"integrity": "sha512-gytXUbs8k2sXS9PnQptz5o0QnpLL51SwASIORY6XaBKF88nsOT0Zw9szLqlSGQDP/4TljBAD5y98p2U1fqkdsw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/helper-module-imports": "^7.27.1",
-
"@babel/helper-validator-identifier": "^7.27.1",
-
"@babel/traverse": "^7.28.3"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
},
-
"peerDependencies": {
-
"@babel/core": "^7.0.0"
-
}
-
},
-
"node_modules/@babel/helper-plugin-utils": {
-
"version": "7.27.1",
-
"resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz",
-
"integrity": "sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/helper-string-parser": {
-
"version": "7.27.1",
-
"resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz",
-
"integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/helper-validator-identifier": {
-
"version": "7.27.1",
-
"resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz",
-
"integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/helper-validator-option": {
-
"version": "7.27.1",
-
"resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz",
-
"integrity": "sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/helpers": {
-
"version": "7.28.4",
-
"resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.28.4.tgz",
-
"integrity": "sha512-HFN59MmQXGHVyYadKLVumYsA9dBFun/ldYxipEjzA4196jpLZd8UjEEBLkbEkvfYreDqJhZxYAWFPtrfhNpj4w==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/template": "^7.27.2",
-
"@babel/types": "^7.28.4"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/parser": {
-
"version": "7.28.4",
-
"resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.28.4.tgz",
-
"integrity": "sha512-yZbBqeM6TkpP9du/I2pUZnJsRMGGvOuIrhjzC1AwHwW+6he4mni6Bp/m8ijn0iOuZuPI2BfkCoSRunpyjnrQKg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/types": "^7.28.4"
-
},
-
"bin": {
-
"parser": "bin/babel-parser.js"
-
},
-
"engines": {
-
"node": ">=6.0.0"
-
}
-
},
-
"node_modules/@babel/plugin-transform-react-jsx-self": {
-
"version": "7.27.1",
-
"resolved": "https://registry.npmjs.org/@babel/plugin-transform-react-jsx-self/-/plugin-transform-react-jsx-self-7.27.1.tgz",
-
"integrity": "sha512-6UzkCs+ejGdZ5mFFC/OCUrv028ab2fp1znZmCZjAOBKiBK2jXD1O+BPSfX8X2qjJ75fZBMSnQn3Rq2mrBJK2mw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/helper-plugin-utils": "^7.27.1"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
},
-
"peerDependencies": {
-
"@babel/core": "^7.0.0-0"
-
}
-
},
-
"node_modules/@babel/plugin-transform-react-jsx-source": {
-
"version": "7.27.1",
-
"resolved": "https://registry.npmjs.org/@babel/plugin-transform-react-jsx-source/-/plugin-transform-react-jsx-source-7.27.1.tgz",
-
"integrity": "sha512-zbwoTsBruTeKB9hSq73ha66iFeJHuaFkUbwvqElnygoNbj/jHRsSeokowZFN3CZ64IvEqcmmkVe89OPXc7ldAw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/helper-plugin-utils": "^7.27.1"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
},
-
"peerDependencies": {
-
"@babel/core": "^7.0.0-0"
-
}
-
},
-
"node_modules/@babel/template": {
-
"version": "7.27.2",
-
"resolved": "https://registry.npmjs.org/@babel/template/-/template-7.27.2.tgz",
-
"integrity": "sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/code-frame": "^7.27.1",
-
"@babel/parser": "^7.27.2",
-
"@babel/types": "^7.27.1"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/traverse": {
-
"version": "7.28.4",
-
"resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.28.4.tgz",
-
"integrity": "sha512-YEzuboP2qvQavAcjgQNVgsvHIDv6ZpwXvcvjmyySP2DIMuByS/6ioU5G9pYrWHM6T2YDfc7xga9iNzYOs12CFQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/code-frame": "^7.27.1",
-
"@babel/generator": "^7.28.3",
-
"@babel/helper-globals": "^7.28.0",
-
"@babel/parser": "^7.28.4",
-
"@babel/template": "^7.27.2",
-
"@babel/types": "^7.28.4",
-
"debug": "^4.3.1"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@babel/types": {
-
"version": "7.28.4",
-
"resolved": "https://registry.npmjs.org/@babel/types/-/types-7.28.4.tgz",
-
"integrity": "sha512-bkFqkLhh3pMBUQQkpVgWDWq/lqzc2678eUyDlTBhRqhCHFguYYGM0Efga7tYk4TogG/3x0EEl66/OQ+WGbWB/Q==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/helper-string-parser": "^7.27.1",
-
"@babel/helper-validator-identifier": "^7.27.1"
-
},
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/@badrap/valita": {
-
"version": "0.4.6",
-
"resolved": "https://registry.npmjs.org/@badrap/valita/-/valita-0.4.6.tgz",
-
"integrity": "sha512-4kdqcjyxo/8RQ8ayjms47HCWZIF5981oE5nIenbfThKDxWXtEHKipAOWlflpPJzZx9y/JWYQkp18Awr7VuepFg==",
-
"license": "MIT",
-
"engines": {
-
"node": ">= 18"
-
}
-
},
-
"node_modules/@eslint-community/eslint-utils": {
-
"version": "4.9.0",
-
"resolved": "https://registry.npmjs.org/@eslint-community/eslint-utils/-/eslint-utils-4.9.0.tgz",
-
"integrity": "sha512-ayVFHdtZ+hsq1t2Dy24wCmGXGe4q9Gu3smhLYALJrr473ZH27MsnSL+LKUlimp4BWJqMDMLmPpx/Q9R3OAlL4g==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"eslint-visitor-keys": "^3.4.3"
-
},
-
"engines": {
-
"node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-
},
-
"funding": {
-
"url": "https://opencollective.com/eslint"
-
},
-
"peerDependencies": {
-
"eslint": "^6.0.0 || ^7.0.0 || >=8.0.0"
-
}
-
},
-
"node_modules/@eslint-community/eslint-utils/node_modules/eslint-visitor-keys": {
-
"version": "3.4.3",
-
"resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz",
-
"integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"engines": {
-
"node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-
},
-
"funding": {
-
"url": "https://opencollective.com/eslint"
-
}
-
},
-
"node_modules/@eslint-community/regexpp": {
-
"version": "4.12.1",
-
"resolved": "https://registry.npmjs.org/@eslint-community/regexpp/-/regexpp-4.12.1.tgz",
-
"integrity": "sha512-CCZCDJuduB9OUkFkY2IgppNZMi2lBQgD2qzwXkEia16cge2pijY/aXi96CJMquDMn3nJdlPV1A5KrJEXwfLNzQ==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": "^12.0.0 || ^14.0.0 || >=16.0.0"
-
}
-
},
-
"node_modules/@eslint/config-array": {
-
"version": "0.21.0",
-
"resolved": "https://registry.npmjs.org/@eslint/config-array/-/config-array-0.21.0.tgz",
-
"integrity": "sha512-ENIdc4iLu0d93HeYirvKmrzshzofPw6VkZRKQGe9Nv46ZnWUzcF1xV01dcvEg/1wXUR61OmmlSfyeyO7EvjLxQ==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"dependencies": {
-
"@eslint/object-schema": "^2.1.6",
-
"debug": "^4.3.1",
-
"minimatch": "^3.1.2"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
}
-
},
-
"node_modules/@eslint/config-helpers": {
-
"version": "0.4.0",
-
"resolved": "https://registry.npmjs.org/@eslint/config-helpers/-/config-helpers-0.4.0.tgz",
-
"integrity": "sha512-WUFvV4WoIwW8Bv0KeKCIIEgdSiFOsulyN0xrMu+7z43q/hkOLXjvb5u7UC9jDxvRzcrbEmuZBX5yJZz1741jog==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"dependencies": {
-
"@eslint/core": "^0.16.0"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
}
-
},
-
"node_modules/@eslint/core": {
-
"version": "0.16.0",
-
"resolved": "https://registry.npmjs.org/@eslint/core/-/core-0.16.0.tgz",
-
"integrity": "sha512-nmC8/totwobIiFcGkDza3GIKfAw1+hLiYVrh3I1nIomQ8PEr5cxg34jnkmGawul/ep52wGRAcyeDCNtWKSOj4Q==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"dependencies": {
-
"@types/json-schema": "^7.0.15"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
}
-
},
-
"node_modules/@eslint/eslintrc": {
-
"version": "3.3.1",
-
"resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-3.3.1.tgz",
-
"integrity": "sha512-gtF186CXhIl1p4pJNGZw8Yc6RlshoePRvE0X91oPGb3vZ8pM3qOS9W9NGPat9LziaBV7XrJWGylNQXkGcnM3IQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"ajv": "^6.12.4",
-
"debug": "^4.3.2",
-
"espree": "^10.0.1",
-
"globals": "^14.0.0",
-
"ignore": "^5.2.0",
-
"import-fresh": "^3.2.1",
-
"js-yaml": "^4.1.0",
-
"minimatch": "^3.1.2",
-
"strip-json-comments": "^3.1.1"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"url": "https://opencollective.com/eslint"
-
}
-
},
-
"node_modules/@eslint/eslintrc/node_modules/globals": {
-
"version": "14.0.0",
-
"resolved": "https://registry.npmjs.org/globals/-/globals-14.0.0.tgz",
-
"integrity": "sha512-oahGvuMGQlPw/ivIYBjVSrWAfWLBeku5tpPE2fOPLi+WHffIWbuh2tCjhyQhTBPMf5E9jDEH4FOmTYgYwbKwtQ==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=18"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
},
-
"node_modules/@eslint/js": {
-
"version": "9.37.0",
-
"resolved": "https://registry.npmjs.org/@eslint/js/-/js-9.37.0.tgz",
-
"integrity": "sha512-jaS+NJ+hximswBG6pjNX0uEJZkrT0zwpVi3BA3vX22aFGjJjmgSTSmPpZCRKmoBL5VY/M6p0xsSJx7rk7sy5gg==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"url": "https://eslint.org/donate"
-
}
-
},
-
"node_modules/@eslint/object-schema": {
-
"version": "2.1.6",
-
"resolved": "https://registry.npmjs.org/@eslint/object-schema/-/object-schema-2.1.6.tgz",
-
"integrity": "sha512-RBMg5FRL0I0gs51M/guSAj5/e14VQ4tpZnQNWwuDT66P14I43ItmPfIZRhO9fUVIPOAQXU47atlywZ/czoqFPA==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
}
-
},
-
"node_modules/@eslint/plugin-kit": {
-
"version": "0.4.0",
-
"resolved": "https://registry.npmjs.org/@eslint/plugin-kit/-/plugin-kit-0.4.0.tgz",
-
"integrity": "sha512-sB5uyeq+dwCWyPi31B2gQlVlo+j5brPlWx4yZBrEaRo/nhdDE8Xke1gsGgtiBdaBTxuTkceLVuVt/pclrasb0A==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"dependencies": {
-
"@eslint/core": "^0.16.0",
-
"levn": "^0.4.1"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
}
-
},
-
"node_modules/@humanfs/core": {
-
"version": "0.19.1",
-
"resolved": "https://registry.npmjs.org/@humanfs/core/-/core-0.19.1.tgz",
-
"integrity": "sha512-5DyQ4+1JEUzejeK1JGICcideyfUbGixgS9jNgex5nqkW+cY7WZhxBigmieN5Qnw9ZosSNVC9KQKyb+GUaGyKUA==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"engines": {
-
"node": ">=18.18.0"
-
}
-
},
-
"node_modules/@humanfs/node": {
-
"version": "0.16.7",
-
"resolved": "https://registry.npmjs.org/@humanfs/node/-/node-0.16.7.tgz",
-
"integrity": "sha512-/zUx+yOsIrG4Y43Eh2peDeKCxlRt/gET6aHfaKpuq267qXdYDFViVHfMaLyygZOnl0kGWxFIgsBy8QFuTLUXEQ==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"dependencies": {
-
"@humanfs/core": "^0.19.1",
-
"@humanwhocodes/retry": "^0.4.0"
-
},
-
"engines": {
-
"node": ">=18.18.0"
-
}
-
},
-
"node_modules/@humanwhocodes/module-importer": {
-
"version": "1.0.1",
-
"resolved": "https://registry.npmjs.org/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz",
-
"integrity": "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"engines": {
-
"node": ">=12.22"
-
},
-
"funding": {
-
"type": "github",
-
"url": "https://github.com/sponsors/nzakas"
-
}
-
},
-
"node_modules/@humanwhocodes/retry": {
-
"version": "0.4.3",
-
"resolved": "https://registry.npmjs.org/@humanwhocodes/retry/-/retry-0.4.3.tgz",
-
"integrity": "sha512-bV0Tgo9K4hfPCek+aMAn81RppFKv2ySDQeMoSZuvTASywNTnVJCArCZE2FWqpvIatKu7VMRLWlR1EazvVhDyhQ==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"engines": {
-
"node": ">=18.18"
-
},
-
"funding": {
-
"type": "github",
-
"url": "https://github.com/sponsors/nzakas"
-
}
-
},
-
"node_modules/@jridgewell/gen-mapping": {
-
"version": "0.3.13",
-
"resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.13.tgz",
-
"integrity": "sha512-2kkt/7niJ6MgEPxF0bYdQ6etZaA+fQvDcLKckhy1yIQOzaoKjBBjSj63/aLVjYE3qhRt5dvM+uUyfCg6UKCBbA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@jridgewell/sourcemap-codec": "^1.5.0",
-
"@jridgewell/trace-mapping": "^0.3.24"
-
}
-
},
-
"node_modules/@jridgewell/remapping": {
-
"version": "2.3.5",
-
"resolved": "https://registry.npmjs.org/@jridgewell/remapping/-/remapping-2.3.5.tgz",
-
"integrity": "sha512-LI9u/+laYG4Ds1TDKSJW2YPrIlcVYOwi2fUC6xB43lueCjgxV4lffOCZCtYFiH6TNOX+tQKXx97T4IKHbhyHEQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@jridgewell/gen-mapping": "^0.3.5",
-
"@jridgewell/trace-mapping": "^0.3.24"
-
}
-
},
-
"node_modules/@jridgewell/resolve-uri": {
-
"version": "3.1.2",
-
"resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz",
-
"integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6.0.0"
-
}
-
},
-
"node_modules/@jridgewell/sourcemap-codec": {
-
"version": "1.5.5",
-
"resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.5.tgz",
-
"integrity": "sha512-cYQ9310grqxueWbl+WuIUIaiUaDcj7WOq5fVhEljNVgRfOUhY9fy2zTvfoqWsnebh8Sl70VScFbICvJnLKB0Og==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/@jridgewell/trace-mapping": {
-
"version": "0.3.31",
-
"resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.31.tgz",
-
"integrity": "sha512-zzNR+SdQSDJzc8joaeP8QQoCQr8NuYx2dIIytl1QeBEZHJ9uW6hebsrYgbz8hJwUQao3TWCMtmfV8Nu1twOLAw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@jridgewell/resolve-uri": "^3.1.0",
-
"@jridgewell/sourcemap-codec": "^1.4.14"
-
}
-
},
-
"node_modules/@nodelib/fs.scandir": {
-
"version": "2.1.5",
-
"resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz",
-
"integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@nodelib/fs.stat": "2.0.5",
-
"run-parallel": "^1.1.9"
-
},
-
"engines": {
-
"node": ">= 8"
-
}
-
},
-
"node_modules/@nodelib/fs.stat": {
-
"version": "2.0.5",
-
"resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz",
-
"integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">= 8"
-
}
-
},
-
"node_modules/@nodelib/fs.walk": {
-
"version": "1.2.8",
-
"resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz",
-
"integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@nodelib/fs.scandir": "2.1.5",
-
"fastq": "^1.6.0"
-
},
-
"engines": {
-
"node": ">= 8"
-
}
-
},
-
"node_modules/@oxc-project/runtime": {
-
"version": "0.92.0",
-
"resolved": "https://registry.npmjs.org/@oxc-project/runtime/-/runtime-0.92.0.tgz",
-
"integrity": "sha512-Z7x2dZOmznihvdvCvLKMl+nswtOSVxS2H2ocar+U9xx6iMfTp0VGIrX6a4xB1v80IwOPC7dT1LXIJrY70Xu3Jw==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": "^20.19.0 || >=22.12.0"
-
}
-
},
-
"node_modules/@oxc-project/types": {
-
"version": "0.93.0",
-
"resolved": "https://registry.npmjs.org/@oxc-project/types/-/types-0.93.0.tgz",
-
"integrity": "sha512-yNtwmWZIBtJsMr5TEfoZFDxIWV6OdScOpza/f5YxbqUMJk+j6QX3Cf3jgZShGEFYWQJ5j9mJ6jM0tZHu2J9Yrg==",
-
"dev": true,
-
"license": "MIT",
-
"funding": {
-
"url": "https://github.com/sponsors/Boshen"
-
}
-
},
-
"node_modules/@rolldown/binding-darwin-arm64": {
-
"version": "1.0.0-beta.41",
-
"resolved": "https://registry.npmjs.org/@rolldown/binding-darwin-arm64/-/binding-darwin-arm64-1.0.0-beta.41.tgz",
-
"integrity": "sha512-XGCzqfjdk7550PlyZRTBKbypXrB7ATtXhw/+bjtxnklLQs0mKP/XkQVOKyn9qGKSlvH8I56JLYryVxl0PCvSNw==",
-
"cpu": [
-
"arm64"
-
],
-
"dev": true,
-
"license": "MIT",
-
"optional": true,
-
"os": [
-
"darwin"
-
],
-
"engines": {
-
"node": "^20.19.0 || >=22.12.0"
-
}
-
},
-
"node_modules/@rolldown/pluginutils": {
-
"version": "1.0.0-beta.38",
-
"resolved": "https://registry.npmjs.org/@rolldown/pluginutils/-/pluginutils-1.0.0-beta.38.tgz",
-
"integrity": "sha512-N/ICGKleNhA5nc9XXQG/kkKHJ7S55u0x0XUJbbkmdCnFuoRkM1Il12q9q0eX19+M7KKUEPw/daUPIRnxhcxAIw==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/@standard-schema/spec": {
-
"version": "1.0.0",
-
"resolved": "https://registry.npmjs.org/@standard-schema/spec/-/spec-1.0.0.tgz",
-
"integrity": "sha512-m2bOd0f2RT9k8QJx1JN85cZYyH1RqFBdlwtkSlf4tBDYLCiiZnv1fIIwacK6cqwXavOydf0NPToMQgpKq+dVlA==",
-
"license": "MIT"
-
},
-
"node_modules/@types/babel__core": {
-
"version": "7.20.5",
-
"resolved": "https://registry.npmjs.org/@types/babel__core/-/babel__core-7.20.5.tgz",
-
"integrity": "sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/parser": "^7.20.7",
-
"@babel/types": "^7.20.7",
-
"@types/babel__generator": "*",
-
"@types/babel__template": "*",
-
"@types/babel__traverse": "*"
-
}
-
},
-
"node_modules/@types/babel__generator": {
-
"version": "7.27.0",
-
"resolved": "https://registry.npmjs.org/@types/babel__generator/-/babel__generator-7.27.0.tgz",
-
"integrity": "sha512-ufFd2Xi92OAVPYsy+P4n7/U7e68fex0+Ee8gSG9KX7eo084CWiQ4sdxktvdl0bOPupXtVJPY19zk6EwWqUQ8lg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/types": "^7.0.0"
-
}
-
},
-
"node_modules/@types/babel__template": {
-
"version": "7.4.4",
-
"resolved": "https://registry.npmjs.org/@types/babel__template/-/babel__template-7.4.4.tgz",
-
"integrity": "sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/parser": "^7.1.0",
-
"@babel/types": "^7.0.0"
-
}
-
},
-
"node_modules/@types/babel__traverse": {
-
"version": "7.28.0",
-
"resolved": "https://registry.npmjs.org/@types/babel__traverse/-/babel__traverse-7.28.0.tgz",
-
"integrity": "sha512-8PvcXf70gTDZBgt9ptxJ8elBeBjcLOAcOtoO/mPJjtji1+CdGbHgm77om1GrsPxsiE+uXIpNSK64UYaIwQXd4Q==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/types": "^7.28.2"
-
}
-
},
-
"node_modules/@types/estree": {
-
"version": "1.0.8",
-
"resolved": "https://registry.npmjs.org/@types/estree/-/estree-1.0.8.tgz",
-
"integrity": "sha512-dWHzHa2WqEXI/O1E9OjrocMTKJl2mSrEolh1Iomrv6U+JuNwaHXsXx9bLu5gG7BUWFIN0skIQJQ/L1rIex4X6w==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/@types/json-schema": {
-
"version": "7.0.15",
-
"resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.15.tgz",
-
"integrity": "sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/@types/node": {
-
"version": "24.7.0",
-
"resolved": "https://registry.npmjs.org/@types/node/-/node-24.7.0.tgz",
-
"integrity": "sha512-IbKooQVqUBrlzWTi79E8Fw78l8k1RNtlDDNWsFZs7XonuQSJ8oNYfEeclhprUldXISRMLzBpILuKgPlIxm+/Yw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"undici-types": "~7.14.0"
-
}
-
},
-
"node_modules/@types/react": {
-
"version": "19.2.2",
-
"resolved": "https://registry.npmjs.org/@types/react/-/react-19.2.2.tgz",
-
"integrity": "sha512-6mDvHUFSjyT2B2yeNx2nUgMxh9LtOWvkhIU3uePn2I2oyNymUAX1NIsdgviM4CH+JSrp2D2hsMvJOkxY+0wNRA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"csstype": "^3.0.2"
-
}
-
},
-
"node_modules/@types/react-dom": {
-
"version": "19.2.1",
-
"resolved": "https://registry.npmjs.org/@types/react-dom/-/react-dom-19.2.1.tgz",
-
"integrity": "sha512-/EEvYBdT3BflCWvTMO7YkYBHVE9Ci6XdqZciZANQgKpaiDRGOLIlRo91jbTNRQjgPFWVaRxcYc0luVNFitz57A==",
-
"dev": true,
-
"license": "MIT",
-
"peerDependencies": {
-
"@types/react": "^19.2.0"
-
}
-
},
-
"node_modules/@typescript-eslint/eslint-plugin": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/eslint-plugin/-/eslint-plugin-8.46.0.tgz",
-
"integrity": "sha512-hA8gxBq4ukonVXPy0OKhiaUh/68D0E88GSmtC1iAEnGaieuDi38LhS7jdCHRLi6ErJBNDGCzvh5EnzdPwUc0DA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@eslint-community/regexpp": "^4.10.0",
-
"@typescript-eslint/scope-manager": "8.46.0",
-
"@typescript-eslint/type-utils": "8.46.0",
-
"@typescript-eslint/utils": "8.46.0",
-
"@typescript-eslint/visitor-keys": "8.46.0",
-
"graphemer": "^1.4.0",
-
"ignore": "^7.0.0",
-
"natural-compare": "^1.4.0",
-
"ts-api-utils": "^2.1.0"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
},
-
"peerDependencies": {
-
"@typescript-eslint/parser": "^8.46.0",
-
"eslint": "^8.57.0 || ^9.0.0",
-
"typescript": ">=4.8.4 <6.0.0"
-
}
-
},
-
"node_modules/@typescript-eslint/eslint-plugin/node_modules/ignore": {
-
"version": "7.0.5",
-
"resolved": "https://registry.npmjs.org/ignore/-/ignore-7.0.5.tgz",
-
"integrity": "sha512-Hs59xBNfUIunMFgWAbGX5cq6893IbWg4KnrjbYwX3tx0ztorVgTDA6B2sxf8ejHJ4wz8BqGUMYlnzNBer5NvGg==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">= 4"
-
}
-
},
-
"node_modules/@typescript-eslint/parser": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/parser/-/parser-8.46.0.tgz",
-
"integrity": "sha512-n1H6IcDhmmUEG7TNVSspGmiHHutt7iVKtZwRppD7e04wha5MrkV1h3pti9xQLcCMt6YWsncpoT0HMjkH1FNwWQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@typescript-eslint/scope-manager": "8.46.0",
-
"@typescript-eslint/types": "8.46.0",
-
"@typescript-eslint/typescript-estree": "8.46.0",
-
"@typescript-eslint/visitor-keys": "8.46.0",
-
"debug": "^4.3.4"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
},
-
"peerDependencies": {
-
"eslint": "^8.57.0 || ^9.0.0",
-
"typescript": ">=4.8.4 <6.0.0"
-
}
-
},
-
"node_modules/@typescript-eslint/project-service": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/project-service/-/project-service-8.46.0.tgz",
-
"integrity": "sha512-OEhec0mH+U5Je2NZOeK1AbVCdm0ChyapAyTeXVIYTPXDJ3F07+cu87PPXcGoYqZ7M9YJVvFnfpGg1UmCIqM+QQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@typescript-eslint/tsconfig-utils": "^8.46.0",
-
"@typescript-eslint/types": "^8.46.0",
-
"debug": "^4.3.4"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
},
-
"peerDependencies": {
-
"typescript": ">=4.8.4 <6.0.0"
-
}
-
},
-
"node_modules/@typescript-eslint/scope-manager": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/scope-manager/-/scope-manager-8.46.0.tgz",
-
"integrity": "sha512-lWETPa9XGcBes4jqAMYD9fW0j4n6hrPtTJwWDmtqgFO/4HF4jmdH/Q6wggTw5qIT5TXjKzbt7GsZUBnWoO3dqw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@typescript-eslint/types": "8.46.0",
-
"@typescript-eslint/visitor-keys": "8.46.0"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
}
-
},
-
"node_modules/@typescript-eslint/tsconfig-utils": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/tsconfig-utils/-/tsconfig-utils-8.46.0.tgz",
-
"integrity": "sha512-WrYXKGAHY836/N7zoK/kzi6p8tXFhasHh8ocFL9VZSAkvH956gfeRfcnhs3xzRy8qQ/dq3q44v1jvQieMFg2cw==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
},
-
"peerDependencies": {
-
"typescript": ">=4.8.4 <6.0.0"
-
}
-
},
-
"node_modules/@typescript-eslint/type-utils": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/type-utils/-/type-utils-8.46.0.tgz",
-
"integrity": "sha512-hy+lvYV1lZpVs2jRaEYvgCblZxUoJiPyCemwbQZ+NGulWkQRy0HRPYAoef/CNSzaLt+MLvMptZsHXHlkEilaeg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@typescript-eslint/types": "8.46.0",
-
"@typescript-eslint/typescript-estree": "8.46.0",
-
"@typescript-eslint/utils": "8.46.0",
-
"debug": "^4.3.4",
-
"ts-api-utils": "^2.1.0"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
},
-
"peerDependencies": {
-
"eslint": "^8.57.0 || ^9.0.0",
-
"typescript": ">=4.8.4 <6.0.0"
-
}
-
},
-
"node_modules/@typescript-eslint/types": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/types/-/types-8.46.0.tgz",
-
"integrity": "sha512-bHGGJyVjSE4dJJIO5yyEWt/cHyNwga/zXGJbJJ8TiO01aVREK6gCTu3L+5wrkb1FbDkQ+TKjMNe9R/QQQP9+rA==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
}
-
},
-
"node_modules/@typescript-eslint/typescript-estree": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/typescript-estree/-/typescript-estree-8.46.0.tgz",
-
"integrity": "sha512-ekDCUfVpAKWJbRfm8T1YRrCot1KFxZn21oV76v5Fj4tr7ELyk84OS+ouvYdcDAwZL89WpEkEj2DKQ+qg//+ucg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@typescript-eslint/project-service": "8.46.0",
-
"@typescript-eslint/tsconfig-utils": "8.46.0",
-
"@typescript-eslint/types": "8.46.0",
-
"@typescript-eslint/visitor-keys": "8.46.0",
-
"debug": "^4.3.4",
-
"fast-glob": "^3.3.2",
-
"is-glob": "^4.0.3",
-
"minimatch": "^9.0.4",
-
"semver": "^7.6.0",
-
"ts-api-utils": "^2.1.0"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
},
-
"peerDependencies": {
-
"typescript": ">=4.8.4 <6.0.0"
-
}
-
},
-
"node_modules/@typescript-eslint/typescript-estree/node_modules/brace-expansion": {
-
"version": "2.0.2",
-
"resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.2.tgz",
-
"integrity": "sha512-Jt0vHyM+jmUBqojB7E1NIYadt0vI0Qxjxd2TErW94wDz+E2LAm5vKMXXwg6ZZBTHPuUlDgQHKXvjGBdfcF1ZDQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"balanced-match": "^1.0.0"
-
}
-
},
-
"node_modules/@typescript-eslint/typescript-estree/node_modules/minimatch": {
-
"version": "9.0.5",
-
"resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.5.tgz",
-
"integrity": "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==",
-
"dev": true,
-
"license": "ISC",
-
"dependencies": {
-
"brace-expansion": "^2.0.1"
-
},
-
"engines": {
-
"node": ">=16 || 14 >=14.17"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/isaacs"
-
}
-
},
-
"node_modules/@typescript-eslint/typescript-estree/node_modules/semver": {
-
"version": "7.7.3",
-
"resolved": "https://registry.npmjs.org/semver/-/semver-7.7.3.tgz",
-
"integrity": "sha512-SdsKMrI9TdgjdweUSR9MweHA4EJ8YxHn8DFaDisvhVlUOe4BF1tLD7GAj0lIqWVl+dPb/rExr0Btby5loQm20Q==",
-
"dev": true,
-
"license": "ISC",
-
"bin": {
-
"semver": "bin/semver.js"
-
},
-
"engines": {
-
"node": ">=10"
-
}
-
},
-
"node_modules/@typescript-eslint/utils": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/utils/-/utils-8.46.0.tgz",
-
"integrity": "sha512-nD6yGWPj1xiOm4Gk0k6hLSZz2XkNXhuYmyIrOWcHoPuAhjT9i5bAG+xbWPgFeNR8HPHHtpNKdYUXJl/D3x7f5g==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@eslint-community/eslint-utils": "^4.7.0",
-
"@typescript-eslint/scope-manager": "8.46.0",
-
"@typescript-eslint/types": "8.46.0",
-
"@typescript-eslint/typescript-estree": "8.46.0"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
},
-
"peerDependencies": {
-
"eslint": "^8.57.0 || ^9.0.0",
-
"typescript": ">=4.8.4 <6.0.0"
-
}
-
},
-
"node_modules/@typescript-eslint/visitor-keys": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/@typescript-eslint/visitor-keys/-/visitor-keys-8.46.0.tgz",
-
"integrity": "sha512-FrvMpAK+hTbFy7vH5j1+tMYHMSKLE6RzluFJlkFNKD0p9YsUT75JlBSmr5so3QRzvMwU5/bIEdeNrxm8du8l3Q==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@typescript-eslint/types": "8.46.0",
-
"eslint-visitor-keys": "^4.2.1"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
}
-
},
-
"node_modules/@vitejs/plugin-react": {
-
"version": "5.0.4",
-
"resolved": "https://registry.npmjs.org/@vitejs/plugin-react/-/plugin-react-5.0.4.tgz",
-
"integrity": "sha512-La0KD0vGkVkSk6K+piWDKRUyg8Rl5iAIKRMH0vMJI0Eg47bq1eOxmoObAaQG37WMW9MSyk7Cs8EIWwJC1PtzKA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@babel/core": "^7.28.4",
-
"@babel/plugin-transform-react-jsx-self": "^7.27.1",
-
"@babel/plugin-transform-react-jsx-source": "^7.27.1",
-
"@rolldown/pluginutils": "1.0.0-beta.38",
-
"@types/babel__core": "^7.20.5",
-
"react-refresh": "^0.17.0"
-
},
-
"engines": {
-
"node": "^20.19.0 || >=22.12.0"
-
},
-
"peerDependencies": {
-
"vite": "^4.2.0 || ^5.0.0 || ^6.0.0 || ^7.0.0"
-
}
-
},
-
"node_modules/acorn": {
-
"version": "8.15.0",
-
"resolved": "https://registry.npmjs.org/acorn/-/acorn-8.15.0.tgz",
-
"integrity": "sha512-NZyJarBfL7nWwIq+FDL6Zp/yHEhePMNnnJ0y3qfieCrmNvYct8uvtiV41UvlSe6apAfk0fY1FbWx+NwfmpvtTg==",
-
"dev": true,
-
"license": "MIT",
-
"bin": {
-
"acorn": "bin/acorn"
-
},
-
"engines": {
-
"node": ">=0.4.0"
-
}
-
},
-
"node_modules/acorn-jsx": {
-
"version": "5.3.2",
-
"resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz",
-
"integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==",
-
"dev": true,
-
"license": "MIT",
-
"peerDependencies": {
-
"acorn": "^6.0.0 || ^7.0.0 || ^8.0.0"
-
}
-
},
-
"node_modules/ajv": {
-
"version": "6.12.6",
-
"resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz",
-
"integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"fast-deep-equal": "^3.1.1",
-
"fast-json-stable-stringify": "^2.0.0",
-
"json-schema-traverse": "^0.4.1",
-
"uri-js": "^4.2.2"
-
},
-
"funding": {
-
"type": "github",
-
"url": "https://github.com/sponsors/epoberezkin"
-
}
-
},
-
"node_modules/ansi-styles": {
-
"version": "4.3.0",
-
"resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz",
-
"integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"color-convert": "^2.0.1"
-
},
-
"engines": {
-
"node": ">=8"
-
},
-
"funding": {
-
"url": "https://github.com/chalk/ansi-styles?sponsor=1"
-
}
-
},
-
"node_modules/ansis": {
-
"version": "4.2.0",
-
"resolved": "https://registry.npmjs.org/ansis/-/ansis-4.2.0.tgz",
-
"integrity": "sha512-HqZ5rWlFjGiV0tDm3UxxgNRqsOTniqoKZu0pIAfh7TZQMGuZK+hH0drySty0si0QXj1ieop4+SkSfPZBPPkHig==",
-
"dev": true,
-
"license": "ISC",
-
"engines": {
-
"node": ">=14"
-
}
-
},
-
"node_modules/argparse": {
-
"version": "2.0.1",
-
"resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz",
-
"integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==",
-
"dev": true,
-
"license": "Python-2.0"
-
},
-
"node_modules/balanced-match": {
-
"version": "1.0.2",
-
"resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz",
-
"integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/baseline-browser-mapping": {
-
"version": "2.8.13",
-
"resolved": "https://registry.npmjs.org/baseline-browser-mapping/-/baseline-browser-mapping-2.8.13.tgz",
-
"integrity": "sha512-7s16KR8io8nIBWQyCYhmFhd+ebIzb9VKTzki+wOJXHTxTnV6+mFGH3+Jwn1zoKaY9/H9T/0BcKCZnzXljPnpSQ==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"bin": {
-
"baseline-browser-mapping": "dist/cli.js"
-
}
-
},
-
"node_modules/brace-expansion": {
-
"version": "1.1.12",
-
"resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.12.tgz",
-
"integrity": "sha512-9T9UjW3r0UW5c1Q7GTwllptXwhvYmEzFhzMfZ9H7FQWt+uZePjZPjBP/W1ZEyZ1twGWom5/56TF4lPcqjnDHcg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"balanced-match": "^1.0.0",
-
"concat-map": "0.0.1"
-
}
-
},
-
"node_modules/braces": {
-
"version": "3.0.3",
-
"resolved": "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz",
-
"integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"fill-range": "^7.1.1"
-
},
-
"engines": {
-
"node": ">=8"
-
}
-
},
-
"node_modules/browserslist": {
-
"version": "4.26.3",
-
"resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.26.3.tgz",
-
"integrity": "sha512-lAUU+02RFBuCKQPj/P6NgjlbCnLBMp4UtgTx7vNHd3XSIJF87s9a5rA3aH2yw3GS9DqZAUbOtZdCCiZeVRqt0w==",
-
"dev": true,
-
"funding": [
-
{
-
"type": "opencollective",
-
"url": "https://opencollective.com/browserslist"
-
},
-
{
-
"type": "tidelift",
-
"url": "https://tidelift.com/funding/github/npm/browserslist"
-
},
-
{
-
"type": "github",
-
"url": "https://github.com/sponsors/ai"
-
}
-
],
-
"license": "MIT",
-
"dependencies": {
-
"baseline-browser-mapping": "^2.8.9",
-
"caniuse-lite": "^1.0.30001746",
-
"electron-to-chromium": "^1.5.227",
-
"node-releases": "^2.0.21",
-
"update-browserslist-db": "^1.1.3"
-
},
-
"bin": {
-
"browserslist": "cli.js"
-
},
-
"engines": {
-
"node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7"
-
}
-
},
-
"node_modules/callsites": {
-
"version": "3.1.0",
-
"resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz",
-
"integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6"
-
}
-
},
-
"node_modules/caniuse-lite": {
-
"version": "1.0.30001748",
-
"resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001748.tgz",
-
"integrity": "sha512-5P5UgAr0+aBmNiplks08JLw+AW/XG/SurlgZLgB1dDLfAw7EfRGxIwzPHxdSCGY/BTKDqIVyJL87cCN6s0ZR0w==",
-
"dev": true,
-
"funding": [
-
{
-
"type": "opencollective",
-
"url": "https://opencollective.com/browserslist"
-
},
-
{
-
"type": "tidelift",
-
"url": "https://tidelift.com/funding/github/npm/caniuse-lite"
-
},
-
{
-
"type": "github",
-
"url": "https://github.com/sponsors/ai"
-
}
-
],
-
"license": "CC-BY-4.0"
-
},
-
"node_modules/chalk": {
-
"version": "4.1.2",
-
"resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz",
-
"integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"ansi-styles": "^4.1.0",
-
"supports-color": "^7.1.0"
-
},
-
"engines": {
-
"node": ">=10"
-
},
-
"funding": {
-
"url": "https://github.com/chalk/chalk?sponsor=1"
-
}
-
},
-
"node_modules/color-convert": {
-
"version": "2.0.1",
-
"resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz",
-
"integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"color-name": "~1.1.4"
-
},
-
"engines": {
-
"node": ">=7.0.0"
-
}
-
},
-
"node_modules/color-name": {
-
"version": "1.1.4",
-
"resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz",
-
"integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/concat-map": {
-
"version": "0.0.1",
-
"resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz",
-
"integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/convert-source-map": {
-
"version": "2.0.0",
-
"resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-2.0.0.tgz",
-
"integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/cross-spawn": {
-
"version": "7.0.6",
-
"resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz",
-
"integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"path-key": "^3.1.0",
-
"shebang-command": "^2.0.0",
-
"which": "^2.0.1"
-
},
-
"engines": {
-
"node": ">= 8"
-
}
-
},
-
"node_modules/csstype": {
-
"version": "3.1.3",
-
"resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.3.tgz",
-
"integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/debug": {
-
"version": "4.4.3",
-
"resolved": "https://registry.npmjs.org/debug/-/debug-4.4.3.tgz",
-
"integrity": "sha512-RGwwWnwQvkVfavKVt22FGLw+xYSdzARwm0ru6DhTVA3umU5hZc28V3kO4stgYryrTlLpuvgI9GiijltAjNbcqA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"ms": "^2.1.3"
-
},
-
"engines": {
-
"node": ">=6.0"
-
},
-
"peerDependenciesMeta": {
-
"supports-color": {
-
"optional": true
-
}
-
}
-
},
-
"node_modules/deep-is": {
-
"version": "0.1.4",
-
"resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz",
-
"integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/detect-libc": {
-
"version": "2.1.2",
-
"resolved": "https://registry.npmjs.org/detect-libc/-/detect-libc-2.1.2.tgz",
-
"integrity": "sha512-Btj2BOOO83o3WyH59e8MgXsxEQVcarkUOpEYrubB0urwnN10yQ364rsiByU11nZlqWYZm05i/of7io4mzihBtQ==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"engines": {
-
"node": ">=8"
-
}
-
},
-
"node_modules/electron-to-chromium": {
-
"version": "1.5.232",
-
"resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.5.232.tgz",
-
"integrity": "sha512-ENirSe7wf8WzyPCibqKUG1Cg43cPaxH4wRR7AJsX7MCABCHBIOFqvaYODSLKUuZdraxUTHRE/0A2Aq8BYKEHOg==",
-
"dev": true,
-
"license": "ISC"
-
},
-
"node_modules/escalade": {
-
"version": "3.2.0",
-
"resolved": "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz",
-
"integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6"
-
}
-
},
-
"node_modules/escape-string-regexp": {
-
"version": "4.0.0",
-
"resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz",
-
"integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=10"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
},
-
"node_modules/eslint": {
-
"version": "9.37.0",
-
"resolved": "https://registry.npmjs.org/eslint/-/eslint-9.37.0.tgz",
-
"integrity": "sha512-XyLmROnACWqSxiGYArdef1fItQd47weqB7iwtfr9JHwRrqIXZdcFMvvEcL9xHCmL0SNsOvF0c42lWyM1U5dgig==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@eslint-community/eslint-utils": "^4.8.0",
-
"@eslint-community/regexpp": "^4.12.1",
-
"@eslint/config-array": "^0.21.0",
-
"@eslint/config-helpers": "^0.4.0",
-
"@eslint/core": "^0.16.0",
-
"@eslint/eslintrc": "^3.3.1",
-
"@eslint/js": "9.37.0",
-
"@eslint/plugin-kit": "^0.4.0",
-
"@humanfs/node": "^0.16.6",
-
"@humanwhocodes/module-importer": "^1.0.1",
-
"@humanwhocodes/retry": "^0.4.2",
-
"@types/estree": "^1.0.6",
-
"@types/json-schema": "^7.0.15",
-
"ajv": "^6.12.4",
-
"chalk": "^4.0.0",
-
"cross-spawn": "^7.0.6",
-
"debug": "^4.3.2",
-
"escape-string-regexp": "^4.0.0",
-
"eslint-scope": "^8.4.0",
-
"eslint-visitor-keys": "^4.2.1",
-
"espree": "^10.4.0",
-
"esquery": "^1.5.0",
-
"esutils": "^2.0.2",
-
"fast-deep-equal": "^3.1.3",
-
"file-entry-cache": "^8.0.0",
-
"find-up": "^5.0.0",
-
"glob-parent": "^6.0.2",
-
"ignore": "^5.2.0",
-
"imurmurhash": "^0.1.4",
-
"is-glob": "^4.0.0",
-
"json-stable-stringify-without-jsonify": "^1.0.1",
-
"lodash.merge": "^4.6.2",
-
"minimatch": "^3.1.2",
-
"natural-compare": "^1.4.0",
-
"optionator": "^0.9.3"
-
},
-
"bin": {
-
"eslint": "bin/eslint.js"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"url": "https://eslint.org/donate"
-
},
-
"peerDependencies": {
-
"jiti": "*"
-
},
-
"peerDependenciesMeta": {
-
"jiti": {
-
"optional": true
-
}
-
}
-
},
-
"node_modules/eslint-plugin-react-hooks": {
-
"version": "5.2.0",
-
"resolved": "https://registry.npmjs.org/eslint-plugin-react-hooks/-/eslint-plugin-react-hooks-5.2.0.tgz",
-
"integrity": "sha512-+f15FfK64YQwZdJNELETdn5ibXEUQmW1DZL6KXhNnc2heoy/sg9VJJeT7n8TlMWouzWqSWavFkIhHyIbIAEapg==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=10"
-
},
-
"peerDependencies": {
-
"eslint": "^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 || ^7.0.0 || ^8.0.0-0 || ^9.0.0"
-
}
-
},
-
"node_modules/eslint-plugin-react-refresh": {
-
"version": "0.4.23",
-
"resolved": "https://registry.npmjs.org/eslint-plugin-react-refresh/-/eslint-plugin-react-refresh-0.4.23.tgz",
-
"integrity": "sha512-G4j+rv0NmbIR45kni5xJOrYvCtyD3/7LjpVH8MPPcudXDcNu8gv+4ATTDXTtbRR8rTCM5HxECvCSsRmxKnWDsA==",
-
"dev": true,
-
"license": "MIT",
-
"peerDependencies": {
-
"eslint": ">=8.40"
-
}
-
},
-
"node_modules/eslint-scope": {
-
"version": "8.4.0",
-
"resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-8.4.0.tgz",
-
"integrity": "sha512-sNXOfKCn74rt8RICKMvJS7XKV/Xk9kA7DyJr8mJik3S7Cwgy3qlkkmyS2uQB3jiJg6VNdZd/pDBJu0nvG2NlTg==",
-
"dev": true,
-
"license": "BSD-2-Clause",
-
"dependencies": {
-
"esrecurse": "^4.3.0",
-
"estraverse": "^5.2.0"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"url": "https://opencollective.com/eslint"
-
}
-
},
-
"node_modules/eslint-visitor-keys": {
-
"version": "4.2.1",
-
"resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-4.2.1.tgz",
-
"integrity": "sha512-Uhdk5sfqcee/9H/rCOJikYz67o0a2Tw2hGRPOG2Y1R2dg7brRe1uG0yaNQDHu+TO/uQPF/5eCapvYSmHUjt7JQ==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"url": "https://opencollective.com/eslint"
-
}
-
},
-
"node_modules/esm-env": {
-
"version": "1.2.2",
-
"resolved": "https://registry.npmjs.org/esm-env/-/esm-env-1.2.2.tgz",
-
"integrity": "sha512-Epxrv+Nr/CaL4ZcFGPJIYLWFom+YeV1DqMLHJoEd9SYRxNbaFruBwfEX/kkHUJf55j2+TUbmDcmuilbP1TmXHA==",
-
"license": "MIT"
-
},
-
"node_modules/espree": {
-
"version": "10.4.0",
-
"resolved": "https://registry.npmjs.org/espree/-/espree-10.4.0.tgz",
-
"integrity": "sha512-j6PAQ2uUr79PZhBjP5C5fhl8e39FmRnOjsD5lGnWrFU8i2G776tBK7+nP8KuQUTTyAZUwfQqXAgrVH5MbH9CYQ==",
-
"dev": true,
-
"license": "BSD-2-Clause",
-
"dependencies": {
-
"acorn": "^8.15.0",
-
"acorn-jsx": "^5.3.2",
-
"eslint-visitor-keys": "^4.2.1"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"url": "https://opencollective.com/eslint"
-
}
-
},
-
"node_modules/esquery": {
-
"version": "1.6.0",
-
"resolved": "https://registry.npmjs.org/esquery/-/esquery-1.6.0.tgz",
-
"integrity": "sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg==",
-
"dev": true,
-
"license": "BSD-3-Clause",
-
"dependencies": {
-
"estraverse": "^5.1.0"
-
},
-
"engines": {
-
"node": ">=0.10"
-
}
-
},
-
"node_modules/esrecurse": {
-
"version": "4.3.0",
-
"resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz",
-
"integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==",
-
"dev": true,
-
"license": "BSD-2-Clause",
-
"dependencies": {
-
"estraverse": "^5.2.0"
-
},
-
"engines": {
-
"node": ">=4.0"
-
}
-
},
-
"node_modules/estraverse": {
-
"version": "5.3.0",
-
"resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
-
"integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
-
"dev": true,
-
"license": "BSD-2-Clause",
-
"engines": {
-
"node": ">=4.0"
-
}
-
},
-
"node_modules/esutils": {
-
"version": "2.0.3",
-
"resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz",
-
"integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==",
-
"dev": true,
-
"license": "BSD-2-Clause",
-
"engines": {
-
"node": ">=0.10.0"
-
}
-
},
-
"node_modules/fast-deep-equal": {
-
"version": "3.1.3",
-
"resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz",
-
"integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/fast-glob": {
-
"version": "3.3.3",
-
"resolved": "https://registry.npmjs.org/fast-glob/-/fast-glob-3.3.3.tgz",
-
"integrity": "sha512-7MptL8U0cqcFdzIzwOTHoilX9x5BrNqye7Z/LuC7kCMRio1EMSyqRK3BEAUD7sXRq4iT4AzTVuZdhgQ2TCvYLg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@nodelib/fs.stat": "^2.0.2",
-
"@nodelib/fs.walk": "^1.2.3",
-
"glob-parent": "^5.1.2",
-
"merge2": "^1.3.0",
-
"micromatch": "^4.0.8"
-
},
-
"engines": {
-
"node": ">=8.6.0"
-
}
-
},
-
"node_modules/fast-glob/node_modules/glob-parent": {
-
"version": "5.1.2",
-
"resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz",
-
"integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
-
"dev": true,
-
"license": "ISC",
-
"dependencies": {
-
"is-glob": "^4.0.1"
-
},
-
"engines": {
-
"node": ">= 6"
-
}
-
},
-
"node_modules/fast-json-stable-stringify": {
-
"version": "2.1.0",
-
"resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz",
-
"integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/fast-levenshtein": {
-
"version": "2.0.6",
-
"resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz",
-
"integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/fastq": {
-
"version": "1.19.1",
-
"resolved": "https://registry.npmjs.org/fastq/-/fastq-1.19.1.tgz",
-
"integrity": "sha512-GwLTyxkCXjXbxqIhTsMI2Nui8huMPtnxg7krajPJAjnEG/iiOS7i+zCtWGZR9G0NBKbXKh6X9m9UIsYX/N6vvQ==",
-
"dev": true,
-
"license": "ISC",
-
"dependencies": {
-
"reusify": "^1.0.4"
-
}
-
},
-
"node_modules/file-entry-cache": {
-
"version": "8.0.0",
-
"resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-8.0.0.tgz",
-
"integrity": "sha512-XXTUwCvisa5oacNGRP9SfNtYBNAMi+RPwBFmblZEF7N7swHYQS6/Zfk7SRwx4D5j3CH211YNRco1DEMNVfZCnQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"flat-cache": "^4.0.0"
-
},
-
"engines": {
-
"node": ">=16.0.0"
-
}
-
},
-
"node_modules/fill-range": {
-
"version": "7.1.1",
-
"resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz",
-
"integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"to-regex-range": "^5.0.1"
-
},
-
"engines": {
-
"node": ">=8"
-
}
-
},
-
"node_modules/find-up": {
-
"version": "5.0.0",
-
"resolved": "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz",
-
"integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"locate-path": "^6.0.0",
-
"path-exists": "^4.0.0"
-
},
-
"engines": {
-
"node": ">=10"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
},
-
"node_modules/flat-cache": {
-
"version": "4.0.1",
-
"resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-4.0.1.tgz",
-
"integrity": "sha512-f7ccFPK3SXFHpx15UIGyRJ/FJQctuKZ0zVuN3frBo4HnK3cay9VEW0R6yPYFHC0AgqhukPzKjq22t5DmAyqGyw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"flatted": "^3.2.9",
-
"keyv": "^4.5.4"
-
},
-
"engines": {
-
"node": ">=16"
-
}
-
},
-
"node_modules/flatted": {
-
"version": "3.3.3",
-
"resolved": "https://registry.npmjs.org/flatted/-/flatted-3.3.3.tgz",
-
"integrity": "sha512-GX+ysw4PBCz0PzosHDepZGANEuFCMLrnRTiEy9McGjmkCQYwRq4A/X786G/fjM/+OjsWSU1ZrY5qyARZmO/uwg==",
-
"dev": true,
-
"license": "ISC"
-
},
-
"node_modules/fsevents": {
-
"version": "2.3.3",
-
"resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz",
-
"integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==",
-
"dev": true,
-
"hasInstallScript": true,
-
"license": "MIT",
-
"optional": true,
-
"os": [
-
"darwin"
-
],
-
"engines": {
-
"node": "^8.16.0 || ^10.6.0 || >=11.0.0"
-
}
-
},
-
"node_modules/gensync": {
-
"version": "1.0.0-beta.2",
-
"resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz",
-
"integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6.9.0"
-
}
-
},
-
"node_modules/glob-parent": {
-
"version": "6.0.2",
-
"resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz",
-
"integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==",
-
"dev": true,
-
"license": "ISC",
-
"dependencies": {
-
"is-glob": "^4.0.3"
-
},
-
"engines": {
-
"node": ">=10.13.0"
-
}
-
},
-
"node_modules/globals": {
-
"version": "16.4.0",
-
"resolved": "https://registry.npmjs.org/globals/-/globals-16.4.0.tgz",
-
"integrity": "sha512-ob/2LcVVaVGCYN+r14cnwnoDPUufjiYgSqRhiFD0Q1iI4Odora5RE8Iv1D24hAz5oMophRGkGz+yuvQmmUMnMw==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=18"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
},
-
"node_modules/graphemer": {
-
"version": "1.4.0",
-
"resolved": "https://registry.npmjs.org/graphemer/-/graphemer-1.4.0.tgz",
-
"integrity": "sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/has-flag": {
-
"version": "4.0.0",
-
"resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz",
-
"integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=8"
-
}
-
},
-
"node_modules/ignore": {
-
"version": "5.3.2",
-
"resolved": "https://registry.npmjs.org/ignore/-/ignore-5.3.2.tgz",
-
"integrity": "sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">= 4"
-
}
-
},
-
"node_modules/import-fresh": {
-
"version": "3.3.1",
-
"resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.1.tgz",
-
"integrity": "sha512-TR3KfrTZTYLPB6jUjfx6MF9WcWrHL9su5TObK4ZkYgBdWKPOFoSoQIdEuTuR82pmtxH2spWG9h6etwfr1pLBqQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"parent-module": "^1.0.0",
-
"resolve-from": "^4.0.0"
-
},
-
"engines": {
-
"node": ">=6"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
},
-
"node_modules/imurmurhash": {
-
"version": "0.1.4",
-
"resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz",
-
"integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=0.8.19"
-
}
-
},
-
"node_modules/is-extglob": {
-
"version": "2.1.1",
-
"resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz",
-
"integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=0.10.0"
-
}
-
},
-
"node_modules/is-glob": {
-
"version": "4.0.3",
-
"resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz",
-
"integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"is-extglob": "^2.1.1"
-
},
-
"engines": {
-
"node": ">=0.10.0"
-
}
-
},
-
"node_modules/is-number": {
-
"version": "7.0.0",
-
"resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz",
-
"integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=0.12.0"
-
}
-
},
-
"node_modules/isexe": {
-
"version": "2.0.0",
-
"resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz",
-
"integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==",
-
"dev": true,
-
"license": "ISC"
-
},
-
"node_modules/js-tokens": {
-
"version": "4.0.0",
-
"resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz",
-
"integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/js-yaml": {
-
"version": "4.1.0",
-
"resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz",
-
"integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"argparse": "^2.0.1"
-
},
-
"bin": {
-
"js-yaml": "bin/js-yaml.js"
-
}
-
},
-
"node_modules/jsesc": {
-
"version": "3.1.0",
-
"resolved": "https://registry.npmjs.org/jsesc/-/jsesc-3.1.0.tgz",
-
"integrity": "sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==",
-
"dev": true,
-
"license": "MIT",
-
"bin": {
-
"jsesc": "bin/jsesc"
-
},
-
"engines": {
-
"node": ">=6"
-
}
-
},
-
"node_modules/json-buffer": {
-
"version": "3.0.1",
-
"resolved": "https://registry.npmjs.org/json-buffer/-/json-buffer-3.0.1.tgz",
-
"integrity": "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/json-schema-traverse": {
-
"version": "0.4.1",
-
"resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
-
"integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/json-stable-stringify-without-jsonify": {
-
"version": "1.0.1",
-
"resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz",
-
"integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/json5": {
-
"version": "2.2.3",
-
"resolved": "https://registry.npmjs.org/json5/-/json5-2.2.3.tgz",
-
"integrity": "sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==",
-
"dev": true,
-
"license": "MIT",
-
"bin": {
-
"json5": "lib/cli.js"
-
},
-
"engines": {
-
"node": ">=6"
-
}
-
},
-
"node_modules/keyv": {
-
"version": "4.5.4",
-
"resolved": "https://registry.npmjs.org/keyv/-/keyv-4.5.4.tgz",
-
"integrity": "sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"json-buffer": "3.0.1"
-
}
-
},
-
"node_modules/levn": {
-
"version": "0.4.1",
-
"resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz",
-
"integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"prelude-ls": "^1.2.1",
-
"type-check": "~0.4.0"
-
},
-
"engines": {
-
"node": ">= 0.8.0"
-
}
-
},
-
"node_modules/lightningcss": {
-
"version": "1.30.2",
-
"resolved": "https://registry.npmjs.org/lightningcss/-/lightningcss-1.30.2.tgz",
-
"integrity": "sha512-utfs7Pr5uJyyvDETitgsaqSyjCb2qNRAtuqUeWIAKztsOYdcACf2KtARYXg2pSvhkt+9NfoaNY7fxjl6nuMjIQ==",
-
"dev": true,
-
"license": "MPL-2.0",
-
"dependencies": {
-
"detect-libc": "^2.0.3"
-
},
-
"engines": {
-
"node": ">= 12.0.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/parcel"
-
},
-
"optionalDependencies": {
-
"lightningcss-android-arm64": "1.30.2",
-
"lightningcss-darwin-arm64": "1.30.2",
-
"lightningcss-darwin-x64": "1.30.2",
-
"lightningcss-freebsd-x64": "1.30.2",
-
"lightningcss-linux-arm-gnueabihf": "1.30.2",
-
"lightningcss-linux-arm64-gnu": "1.30.2",
-
"lightningcss-linux-arm64-musl": "1.30.2",
-
"lightningcss-linux-x64-gnu": "1.30.2",
-
"lightningcss-linux-x64-musl": "1.30.2",
-
"lightningcss-win32-arm64-msvc": "1.30.2",
-
"lightningcss-win32-x64-msvc": "1.30.2"
-
}
-
},
-
"node_modules/lightningcss-darwin-arm64": {
-
"version": "1.30.2",
-
"resolved": "https://registry.npmjs.org/lightningcss-darwin-arm64/-/lightningcss-darwin-arm64-1.30.2.tgz",
-
"integrity": "sha512-ylTcDJBN3Hp21TdhRT5zBOIi73P6/W0qwvlFEk22fkdXchtNTOU4Qc37SkzV+EKYxLouZ6M4LG9NfZ1qkhhBWA==",
-
"cpu": [
-
"arm64"
-
],
-
"dev": true,
-
"license": "MPL-2.0",
-
"optional": true,
-
"os": [
-
"darwin"
-
],
-
"engines": {
-
"node": ">= 12.0.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/parcel"
-
}
-
},
-
"node_modules/locate-path": {
-
"version": "6.0.0",
-
"resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz",
-
"integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"p-locate": "^5.0.0"
-
},
-
"engines": {
-
"node": ">=10"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
},
-
"node_modules/lodash.merge": {
-
"version": "4.6.2",
-
"resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz",
-
"integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/lru-cache": {
-
"version": "5.1.1",
-
"resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-5.1.1.tgz",
-
"integrity": "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==",
-
"dev": true,
-
"license": "ISC",
-
"dependencies": {
-
"yallist": "^3.0.2"
-
}
-
},
-
"node_modules/merge2": {
-
"version": "1.4.1",
-
"resolved": "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz",
-
"integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">= 8"
-
}
-
},
-
"node_modules/micromatch": {
-
"version": "4.0.8",
-
"resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz",
-
"integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"braces": "^3.0.3",
-
"picomatch": "^2.3.1"
-
},
-
"engines": {
-
"node": ">=8.6"
-
}
-
},
-
"node_modules/minimatch": {
-
"version": "3.1.2",
-
"resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz",
-
"integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==",
-
"dev": true,
-
"license": "ISC",
-
"dependencies": {
-
"brace-expansion": "^1.1.7"
-
},
-
"engines": {
-
"node": "*"
-
}
-
},
-
"node_modules/ms": {
-
"version": "2.1.3",
-
"resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz",
-
"integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/nanoid": {
-
"version": "3.3.11",
-
"resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.11.tgz",
-
"integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==",
-
"dev": true,
-
"funding": [
-
{
-
"type": "github",
-
"url": "https://github.com/sponsors/ai"
-
}
-
],
-
"license": "MIT",
-
"bin": {
-
"nanoid": "bin/nanoid.cjs"
-
},
-
"engines": {
-
"node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1"
-
}
-
},
-
"node_modules/natural-compare": {
-
"version": "1.4.0",
-
"resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz",
-
"integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/node-releases": {
-
"version": "2.0.23",
-
"resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.23.tgz",
-
"integrity": "sha512-cCmFDMSm26S6tQSDpBCg/NR8NENrVPhAJSf+XbxBG4rPFaaonlEoE9wHQmun+cls499TQGSb7ZyPBRlzgKfpeg==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/optionator": {
-
"version": "0.9.4",
-
"resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.4.tgz",
-
"integrity": "sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"deep-is": "^0.1.3",
-
"fast-levenshtein": "^2.0.6",
-
"levn": "^0.4.1",
-
"prelude-ls": "^1.2.1",
-
"type-check": "^0.4.0",
-
"word-wrap": "^1.2.5"
-
},
-
"engines": {
-
"node": ">= 0.8.0"
-
}
-
},
-
"node_modules/p-limit": {
-
"version": "3.1.0",
-
"resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz",
-
"integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"yocto-queue": "^0.1.0"
-
},
-
"engines": {
-
"node": ">=10"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
},
-
"node_modules/p-locate": {
-
"version": "5.0.0",
-
"resolved": "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz",
-
"integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"p-limit": "^3.0.2"
-
},
-
"engines": {
-
"node": ">=10"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
},
-
"node_modules/parent-module": {
-
"version": "1.0.1",
-
"resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz",
-
"integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"callsites": "^3.0.0"
-
},
-
"engines": {
-
"node": ">=6"
-
}
-
},
-
"node_modules/path-exists": {
-
"version": "4.0.0",
-
"resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz",
-
"integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=8"
-
}
-
},
-
"node_modules/path-key": {
-
"version": "3.1.1",
-
"resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz",
-
"integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=8"
-
}
-
},
-
"node_modules/picocolors": {
-
"version": "1.1.1",
-
"resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz",
-
"integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==",
-
"dev": true,
-
"license": "ISC"
-
},
-
"node_modules/picomatch": {
-
"version": "2.3.1",
-
"resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz",
-
"integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=8.6"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/jonschlinkert"
-
}
-
},
-
"node_modules/postcss": {
-
"version": "8.5.6",
-
"resolved": "https://registry.npmjs.org/postcss/-/postcss-8.5.6.tgz",
-
"integrity": "sha512-3Ybi1tAuwAP9s0r1UQ2J4n5Y0G05bJkpUIO0/bI9MhwmD70S5aTWbXGBwxHrelT+XM1k6dM0pk+SwNkpTRN7Pg==",
-
"dev": true,
-
"funding": [
-
{
-
"type": "opencollective",
-
"url": "https://opencollective.com/postcss/"
-
},
-
{
-
"type": "tidelift",
-
"url": "https://tidelift.com/funding/github/npm/postcss"
-
},
-
{
-
"type": "github",
-
"url": "https://github.com/sponsors/ai"
-
}
-
],
-
"license": "MIT",
-
"dependencies": {
-
"nanoid": "^3.3.11",
-
"picocolors": "^1.1.1",
-
"source-map-js": "^1.2.1"
-
},
-
"engines": {
-
"node": "^10 || ^12 || >=14"
-
}
-
},
-
"node_modules/prelude-ls": {
-
"version": "1.2.1",
-
"resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz",
-
"integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">= 0.8.0"
-
}
-
},
-
"node_modules/punycode": {
-
"version": "2.3.1",
-
"resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz",
-
"integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=6"
-
}
-
},
-
"node_modules/queue-microtask": {
-
"version": "1.2.3",
-
"resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz",
-
"integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==",
-
"dev": true,
-
"funding": [
-
{
-
"type": "github",
-
"url": "https://github.com/sponsors/feross"
-
},
-
{
-
"type": "patreon",
-
"url": "https://www.patreon.com/feross"
-
},
-
{
-
"type": "consulting",
-
"url": "https://feross.org/support"
-
}
-
],
-
"license": "MIT"
-
},
-
"node_modules/react": {
-
"version": "19.2.0",
-
"resolved": "https://registry.npmjs.org/react/-/react-19.2.0.tgz",
-
"integrity": "sha512-tmbWg6W31tQLeB5cdIBOicJDJRR2KzXsV7uSK9iNfLWQ5bIZfxuPEHp7M8wiHyHnn0DD1i7w3Zmin0FtkrwoCQ==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=0.10.0"
-
}
-
},
-
"node_modules/react-dom": {
-
"version": "19.2.0",
-
"resolved": "https://registry.npmjs.org/react-dom/-/react-dom-19.2.0.tgz",
-
"integrity": "sha512-UlbRu4cAiGaIewkPyiRGJk0imDN2T3JjieT6spoL2UeSf5od4n5LB/mQ4ejmxhCFT1tYe8IvaFulzynWovsEFQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"scheduler": "^0.27.0"
-
},
-
"peerDependencies": {
-
"react": "^19.2.0"
-
}
-
},
-
"node_modules/react-refresh": {
-
"version": "0.17.0",
-
"resolved": "https://registry.npmjs.org/react-refresh/-/react-refresh-0.17.0.tgz",
-
"integrity": "sha512-z6F7K9bV85EfseRCp2bzrpyQ0Gkw1uLoCel9XBVWPg/TjRj94SkJzUTGfOa4bs7iJvBWtQG0Wq7wnI0syw3EBQ==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=0.10.0"
-
}
-
},
-
"node_modules/resolve-from": {
-
"version": "4.0.0",
-
"resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz",
-
"integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=4"
-
}
-
},
-
"node_modules/reusify": {
-
"version": "1.1.0",
-
"resolved": "https://registry.npmjs.org/reusify/-/reusify-1.1.0.tgz",
-
"integrity": "sha512-g6QUff04oZpHs0eG5p83rFLhHeV00ug/Yf9nZM6fLeUrPguBTkTQOdpAWWspMh55TZfVQDPaN3NQJfbVRAxdIw==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"iojs": ">=1.0.0",
-
"node": ">=0.10.0"
-
}
-
},
-
"node_modules/rolldown": {
-
"version": "1.0.0-beta.41",
-
"resolved": "https://registry.npmjs.org/rolldown/-/rolldown-1.0.0-beta.41.tgz",
-
"integrity": "sha512-U+NPR0Bkg3wm61dteD2L4nAM1U9dtaqVrpDXwC36IKRHpEO/Ubpid4Nijpa2imPchcVNHfxVFwSSMJdwdGFUbg==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@oxc-project/types": "=0.93.0",
-
"@rolldown/pluginutils": "1.0.0-beta.41",
-
"ansis": "=4.2.0"
-
},
-
"bin": {
-
"rolldown": "bin/cli.mjs"
-
},
-
"engines": {
-
"node": "^20.19.0 || >=22.12.0"
-
},
-
"optionalDependencies": {
-
"@rolldown/binding-android-arm64": "1.0.0-beta.41",
-
"@rolldown/binding-darwin-arm64": "1.0.0-beta.41",
-
"@rolldown/binding-darwin-x64": "1.0.0-beta.41",
-
"@rolldown/binding-freebsd-x64": "1.0.0-beta.41",
-
"@rolldown/binding-linux-arm-gnueabihf": "1.0.0-beta.41",
-
"@rolldown/binding-linux-arm64-gnu": "1.0.0-beta.41",
-
"@rolldown/binding-linux-arm64-musl": "1.0.0-beta.41",
-
"@rolldown/binding-linux-x64-gnu": "1.0.0-beta.41",
-
"@rolldown/binding-linux-x64-musl": "1.0.0-beta.41",
-
"@rolldown/binding-openharmony-arm64": "1.0.0-beta.41",
-
"@rolldown/binding-wasm32-wasi": "1.0.0-beta.41",
-
"@rolldown/binding-win32-arm64-msvc": "1.0.0-beta.41",
-
"@rolldown/binding-win32-ia32-msvc": "1.0.0-beta.41",
-
"@rolldown/binding-win32-x64-msvc": "1.0.0-beta.41"
-
}
-
},
-
"node_modules/rolldown/node_modules/@rolldown/pluginutils": {
-
"version": "1.0.0-beta.41",
-
"resolved": "https://registry.npmjs.org/@rolldown/pluginutils/-/pluginutils-1.0.0-beta.41.tgz",
-
"integrity": "sha512-ycMEPrS3StOIeb87BT3/+bu+blEtyvwQ4zmo2IcJQy0Rd1DAAhKksA0iUZ3MYSpJtjlPhg0Eo6mvVS6ggPhRbw==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/run-parallel": {
-
"version": "1.2.0",
-
"resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz",
-
"integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==",
-
"dev": true,
-
"funding": [
-
{
-
"type": "github",
-
"url": "https://github.com/sponsors/feross"
-
},
-
{
-
"type": "patreon",
-
"url": "https://www.patreon.com/feross"
-
},
-
{
-
"type": "consulting",
-
"url": "https://feross.org/support"
-
}
-
],
-
"license": "MIT",
-
"dependencies": {
-
"queue-microtask": "^1.2.2"
-
}
-
},
-
"node_modules/scheduler": {
-
"version": "0.27.0",
-
"resolved": "https://registry.npmjs.org/scheduler/-/scheduler-0.27.0.tgz",
-
"integrity": "sha512-eNv+WrVbKu1f3vbYJT/xtiF5syA5HPIMtf9IgY/nKg0sWqzAUEvqY/xm7OcZc/qafLx/iO9FgOmeSAp4v5ti/Q==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/semver": {
-
"version": "6.3.1",
-
"resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz",
-
"integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==",
-
"dev": true,
-
"license": "ISC",
-
"bin": {
-
"semver": "bin/semver.js"
-
}
-
},
-
"node_modules/shebang-command": {
-
"version": "2.0.0",
-
"resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz",
-
"integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"shebang-regex": "^3.0.0"
-
},
-
"engines": {
-
"node": ">=8"
-
}
-
},
-
"node_modules/shebang-regex": {
-
"version": "3.0.0",
-
"resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz",
-
"integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=8"
-
}
-
},
-
"node_modules/source-map-js": {
-
"version": "1.2.1",
-
"resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.2.1.tgz",
-
"integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==",
-
"dev": true,
-
"license": "BSD-3-Clause",
-
"engines": {
-
"node": ">=0.10.0"
-
}
-
},
-
"node_modules/strip-json-comments": {
-
"version": "3.1.1",
-
"resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz",
-
"integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=8"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
},
-
"node_modules/supports-color": {
-
"version": "7.2.0",
-
"resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz",
-
"integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"has-flag": "^4.0.0"
-
},
-
"engines": {
-
"node": ">=8"
-
}
-
},
-
"node_modules/tinyglobby": {
-
"version": "0.2.15",
-
"resolved": "https://registry.npmjs.org/tinyglobby/-/tinyglobby-0.2.15.tgz",
-
"integrity": "sha512-j2Zq4NyQYG5XMST4cbs02Ak8iJUdxRM0XI5QyxXuZOzKOINmWurp3smXu3y5wDcJrptwpSjgXHzIQxR0omXljQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"fdir": "^6.5.0",
-
"picomatch": "^4.0.3"
-
},
-
"engines": {
-
"node": ">=12.0.0"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/SuperchupuDev"
-
}
-
},
-
"node_modules/tinyglobby/node_modules/fdir": {
-
"version": "6.5.0",
-
"resolved": "https://registry.npmjs.org/fdir/-/fdir-6.5.0.tgz",
-
"integrity": "sha512-tIbYtZbucOs0BRGqPJkshJUYdL+SDH7dVM8gjy+ERp3WAUjLEFJE+02kanyHtwjWOnwrKYBiwAmM0p4kLJAnXg==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=12.0.0"
-
},
-
"peerDependencies": {
-
"picomatch": "^3 || ^4"
-
},
-
"peerDependenciesMeta": {
-
"picomatch": {
-
"optional": true
-
}
-
}
-
},
-
"node_modules/tinyglobby/node_modules/picomatch": {
-
"version": "4.0.3",
-
"resolved": "https://registry.npmjs.org/picomatch/-/picomatch-4.0.3.tgz",
-
"integrity": "sha512-5gTmgEY/sqK6gFXLIsQNH19lWb4ebPDLA4SdLP7dsWkIXHWlG66oPuVvXSGFPppYZz8ZDZq0dYYrbHfBCVUb1Q==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=12"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/jonschlinkert"
-
}
-
},
-
"node_modules/to-regex-range": {
-
"version": "5.0.1",
-
"resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz",
-
"integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"is-number": "^7.0.0"
-
},
-
"engines": {
-
"node": ">=8.0"
-
}
-
},
-
"node_modules/ts-api-utils": {
-
"version": "2.1.0",
-
"resolved": "https://registry.npmjs.org/ts-api-utils/-/ts-api-utils-2.1.0.tgz",
-
"integrity": "sha512-CUgTZL1irw8u29bzrOD/nH85jqyc74D6SshFgujOIA7osm2Rz7dYH77agkx7H4FBNxDq7Cjf+IjaX/8zwFW+ZQ==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=18.12"
-
},
-
"peerDependencies": {
-
"typescript": ">=4.8.4"
-
}
-
},
-
"node_modules/type-check": {
-
"version": "0.4.0",
-
"resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz",
-
"integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"prelude-ls": "^1.2.1"
-
},
-
"engines": {
-
"node": ">= 0.8.0"
-
}
-
},
-
"node_modules/typescript": {
-
"version": "5.9.3",
-
"resolved": "https://registry.npmjs.org/typescript/-/typescript-5.9.3.tgz",
-
"integrity": "sha512-jl1vZzPDinLr9eUt3J/t7V6FgNEw9QjvBPdysz9KfQDD41fQrC2Y4vKQdiaUpFT4bXlb1RHhLpp8wtm6M5TgSw==",
-
"dev": true,
-
"license": "Apache-2.0",
-
"bin": {
-
"tsc": "bin/tsc",
-
"tsserver": "bin/tsserver"
-
},
-
"engines": {
-
"node": ">=14.17"
-
}
-
},
-
"node_modules/typescript-eslint": {
-
"version": "8.46.0",
-
"resolved": "https://registry.npmjs.org/typescript-eslint/-/typescript-eslint-8.46.0.tgz",
-
"integrity": "sha512-6+ZrB6y2bT2DX3K+Qd9vn7OFOJR+xSLDj+Aw/N3zBwUt27uTw2sw2TE2+UcY1RiyBZkaGbTkVg9SSdPNUG6aUw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@typescript-eslint/eslint-plugin": "8.46.0",
-
"@typescript-eslint/parser": "8.46.0",
-
"@typescript-eslint/typescript-estree": "8.46.0",
-
"@typescript-eslint/utils": "8.46.0"
-
},
-
"engines": {
-
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
-
},
-
"funding": {
-
"type": "opencollective",
-
"url": "https://opencollective.com/typescript-eslint"
-
},
-
"peerDependencies": {
-
"eslint": "^8.57.0 || ^9.0.0",
-
"typescript": ">=4.8.4 <6.0.0"
-
}
-
},
-
"node_modules/undici-types": {
-
"version": "7.14.0",
-
"resolved": "https://registry.npmjs.org/undici-types/-/undici-types-7.14.0.tgz",
-
"integrity": "sha512-QQiYxHuyZ9gQUIrmPo3IA+hUl4KYk8uSA7cHrcKd/l3p1OTpZcM0Tbp9x7FAtXdAYhlasd60ncPpgu6ihG6TOA==",
-
"dev": true,
-
"license": "MIT"
-
},
-
"node_modules/update-browserslist-db": {
-
"version": "1.1.3",
-
"resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.1.3.tgz",
-
"integrity": "sha512-UxhIZQ+QInVdunkDAaiazvvT/+fXL5Osr0JZlJulepYu6Jd7qJtDZjlur0emRlT71EN3ScPoE7gvsuIKKNavKw==",
-
"dev": true,
-
"funding": [
-
{
-
"type": "opencollective",
-
"url": "https://opencollective.com/browserslist"
-
},
-
{
-
"type": "tidelift",
-
"url": "https://tidelift.com/funding/github/npm/browserslist"
-
},
-
{
-
"type": "github",
-
"url": "https://github.com/sponsors/ai"
-
}
-
],
-
"license": "MIT",
-
"dependencies": {
-
"escalade": "^3.2.0",
-
"picocolors": "^1.1.1"
-
},
-
"bin": {
-
"update-browserslist-db": "cli.js"
-
},
-
"peerDependencies": {
-
"browserslist": ">= 4.21.0"
-
}
-
},
-
"node_modules/uri-js": {
-
"version": "4.4.1",
-
"resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz",
-
"integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==",
-
"dev": true,
-
"license": "BSD-2-Clause",
-
"dependencies": {
-
"punycode": "^2.1.0"
-
}
-
},
-
"node_modules/vite": {
-
"name": "rolldown-vite",
-
"version": "7.1.14",
-
"resolved": "https://registry.npmjs.org/rolldown-vite/-/rolldown-vite-7.1.14.tgz",
-
"integrity": "sha512-eSiiRJmovt8qDJkGyZuLnbxAOAdie6NCmmd0NkTC0RJI9duiSBTfr8X2mBYJOUFzxQa2USaHmL99J9uMxkjCyw==",
-
"dev": true,
-
"license": "MIT",
-
"dependencies": {
-
"@oxc-project/runtime": "0.92.0",
-
"fdir": "^6.5.0",
-
"lightningcss": "^1.30.1",
-
"picomatch": "^4.0.3",
-
"postcss": "^8.5.6",
-
"rolldown": "1.0.0-beta.41",
-
"tinyglobby": "^0.2.15"
-
},
-
"bin": {
-
"vite": "bin/vite.js"
-
},
-
"engines": {
-
"node": "^20.19.0 || >=22.12.0"
-
},
-
"funding": {
-
"url": "https://github.com/vitejs/vite?sponsor=1"
-
},
-
"optionalDependencies": {
-
"fsevents": "~2.3.3"
-
},
-
"peerDependencies": {
-
"@types/node": "^20.19.0 || >=22.12.0",
-
"esbuild": "^0.25.0",
-
"jiti": ">=1.21.0",
-
"less": "^4.0.0",
-
"sass": "^1.70.0",
-
"sass-embedded": "^1.70.0",
-
"stylus": ">=0.54.8",
-
"sugarss": "^5.0.0",
-
"terser": "^5.16.0",
-
"tsx": "^4.8.1",
-
"yaml": "^2.4.2"
-
},
-
"peerDependenciesMeta": {
-
"@types/node": {
-
"optional": true
-
},
-
"esbuild": {
-
"optional": true
-
},
-
"jiti": {
-
"optional": true
-
},
-
"less": {
-
"optional": true
-
},
-
"sass": {
-
"optional": true
-
},
-
"sass-embedded": {
-
"optional": true
-
},
-
"stylus": {
-
"optional": true
-
},
-
"sugarss": {
-
"optional": true
-
},
-
"terser": {
-
"optional": true
-
},
-
"tsx": {
-
"optional": true
-
},
-
"yaml": {
-
"optional": true
-
}
-
}
-
},
-
"node_modules/vite/node_modules/fdir": {
-
"version": "6.5.0",
-
"resolved": "https://registry.npmjs.org/fdir/-/fdir-6.5.0.tgz",
-
"integrity": "sha512-tIbYtZbucOs0BRGqPJkshJUYdL+SDH7dVM8gjy+ERp3WAUjLEFJE+02kanyHtwjWOnwrKYBiwAmM0p4kLJAnXg==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=12.0.0"
-
},
-
"peerDependencies": {
-
"picomatch": "^3 || ^4"
-
},
-
"peerDependenciesMeta": {
-
"picomatch": {
-
"optional": true
-
}
-
}
-
},
-
"node_modules/vite/node_modules/picomatch": {
-
"version": "4.0.3",
-
"resolved": "https://registry.npmjs.org/picomatch/-/picomatch-4.0.3.tgz",
-
"integrity": "sha512-5gTmgEY/sqK6gFXLIsQNH19lWb4ebPDLA4SdLP7dsWkIXHWlG66oPuVvXSGFPppYZz8ZDZq0dYYrbHfBCVUb1Q==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=12"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/jonschlinkert"
-
}
-
},
-
"node_modules/which": {
-
"version": "2.0.2",
-
"resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz",
-
"integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==",
-
"dev": true,
-
"license": "ISC",
-
"dependencies": {
-
"isexe": "^2.0.0"
-
},
-
"bin": {
-
"node-which": "bin/node-which"
-
},
-
"engines": {
-
"node": ">= 8"
-
}
-
},
-
"node_modules/word-wrap": {
-
"version": "1.2.5",
-
"resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.5.tgz",
-
"integrity": "sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=0.10.0"
-
}
-
},
-
"node_modules/yallist": {
-
"version": "3.1.1",
-
"resolved": "https://registry.npmjs.org/yallist/-/yallist-3.1.1.tgz",
-
"integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==",
-
"dev": true,
-
"license": "ISC"
-
},
-
"node_modules/yocto-queue": {
-
"version": "0.1.0",
-
"resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
-
"integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
-
"dev": true,
-
"license": "MIT",
-
"engines": {
-
"node": ">=10"
-
},
-
"funding": {
-
"url": "https://github.com/sponsors/sindresorhus"
-
}
-
}
-
}
+
"name": "atproto-ui",
+
"version": "0.12",
+
"lockfileVersion": 3,
+
"requires": true,
+
"packages": {
+
"": {
+
"name": "atproto-ui",
+
"version": "0.12",
+
"dependencies": {
+
"@atcute/atproto": "^3.1.7",
+
"@atcute/bluesky": "^3.2.3",
+
"@atcute/client": "^4.0.3",
+
"@atcute/identity-resolver": "^1.1.3",
+
"@atcute/tangled": "^1.0.10"
+
},
+
"devDependencies": {
+
"@eslint/js": "^9.36.0",
+
"@microsoft/api-extractor": "^7.53.1",
+
"@types/node": "^24.6.0",
+
"@types/react": "^19.1.16",
+
"@types/react-dom": "^19.1.9",
+
"@vitejs/plugin-react": "^5.0.4",
+
"eslint": "^9.36.0",
+
"eslint-plugin-react-hooks": "^5.2.0",
+
"eslint-plugin-react-refresh": "^0.4.22",
+
"globals": "^16.4.0",
+
"react": "^19.1.1",
+
"react-dom": "^19.1.1",
+
"rollup-plugin-typescript2": "^0.36.0",
+
"typescript": "~5.9.3",
+
"typescript-eslint": "^8.45.0",
+
"unplugin-dts": "^1.0.0-beta.6",
+
"vite": "npm:rolldown-vite@7.1.14"
+
},
+
"peerDependencies": {
+
"react": "^18.2.0 || ^19.0.0",
+
"react-dom": "^18.2.0 || ^19.0.0"
+
},
+
"peerDependenciesMeta": {
+
"react-dom": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/@atcute/atproto": {
+
"version": "3.1.9",
+
"license": "0BSD",
+
"dependencies": {
+
"@atcute/lexicons": "^1.2.2"
+
}
+
},
+
"node_modules/@atcute/bluesky": {
+
"version": "3.2.11",
+
"license": "0BSD",
+
"dependencies": {
+
"@atcute/atproto": "^3.1.9",
+
"@atcute/lexicons": "^1.2.5"
+
}
+
},
+
"node_modules/@atcute/client": {
+
"version": "4.1.0",
+
"license": "0BSD",
+
"dependencies": {
+
"@atcute/identity": "^1.1.3",
+
"@atcute/lexicons": "^1.2.5"
+
}
+
},
+
"node_modules/@atcute/identity": {
+
"version": "1.1.3",
+
"license": "0BSD",
+
"peer": true,
+
"dependencies": {
+
"@atcute/lexicons": "^1.2.4",
+
"@badrap/valita": "^0.4.6"
+
}
+
},
+
"node_modules/@atcute/identity-resolver": {
+
"version": "1.1.4",
+
"license": "0BSD",
+
"dependencies": {
+
"@atcute/lexicons": "^1.2.2",
+
"@atcute/util-fetch": "^1.0.3",
+
"@badrap/valita": "^0.4.6"
+
},
+
"peerDependencies": {
+
"@atcute/identity": "^1.0.0"
+
}
+
},
+
"node_modules/@atcute/lexicons": {
+
"version": "1.2.5",
+
"license": "0BSD",
+
"dependencies": {
+
"@standard-schema/spec": "^1.0.0",
+
"esm-env": "^1.2.2"
+
}
+
},
+
"node_modules/@atcute/tangled": {
+
"version": "1.0.12",
+
"license": "0BSD",
+
"dependencies": {
+
"@atcute/atproto": "^3.1.9",
+
"@atcute/lexicons": "^1.2.3"
+
}
+
},
+
"node_modules/@atcute/util-fetch": {
+
"version": "1.0.4",
+
"license": "0BSD",
+
"dependencies": {
+
"@badrap/valita": "^0.4.6"
+
}
+
},
+
"node_modules/@babel/code-frame": {
+
"version": "7.27.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/helper-validator-identifier": "^7.27.1",
+
"js-tokens": "^4.0.0",
+
"picocolors": "^1.1.1"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/compat-data": {
+
"version": "7.28.5",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/core": {
+
"version": "7.28.5",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"@babel/code-frame": "^7.27.1",
+
"@babel/generator": "^7.28.5",
+
"@babel/helper-compilation-targets": "^7.27.2",
+
"@babel/helper-module-transforms": "^7.28.3",
+
"@babel/helpers": "^7.28.4",
+
"@babel/parser": "^7.28.5",
+
"@babel/template": "^7.27.2",
+
"@babel/traverse": "^7.28.5",
+
"@babel/types": "^7.28.5",
+
"@jridgewell/remapping": "^2.3.5",
+
"convert-source-map": "^2.0.0",
+
"debug": "^4.1.0",
+
"gensync": "^1.0.0-beta.2",
+
"json5": "^2.2.3",
+
"semver": "^6.3.1"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/babel"
+
}
+
},
+
"node_modules/@babel/core/node_modules/semver": {
+
"version": "6.3.1",
+
"dev": true,
+
"license": "ISC",
+
"bin": {
+
"semver": "bin/semver.js"
+
}
+
},
+
"node_modules/@babel/generator": {
+
"version": "7.28.5",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/parser": "^7.28.5",
+
"@babel/types": "^7.28.5",
+
"@jridgewell/gen-mapping": "^0.3.12",
+
"@jridgewell/trace-mapping": "^0.3.28",
+
"jsesc": "^3.0.2"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/helper-compilation-targets": {
+
"version": "7.27.2",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/compat-data": "^7.27.2",
+
"@babel/helper-validator-option": "^7.27.1",
+
"browserslist": "^4.24.0",
+
"lru-cache": "^5.1.1",
+
"semver": "^6.3.1"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/helper-compilation-targets/node_modules/lru-cache": {
+
"version": "5.1.1",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"yallist": "^3.0.2"
+
}
+
},
+
"node_modules/@babel/helper-compilation-targets/node_modules/lru-cache/node_modules/yallist": {
+
"version": "3.1.1",
+
"dev": true,
+
"license": "ISC"
+
},
+
"node_modules/@babel/helper-compilation-targets/node_modules/semver": {
+
"version": "6.3.1",
+
"dev": true,
+
"license": "ISC",
+
"bin": {
+
"semver": "bin/semver.js"
+
}
+
},
+
"node_modules/@babel/helper-globals": {
+
"version": "7.28.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/helper-module-imports": {
+
"version": "7.27.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/traverse": "^7.27.1",
+
"@babel/types": "^7.27.1"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/helper-module-transforms": {
+
"version": "7.28.3",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/helper-module-imports": "^7.27.1",
+
"@babel/helper-validator-identifier": "^7.27.1",
+
"@babel/traverse": "^7.28.3"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
},
+
"peerDependencies": {
+
"@babel/core": "^7.0.0"
+
}
+
},
+
"node_modules/@babel/helper-plugin-utils": {
+
"version": "7.27.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/helper-string-parser": {
+
"version": "7.27.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/helper-validator-identifier": {
+
"version": "7.28.5",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/helper-validator-option": {
+
"version": "7.27.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/helpers": {
+
"version": "7.28.4",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/template": "^7.27.2",
+
"@babel/types": "^7.28.4"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/parser": {
+
"version": "7.28.5",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/types": "^7.28.5"
+
},
+
"bin": {
+
"parser": "bin/babel-parser.js"
+
},
+
"engines": {
+
"node": ">=6.0.0"
+
}
+
},
+
"node_modules/@babel/plugin-transform-react-jsx-self": {
+
"version": "7.27.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/helper-plugin-utils": "^7.27.1"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
},
+
"peerDependencies": {
+
"@babel/core": "^7.0.0-0"
+
}
+
},
+
"node_modules/@babel/plugin-transform-react-jsx-source": {
+
"version": "7.27.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/helper-plugin-utils": "^7.27.1"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
},
+
"peerDependencies": {
+
"@babel/core": "^7.0.0-0"
+
}
+
},
+
"node_modules/@babel/template": {
+
"version": "7.27.2",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/code-frame": "^7.27.1",
+
"@babel/parser": "^7.27.2",
+
"@babel/types": "^7.27.1"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/traverse": {
+
"version": "7.28.5",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/code-frame": "^7.27.1",
+
"@babel/generator": "^7.28.5",
+
"@babel/helper-globals": "^7.28.0",
+
"@babel/parser": "^7.28.5",
+
"@babel/template": "^7.27.2",
+
"@babel/types": "^7.28.5",
+
"debug": "^4.3.1"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@babel/types": {
+
"version": "7.28.5",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/helper-string-parser": "^7.27.1",
+
"@babel/helper-validator-identifier": "^7.28.5"
+
},
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/@badrap/valita": {
+
"version": "0.4.6",
+
"license": "MIT",
+
"engines": {
+
"node": ">= 18"
+
}
+
},
+
"node_modules/@emnapi/core": {
+
"version": "1.7.1",
+
"resolved": "https://registry.npmjs.org/@emnapi/core/-/core-1.7.1.tgz",
+
"integrity": "sha512-o1uhUASyo921r2XtHYOHy7gdkGLge8ghBEQHMWmyJFoXlpU58kIrhhN3w26lpQb6dspetweapMn2CSNwQ8I4wg==",
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"dependencies": {
+
"@emnapi/wasi-threads": "1.1.0",
+
"tslib": "^2.4.0"
+
}
+
},
+
"node_modules/@emnapi/runtime": {
+
"version": "1.7.1",
+
"resolved": "https://registry.npmjs.org/@emnapi/runtime/-/runtime-1.7.1.tgz",
+
"integrity": "sha512-PVtJr5CmLwYAU9PZDMITZoR5iAOShYREoR45EyyLrbntV50mdePTgUn4AmOw90Ifcj+x2kRjdzr1HP3RrNiHGA==",
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"dependencies": {
+
"tslib": "^2.4.0"
+
}
+
},
+
"node_modules/@emnapi/wasi-threads": {
+
"version": "1.1.0",
+
"resolved": "https://registry.npmjs.org/@emnapi/wasi-threads/-/wasi-threads-1.1.0.tgz",
+
"integrity": "sha512-WI0DdZ8xFSbgMjR1sFsKABJ/C5OnRrjT06JXbZKexJGrDuPTzZdDYfFlsgcCXCyf+suG5QU2e/y1Wo2V/OapLQ==",
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"dependencies": {
+
"tslib": "^2.4.0"
+
}
+
},
+
"node_modules/@eslint-community/eslint-utils": {
+
"version": "4.9.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"eslint-visitor-keys": "^3.4.3"
+
},
+
"engines": {
+
"node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+
},
+
"funding": {
+
"url": "https://opencollective.com/eslint"
+
},
+
"peerDependencies": {
+
"eslint": "^6.0.0 || ^7.0.0 || >=8.0.0"
+
}
+
},
+
"node_modules/@eslint-community/eslint-utils/node_modules/eslint-visitor-keys": {
+
"version": "3.4.3",
+
"dev": true,
+
"license": "Apache-2.0",
+
"engines": {
+
"node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+
},
+
"funding": {
+
"url": "https://opencollective.com/eslint"
+
}
+
},
+
"node_modules/@eslint-community/regexpp": {
+
"version": "4.12.2",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": "^12.0.0 || ^14.0.0 || >=16.0.0"
+
}
+
},
+
"node_modules/@eslint/config-array": {
+
"version": "0.21.1",
+
"dev": true,
+
"license": "Apache-2.0",
+
"dependencies": {
+
"@eslint/object-schema": "^2.1.7",
+
"debug": "^4.3.1",
+
"minimatch": "^3.1.2"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
}
+
},
+
"node_modules/@eslint/config-array/node_modules/minimatch": {
+
"version": "3.1.2",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"brace-expansion": "^1.1.7"
+
},
+
"engines": {
+
"node": "*"
+
}
+
},
+
"node_modules/@eslint/config-helpers": {
+
"version": "0.4.2",
+
"dev": true,
+
"license": "Apache-2.0",
+
"dependencies": {
+
"@eslint/core": "^0.17.0"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
}
+
},
+
"node_modules/@eslint/core": {
+
"version": "0.17.0",
+
"dev": true,
+
"license": "Apache-2.0",
+
"dependencies": {
+
"@types/json-schema": "^7.0.15"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
}
+
},
+
"node_modules/@eslint/eslintrc": {
+
"version": "3.3.3",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"ajv": "^6.12.4",
+
"debug": "^4.3.2",
+
"espree": "^10.0.1",
+
"globals": "^14.0.0",
+
"ignore": "^5.2.0",
+
"import-fresh": "^3.2.1",
+
"js-yaml": "^4.1.1",
+
"minimatch": "^3.1.2",
+
"strip-json-comments": "^3.1.1"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"url": "https://opencollective.com/eslint"
+
}
+
},
+
"node_modules/@eslint/eslintrc/node_modules/ajv": {
+
"version": "6.12.6",
+
"resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz",
+
"integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"fast-deep-equal": "^3.1.1",
+
"fast-json-stable-stringify": "^2.0.0",
+
"json-schema-traverse": "^0.4.1",
+
"uri-js": "^4.2.2"
+
},
+
"funding": {
+
"type": "github",
+
"url": "https://github.com/sponsors/epoberezkin"
+
}
+
},
+
"node_modules/@eslint/eslintrc/node_modules/globals": {
+
"version": "14.0.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=18"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/@eslint/eslintrc/node_modules/json-schema-traverse": {
+
"version": "0.4.1",
+
"resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
+
"integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/@eslint/eslintrc/node_modules/minimatch": {
+
"version": "3.1.2",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"brace-expansion": "^1.1.7"
+
},
+
"engines": {
+
"node": "*"
+
}
+
},
+
"node_modules/@eslint/js": {
+
"version": "9.39.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"url": "https://eslint.org/donate"
+
}
+
},
+
"node_modules/@eslint/object-schema": {
+
"version": "2.1.7",
+
"dev": true,
+
"license": "Apache-2.0",
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
}
+
},
+
"node_modules/@eslint/plugin-kit": {
+
"version": "0.4.1",
+
"dev": true,
+
"license": "Apache-2.0",
+
"dependencies": {
+
"@eslint/core": "^0.17.0",
+
"levn": "^0.4.1"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
}
+
},
+
"node_modules/@humanfs/core": {
+
"version": "0.19.1",
+
"dev": true,
+
"license": "Apache-2.0",
+
"engines": {
+
"node": ">=18.18.0"
+
}
+
},
+
"node_modules/@humanfs/node": {
+
"version": "0.16.7",
+
"dev": true,
+
"license": "Apache-2.0",
+
"dependencies": {
+
"@humanfs/core": "^0.19.1",
+
"@humanwhocodes/retry": "^0.4.0"
+
},
+
"engines": {
+
"node": ">=18.18.0"
+
}
+
},
+
"node_modules/@humanwhocodes/module-importer": {
+
"version": "1.0.1",
+
"dev": true,
+
"license": "Apache-2.0",
+
"engines": {
+
"node": ">=12.22"
+
},
+
"funding": {
+
"type": "github",
+
"url": "https://github.com/sponsors/nzakas"
+
}
+
},
+
"node_modules/@humanwhocodes/retry": {
+
"version": "0.4.3",
+
"dev": true,
+
"license": "Apache-2.0",
+
"engines": {
+
"node": ">=18.18"
+
},
+
"funding": {
+
"type": "github",
+
"url": "https://github.com/sponsors/nzakas"
+
}
+
},
+
"node_modules/@isaacs/balanced-match": {
+
"version": "4.0.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": "20 || >=22"
+
}
+
},
+
"node_modules/@isaacs/brace-expansion": {
+
"version": "5.0.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@isaacs/balanced-match": "^4.0.1"
+
},
+
"engines": {
+
"node": "20 || >=22"
+
}
+
},
+
"node_modules/@jridgewell/gen-mapping": {
+
"version": "0.3.13",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@jridgewell/sourcemap-codec": "^1.5.0",
+
"@jridgewell/trace-mapping": "^0.3.24"
+
}
+
},
+
"node_modules/@jridgewell/remapping": {
+
"version": "2.3.5",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@jridgewell/gen-mapping": "^0.3.5",
+
"@jridgewell/trace-mapping": "^0.3.24"
+
}
+
},
+
"node_modules/@jridgewell/resolve-uri": {
+
"version": "3.1.2",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6.0.0"
+
}
+
},
+
"node_modules/@jridgewell/source-map": {
+
"version": "0.3.11",
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"dependencies": {
+
"@jridgewell/gen-mapping": "^0.3.5",
+
"@jridgewell/trace-mapping": "^0.3.25"
+
}
+
},
+
"node_modules/@jridgewell/sourcemap-codec": {
+
"version": "1.5.5",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/@jridgewell/trace-mapping": {
+
"version": "0.3.31",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@jridgewell/resolve-uri": "^3.1.0",
+
"@jridgewell/sourcemap-codec": "^1.4.14"
+
}
+
},
+
"node_modules/@microsoft/api-extractor": {
+
"version": "7.55.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@microsoft/api-extractor-model": "7.32.1",
+
"@microsoft/tsdoc": "~0.16.0",
+
"@microsoft/tsdoc-config": "~0.18.0",
+
"@rushstack/node-core-library": "5.19.0",
+
"@rushstack/rig-package": "0.6.0",
+
"@rushstack/terminal": "0.19.4",
+
"@rushstack/ts-command-line": "5.1.4",
+
"diff": "~8.0.2",
+
"lodash": "~4.17.15",
+
"minimatch": "10.0.3",
+
"resolve": "~1.22.1",
+
"semver": "~7.5.4",
+
"source-map": "~0.6.1",
+
"typescript": "5.8.2"
+
},
+
"bin": {
+
"api-extractor": "bin/api-extractor"
+
}
+
},
+
"node_modules/@microsoft/api-extractor-model": {
+
"version": "7.32.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@microsoft/tsdoc": "~0.16.0",
+
"@microsoft/tsdoc-config": "~0.18.0",
+
"@rushstack/node-core-library": "5.19.0"
+
}
+
},
+
"node_modules/@microsoft/api-extractor/node_modules/typescript": {
+
"version": "5.8.2",
+
"dev": true,
+
"license": "Apache-2.0",
+
"bin": {
+
"tsc": "bin/tsc",
+
"tsserver": "bin/tsserver"
+
},
+
"engines": {
+
"node": ">=14.17"
+
}
+
},
+
"node_modules/@microsoft/tsdoc": {
+
"version": "0.16.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/@microsoft/tsdoc-config": {
+
"version": "0.18.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@microsoft/tsdoc": "0.16.0",
+
"ajv": "~8.12.0",
+
"jju": "~1.4.0",
+
"resolve": "~1.22.2"
+
}
+
},
+
"node_modules/@microsoft/tsdoc-config/node_modules/ajv": {
+
"version": "8.12.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"fast-deep-equal": "^3.1.1",
+
"json-schema-traverse": "^1.0.0",
+
"require-from-string": "^2.0.2",
+
"uri-js": "^4.2.2"
+
},
+
"funding": {
+
"type": "github",
+
"url": "https://github.com/sponsors/epoberezkin"
+
}
+
},
+
"node_modules/@napi-rs/wasm-runtime": {
+
"version": "1.1.0",
+
"resolved": "https://registry.npmjs.org/@napi-rs/wasm-runtime/-/wasm-runtime-1.1.0.tgz",
+
"integrity": "sha512-Fq6DJW+Bb5jaWE69/qOE0D1TUN9+6uWhCeZpdnSBk14pjLcCWR7Q8n49PTSPHazM37JqrsdpEthXy2xn6jWWiA==",
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"dependencies": {
+
"@emnapi/core": "^1.7.1",
+
"@emnapi/runtime": "^1.7.1",
+
"@tybys/wasm-util": "^0.10.1"
+
}
+
},
+
"node_modules/@oxc-project/runtime": {
+
"version": "0.92.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@oxc-project/types": {
+
"version": "0.93.0",
+
"dev": true,
+
"license": "MIT",
+
"funding": {
+
"url": "https://github.com/sponsors/Boshen"
+
}
+
},
+
"node_modules/@rolldown/binding-android-arm64": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-android-arm64/-/binding-android-arm64-1.0.0-beta.41.tgz",
+
"integrity": "sha512-Edflndd9lU7JVhVIvJlZhdCj5DkhYDJPIRn4Dx0RUdfc8asP9xHOI5gMd8MesDDx+BJpdIT/uAmVTearteU/mQ==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"android"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-darwin-arm64": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-darwin-arm64/-/binding-darwin-arm64-1.0.0-beta.41.tgz",
+
"integrity": "sha512-XGCzqfjdk7550PlyZRTBKbypXrB7ATtXhw/+bjtxnklLQs0mKP/XkQVOKyn9qGKSlvH8I56JLYryVxl0PCvSNw==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"darwin"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-darwin-x64": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-darwin-x64/-/binding-darwin-x64-1.0.0-beta.41.tgz",
+
"integrity": "sha512-Ho6lIwGJed98zub7n0xcRKuEtnZgbxevAmO4x3zn3C3N4GVXZD5xvCvTVxSMoeBJwTcIYzkVDRTIhylQNsTgLQ==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"darwin"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-freebsd-x64": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-freebsd-x64/-/binding-freebsd-x64-1.0.0-beta.41.tgz",
+
"integrity": "sha512-ijAZETywvL+gACjbT4zBnCp5ez1JhTRs6OxRN4J+D6AzDRbU2zb01Esl51RP5/8ZOlvB37xxsRQ3X4YRVyYb3g==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"freebsd"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-linux-arm-gnueabihf": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-linux-arm-gnueabihf/-/binding-linux-arm-gnueabihf-1.0.0-beta.41.tgz",
+
"integrity": "sha512-EgIOZt7UildXKFEFvaiLNBXm+4ggQyGe3E5Z1QP9uRcJJs9omihOnm897FwOBQdCuMvI49iBgjFrkhH+wMJ2MA==",
+
"cpu": [
+
"arm"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-linux-arm64-gnu": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-linux-arm64-gnu/-/binding-linux-arm64-gnu-1.0.0-beta.41.tgz",
+
"integrity": "sha512-F8bUwJq8v/JAU8HSwgF4dztoqJ+FjdyjuvX4//3+Fbe2we9UktFeZ27U4lRMXF1vxWtdV4ey6oCSqI7yUrSEeg==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-linux-arm64-musl": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-linux-arm64-musl/-/binding-linux-arm64-musl-1.0.0-beta.41.tgz",
+
"integrity": "sha512-MioXcCIX/wB1pBnBoJx8q4OGucUAfC1+/X1ilKFsjDK05VwbLZGRgOVD5OJJpUQPK86DhQciNBrfOKDiatxNmg==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-linux-x64-gnu": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-linux-x64-gnu/-/binding-linux-x64-gnu-1.0.0-beta.41.tgz",
+
"integrity": "sha512-m66M61fizvRCwt5pOEiZQMiwBL9/y0bwU/+Kc4Ce/Pef6YfoEkR28y+DzN9rMdjo8Z28NXjsDPq9nH4mXnAP0g==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-linux-x64-musl": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-linux-x64-musl/-/binding-linux-x64-musl-1.0.0-beta.41.tgz",
+
"integrity": "sha512-yRxlSfBvWnnfrdtJfvi9lg8xfG5mPuyoSHm0X01oiE8ArmLRvoJGHUTJydCYz+wbK2esbq5J4B4Tq9WAsOlP1Q==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-openharmony-arm64": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-openharmony-arm64/-/binding-openharmony-arm64-1.0.0-beta.41.tgz",
+
"integrity": "sha512-PHVxYhBpi8UViS3/hcvQQb9RFqCtvFmFU1PvUoTRiUdBtgHA6fONNHU4x796lgzNlVSD3DO/MZNk1s5/ozSMQg==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"openharmony"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-wasm32-wasi": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-wasm32-wasi/-/binding-wasm32-wasi-1.0.0-beta.41.tgz",
+
"integrity": "sha512-OAfcO37ME6GGWmj9qTaDT7jY4rM0T2z0/8ujdQIJQ2x2nl+ztO32EIwURfmXOK0U1tzkyuaKYvE34Pug/ucXlQ==",
+
"cpu": [
+
"wasm32"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"dependencies": {
+
"@napi-rs/wasm-runtime": "^1.0.5"
+
},
+
"engines": {
+
"node": ">=14.0.0"
+
}
+
},
+
"node_modules/@rolldown/binding-win32-arm64-msvc": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-win32-arm64-msvc/-/binding-win32-arm64-msvc-1.0.0-beta.41.tgz",
+
"integrity": "sha512-NIYGuCcuXaq5BC4Q3upbiMBvmZsTsEPG9k/8QKQdmrch+ocSy5Jv9tdpdmXJyighKqm182nh/zBt+tSJkYoNlg==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"win32"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-win32-ia32-msvc": {
+
"version": "1.0.0-beta.41",
+
"resolved": "https://registry.npmjs.org/@rolldown/binding-win32-ia32-msvc/-/binding-win32-ia32-msvc-1.0.0-beta.41.tgz",
+
"integrity": "sha512-kANdsDbE5FkEOb5NrCGBJBCaZ2Sabp3D7d4PRqMYJqyLljwh9mDyYyYSv5+QNvdAmifj+f3lviNEUUuUZPEFPw==",
+
"cpu": [
+
"ia32"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"win32"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/binding-win32-x64-msvc": {
+
"version": "1.0.0-beta.41",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"win32"
+
],
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
}
+
},
+
"node_modules/@rolldown/pluginutils": {
+
"version": "1.0.0-beta.47",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/@rollup/pluginutils": {
+
"version": "4.2.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"estree-walker": "^2.0.1",
+
"picomatch": "^2.2.2"
+
},
+
"engines": {
+
"node": ">= 8.0.0"
+
}
+
},
+
"node_modules/@rollup/pluginutils/node_modules/picomatch": {
+
"version": "2.3.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=8.6"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/jonschlinkert"
+
}
+
},
+
"node_modules/@rollup/rollup-android-arm-eabi": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-android-arm-eabi/-/rollup-android-arm-eabi-4.53.3.tgz",
+
"integrity": "sha512-mRSi+4cBjrRLoaal2PnqH82Wqyb+d3HsPUN/W+WslCXsZsyHa9ZeQQX/pQsZaVIWDkPcpV6jJ+3KLbTbgnwv8w==",
+
"cpu": [
+
"arm"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"android"
+
]
+
},
+
"node_modules/@rollup/rollup-android-arm64": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-android-arm64/-/rollup-android-arm64-4.53.3.tgz",
+
"integrity": "sha512-CbDGaMpdE9sh7sCmTrTUyllhrg65t6SwhjlMJsLr+J8YjFuPmCEjbBSx4Z/e4SmDyH3aB5hGaJUP2ltV/vcs4w==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"android"
+
]
+
},
+
"node_modules/@rollup/rollup-darwin-arm64": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-darwin-arm64/-/rollup-darwin-arm64-4.53.3.tgz",
+
"integrity": "sha512-Nr7SlQeqIBpOV6BHHGZgYBuSdanCXuw09hon14MGOLGmXAFYjx1wNvquVPmpZnl0tLjg25dEdr4IQ6GgyToCUA==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"darwin"
+
]
+
},
+
"node_modules/@rollup/rollup-darwin-x64": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-darwin-x64/-/rollup-darwin-x64-4.53.3.tgz",
+
"integrity": "sha512-DZ8N4CSNfl965CmPktJ8oBnfYr3F8dTTNBQkRlffnUarJ2ohudQD17sZBa097J8xhQ26AwhHJ5mvUyQW8ddTsQ==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"darwin"
+
]
+
},
+
"node_modules/@rollup/rollup-freebsd-arm64": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-freebsd-arm64/-/rollup-freebsd-arm64-4.53.3.tgz",
+
"integrity": "sha512-yMTrCrK92aGyi7GuDNtGn2sNW+Gdb4vErx4t3Gv/Tr+1zRb8ax4z8GWVRfr3Jw8zJWvpGHNpss3vVlbF58DZ4w==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"freebsd"
+
]
+
},
+
"node_modules/@rollup/rollup-freebsd-x64": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-freebsd-x64/-/rollup-freebsd-x64-4.53.3.tgz",
+
"integrity": "sha512-lMfF8X7QhdQzseM6XaX0vbno2m3hlyZFhwcndRMw8fbAGUGL3WFMBdK0hbUBIUYcEcMhVLr1SIamDeuLBnXS+Q==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"freebsd"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-arm-gnueabihf": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-arm-gnueabihf/-/rollup-linux-arm-gnueabihf-4.53.3.tgz",
+
"integrity": "sha512-k9oD15soC/Ln6d2Wv/JOFPzZXIAIFLp6B+i14KhxAfnq76ajt0EhYc5YPeX6W1xJkAdItcVT+JhKl1QZh44/qw==",
+
"cpu": [
+
"arm"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-arm-musleabihf": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-arm-musleabihf/-/rollup-linux-arm-musleabihf-4.53.3.tgz",
+
"integrity": "sha512-vTNlKq+N6CK/8UktsrFuc+/7NlEYVxgaEgRXVUVK258Z5ymho29skzW1sutgYjqNnquGwVUObAaxae8rZ6YMhg==",
+
"cpu": [
+
"arm"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-arm64-gnu": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-arm64-gnu/-/rollup-linux-arm64-gnu-4.53.3.tgz",
+
"integrity": "sha512-RGrFLWgMhSxRs/EWJMIFM1O5Mzuz3Xy3/mnxJp/5cVhZ2XoCAxJnmNsEyeMJtpK+wu0FJFWz+QF4mjCA7AUQ3w==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-arm64-musl": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-arm64-musl/-/rollup-linux-arm64-musl-4.53.3.tgz",
+
"integrity": "sha512-kASyvfBEWYPEwe0Qv4nfu6pNkITLTb32p4yTgzFCocHnJLAHs+9LjUu9ONIhvfT/5lv4YS5muBHyuV84epBo/A==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-loong64-gnu": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-loong64-gnu/-/rollup-linux-loong64-gnu-4.53.3.tgz",
+
"integrity": "sha512-JiuKcp2teLJwQ7vkJ95EwESWkNRFJD7TQgYmCnrPtlu50b4XvT5MOmurWNrCj3IFdyjBQ5p9vnrX4JM6I8OE7g==",
+
"cpu": [
+
"loong64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-ppc64-gnu": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-ppc64-gnu/-/rollup-linux-ppc64-gnu-4.53.3.tgz",
+
"integrity": "sha512-EoGSa8nd6d3T7zLuqdojxC20oBfNT8nexBbB/rkxgKj5T5vhpAQKKnD+h3UkoMuTyXkP5jTjK/ccNRmQrPNDuw==",
+
"cpu": [
+
"ppc64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-riscv64-gnu": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-riscv64-gnu/-/rollup-linux-riscv64-gnu-4.53.3.tgz",
+
"integrity": "sha512-4s+Wped2IHXHPnAEbIB0YWBv7SDohqxobiiPA1FIWZpX+w9o2i4LezzH/NkFUl8LRci/8udci6cLq+jJQlh+0g==",
+
"cpu": [
+
"riscv64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-riscv64-musl": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-riscv64-musl/-/rollup-linux-riscv64-musl-4.53.3.tgz",
+
"integrity": "sha512-68k2g7+0vs2u9CxDt5ktXTngsxOQkSEV/xBbwlqYcUrAVh6P9EgMZvFsnHy4SEiUl46Xf0IObWVbMvPrr2gw8A==",
+
"cpu": [
+
"riscv64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-s390x-gnu": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-s390x-gnu/-/rollup-linux-s390x-gnu-4.53.3.tgz",
+
"integrity": "sha512-VYsFMpULAz87ZW6BVYw3I6sWesGpsP9OPcyKe8ofdg9LHxSbRMd7zrVrr5xi/3kMZtpWL/wC+UIJWJYVX5uTKg==",
+
"cpu": [
+
"s390x"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-x64-gnu": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-x64-gnu/-/rollup-linux-x64-gnu-4.53.3.tgz",
+
"integrity": "sha512-3EhFi1FU6YL8HTUJZ51imGJWEX//ajQPfqWLI3BQq4TlvHy4X0MOr5q3D2Zof/ka0d5FNdPwZXm3Yyib/UEd+w==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-linux-x64-musl": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-linux-x64-musl/-/rollup-linux-x64-musl-4.53.3.tgz",
+
"integrity": "sha512-eoROhjcc6HbZCJr+tvVT8X4fW3/5g/WkGvvmwz/88sDtSJzO7r/blvoBDgISDiCjDRZmHpwud7h+6Q9JxFwq1Q==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"linux"
+
]
+
},
+
"node_modules/@rollup/rollup-openharmony-arm64": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-openharmony-arm64/-/rollup-openharmony-arm64-4.53.3.tgz",
+
"integrity": "sha512-OueLAWgrNSPGAdUdIjSWXw+u/02BRTcnfw9PN41D2vq/JSEPnJnVuBgw18VkN8wcd4fjUs+jFHVM4t9+kBSNLw==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"openharmony"
+
]
+
},
+
"node_modules/@rollup/rollup-win32-arm64-msvc": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-win32-arm64-msvc/-/rollup-win32-arm64-msvc-4.53.3.tgz",
+
"integrity": "sha512-GOFuKpsxR/whszbF/bzydebLiXIHSgsEUp6M0JI8dWvi+fFa1TD6YQa4aSZHtpmh2/uAlj/Dy+nmby3TJ3pkTw==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"win32"
+
]
+
},
+
"node_modules/@rollup/rollup-win32-ia32-msvc": {
+
"version": "4.53.3",
+
"resolved": "https://registry.npmjs.org/@rollup/rollup-win32-ia32-msvc/-/rollup-win32-ia32-msvc-4.53.3.tgz",
+
"integrity": "sha512-iah+THLcBJdpfZ1TstDFbKNznlzoxa8fmnFYK4V67HvmuNYkVdAywJSoteUszvBQ9/HqN2+9AZghbajMsFT+oA==",
+
"cpu": [
+
"ia32"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"win32"
+
]
+
},
+
"node_modules/@rollup/rollup-win32-x64-gnu": {
+
"version": "4.53.3",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"win32"
+
]
+
},
+
"node_modules/@rollup/rollup-win32-x64-msvc": {
+
"version": "4.53.3",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"win32"
+
]
+
},
+
"node_modules/@rushstack/node-core-library": {
+
"version": "5.19.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"ajv": "~8.13.0",
+
"ajv-draft-04": "~1.0.0",
+
"ajv-formats": "~3.0.1",
+
"fs-extra": "~11.3.0",
+
"import-lazy": "~4.0.0",
+
"jju": "~1.4.0",
+
"resolve": "~1.22.1",
+
"semver": "~7.5.4"
+
},
+
"peerDependencies": {
+
"@types/node": "*"
+
},
+
"peerDependenciesMeta": {
+
"@types/node": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/@rushstack/node-core-library/node_modules/ajv": {
+
"version": "8.13.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"fast-deep-equal": "^3.1.3",
+
"json-schema-traverse": "^1.0.0",
+
"require-from-string": "^2.0.2",
+
"uri-js": "^4.4.1"
+
},
+
"funding": {
+
"type": "github",
+
"url": "https://github.com/sponsors/epoberezkin"
+
}
+
},
+
"node_modules/@rushstack/node-core-library/node_modules/fs-extra": {
+
"version": "11.3.2",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"graceful-fs": "^4.2.0",
+
"jsonfile": "^6.0.1",
+
"universalify": "^2.0.0"
+
},
+
"engines": {
+
"node": ">=14.14"
+
}
+
},
+
"node_modules/@rushstack/problem-matcher": {
+
"version": "0.1.1",
+
"dev": true,
+
"license": "MIT",
+
"peerDependencies": {
+
"@types/node": "*"
+
},
+
"peerDependenciesMeta": {
+
"@types/node": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/@rushstack/rig-package": {
+
"version": "0.6.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"resolve": "~1.22.1",
+
"strip-json-comments": "~3.1.1"
+
}
+
},
+
"node_modules/@rushstack/terminal": {
+
"version": "0.19.4",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@rushstack/node-core-library": "5.19.0",
+
"@rushstack/problem-matcher": "0.1.1",
+
"supports-color": "~8.1.1"
+
},
+
"peerDependencies": {
+
"@types/node": "*"
+
},
+
"peerDependenciesMeta": {
+
"@types/node": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/@rushstack/ts-command-line": {
+
"version": "5.1.4",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@rushstack/terminal": "0.19.4",
+
"@types/argparse": "1.0.38",
+
"argparse": "~1.0.9",
+
"string-argv": "~0.3.1"
+
}
+
},
+
"node_modules/@standard-schema/spec": {
+
"version": "1.0.0",
+
"license": "MIT"
+
},
+
"node_modules/@tybys/wasm-util": {
+
"version": "0.10.1",
+
"resolved": "https://registry.npmjs.org/@tybys/wasm-util/-/wasm-util-0.10.1.tgz",
+
"integrity": "sha512-9tTaPJLSiejZKx+Bmog4uSubteqTvFrVrURwkmHixBo0G4seD0zUxp98E1DzUBJxLQ3NPwXrGKDiVjwx/DpPsg==",
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"dependencies": {
+
"tslib": "^2.4.0"
+
}
+
},
+
"node_modules/@types/argparse": {
+
"version": "1.0.38",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/@types/babel__core": {
+
"version": "7.20.5",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/parser": "^7.20.7",
+
"@babel/types": "^7.20.7",
+
"@types/babel__generator": "*",
+
"@types/babel__template": "*",
+
"@types/babel__traverse": "*"
+
}
+
},
+
"node_modules/@types/babel__generator": {
+
"version": "7.27.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/types": "^7.0.0"
+
}
+
},
+
"node_modules/@types/babel__template": {
+
"version": "7.4.4",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/parser": "^7.1.0",
+
"@babel/types": "^7.0.0"
+
}
+
},
+
"node_modules/@types/babel__traverse": {
+
"version": "7.28.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/types": "^7.28.2"
+
}
+
},
+
"node_modules/@types/estree": {
+
"version": "1.0.8",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/@types/json-schema": {
+
"version": "7.0.15",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/@types/node": {
+
"version": "24.10.1",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"undici-types": "~7.16.0"
+
}
+
},
+
"node_modules/@types/react": {
+
"version": "19.2.7",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"csstype": "^3.2.2"
+
}
+
},
+
"node_modules/@types/react-dom": {
+
"version": "19.2.3",
+
"dev": true,
+
"license": "MIT",
+
"peerDependencies": {
+
"@types/react": "^19.2.0"
+
}
+
},
+
"node_modules/@typescript-eslint/eslint-plugin": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@eslint-community/regexpp": "^4.10.0",
+
"@typescript-eslint/scope-manager": "8.48.1",
+
"@typescript-eslint/type-utils": "8.48.1",
+
"@typescript-eslint/utils": "8.48.1",
+
"@typescript-eslint/visitor-keys": "8.48.1",
+
"graphemer": "^1.4.0",
+
"ignore": "^7.0.0",
+
"natural-compare": "^1.4.0",
+
"ts-api-utils": "^2.1.0"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
},
+
"peerDependencies": {
+
"@typescript-eslint/parser": "^8.48.1",
+
"eslint": "^8.57.0 || ^9.0.0",
+
"typescript": ">=4.8.4 <6.0.0"
+
}
+
},
+
"node_modules/@typescript-eslint/eslint-plugin/node_modules/ignore": {
+
"version": "7.0.5",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">= 4"
+
}
+
},
+
"node_modules/@typescript-eslint/parser": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"@typescript-eslint/scope-manager": "8.48.1",
+
"@typescript-eslint/types": "8.48.1",
+
"@typescript-eslint/typescript-estree": "8.48.1",
+
"@typescript-eslint/visitor-keys": "8.48.1",
+
"debug": "^4.3.4"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
},
+
"peerDependencies": {
+
"eslint": "^8.57.0 || ^9.0.0",
+
"typescript": ">=4.8.4 <6.0.0"
+
}
+
},
+
"node_modules/@typescript-eslint/project-service": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@typescript-eslint/tsconfig-utils": "^8.48.1",
+
"@typescript-eslint/types": "^8.48.1",
+
"debug": "^4.3.4"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
},
+
"peerDependencies": {
+
"typescript": ">=4.8.4 <6.0.0"
+
}
+
},
+
"node_modules/@typescript-eslint/scope-manager": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@typescript-eslint/types": "8.48.1",
+
"@typescript-eslint/visitor-keys": "8.48.1"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
}
+
},
+
"node_modules/@typescript-eslint/tsconfig-utils": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
},
+
"peerDependencies": {
+
"typescript": ">=4.8.4 <6.0.0"
+
}
+
},
+
"node_modules/@typescript-eslint/type-utils": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@typescript-eslint/types": "8.48.1",
+
"@typescript-eslint/typescript-estree": "8.48.1",
+
"@typescript-eslint/utils": "8.48.1",
+
"debug": "^4.3.4",
+
"ts-api-utils": "^2.1.0"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
},
+
"peerDependencies": {
+
"eslint": "^8.57.0 || ^9.0.0",
+
"typescript": ">=4.8.4 <6.0.0"
+
}
+
},
+
"node_modules/@typescript-eslint/types": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
}
+
},
+
"node_modules/@typescript-eslint/typescript-estree": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@typescript-eslint/project-service": "8.48.1",
+
"@typescript-eslint/tsconfig-utils": "8.48.1",
+
"@typescript-eslint/types": "8.48.1",
+
"@typescript-eslint/visitor-keys": "8.48.1",
+
"debug": "^4.3.4",
+
"minimatch": "^9.0.4",
+
"semver": "^7.6.0",
+
"tinyglobby": "^0.2.15",
+
"ts-api-utils": "^2.1.0"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
},
+
"peerDependencies": {
+
"typescript": ">=4.8.4 <6.0.0"
+
}
+
},
+
"node_modules/@typescript-eslint/typescript-estree/node_modules/minimatch": {
+
"version": "9.0.5",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"brace-expansion": "^2.0.1"
+
},
+
"engines": {
+
"node": ">=16 || 14 >=14.17"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/isaacs"
+
}
+
},
+
"node_modules/@typescript-eslint/typescript-estree/node_modules/minimatch/node_modules/brace-expansion": {
+
"version": "2.0.2",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"balanced-match": "^1.0.0"
+
}
+
},
+
"node_modules/@typescript-eslint/typescript-estree/node_modules/semver": {
+
"version": "7.7.3",
+
"dev": true,
+
"license": "ISC",
+
"bin": {
+
"semver": "bin/semver.js"
+
},
+
"engines": {
+
"node": ">=10"
+
}
+
},
+
"node_modules/@typescript-eslint/utils": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@eslint-community/eslint-utils": "^4.7.0",
+
"@typescript-eslint/scope-manager": "8.48.1",
+
"@typescript-eslint/types": "8.48.1",
+
"@typescript-eslint/typescript-estree": "8.48.1"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
},
+
"peerDependencies": {
+
"eslint": "^8.57.0 || ^9.0.0",
+
"typescript": ">=4.8.4 <6.0.0"
+
}
+
},
+
"node_modules/@typescript-eslint/visitor-keys": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@typescript-eslint/types": "8.48.1",
+
"eslint-visitor-keys": "^4.2.1"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
}
+
},
+
"node_modules/@vitejs/plugin-react": {
+
"version": "5.1.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@babel/core": "^7.28.5",
+
"@babel/plugin-transform-react-jsx-self": "^7.27.1",
+
"@babel/plugin-transform-react-jsx-source": "^7.27.1",
+
"@rolldown/pluginutils": "1.0.0-beta.47",
+
"@types/babel__core": "^7.20.5",
+
"react-refresh": "^0.18.0"
+
},
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
},
+
"peerDependencies": {
+
"vite": "^4.2.0 || ^5.0.0 || ^6.0.0 || ^7.0.0"
+
}
+
},
+
"node_modules/@volar/language-core": {
+
"version": "2.4.26",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@volar/source-map": "2.4.26"
+
}
+
},
+
"node_modules/@volar/source-map": {
+
"version": "2.4.26",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/@volar/typescript": {
+
"version": "2.4.26",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@volar/language-core": "2.4.26",
+
"path-browserify": "^1.0.1",
+
"vscode-uri": "^3.0.8"
+
}
+
},
+
"node_modules/acorn": {
+
"version": "8.15.0",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"bin": {
+
"acorn": "bin/acorn"
+
},
+
"engines": {
+
"node": ">=0.4.0"
+
}
+
},
+
"node_modules/acorn-jsx": {
+
"version": "5.3.2",
+
"dev": true,
+
"license": "MIT",
+
"peerDependencies": {
+
"acorn": "^6.0.0 || ^7.0.0 || ^8.0.0"
+
}
+
},
+
"node_modules/ajv": {
+
"version": "8.17.1",
+
"resolved": "https://registry.npmjs.org/ajv/-/ajv-8.17.1.tgz",
+
"integrity": "sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"fast-deep-equal": "^3.1.3",
+
"fast-uri": "^3.0.1",
+
"json-schema-traverse": "^1.0.0",
+
"require-from-string": "^2.0.2"
+
},
+
"funding": {
+
"type": "github",
+
"url": "https://github.com/sponsors/epoberezkin"
+
}
+
},
+
"node_modules/ajv-draft-04": {
+
"version": "1.0.0",
+
"dev": true,
+
"license": "MIT",
+
"peerDependencies": {
+
"ajv": "^8.5.0"
+
},
+
"peerDependenciesMeta": {
+
"ajv": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/ajv-formats": {
+
"version": "3.0.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"ajv": "^8.0.0"
+
},
+
"peerDependencies": {
+
"ajv": "^8.0.0"
+
},
+
"peerDependenciesMeta": {
+
"ajv": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/ansi-styles": {
+
"version": "4.3.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"color-convert": "^2.0.1"
+
},
+
"engines": {
+
"node": ">=8"
+
},
+
"funding": {
+
"url": "https://github.com/chalk/ansi-styles?sponsor=1"
+
}
+
},
+
"node_modules/ansis": {
+
"version": "4.2.0",
+
"dev": true,
+
"license": "ISC",
+
"engines": {
+
"node": ">=14"
+
}
+
},
+
"node_modules/argparse": {
+
"version": "1.0.10",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"sprintf-js": "~1.0.2"
+
}
+
},
+
"node_modules/balanced-match": {
+
"version": "1.0.2",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/baseline-browser-mapping": {
+
"version": "2.8.32",
+
"dev": true,
+
"license": "Apache-2.0",
+
"bin": {
+
"baseline-browser-mapping": "dist/cli.js"
+
}
+
},
+
"node_modules/brace-expansion": {
+
"version": "1.1.12",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"balanced-match": "^1.0.0",
+
"concat-map": "0.0.1"
+
}
+
},
+
"node_modules/browserslist": {
+
"version": "4.28.0",
+
"dev": true,
+
"funding": [
+
{
+
"type": "opencollective",
+
"url": "https://opencollective.com/browserslist"
+
},
+
{
+
"type": "tidelift",
+
"url": "https://tidelift.com/funding/github/npm/browserslist"
+
},
+
{
+
"type": "github",
+
"url": "https://github.com/sponsors/ai"
+
}
+
],
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"baseline-browser-mapping": "^2.8.25",
+
"caniuse-lite": "^1.0.30001754",
+
"electron-to-chromium": "^1.5.249",
+
"node-releases": "^2.0.27",
+
"update-browserslist-db": "^1.1.4"
+
},
+
"bin": {
+
"browserslist": "cli.js"
+
},
+
"engines": {
+
"node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7"
+
}
+
},
+
"node_modules/buffer-from": {
+
"version": "1.1.2",
+
"dev": true,
+
"license": "MIT",
+
"optional": true
+
},
+
"node_modules/callsites": {
+
"version": "3.1.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6"
+
}
+
},
+
"node_modules/caniuse-lite": {
+
"version": "1.0.30001759",
+
"dev": true,
+
"funding": [
+
{
+
"type": "opencollective",
+
"url": "https://opencollective.com/browserslist"
+
},
+
{
+
"type": "tidelift",
+
"url": "https://tidelift.com/funding/github/npm/caniuse-lite"
+
},
+
{
+
"type": "github",
+
"url": "https://github.com/sponsors/ai"
+
}
+
],
+
"license": "CC-BY-4.0"
+
},
+
"node_modules/chalk": {
+
"version": "4.1.2",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"ansi-styles": "^4.1.0",
+
"supports-color": "^7.1.0"
+
},
+
"engines": {
+
"node": ">=10"
+
},
+
"funding": {
+
"url": "https://github.com/chalk/chalk?sponsor=1"
+
}
+
},
+
"node_modules/chalk/node_modules/supports-color": {
+
"version": "7.2.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"has-flag": "^4.0.0"
+
},
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/color-convert": {
+
"version": "2.0.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"color-name": "~1.1.4"
+
},
+
"engines": {
+
"node": ">=7.0.0"
+
}
+
},
+
"node_modules/color-name": {
+
"version": "1.1.4",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/commander": {
+
"version": "2.20.3",
+
"dev": true,
+
"license": "MIT",
+
"optional": true
+
},
+
"node_modules/commondir": {
+
"version": "1.0.1",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/compare-versions": {
+
"version": "6.1.1",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/concat-map": {
+
"version": "0.0.1",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/confbox": {
+
"version": "0.2.2",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/convert-source-map": {
+
"version": "2.0.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/cross-spawn": {
+
"version": "7.0.6",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"path-key": "^3.1.0",
+
"shebang-command": "^2.0.0",
+
"which": "^2.0.1"
+
},
+
"engines": {
+
"node": ">= 8"
+
}
+
},
+
"node_modules/csstype": {
+
"version": "3.2.3",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/debug": {
+
"version": "4.4.3",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"ms": "^2.1.3"
+
},
+
"engines": {
+
"node": ">=6.0"
+
},
+
"peerDependenciesMeta": {
+
"supports-color": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/deep-is": {
+
"version": "0.1.4",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/detect-libc": {
+
"version": "2.1.2",
+
"dev": true,
+
"license": "Apache-2.0",
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/diff": {
+
"version": "8.0.2",
+
"dev": true,
+
"license": "BSD-3-Clause",
+
"engines": {
+
"node": ">=0.3.1"
+
}
+
},
+
"node_modules/electron-to-chromium": {
+
"version": "1.5.263",
+
"dev": true,
+
"license": "ISC"
+
},
+
"node_modules/escalade": {
+
"version": "3.2.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6"
+
}
+
},
+
"node_modules/escape-string-regexp": {
+
"version": "4.0.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=10"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/eslint": {
+
"version": "9.39.1",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"@eslint-community/eslint-utils": "^4.8.0",
+
"@eslint-community/regexpp": "^4.12.1",
+
"@eslint/config-array": "^0.21.1",
+
"@eslint/config-helpers": "^0.4.2",
+
"@eslint/core": "^0.17.0",
+
"@eslint/eslintrc": "^3.3.1",
+
"@eslint/js": "9.39.1",
+
"@eslint/plugin-kit": "^0.4.1",
+
"@humanfs/node": "^0.16.6",
+
"@humanwhocodes/module-importer": "^1.0.1",
+
"@humanwhocodes/retry": "^0.4.2",
+
"@types/estree": "^1.0.6",
+
"ajv": "^6.12.4",
+
"chalk": "^4.0.0",
+
"cross-spawn": "^7.0.6",
+
"debug": "^4.3.2",
+
"escape-string-regexp": "^4.0.0",
+
"eslint-scope": "^8.4.0",
+
"eslint-visitor-keys": "^4.2.1",
+
"espree": "^10.4.0",
+
"esquery": "^1.5.0",
+
"esutils": "^2.0.2",
+
"fast-deep-equal": "^3.1.3",
+
"file-entry-cache": "^8.0.0",
+
"find-up": "^5.0.0",
+
"glob-parent": "^6.0.2",
+
"ignore": "^5.2.0",
+
"imurmurhash": "^0.1.4",
+
"is-glob": "^4.0.0",
+
"json-stable-stringify-without-jsonify": "^1.0.1",
+
"lodash.merge": "^4.6.2",
+
"minimatch": "^3.1.2",
+
"natural-compare": "^1.4.0",
+
"optionator": "^0.9.3"
+
},
+
"bin": {
+
"eslint": "bin/eslint.js"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"url": "https://eslint.org/donate"
+
},
+
"peerDependencies": {
+
"jiti": "*"
+
},
+
"peerDependenciesMeta": {
+
"jiti": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/eslint-plugin-react-hooks": {
+
"version": "5.2.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=10"
+
},
+
"peerDependencies": {
+
"eslint": "^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 || ^7.0.0 || ^8.0.0-0 || ^9.0.0"
+
}
+
},
+
"node_modules/eslint-plugin-react-refresh": {
+
"version": "0.4.24",
+
"dev": true,
+
"license": "MIT",
+
"peerDependencies": {
+
"eslint": ">=8.40"
+
}
+
},
+
"node_modules/eslint-scope": {
+
"version": "8.4.0",
+
"dev": true,
+
"license": "BSD-2-Clause",
+
"dependencies": {
+
"esrecurse": "^4.3.0",
+
"estraverse": "^5.2.0"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"url": "https://opencollective.com/eslint"
+
}
+
},
+
"node_modules/eslint-visitor-keys": {
+
"version": "4.2.1",
+
"dev": true,
+
"license": "Apache-2.0",
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"url": "https://opencollective.com/eslint"
+
}
+
},
+
"node_modules/eslint/node_modules/ajv": {
+
"version": "6.12.6",
+
"resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz",
+
"integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"fast-deep-equal": "^3.1.1",
+
"fast-json-stable-stringify": "^2.0.0",
+
"json-schema-traverse": "^0.4.1",
+
"uri-js": "^4.2.2"
+
},
+
"funding": {
+
"type": "github",
+
"url": "https://github.com/sponsors/epoberezkin"
+
}
+
},
+
"node_modules/eslint/node_modules/json-schema-traverse": {
+
"version": "0.4.1",
+
"resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
+
"integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/eslint/node_modules/minimatch": {
+
"version": "3.1.2",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"brace-expansion": "^1.1.7"
+
},
+
"engines": {
+
"node": "*"
+
}
+
},
+
"node_modules/esm-env": {
+
"version": "1.2.2",
+
"license": "MIT"
+
},
+
"node_modules/espree": {
+
"version": "10.4.0",
+
"dev": true,
+
"license": "BSD-2-Clause",
+
"dependencies": {
+
"acorn": "^8.15.0",
+
"acorn-jsx": "^5.3.2",
+
"eslint-visitor-keys": "^4.2.1"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"url": "https://opencollective.com/eslint"
+
}
+
},
+
"node_modules/esquery": {
+
"version": "1.6.0",
+
"dev": true,
+
"license": "BSD-3-Clause",
+
"dependencies": {
+
"estraverse": "^5.1.0"
+
},
+
"engines": {
+
"node": ">=0.10"
+
}
+
},
+
"node_modules/esrecurse": {
+
"version": "4.3.0",
+
"dev": true,
+
"license": "BSD-2-Clause",
+
"dependencies": {
+
"estraverse": "^5.2.0"
+
},
+
"engines": {
+
"node": ">=4.0"
+
}
+
},
+
"node_modules/estraverse": {
+
"version": "5.3.0",
+
"dev": true,
+
"license": "BSD-2-Clause",
+
"engines": {
+
"node": ">=4.0"
+
}
+
},
+
"node_modules/estree-walker": {
+
"version": "2.0.2",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/esutils": {
+
"version": "2.0.3",
+
"dev": true,
+
"license": "BSD-2-Clause",
+
"engines": {
+
"node": ">=0.10.0"
+
}
+
},
+
"node_modules/exsolve": {
+
"version": "1.0.8",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/fast-deep-equal": {
+
"version": "3.1.3",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/fast-json-stable-stringify": {
+
"version": "2.1.0",
+
"resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz",
+
"integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/fast-levenshtein": {
+
"version": "2.0.6",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/fast-uri": {
+
"version": "3.1.0",
+
"dev": true,
+
"funding": [
+
{
+
"type": "github",
+
"url": "https://github.com/sponsors/fastify"
+
},
+
{
+
"type": "opencollective",
+
"url": "https://opencollective.com/fastify"
+
}
+
],
+
"license": "BSD-3-Clause"
+
},
+
"node_modules/fdir": {
+
"version": "6.5.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=12.0.0"
+
},
+
"peerDependencies": {
+
"picomatch": "^3 || ^4"
+
},
+
"peerDependenciesMeta": {
+
"picomatch": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/file-entry-cache": {
+
"version": "8.0.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"flat-cache": "^4.0.0"
+
},
+
"engines": {
+
"node": ">=16.0.0"
+
}
+
},
+
"node_modules/find-cache-dir": {
+
"version": "3.3.2",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"commondir": "^1.0.1",
+
"make-dir": "^3.0.2",
+
"pkg-dir": "^4.1.0"
+
},
+
"engines": {
+
"node": ">=8"
+
},
+
"funding": {
+
"url": "https://github.com/avajs/find-cache-dir?sponsor=1"
+
}
+
},
+
"node_modules/find-up": {
+
"version": "5.0.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"locate-path": "^6.0.0",
+
"path-exists": "^4.0.0"
+
},
+
"engines": {
+
"node": ">=10"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/flat-cache": {
+
"version": "4.0.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"flatted": "^3.2.9",
+
"keyv": "^4.5.4"
+
},
+
"engines": {
+
"node": ">=16"
+
}
+
},
+
"node_modules/flatted": {
+
"version": "3.3.3",
+
"dev": true,
+
"license": "ISC"
+
},
+
"node_modules/fs-extra": {
+
"version": "10.1.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"graceful-fs": "^4.2.0",
+
"jsonfile": "^6.0.1",
+
"universalify": "^2.0.0"
+
},
+
"engines": {
+
"node": ">=12"
+
}
+
},
+
"node_modules/fsevents": {
+
"version": "2.3.3",
+
"resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz",
+
"integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==",
+
"dev": true,
+
"hasInstallScript": true,
+
"license": "MIT",
+
"optional": true,
+
"os": [
+
"darwin"
+
],
+
"engines": {
+
"node": "^8.16.0 || ^10.6.0 || >=11.0.0"
+
}
+
},
+
"node_modules/function-bind": {
+
"version": "1.1.2",
+
"dev": true,
+
"license": "MIT",
+
"funding": {
+
"url": "https://github.com/sponsors/ljharb"
+
}
+
},
+
"node_modules/gensync": {
+
"version": "1.0.0-beta.2",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6.9.0"
+
}
+
},
+
"node_modules/glob-parent": {
+
"version": "6.0.2",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"is-glob": "^4.0.3"
+
},
+
"engines": {
+
"node": ">=10.13.0"
+
}
+
},
+
"node_modules/globals": {
+
"version": "16.5.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=18"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/graceful-fs": {
+
"version": "4.2.11",
+
"dev": true,
+
"license": "ISC"
+
},
+
"node_modules/graphemer": {
+
"version": "1.4.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/has-flag": {
+
"version": "4.0.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/hasown": {
+
"version": "2.0.2",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"function-bind": "^1.1.2"
+
},
+
"engines": {
+
"node": ">= 0.4"
+
}
+
},
+
"node_modules/ignore": {
+
"version": "5.3.2",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">= 4"
+
}
+
},
+
"node_modules/import-fresh": {
+
"version": "3.3.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"parent-module": "^1.0.0",
+
"resolve-from": "^4.0.0"
+
},
+
"engines": {
+
"node": ">=6"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/import-lazy": {
+
"version": "4.0.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/imurmurhash": {
+
"version": "0.1.4",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=0.8.19"
+
}
+
},
+
"node_modules/is-core-module": {
+
"version": "2.16.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"hasown": "^2.0.2"
+
},
+
"engines": {
+
"node": ">= 0.4"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/ljharb"
+
}
+
},
+
"node_modules/is-extglob": {
+
"version": "2.1.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=0.10.0"
+
}
+
},
+
"node_modules/is-glob": {
+
"version": "4.0.3",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"is-extglob": "^2.1.1"
+
},
+
"engines": {
+
"node": ">=0.10.0"
+
}
+
},
+
"node_modules/isexe": {
+
"version": "2.0.0",
+
"dev": true,
+
"license": "ISC"
+
},
+
"node_modules/jju": {
+
"version": "1.4.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/js-tokens": {
+
"version": "4.0.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/js-yaml": {
+
"version": "4.1.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"argparse": "^2.0.1"
+
},
+
"bin": {
+
"js-yaml": "bin/js-yaml.js"
+
}
+
},
+
"node_modules/js-yaml/node_modules/argparse": {
+
"version": "2.0.1",
+
"dev": true,
+
"license": "Python-2.0"
+
},
+
"node_modules/jsesc": {
+
"version": "3.1.0",
+
"dev": true,
+
"license": "MIT",
+
"bin": {
+
"jsesc": "bin/jsesc"
+
},
+
"engines": {
+
"node": ">=6"
+
}
+
},
+
"node_modules/json-buffer": {
+
"version": "3.0.1",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/json-schema-traverse": {
+
"version": "1.0.0",
+
"resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz",
+
"integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/json-stable-stringify-without-jsonify": {
+
"version": "1.0.1",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/json5": {
+
"version": "2.2.3",
+
"dev": true,
+
"license": "MIT",
+
"bin": {
+
"json5": "lib/cli.js"
+
},
+
"engines": {
+
"node": ">=6"
+
}
+
},
+
"node_modules/jsonfile": {
+
"version": "6.2.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"universalify": "^2.0.0"
+
},
+
"optionalDependencies": {
+
"graceful-fs": "^4.1.6"
+
}
+
},
+
"node_modules/keyv": {
+
"version": "4.5.4",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"json-buffer": "3.0.1"
+
}
+
},
+
"node_modules/kolorist": {
+
"version": "1.8.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/levn": {
+
"version": "0.4.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"prelude-ls": "^1.2.1",
+
"type-check": "~0.4.0"
+
},
+
"engines": {
+
"node": ">= 0.8.0"
+
}
+
},
+
"node_modules/lightningcss": {
+
"version": "1.30.2",
+
"dev": true,
+
"license": "MPL-2.0",
+
"dependencies": {
+
"detect-libc": "^2.0.3"
+
},
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
},
+
"optionalDependencies": {
+
"lightningcss-android-arm64": "1.30.2",
+
"lightningcss-darwin-arm64": "1.30.2",
+
"lightningcss-darwin-x64": "1.30.2",
+
"lightningcss-freebsd-x64": "1.30.2",
+
"lightningcss-linux-arm-gnueabihf": "1.30.2",
+
"lightningcss-linux-arm64-gnu": "1.30.2",
+
"lightningcss-linux-arm64-musl": "1.30.2",
+
"lightningcss-linux-x64-gnu": "1.30.2",
+
"lightningcss-linux-x64-musl": "1.30.2",
+
"lightningcss-win32-arm64-msvc": "1.30.2",
+
"lightningcss-win32-x64-msvc": "1.30.2"
+
}
+
},
+
"node_modules/lightningcss-android-arm64": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-android-arm64/-/lightningcss-android-arm64-1.30.2.tgz",
+
"integrity": "sha512-BH9sEdOCahSgmkVhBLeU7Hc9DWeZ1Eb6wNS6Da8igvUwAe0sqROHddIlvU06q3WyXVEOYDZ6ykBZQnjTbmo4+A==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"android"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-darwin-arm64": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-darwin-arm64/-/lightningcss-darwin-arm64-1.30.2.tgz",
+
"integrity": "sha512-ylTcDJBN3Hp21TdhRT5zBOIi73P6/W0qwvlFEk22fkdXchtNTOU4Qc37SkzV+EKYxLouZ6M4LG9NfZ1qkhhBWA==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"darwin"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-darwin-x64": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-darwin-x64/-/lightningcss-darwin-x64-1.30.2.tgz",
+
"integrity": "sha512-oBZgKchomuDYxr7ilwLcyms6BCyLn0z8J0+ZZmfpjwg9fRVZIR5/GMXd7r9RH94iDhld3UmSjBM6nXWM2TfZTQ==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"darwin"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-freebsd-x64": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-freebsd-x64/-/lightningcss-freebsd-x64-1.30.2.tgz",
+
"integrity": "sha512-c2bH6xTrf4BDpK8MoGG4Bd6zAMZDAXS569UxCAGcA7IKbHNMlhGQ89eRmvpIUGfKWNVdbhSbkQaWhEoMGmGslA==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"freebsd"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-linux-arm-gnueabihf": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-linux-arm-gnueabihf/-/lightningcss-linux-arm-gnueabihf-1.30.2.tgz",
+
"integrity": "sha512-eVdpxh4wYcm0PofJIZVuYuLiqBIakQ9uFZmipf6LF/HRj5Bgm0eb3qL/mr1smyXIS1twwOxNWndd8z0E374hiA==",
+
"cpu": [
+
"arm"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-linux-arm64-gnu": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-linux-arm64-gnu/-/lightningcss-linux-arm64-gnu-1.30.2.tgz",
+
"integrity": "sha512-UK65WJAbwIJbiBFXpxrbTNArtfuznvxAJw4Q2ZGlU8kPeDIWEX1dg3rn2veBVUylA2Ezg89ktszWbaQnxD/e3A==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-linux-arm64-musl": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-linux-arm64-musl/-/lightningcss-linux-arm64-musl-1.30.2.tgz",
+
"integrity": "sha512-5Vh9dGeblpTxWHpOx8iauV02popZDsCYMPIgiuw97OJ5uaDsL86cnqSFs5LZkG3ghHoX5isLgWzMs+eD1YzrnA==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-linux-x64-gnu": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-linux-x64-gnu/-/lightningcss-linux-x64-gnu-1.30.2.tgz",
+
"integrity": "sha512-Cfd46gdmj1vQ+lR6VRTTadNHu6ALuw2pKR9lYq4FnhvgBc4zWY1EtZcAc6EffShbb1MFrIPfLDXD6Xprbnni4w==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-linux-x64-musl": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-linux-x64-musl/-/lightningcss-linux-x64-musl-1.30.2.tgz",
+
"integrity": "sha512-XJaLUUFXb6/QG2lGIW6aIk6jKdtjtcffUT0NKvIqhSBY3hh9Ch+1LCeH80dR9q9LBjG3ewbDjnumefsLsP6aiA==",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"linux"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-win32-arm64-msvc": {
+
"version": "1.30.2",
+
"resolved": "https://registry.npmjs.org/lightningcss-win32-arm64-msvc/-/lightningcss-win32-arm64-msvc-1.30.2.tgz",
+
"integrity": "sha512-FZn+vaj7zLv//D/192WFFVA0RgHawIcHqLX9xuWiQt7P0PtdFEVaxgF9rjM/IRYHQXNnk61/H/gb2Ei+kUQ4xQ==",
+
"cpu": [
+
"arm64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"win32"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/lightningcss-win32-x64-msvc": {
+
"version": "1.30.2",
+
"cpu": [
+
"x64"
+
],
+
"dev": true,
+
"license": "MPL-2.0",
+
"optional": true,
+
"os": [
+
"win32"
+
],
+
"engines": {
+
"node": ">= 12.0.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/parcel"
+
}
+
},
+
"node_modules/local-pkg": {
+
"version": "1.1.2",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"mlly": "^1.7.4",
+
"pkg-types": "^2.3.0",
+
"quansync": "^0.2.11"
+
},
+
"engines": {
+
"node": ">=14"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/antfu"
+
}
+
},
+
"node_modules/locate-path": {
+
"version": "6.0.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"p-locate": "^5.0.0"
+
},
+
"engines": {
+
"node": ">=10"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/lodash": {
+
"version": "4.17.21",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/lodash.merge": {
+
"version": "4.6.2",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/lru-cache": {
+
"version": "6.0.0",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"yallist": "^4.0.0"
+
},
+
"engines": {
+
"node": ">=10"
+
}
+
},
+
"node_modules/magic-string": {
+
"version": "0.30.21",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@jridgewell/sourcemap-codec": "^1.5.5"
+
}
+
},
+
"node_modules/make-dir": {
+
"version": "3.1.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"semver": "^6.0.0"
+
},
+
"engines": {
+
"node": ">=8"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/make-dir/node_modules/semver": {
+
"version": "6.3.1",
+
"dev": true,
+
"license": "ISC",
+
"bin": {
+
"semver": "bin/semver.js"
+
}
+
},
+
"node_modules/minimatch": {
+
"version": "10.0.3",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"@isaacs/brace-expansion": "^5.0.0"
+
},
+
"engines": {
+
"node": "20 || >=22"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/isaacs"
+
}
+
},
+
"node_modules/mlly": {
+
"version": "1.8.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"acorn": "^8.15.0",
+
"pathe": "^2.0.3",
+
"pkg-types": "^1.3.1",
+
"ufo": "^1.6.1"
+
}
+
},
+
"node_modules/mlly/node_modules/pkg-types": {
+
"version": "1.3.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"confbox": "^0.1.8",
+
"mlly": "^1.7.4",
+
"pathe": "^2.0.1"
+
}
+
},
+
"node_modules/mlly/node_modules/pkg-types/node_modules/confbox": {
+
"version": "0.1.8",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/ms": {
+
"version": "2.1.3",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/nanoid": {
+
"version": "3.3.11",
+
"dev": true,
+
"funding": [
+
{
+
"type": "github",
+
"url": "https://github.com/sponsors/ai"
+
}
+
],
+
"license": "MIT",
+
"bin": {
+
"nanoid": "bin/nanoid.cjs"
+
},
+
"engines": {
+
"node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1"
+
}
+
},
+
"node_modules/natural-compare": {
+
"version": "1.4.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/node-releases": {
+
"version": "2.0.27",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/optionator": {
+
"version": "0.9.4",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"deep-is": "^0.1.3",
+
"fast-levenshtein": "^2.0.6",
+
"levn": "^0.4.1",
+
"prelude-ls": "^1.2.1",
+
"type-check": "^0.4.0",
+
"word-wrap": "^1.2.5"
+
},
+
"engines": {
+
"node": ">= 0.8.0"
+
}
+
},
+
"node_modules/p-limit": {
+
"version": "3.1.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"yocto-queue": "^0.1.0"
+
},
+
"engines": {
+
"node": ">=10"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/p-locate": {
+
"version": "5.0.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"p-limit": "^3.0.2"
+
},
+
"engines": {
+
"node": ">=10"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/p-try": {
+
"version": "2.2.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6"
+
}
+
},
+
"node_modules/parent-module": {
+
"version": "1.0.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"callsites": "^3.0.0"
+
},
+
"engines": {
+
"node": ">=6"
+
}
+
},
+
"node_modules/path-browserify": {
+
"version": "1.0.1",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/path-exists": {
+
"version": "4.0.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/path-key": {
+
"version": "3.1.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/path-parse": {
+
"version": "1.0.7",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/pathe": {
+
"version": "2.0.3",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/picocolors": {
+
"version": "1.1.1",
+
"dev": true,
+
"license": "ISC"
+
},
+
"node_modules/picomatch": {
+
"version": "4.0.3",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=12"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/jonschlinkert"
+
}
+
},
+
"node_modules/pkg-dir": {
+
"version": "4.2.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"find-up": "^4.0.0"
+
},
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/pkg-dir/node_modules/find-up": {
+
"version": "4.1.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"locate-path": "^5.0.0",
+
"path-exists": "^4.0.0"
+
},
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/pkg-dir/node_modules/find-up/node_modules/locate-path": {
+
"version": "5.0.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"p-locate": "^4.1.0"
+
},
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/pkg-dir/node_modules/find-up/node_modules/locate-path/node_modules/p-locate": {
+
"version": "4.1.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"p-limit": "^2.2.0"
+
},
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/pkg-dir/node_modules/find-up/node_modules/locate-path/node_modules/p-locate/node_modules/p-limit": {
+
"version": "2.3.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"p-try": "^2.0.0"
+
},
+
"engines": {
+
"node": ">=6"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/pkg-types": {
+
"version": "2.3.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"confbox": "^0.2.2",
+
"exsolve": "^1.0.7",
+
"pathe": "^2.0.3"
+
}
+
},
+
"node_modules/postcss": {
+
"version": "8.5.6",
+
"dev": true,
+
"funding": [
+
{
+
"type": "opencollective",
+
"url": "https://opencollective.com/postcss/"
+
},
+
{
+
"type": "tidelift",
+
"url": "https://tidelift.com/funding/github/npm/postcss"
+
},
+
{
+
"type": "github",
+
"url": "https://github.com/sponsors/ai"
+
}
+
],
+
"license": "MIT",
+
"dependencies": {
+
"nanoid": "^3.3.11",
+
"picocolors": "^1.1.1",
+
"source-map-js": "^1.2.1"
+
},
+
"engines": {
+
"node": "^10 || ^12 || >=14"
+
}
+
},
+
"node_modules/prelude-ls": {
+
"version": "1.2.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">= 0.8.0"
+
}
+
},
+
"node_modules/punycode": {
+
"version": "2.3.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=6"
+
}
+
},
+
"node_modules/quansync": {
+
"version": "0.2.11",
+
"dev": true,
+
"funding": [
+
{
+
"type": "individual",
+
"url": "https://github.com/sponsors/antfu"
+
},
+
{
+
"type": "individual",
+
"url": "https://github.com/sponsors/sxzz"
+
}
+
],
+
"license": "MIT"
+
},
+
"node_modules/react": {
+
"version": "19.2.0",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"engines": {
+
"node": ">=0.10.0"
+
}
+
},
+
"node_modules/react-dom": {
+
"version": "19.2.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"scheduler": "^0.27.0"
+
},
+
"peerDependencies": {
+
"react": "^19.2.0"
+
}
+
},
+
"node_modules/react-refresh": {
+
"version": "0.18.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=0.10.0"
+
}
+
},
+
"node_modules/require-from-string": {
+
"version": "2.0.2",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=0.10.0"
+
}
+
},
+
"node_modules/resolve": {
+
"version": "1.22.11",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"is-core-module": "^2.16.1",
+
"path-parse": "^1.0.7",
+
"supports-preserve-symlinks-flag": "^1.0.0"
+
},
+
"bin": {
+
"resolve": "bin/resolve"
+
},
+
"engines": {
+
"node": ">= 0.4"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/ljharb"
+
}
+
},
+
"node_modules/resolve-from": {
+
"version": "4.0.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=4"
+
}
+
},
+
"node_modules/rolldown": {
+
"version": "1.0.0-beta.41",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"@oxc-project/types": "=0.93.0",
+
"@rolldown/pluginutils": "1.0.0-beta.41",
+
"ansis": "=4.2.0"
+
},
+
"bin": {
+
"rolldown": "bin/cli.mjs"
+
},
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
},
+
"optionalDependencies": {
+
"@rolldown/binding-android-arm64": "1.0.0-beta.41",
+
"@rolldown/binding-darwin-arm64": "1.0.0-beta.41",
+
"@rolldown/binding-darwin-x64": "1.0.0-beta.41",
+
"@rolldown/binding-freebsd-x64": "1.0.0-beta.41",
+
"@rolldown/binding-linux-arm-gnueabihf": "1.0.0-beta.41",
+
"@rolldown/binding-linux-arm64-gnu": "1.0.0-beta.41",
+
"@rolldown/binding-linux-arm64-musl": "1.0.0-beta.41",
+
"@rolldown/binding-linux-x64-gnu": "1.0.0-beta.41",
+
"@rolldown/binding-linux-x64-musl": "1.0.0-beta.41",
+
"@rolldown/binding-openharmony-arm64": "1.0.0-beta.41",
+
"@rolldown/binding-wasm32-wasi": "1.0.0-beta.41",
+
"@rolldown/binding-win32-arm64-msvc": "1.0.0-beta.41",
+
"@rolldown/binding-win32-ia32-msvc": "1.0.0-beta.41",
+
"@rolldown/binding-win32-x64-msvc": "1.0.0-beta.41"
+
}
+
},
+
"node_modules/rolldown/node_modules/@rolldown/pluginutils": {
+
"version": "1.0.0-beta.41",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/rollup": {
+
"version": "4.53.3",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"@types/estree": "1.0.8"
+
},
+
"bin": {
+
"rollup": "dist/bin/rollup"
+
},
+
"engines": {
+
"node": ">=18.0.0",
+
"npm": ">=8.0.0"
+
},
+
"optionalDependencies": {
+
"@rollup/rollup-android-arm-eabi": "4.53.3",
+
"@rollup/rollup-android-arm64": "4.53.3",
+
"@rollup/rollup-darwin-arm64": "4.53.3",
+
"@rollup/rollup-darwin-x64": "4.53.3",
+
"@rollup/rollup-freebsd-arm64": "4.53.3",
+
"@rollup/rollup-freebsd-x64": "4.53.3",
+
"@rollup/rollup-linux-arm-gnueabihf": "4.53.3",
+
"@rollup/rollup-linux-arm-musleabihf": "4.53.3",
+
"@rollup/rollup-linux-arm64-gnu": "4.53.3",
+
"@rollup/rollup-linux-arm64-musl": "4.53.3",
+
"@rollup/rollup-linux-loong64-gnu": "4.53.3",
+
"@rollup/rollup-linux-ppc64-gnu": "4.53.3",
+
"@rollup/rollup-linux-riscv64-gnu": "4.53.3",
+
"@rollup/rollup-linux-riscv64-musl": "4.53.3",
+
"@rollup/rollup-linux-s390x-gnu": "4.53.3",
+
"@rollup/rollup-linux-x64-gnu": "4.53.3",
+
"@rollup/rollup-linux-x64-musl": "4.53.3",
+
"@rollup/rollup-openharmony-arm64": "4.53.3",
+
"@rollup/rollup-win32-arm64-msvc": "4.53.3",
+
"@rollup/rollup-win32-ia32-msvc": "4.53.3",
+
"@rollup/rollup-win32-x64-gnu": "4.53.3",
+
"@rollup/rollup-win32-x64-msvc": "4.53.3",
+
"fsevents": "~2.3.2"
+
}
+
},
+
"node_modules/rollup-plugin-typescript2": {
+
"version": "0.36.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@rollup/pluginutils": "^4.1.2",
+
"find-cache-dir": "^3.3.2",
+
"fs-extra": "^10.0.0",
+
"semver": "^7.5.4",
+
"tslib": "^2.6.2"
+
},
+
"peerDependencies": {
+
"rollup": ">=1.26.3",
+
"typescript": ">=2.4.0"
+
}
+
},
+
"node_modules/rollup-plugin-typescript2/node_modules/semver": {
+
"version": "7.7.3",
+
"dev": true,
+
"license": "ISC",
+
"bin": {
+
"semver": "bin/semver.js"
+
},
+
"engines": {
+
"node": ">=10"
+
}
+
},
+
"node_modules/scheduler": {
+
"version": "0.27.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/semver": {
+
"version": "7.5.4",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"lru-cache": "^6.0.0"
+
},
+
"bin": {
+
"semver": "bin/semver.js"
+
},
+
"engines": {
+
"node": ">=10"
+
}
+
},
+
"node_modules/shebang-command": {
+
"version": "2.0.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"shebang-regex": "^3.0.0"
+
},
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/shebang-regex": {
+
"version": "3.0.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=8"
+
}
+
},
+
"node_modules/source-map": {
+
"version": "0.6.1",
+
"dev": true,
+
"license": "BSD-3-Clause",
+
"engines": {
+
"node": ">=0.10.0"
+
}
+
},
+
"node_modules/source-map-js": {
+
"version": "1.2.1",
+
"dev": true,
+
"license": "BSD-3-Clause",
+
"engines": {
+
"node": ">=0.10.0"
+
}
+
},
+
"node_modules/source-map-support": {
+
"version": "0.5.21",
+
"dev": true,
+
"license": "MIT",
+
"optional": true,
+
"dependencies": {
+
"buffer-from": "^1.0.0",
+
"source-map": "^0.6.0"
+
}
+
},
+
"node_modules/sprintf-js": {
+
"version": "1.0.3",
+
"dev": true,
+
"license": "BSD-3-Clause"
+
},
+
"node_modules/string-argv": {
+
"version": "0.3.2",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=0.6.19"
+
}
+
},
+
"node_modules/strip-json-comments": {
+
"version": "3.1.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=8"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
},
+
"node_modules/supports-color": {
+
"version": "8.1.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"has-flag": "^4.0.0"
+
},
+
"engines": {
+
"node": ">=10"
+
},
+
"funding": {
+
"url": "https://github.com/chalk/supports-color?sponsor=1"
+
}
+
},
+
"node_modules/supports-preserve-symlinks-flag": {
+
"version": "1.0.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">= 0.4"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/ljharb"
+
}
+
},
+
"node_modules/tinyglobby": {
+
"version": "0.2.15",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"fdir": "^6.5.0",
+
"picomatch": "^4.0.3"
+
},
+
"engines": {
+
"node": ">=12.0.0"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/SuperchupuDev"
+
}
+
},
+
"node_modules/ts-api-utils": {
+
"version": "2.1.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=18.12"
+
},
+
"peerDependencies": {
+
"typescript": ">=4.8.4"
+
}
+
},
+
"node_modules/tslib": {
+
"version": "2.8.1",
+
"dev": true,
+
"license": "0BSD"
+
},
+
"node_modules/type-check": {
+
"version": "0.4.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"prelude-ls": "^1.2.1"
+
},
+
"engines": {
+
"node": ">= 0.8.0"
+
}
+
},
+
"node_modules/typescript": {
+
"version": "5.9.3",
+
"resolved": "https://registry.npmjs.org/typescript/-/typescript-5.9.3.tgz",
+
"integrity": "sha512-jl1vZzPDinLr9eUt3J/t7V6FgNEw9QjvBPdysz9KfQDD41fQrC2Y4vKQdiaUpFT4bXlb1RHhLpp8wtm6M5TgSw==",
+
"dev": true,
+
"license": "Apache-2.0",
+
"peer": true,
+
"bin": {
+
"tsc": "bin/tsc",
+
"tsserver": "bin/tsserver"
+
},
+
"engines": {
+
"node": ">=14.17"
+
}
+
},
+
"node_modules/typescript-eslint": {
+
"version": "8.48.1",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@typescript-eslint/eslint-plugin": "8.48.1",
+
"@typescript-eslint/parser": "8.48.1",
+
"@typescript-eslint/typescript-estree": "8.48.1",
+
"@typescript-eslint/utils": "8.48.1"
+
},
+
"engines": {
+
"node": "^18.18.0 || ^20.9.0 || >=21.1.0"
+
},
+
"funding": {
+
"type": "opencollective",
+
"url": "https://opencollective.com/typescript-eslint"
+
},
+
"peerDependencies": {
+
"eslint": "^8.57.0 || ^9.0.0",
+
"typescript": ">=4.8.4 <6.0.0"
+
}
+
},
+
"node_modules/ufo": {
+
"version": "1.6.1",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/undici-types": {
+
"version": "7.16.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/universalify": {
+
"version": "2.0.1",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">= 10.0.0"
+
}
+
},
+
"node_modules/unplugin": {
+
"version": "2.3.11",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@jridgewell/remapping": "^2.3.5",
+
"acorn": "^8.15.0",
+
"picomatch": "^4.0.3",
+
"webpack-virtual-modules": "^0.6.2"
+
},
+
"engines": {
+
"node": ">=18.12.0"
+
}
+
},
+
"node_modules/unplugin-dts": {
+
"version": "1.0.0-beta.6",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@rollup/pluginutils": "^5.1.4",
+
"@volar/typescript": "^2.4.17",
+
"compare-versions": "^6.1.1",
+
"debug": "^4.4.0",
+
"kolorist": "^1.8.0",
+
"local-pkg": "^1.1.1",
+
"magic-string": "^0.30.17",
+
"unplugin": "^2.3.2"
+
},
+
"peerDependencies": {
+
"@microsoft/api-extractor": ">=7",
+
"@rspack/core": "^1",
+
"@vue/language-core": "~3.0.1",
+
"esbuild": "*",
+
"rolldown": "*",
+
"rollup": ">=3",
+
"typescript": ">=4",
+
"vite": ">=3",
+
"webpack": "^4 || ^5"
+
},
+
"peerDependenciesMeta": {
+
"@microsoft/api-extractor": {
+
"optional": true
+
},
+
"@rspack/core": {
+
"optional": true
+
},
+
"@vue/language-core": {
+
"optional": true
+
},
+
"esbuild": {
+
"optional": true
+
},
+
"rolldown": {
+
"optional": true
+
},
+
"rollup": {
+
"optional": true
+
},
+
"vite": {
+
"optional": true
+
},
+
"webpack": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/unplugin-dts/node_modules/@rollup/pluginutils": {
+
"version": "5.3.0",
+
"dev": true,
+
"license": "MIT",
+
"dependencies": {
+
"@types/estree": "^1.0.0",
+
"estree-walker": "^2.0.2",
+
"picomatch": "^4.0.2"
+
},
+
"engines": {
+
"node": ">=14.0.0"
+
},
+
"peerDependencies": {
+
"rollup": "^1.20.0||^2.0.0||^3.0.0||^4.0.0"
+
},
+
"peerDependenciesMeta": {
+
"rollup": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/update-browserslist-db": {
+
"version": "1.1.4",
+
"dev": true,
+
"funding": [
+
{
+
"type": "opencollective",
+
"url": "https://opencollective.com/browserslist"
+
},
+
{
+
"type": "tidelift",
+
"url": "https://tidelift.com/funding/github/npm/browserslist"
+
},
+
{
+
"type": "github",
+
"url": "https://github.com/sponsors/ai"
+
}
+
],
+
"license": "MIT",
+
"dependencies": {
+
"escalade": "^3.2.0",
+
"picocolors": "^1.1.1"
+
},
+
"bin": {
+
"update-browserslist-db": "cli.js"
+
},
+
"peerDependencies": {
+
"browserslist": ">= 4.21.0"
+
}
+
},
+
"node_modules/uri-js": {
+
"version": "4.4.1",
+
"dev": true,
+
"license": "BSD-2-Clause",
+
"dependencies": {
+
"punycode": "^2.1.0"
+
}
+
},
+
"node_modules/vite": {
+
"name": "rolldown-vite",
+
"version": "7.1.14",
+
"dev": true,
+
"license": "MIT",
+
"peer": true,
+
"dependencies": {
+
"@oxc-project/runtime": "0.92.0",
+
"fdir": "^6.5.0",
+
"lightningcss": "^1.30.1",
+
"picomatch": "^4.0.3",
+
"postcss": "^8.5.6",
+
"rolldown": "1.0.0-beta.41",
+
"tinyglobby": "^0.2.15"
+
},
+
"bin": {
+
"vite": "bin/vite.js"
+
},
+
"engines": {
+
"node": "^20.19.0 || >=22.12.0"
+
},
+
"funding": {
+
"url": "https://github.com/vitejs/vite?sponsor=1"
+
},
+
"optionalDependencies": {
+
"fsevents": "~2.3.3"
+
},
+
"peerDependencies": {
+
"@types/node": "^20.19.0 || >=22.12.0",
+
"esbuild": "^0.25.0",
+
"jiti": ">=1.21.0",
+
"less": "^4.0.0",
+
"sass": "^1.70.0",
+
"sass-embedded": "^1.70.0",
+
"stylus": ">=0.54.8",
+
"sugarss": "^5.0.0",
+
"terser": "^5.16.0",
+
"tsx": "^4.8.1",
+
"yaml": "^2.4.2"
+
},
+
"peerDependenciesMeta": {
+
"@types/node": {
+
"optional": true
+
},
+
"esbuild": {
+
"optional": true
+
},
+
"jiti": {
+
"optional": true
+
},
+
"less": {
+
"optional": true
+
},
+
"sass": {
+
"optional": true
+
},
+
"sass-embedded": {
+
"optional": true
+
},
+
"stylus": {
+
"optional": true
+
},
+
"sugarss": {
+
"optional": true
+
},
+
"terser": {
+
"optional": true
+
},
+
"tsx": {
+
"optional": true
+
},
+
"yaml": {
+
"optional": true
+
}
+
}
+
},
+
"node_modules/vscode-uri": {
+
"version": "3.1.0",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/webpack-virtual-modules": {
+
"version": "0.6.2",
+
"dev": true,
+
"license": "MIT"
+
},
+
"node_modules/which": {
+
"version": "2.0.2",
+
"dev": true,
+
"license": "ISC",
+
"dependencies": {
+
"isexe": "^2.0.0"
+
},
+
"bin": {
+
"node-which": "bin/node-which"
+
},
+
"engines": {
+
"node": ">= 8"
+
}
+
},
+
"node_modules/word-wrap": {
+
"version": "1.2.5",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=0.10.0"
+
}
+
},
+
"node_modules/yallist": {
+
"version": "4.0.0",
+
"dev": true,
+
"license": "ISC"
+
},
+
"node_modules/yocto-queue": {
+
"version": "0.1.0",
+
"dev": true,
+
"license": "MIT",
+
"engines": {
+
"node": ">=10"
+
},
+
"funding": {
+
"url": "https://github.com/sponsors/sindresorhus"
+
}
+
}
+
}
+65 -91
package.json
···
{
-
"name": "atproto-ui",
-
"version": "0.3.1-1",
-
"type": "module",
-
"description": "React components and hooks for rendering AT Protocol records.",
-
"main": "./lib-dist/index.js",
-
"module": "./lib-dist/index.js",
-
"types": "./lib-dist/index.d.ts",
-
"exports": {
-
".": {
-
"types": "./lib-dist/index.d.ts",
-
"import": "./lib-dist/index.js",
-
"default": "./lib-dist/index.js"
-
},
-
"./components/*": {
-
"types": "./lib-dist/components/*.d.ts",
-
"import": "./lib-dist/components/*.js",
-
"default": "./lib-dist/components/*.js"
-
},
-
"./hooks/*": {
-
"types": "./lib-dist/hooks/*.d.ts",
-
"import": "./lib-dist/hooks/*.js",
-
"default": "./lib-dist/hooks/*.js"
-
},
-
"./renderers/*": {
-
"types": "./lib-dist/renderers/*.d.ts",
-
"import": "./lib-dist/renderers/*.js",
-
"default": "./lib-dist/renderers/*.js"
-
},
-
"./providers/*": {
-
"types": "./lib-dist/providers/*.d.ts",
-
"import": "./lib-dist/providers/*.js",
-
"default": "./lib-dist/providers/*.js"
-
},
-
"./utils/*": {
-
"types": "./lib-dist/utils/*.d.ts",
-
"import": "./lib-dist/utils/*.js",
-
"default": "./lib-dist/utils/*.js"
-
},
-
"./types/*": {
-
"types": "./lib-dist/types/*.d.ts",
-
"import": "./lib-dist/types/*.js",
-
"default": "./lib-dist/types/*.js"
-
}
-
},
-
"files": [
-
"lib-dist",
-
"README.md"
-
],
-
"sideEffects": false,
-
"scripts": {
-
"dev": "vite",
-
"build": "tsc -b && vite build",
-
"lint": "eslint .",
-
"preview": "vite preview",
-
"prepublishOnly": "npm run build"
-
},
-
"peerDependencies": {
-
"react": "^18.2.0 || ^19.0.0",
-
"react-dom": "^18.2.0 || ^19.0.0"
-
},
-
"peerDependenciesMeta": {
-
"react-dom": {
-
"optional": true
-
}
-
},
-
"dependencies": {
-
"@atcute/atproto": "^3.1.7",
-
"@atcute/bluesky": "^3.2.3",
-
"@atcute/client": "^4.0.3",
-
"@atcute/identity-resolver": "^1.1.3",
-
"@atcute/tangled": "^1.0.6"
-
},
-
"devDependencies": {
-
"@eslint/js": "^9.36.0",
-
"@types/node": "^24.6.0",
-
"@types/react": "^19.1.16",
-
"@types/react-dom": "^19.1.9",
-
"@vitejs/plugin-react": "^5.0.4",
-
"eslint": "^9.36.0",
-
"eslint-plugin-react-hooks": "^5.2.0",
-
"eslint-plugin-react-refresh": "^0.4.22",
-
"globals": "^16.4.0",
-
"react": "^19.1.1",
-
"react-dom": "^19.1.1",
-
"typescript": "~5.9.3",
-
"typescript-eslint": "^8.45.0",
-
"vite": "npm:rolldown-vite@7.1.14"
-
},
-
"overrides": {
-
"vite": "npm:rolldown-vite@7.1.14"
-
}
+
"name": "atproto-ui",
+
"version": "0.12.0",
+
"type": "module",
+
"description": "React components and hooks for rendering AT Protocol records.",
+
"main": "./lib-dist/index.js",
+
"module": "./lib-dist/index.js",
+
"types": "./lib-dist/index.d.ts",
+
"exports": {
+
".": {
+
"import": "./lib-dist/index.js",
+
"require": "./lib-dist/index.js"
+
},
+
"./styles.css": "./lib-dist/styles.css"
+
},
+
"files": [
+
"lib-dist",
+
"README.md"
+
],
+
"sideEffects": [
+
"./lib-dist/styles.css"
+
],
+
"scripts": {
+
"dev": "vite",
+
"build": "vite build && tsc -b",
+
"build:demo": "BUILD_TARGET=demo vite build",
+
"build:all": "npm run build && npm run build:demo",
+
"lint": "eslint .",
+
"preview": "vite preview",
+
"prepublishOnly": "npm run build"
+
},
+
"peerDependencies": {
+
"react": "^18.2.0 || ^19.0.0",
+
"react-dom": "^18.2.0 || ^19.0.0"
+
},
+
"peerDependenciesMeta": {
+
"react-dom": {
+
"optional": true
+
}
+
},
+
"dependencies": {
+
"@atcute/atproto": "^3.1.7",
+
"@atcute/bluesky": "^3.2.3",
+
"@atcute/client": "^4.0.3",
+
"@atcute/identity-resolver": "^1.1.3",
+
"@atcute/tangled": "^1.0.10"
+
},
+
"devDependencies": {
+
"@eslint/js": "^9.36.0",
+
"@microsoft/api-extractor": "^7.53.1",
+
"@types/node": "^24.6.0",
+
"@types/react": "^19.1.16",
+
"@types/react-dom": "^19.1.9",
+
"@vitejs/plugin-react": "^5.0.4",
+
"eslint": "^9.36.0",
+
"eslint-plugin-react-hooks": "^5.2.0",
+
"eslint-plugin-react-refresh": "^0.4.22",
+
"globals": "^16.4.0",
+
"react": "^19.1.1",
+
"react-dom": "^19.1.1",
+
"rollup-plugin-typescript2": "^0.36.0",
+
"typescript": "~5.9.3",
+
"typescript-eslint": "^8.45.0",
+
"unplugin-dts": "^1.0.0-beta.6",
+
"vite": "npm:rolldown-vite@7.1.14"
+
}
}
+59
src/App.css
···
+
/**
+
* Demo app styles - separate from atproto-ui component styles
+
* This demonstrates that atproto-ui components work well within
+
* apps that have their own theming system.
+
*/
+
+
/* Root styles for the demo app */
+
body {
+
margin: 0;
+
padding: 0;
+
background: var(--demo-bg);
+
color: var(--demo-text);
+
transition: background-color 200ms ease, color 200ms ease;
+
}
+
+
:root {
+
/* Light theme for demo app */
+
--demo-bg: #eeeeee;
+
--demo-text: #1a1a1a;
+
--demo-text-secondary: #666;
+
--demo-border: #ddd;
+
--demo-input-bg: #fff;
+
--demo-button-bg: #0066cc;
+
--demo-button-text: #fff;
+
--demo-code-bg: #f5f5f5;
+
--demo-code-border: #e0e0e0;
+
--demo-hr: #e0e0e0;
+
}
+
+
/* Dark theme for demo app */
+
[data-theme="dark"] {
+
--demo-bg: #1a1a1a;
+
--demo-text: #e0e0e0;
+
--demo-text-secondary: #999;
+
--demo-border: #444;
+
--demo-input-bg: #2a2a2a;
+
--demo-button-bg: #0066cc;
+
--demo-button-text: #fff;
+
--demo-code-bg: #2a2a2a;
+
--demo-code-border: #444;
+
--demo-hr: #444;
+
}
+
+
/* System preference dark mode */
+
@media (prefers-color-scheme: dark) {
+
:root:not([data-theme]),
+
:root[data-theme="system"] {
+
--demo-bg: #1a1a1a;
+
--demo-text: #e0e0e0;
+
--demo-text-secondary: #999;
+
--demo-border: #444;
+
--demo-input-bg: #2a2a2a;
+
--demo-button-bg: #0066cc;
+
--demo-button-text: #fff;
+
--demo-code-bg: #2a2a2a;
+
--demo-code-border: #444;
+
--demo-hr: #444;
+
}
+
}
+385 -348
src/App.tsx
···
-
import React, {
-
useState,
-
useCallback,
-
useEffect,
-
useMemo,
-
useRef,
-
} from "react";
-
import { AtProtoProvider } from "../lib/providers/AtProtoProvider";
-
import { AtProtoRecord } from "../lib/core/AtProtoRecord";
+
import React, { useState, useCallback, useRef } from "react";
+
import { AtProtoProvider, TangledRepo } from "../lib";
+
import "../lib/styles.css";
+
import "./App.css";
+
import { TangledString } from "../lib/components/TangledString";
import { LeafletDocument } from "../lib/components/LeafletDocument";
import { BlueskyProfile } from "../lib/components/BlueskyProfile";
···
} from "../lib/components/BlueskyPost";
import { BlueskyPostList } from "../lib/components/BlueskyPostList";
import { BlueskyQuotePost } from "../lib/components/BlueskyQuotePost";
+
import { GrainGallery } from "../lib/components/GrainGallery";
+
import { CurrentlyPlaying } from "../lib/components/CurrentlyPlaying";
+
import { LastPlayed } from "../lib/components/LastPlayed";
+
import { SongHistoryList } from "../lib/components/SongHistoryList";
import { useDidResolution } from "../lib/hooks/useDidResolution";
import { useLatestRecord } from "../lib/hooks/useLatestRecord";
-
import { ColorSchemeToggle } from "../lib/components/ColorSchemeToggle.tsx";
-
import {
-
useColorScheme,
-
type ColorSchemePreference,
-
} from "../lib/hooks/useColorScheme";
import type { FeedPostRecord } from "../lib/types/bluesky";
-
const COLOR_SCHEME_STORAGE_KEY = "atproto-ui-color-scheme";
-
const basicUsageSnippet = `import { AtProtoProvider, BlueskyPost } from 'atproto-ui';
export function App() {
···
);
}`;
-
const customComponentSnippet = `import { useLatestRecord, useColorScheme, AtProtoRecord } from 'atproto-ui';
+
const prefetchedDataSnippet = `import { BlueskyPost, useLatestRecord } from 'atproto-ui';
import type { FeedPostRecord } from 'atproto-ui';
-
const LatestPostSummary: React.FC<{ did: string }> = ({ did }) => {
-
const scheme = useColorScheme('system');
-
const { rkey, loading, error } = useLatestRecord<FeedPostRecord>(did, 'app.bsky.feed.post');
+
const LatestPostWithPrefetch: React.FC<{ did: string }> = ({ did }) => {
+
// Fetch once with the hook
+
const { record, rkey, loading } = useLatestRecord<FeedPostRecord>(
+
did,
+
'app.bsky.feed.post'
+
);
if (loading) return <span>Loadingโ€ฆ</span>;
-
if (error || !rkey) return <span>No post yet.</span>;
+
if (!record || !rkey) return <span>No posts yet.</span>;
-
return (
-
<AtProtoRecord<FeedPostRecord>
-
did={did}
-
collection="app.bsky.feed.post"
-
rkey={rkey}
-
renderer={({ record }) => (
-
<article data-color-scheme={scheme}>
-
<strong>{record?.text ?? 'Empty post'}</strong>
-
</article>
-
)}
-
/>
-
);
+
// Pass prefetched recordโ€”BlueskyPost won't re-fetch it
+
return <BlueskyPost did={did} rkey={rkey} record={record} />;
};`;
+
const atcuteUsageSnippet = `import { Client, simpleFetchHandler, ok } from '@atcute/client';
+
import type { AppBskyFeedPost } from '@atcute/bluesky';
+
import { BlueskyPost } from 'atproto-ui';
+
+
// Create atcute client
+
const client = new Client({
+
handler: simpleFetchHandler({ service: 'https://public.api.bsky.app' })
+
});
+
+
// Fetch a record
+
const data = await ok(
+
client.get('com.atproto.repo.getRecord', {
+
params: {
+
repo: 'did:plc:ttdrpj45ibqunmfhdsb4zdwq',
+
collection: 'app.bsky.feed.post',
+
rkey: '3m45rq4sjes2h'
+
}
+
})
+
);
+
+
const record = data.value as AppBskyFeedPost.Main;
+
+
// Pass atcute record directly to component!
+
<BlueskyPost
+
did="did:plc:ttdrpj45ibqunmfhdsb4zdwq"
+
rkey="3m45rq4sjes2h"
+
record={record}
+
/>`;
+
const codeBlockBase: React.CSSProperties = {
fontFamily: 'Menlo, Consolas, "SFMono-Regular", ui-monospace, monospace',
fontSize: 12,
···
lineHeight: 1.6,
};
+
const ThemeSwitcher: React.FC = () => {
+
const [theme, setTheme] = useState<"light" | "dark" | "system">("system");
+
+
const toggle = () => {
+
const schemes: ("light" | "dark" | "system")[] = [
+
"light",
+
"dark",
+
"system",
+
];
+
const currentIndex = schemes.indexOf(theme);
+
const nextIndex = (currentIndex + 1) % schemes.length;
+
const nextTheme = schemes[nextIndex];
+
setTheme(nextTheme);
+
+
// Update the data-theme attribute on the document element
+
if (nextTheme === "system") {
+
document.documentElement.removeAttribute("data-theme");
+
} else {
+
document.documentElement.setAttribute("data-theme", nextTheme);
+
}
+
};
+
+
return (
+
<button
+
onClick={toggle}
+
style={{
+
padding: "8px 12px",
+
borderRadius: 8,
+
border: "1px solid var(--demo-border)",
+
background: "var(--demo-input-bg)",
+
color: "var(--demo-text)",
+
cursor: "pointer",
+
}}
+
>
+
Theme: {theme}
+
</button>
+
);
+
};
+
const FullDemo: React.FC = () => {
const handleInputRef = useRef<HTMLInputElement | null>(null);
const [submitted, setSubmitted] = useState<string | null>(null);
-
const [colorSchemePreference, setColorSchemePreference] =
-
useState<ColorSchemePreference>(() => {
-
if (typeof window === "undefined") return "system";
-
try {
-
const stored = window.localStorage.getItem(
-
COLOR_SCHEME_STORAGE_KEY,
-
);
-
if (
-
stored === "light" ||
-
stored === "dark" ||
-
stored === "system"
-
)
-
return stored;
-
} catch {
-
/* ignore */
-
}
-
return "system";
-
});
-
const scheme = useColorScheme(colorSchemePreference);
+
const { did, loading: resolvingDid } = useDidResolution(
submitted ?? undefined,
);
···
setSubmitted(nextValue);
}, []);
-
useEffect(() => {
-
if (typeof window === "undefined") return;
-
try {
-
window.localStorage.setItem(
-
COLOR_SCHEME_STORAGE_KEY,
-
colorSchemePreference,
-
);
-
} catch {
-
/* ignore */
-
}
-
}, [colorSchemePreference]);
-
-
useEffect(() => {
-
if (typeof document === "undefined") return;
-
const root = document.documentElement;
-
const body = document.body;
-
const prevScheme = root.dataset.colorScheme;
-
const prevBg = body.style.backgroundColor;
-
const prevColor = body.style.color;
-
root.dataset.colorScheme = scheme;
-
body.style.backgroundColor = scheme === "dark" ? "#020617" : "#f8fafc";
-
body.style.color = scheme === "dark" ? "#e2e8f0" : "#0f172a";
-
return () => {
-
root.dataset.colorScheme = prevScheme ?? "";
-
body.style.backgroundColor = prevBg;
-
body.style.color = prevColor;
-
};
-
}, [scheme]);
-
const showHandle =
submitted && !submitted.startsWith("did:") ? submitted : undefined;
-
const mutedTextColor = useMemo(
-
() => (scheme === "dark" ? "#94a3b8" : "#555"),
-
[scheme],
-
);
-
const panelStyle = useMemo<React.CSSProperties>(
-
() => ({
-
display: "flex",
-
flexDirection: "column",
-
gap: 8,
-
padding: 10,
-
borderRadius: 12,
-
borderColor: scheme === "dark" ? "#1e293b" : "#e2e8f0",
-
}),
-
[scheme],
-
);
-
const baseTextColor = useMemo(
-
() => (scheme === "dark" ? "#e2e8f0" : "#0f172a"),
-
[scheme],
-
);
-
const gistPanelStyle = useMemo<React.CSSProperties>(
-
() => ({
-
...panelStyle,
-
padding: 0,
-
border: "none",
-
background: "transparent",
-
backdropFilter: "none",
-
marginTop: 32,
-
}),
-
[panelStyle],
-
);
-
const leafletPanelStyle = useMemo<React.CSSProperties>(
-
() => ({
-
...panelStyle,
-
padding: 0,
-
border: "none",
-
background: "transparent",
-
backdropFilter: "none",
-
marginTop: 32,
-
alignItems: "center",
-
}),
-
[panelStyle],
-
);
-
const primaryGridStyle = useMemo<React.CSSProperties>(
-
() => ({
-
display: "grid",
-
gap: 32,
-
gridTemplateColumns: "repeat(auto-fit, minmax(320px, 1fr))",
-
}),
-
[],
-
);
-
const columnStackStyle = useMemo<React.CSSProperties>(
-
() => ({
-
display: "flex",
-
flexDirection: "column",
-
gap: 32,
-
}),
-
[],
-
);
-
const codeBlockStyle = useMemo<React.CSSProperties>(
-
() => ({
-
...codeBlockBase,
-
background: scheme === "dark" ? "#0b1120" : "#f1f5f9",
-
border: `1px solid ${scheme === "dark" ? "#1e293b" : "#e2e8f0"}`,
-
}),
-
[scheme],
-
);
-
const codeTextStyle = useMemo<React.CSSProperties>(
-
() => ({
-
margin: 0,
-
display: "block",
-
fontFamily: codeBlockBase.fontFamily,
-
fontSize: 12,
-
lineHeight: 1.6,
-
whiteSpace: "pre",
-
}),
-
[],
-
);
+
const panelStyle: React.CSSProperties = {
+
display: "flex",
+
flexDirection: "column",
+
gap: 8,
+
padding: 10,
+
borderRadius: 12,
+
border: `1px solid var(--demo-border)`,
+
};
+
+
const gistPanelStyle: React.CSSProperties = {
+
...panelStyle,
+
padding: 0,
+
border: "none",
+
background: "transparent",
+
backdropFilter: "none",
+
marginTop: 32,
+
};
+
const leafletPanelStyle: React.CSSProperties = {
+
...panelStyle,
+
padding: 0,
+
border: "none",
+
background: "transparent",
+
backdropFilter: "none",
+
marginTop: 32,
+
alignItems: "center",
+
};
+
const primaryGridStyle: React.CSSProperties = {
+
display: "grid",
+
gap: 32,
+
gridTemplateColumns: "repeat(auto-fit, minmax(320px, 1fr))",
+
};
+
const columnStackStyle: React.CSSProperties = {
+
display: "flex",
+
flexDirection: "column",
+
gap: 32,
+
};
+
const codeBlockStyle: React.CSSProperties = {
+
...codeBlockBase,
+
background: `var(--demo-code-bg)`,
+
border: `1px solid var(--demo-code-border)`,
+
color: `var(--demo-text)`,
+
};
+
const codeTextStyle: React.CSSProperties = {
+
margin: 0,
+
display: "block",
+
fontFamily: codeBlockBase.fontFamily,
+
fontSize: 12,
+
lineHeight: 1.6,
+
whiteSpace: "pre",
+
};
const basicCodeRef = useRef<HTMLElement | null>(null);
const customCodeRef = useRef<HTMLElement | null>(null);
-
// Latest Bluesky post
+
// Latest Bluesky post - fetch with record for prefetch demo
const {
+
record: latestPostRecord,
rkey: latestPostRkey,
loading: loadingLatestPost,
empty: noPosts,
error: latestPostError,
-
} = useLatestRecord<unknown>(did, BLUESKY_POST_COLLECTION);
+
} = useLatestRecord<FeedPostRecord>(did, BLUESKY_POST_COLLECTION);
const quoteSampleDid = "did:plc:ttdrpj45ibqunmfhdsb4zdwq";
const quoteSampleRkey = "3m2prlq6xxc2v";
···
display: "flex",
flexDirection: "column",
gap: 20,
-
color: baseTextColor,
}}
>
<div
···
flex: "1 1 260px",
padding: "6px 8px",
borderRadius: 8,
-
border: "1px solid",
-
borderColor:
-
scheme === "dark" ? "#1e293b" : "#cbd5f5",
-
background: scheme === "dark" ? "#0b1120" : "#fff",
-
color: scheme === "dark" ? "#e2e8f0" : "#0f172a",
+
border: `1px solid var(--demo-border)`,
+
background: `var(--demo-input-bg)`,
+
color: `var(--demo-text)`,
}}
/>
<button
···
padding: "6px 16px",
borderRadius: 8,
border: "none",
-
background: "#2563eb",
-
color: "#fff",
+
background: `var(--demo-button-bg)`,
+
color: `var(--demo-button-text)`,
cursor: "pointer",
}}
>
Load
</button>
</form>
-
<ColorSchemeToggle
-
value={colorSchemePreference}
-
onChange={setColorSchemePreference}
-
scheme={scheme}
-
/>
+
<ThemeSwitcher />
</div>
{!submitted && (
-
<p style={{ color: mutedTextColor }}>
+
<p style={{ color: `var(--demo-text-secondary)` }}>
Enter a handle to fetch your profile, latest Bluesky post, a
Tangled string, and a Leaflet document.
</p>
)}
{submitted && resolvingDid && (
-
<p style={{ color: mutedTextColor }}>Resolving DIDโ€ฆ</p>
+
<p style={{ color: `var(--demo-text-secondary)` }}>
+
Resolving DIDโ€ฆ
+
</p>
)}
{did && (
<>
···
<div style={columnStackStyle}>
<section style={panelStyle}>
<h3 style={sectionHeaderStyle}>Profile</h3>
-
<BlueskyProfile
-
did={did}
-
handle={showHandle}
-
colorScheme={colorSchemePreference}
-
/>
+
<BlueskyProfile did={did} handle={showHandle} />
</section>
<section style={panelStyle}>
<h3 style={sectionHeaderStyle}>Recent Posts</h3>
-
<BlueskyPostList
-
did={did}
-
colorScheme={colorSchemePreference}
+
<BlueskyPostList did={did} />
+
</section>
+
<section style={panelStyle}>
+
<h3 style={sectionHeaderStyle}>
+
grain.social Gallery Demo
+
</h3>
+
<p
+
style={{
+
fontSize: 12,
+
color: `var(--demo-text-secondary)`,
+
margin: "0 0 8px",
+
}}
+
>
+
Instagram-style photo gallery from grain.social
+
</p>
+
<GrainGallery
+
did="kat.meangirls.online"
+
rkey="3m2e2qikseq2f"
/>
</section>
+
<section style={panelStyle}>
+
<h3 style={sectionHeaderStyle}>
+
teal.fm Currently Playing
+
</h3>
+
<p
+
style={{
+
fontSize: 12,
+
color: `var(--demo-text-secondary)`,
+
margin: "0 0 8px",
+
}}
+
>
+
Currently playing track from teal.fm (refreshes every 15s)
+
</p>
+
<CurrentlyPlaying did="nekomimi.pet" />
+
</section>
+
<section style={panelStyle}>
+
<h3 style={sectionHeaderStyle}>
+
teal.fm Last Played
+
</h3>
+
<p
+
style={{
+
fontSize: 12,
+
color: `var(--demo-text-secondary)`,
+
margin: "0 0 8px",
+
}}
+
>
+
Most recent play from teal.fm feed
+
</p>
+
<LastPlayed did="nekomimi.pet" />
+
</section>
+
<section style={panelStyle}>
+
<h3 style={sectionHeaderStyle}>
+
teal.fm Song History
+
</h3>
+
<p
+
style={{
+
fontSize: 12,
+
color: `var(--demo-text-secondary)`,
+
margin: "0 0 8px",
+
}}
+
>
+
Listening history with album art focus
+
</p>
+
<SongHistoryList did="nekomimi.pet" limit={6} />
+
</section>
</div>
<div style={columnStackStyle}>
<section style={panelStyle}>
<h3 style={sectionHeaderStyle}>
-
Latest Bluesky Post
+
Latest Post (Prefetched Data)
</h3>
+
<p
+
style={{
+
fontSize: 12,
+
color: `var(--demo-text-secondary)`,
+
margin: "0 0 8px",
+
}}
+
>
+
Using{" "}
+
<code
+
style={{
+
background: `var(--demo-code-bg)`,
+
padding: "2px 4px",
+
borderRadius: 3,
+
color: "var(--demo-text)",
+
}}
+
>
+
useLatestRecord
+
</code>{" "}
+
to fetch once, then passing{" "}
+
<code
+
style={{
+
background: `var(--demo-code-bg)`,
+
padding: "2px 4px",
+
borderRadius: 3,
+
color: "var(--demo-text)",
+
}}
+
>
+
record
+
</code>{" "}
+
propโ€”no re-fetch!
+
</p>
{loadingLatestPost && (
<div style={loadingBox}>
Loading latest postโ€ฆ
···
</div>
)}
{noPosts && (
-
<div
-
style={{
-
...infoBox,
-
color: mutedTextColor,
-
}}
-
>
-
No posts found.
-
</div>
+
<div style={infoBox}>No posts found.</div>
)}
-
{!loadingLatestPost && latestPostRkey && (
-
<BlueskyPost
-
did={did}
-
rkey={latestPostRkey}
-
colorScheme={colorSchemePreference}
-
/>
-
)}
+
{!loadingLatestPost &&
+
latestPostRkey &&
+
latestPostRecord && (
+
<BlueskyPost
+
did={did}
+
rkey={latestPostRkey}
+
record={latestPostRecord}
+
/>
+
)}
</section>
<section style={panelStyle}>
<h3 style={sectionHeaderStyle}>
···
<BlueskyQuotePost
did={quoteSampleDid}
rkey={quoteSampleRkey}
-
colorScheme={colorSchemePreference}
+
/>
+
</section>
+
<section style={panelStyle}>
+
<h3 style={sectionHeaderStyle}>
+
Reply Post Demo
+
</h3>
+
<BlueskyPost
+
did="did:plc:xwhsmuozq3mlsp56dyd7copv"
+
rkey="3m3je5ydg4s2o"
+
showParent={true}
+
recursiveParent={true}
/>
</section>
+
<section style={panelStyle}>
+
<h3 style={sectionHeaderStyle}>
+
Rich Text Facets Demo
+
</h3>
+
<p
+
style={{
+
fontSize: 12,
+
color: `var(--demo-text-secondary)`,
+
margin: "0 0 8px",
+
}}
+
>
+
Post with mentions, links, and hashtags
+
</p>
+
<BlueskyPost
+
did="nekomimi.pet"
+
rkey="3m45s553cys22"
+
showParent={false}
+
/>
+
</section>
+
<section style={panelStyle}>
+
<TangledRepo
+
did="did:plc:ttdrpj45ibqunmfhdsb4zdwq"
+
rkey="3m2sx5zpxzs22"
+
/>
+
</section>
+
<section style={panelStyle}>
+
<h3 style={sectionHeaderStyle}>
+
Custom Themed Post
+
</h3>
+
<p
+
style={{
+
fontSize: 12,
+
color: `var(--demo-text-secondary)`,
+
margin: "0 0 8px",
+
}}
+
>
+
Wrapping a component in a div with custom
+
CSS variables to override the theme!
+
</p>
+
<div
+
style={
+
{
+
"--atproto-color-bg":
+
"var(--demo-secondary-bg)",
+
"--atproto-color-bg-elevated":
+
"var(--demo-input-bg)",
+
"--atproto-color-bg-secondary":
+
"var(--demo-code-bg)",
+
"--atproto-color-text":
+
"var(--demo-text)",
+
"--atproto-color-text-secondary":
+
"var(--demo-text-secondary)",
+
"--atproto-color-text-muted":
+
"var(--demo-text-secondary)",
+
"--atproto-color-border":
+
"var(--demo-border)",
+
"--atproto-color-border-subtle":
+
"var(--demo-border)",
+
"--atproto-color-link":
+
"var(--demo-button-bg)",
+
} as React.CSSProperties
+
}
+
>
+
<BlueskyPost
+
did="nekomimi.pet"
+
rkey="3m2dgvyws7k27"
+
/>
+
</div>
+
</section>
</div>
</div>
<section style={gistPanelStyle}>
···
<TangledString
did="nekomimi.pet"
rkey="3m2p4gjptg522"
-
colorScheme={colorSchemePreference}
/>
</section>
<section style={leafletPanelStyle}>
···
<LeafletDocument
did={"did:plc:ttdrpj45ibqunmfhdsb4zdwq"}
rkey={"3m2seagm2222c"}
-
colorScheme={colorSchemePreference}
/>
</div>
</section>
</>
)}
<section style={{ ...panelStyle, marginTop: 32 }}>
-
<h3 style={sectionHeaderStyle}>Build your own component</h3>
-
<p style={{ color: mutedTextColor, margin: "4px 0 8px" }}>
+
<h3 style={sectionHeaderStyle}>Code Examples</h3>
+
<p
+
style={{
+
color: `var(--demo-text-secondary)`,
+
margin: "4px 0 8px",
+
}}
+
>
Wrap your app with the provider once and drop the ready-made
components wherever you need them.
</p>
···
{basicUsageSnippet}
</code>
</pre>
-
<p style={{ color: mutedTextColor, margin: "16px 0 8px" }}>
-
Need to make your own component? Compose your own renderer
-
with the hooks and utilities that ship with the library.
+
<p
+
style={{
+
color: `var(--demo-text-secondary)`,
+
margin: "16px 0 8px",
+
}}
+
>
+
Pass prefetched data to components to skip API callsโ€”perfect
+
for SSR or caching.
</p>
<pre style={codeBlockStyle}>
<code
···
className="language-tsx"
style={codeTextStyle}
>
-
{customComponentSnippet}
+
{prefetchedDataSnippet}
</code>
</pre>
-
{did && (
-
<div
-
style={{
-
marginTop: 16,
-
display: "flex",
-
flexDirection: "column",
-
gap: 12,
-
}}
-
>
-
<p style={{ color: mutedTextColor, margin: 0 }}>
-
Live example with your handle:
-
</p>
-
<LatestPostSummary
-
did={did}
-
handle={showHandle}
-
colorScheme={colorSchemePreference}
-
/>
-
</div>
-
)}
+
<p
+
style={{
+
color: `var(--demo-text-secondary)`,
+
margin: "16px 0 8px",
+
}}
+
>
+
Use atcute directly to construct records and pass them to
+
componentsโ€”fully compatible!
+
</p>
+
<pre style={codeBlockStyle}>
+
<code className="language-tsx" style={codeTextStyle}>
+
{atcuteUsageSnippet}
+
</code>
+
</pre>
</section>
</div>
);
};
-
const LatestPostSummary: React.FC<{
-
did: string;
-
handle?: string;
-
colorScheme: ColorSchemePreference;
-
}> = ({ did, colorScheme }) => {
-
const { record, rkey, loading, error } = useLatestRecord<FeedPostRecord>(
-
did,
-
BLUESKY_POST_COLLECTION,
-
);
-
const scheme = useColorScheme(colorScheme);
-
const palette =
-
scheme === "dark"
-
? latestSummaryPalette.dark
-
: latestSummaryPalette.light;
-
-
if (loading) return <div style={palette.muted}>Loading summaryโ€ฆ</div>;
-
if (error)
-
return <div style={palette.error}>Failed to load the latest post.</div>;
-
if (!rkey) return <div style={palette.muted}>No posts published yet.</div>;
-
-
const atProtoProps = record
-
? { record }
-
: { did, collection: "app.bsky.feed.post", rkey };
-
-
return (
-
<AtProtoRecord<FeedPostRecord>
-
{...atProtoProps}
-
renderer={({ record: resolvedRecord }) => (
-
<article data-color-scheme={scheme}>
-
<strong>{resolvedRecord?.text ?? "Empty post"}</strong>
-
</article>
-
)}
-
/>
-
);
-
};
-
const sectionHeaderStyle: React.CSSProperties = {
margin: "4px 0",
fontSize: 16,
+
color: "var(--demo-text)",
};
const loadingBox: React.CSSProperties = { padding: 8 };
const errorBox: React.CSSProperties = { padding: 8, color: "crimson" };
-
const infoBox: React.CSSProperties = { padding: 8, color: "#555" };
-
-
const latestSummaryPalette = {
-
light: {
-
card: {
-
border: "1px solid #e2e8f0",
-
background: "#ffffff",
-
borderRadius: 12,
-
padding: 12,
-
display: "flex",
-
flexDirection: "column",
-
gap: 8,
-
} satisfies React.CSSProperties,
-
header: {
-
display: "flex",
-
alignItems: "baseline",
-
justifyContent: "space-between",
-
gap: 12,
-
color: "#0f172a",
-
} satisfies React.CSSProperties,
-
time: {
-
fontSize: 12,
-
color: "#64748b",
-
} satisfies React.CSSProperties,
-
text: {
-
margin: 0,
-
color: "#1f2937",
-
whiteSpace: "pre-wrap",
-
} satisfies React.CSSProperties,
-
link: {
-
color: "#2563eb",
-
fontWeight: 600,
-
fontSize: 12,
-
textDecoration: "none",
-
} satisfies React.CSSProperties,
-
muted: {
-
color: "#64748b",
-
} satisfies React.CSSProperties,
-
error: {
-
color: "crimson",
-
} satisfies React.CSSProperties,
-
},
-
dark: {
-
card: {
-
border: "1px solid #1e293b",
-
background: "#0f172a",
-
borderRadius: 12,
-
padding: 12,
-
display: "flex",
-
flexDirection: "column",
-
gap: 8,
-
} satisfies React.CSSProperties,
-
header: {
-
display: "flex",
-
alignItems: "baseline",
-
justifyContent: "space-between",
-
gap: 12,
-
color: "#e2e8f0",
-
} satisfies React.CSSProperties,
-
time: {
-
fontSize: 12,
-
color: "#cbd5f5",
-
} satisfies React.CSSProperties,
-
text: {
-
margin: 0,
-
color: "#e2e8f0",
-
whiteSpace: "pre-wrap",
-
} satisfies React.CSSProperties,
-
link: {
-
color: "#38bdf8",
-
fontWeight: 600,
-
fontSize: 12,
-
textDecoration: "none",
-
} satisfies React.CSSProperties,
-
muted: {
-
color: "#94a3b8",
-
} satisfies React.CSSProperties,
-
error: {
-
color: "#f472b6",
-
} satisfies React.CSSProperties,
-
},
-
} as const;
+
const infoBox: React.CSSProperties = {
+
padding: 8,
+
color: "var(--demo-text-secondary)",
+
};
export const App: React.FC = () => {
return (
···
margin: "40px auto",
padding: "0 20px",
fontFamily: "system-ui, sans-serif",
+
minHeight: "100vh",
}}
>
-
<h1 style={{ marginTop: 0 }}>atproto-ui Demo</h1>
-
<p style={{ lineHeight: 1.4 }}>
+
<h1 style={{ marginTop: 0, color: "var(--demo-text)" }}>
+
atproto-ui Demo
+
</h1>
+
<p
+
style={{
+
lineHeight: 1.4,
+
color: "var(--demo-text-secondary)",
+
}}
+
>
A component library for rendering common AT Protocol records
for applications such as Bluesky and Tangled.
</p>
-
<hr style={{ margin: "32px 0" }} />
+
<hr
+
style={{ margin: "32px 0", borderColor: "var(--demo-hr)" }}
+
/>
<FullDemo />
</div>
</AtProtoProvider>
+3
tsconfig.app.json
···
"verbatimModuleSyntax": true,
"moduleDetection": "force",
"noEmit": true,
+
"emitDeclarationOnly": true,
+
"declaration": true,
+
"declarationDir": "dist-lib",
"jsx": "react-jsx",
/* Linting */
+6 -4
tsconfig.lib.json
···
"allowSyntheticDefaultImports": true,
"esModuleInterop": true,
"resolveJsonModule": true,
+
"noEmit": true,
+
"emitDeclarationOnly": true,
"declaration": true,
-
"declarationMap": true,
-
"emitDeclarationOnly": true,
-
"sourceMap": false,
+
"declarationDir": "dist-lib",
+
"sourceMap": true,
"outDir": "./lib-dist",
-
"rootDir": "./lib"
+
"rootDir": "./lib",
+
"types": ["@atcute/bluesky", "@atcute/tangled"]
},
"include": ["lib/**/*.ts", "lib/**/*.tsx"]
}
-1
tsconfig.lib.tsbuildinfo
···
-
{"fileNames":["./node_modules/typescript/lib/lib.es5.d.ts","./node_modules/typescript/lib/lib.es2015.d.ts","./node_modules/typescript/lib/lib.es2016.d.ts","./node_modules/typescript/lib/lib.es2017.d.ts","./node_modules/typescript/lib/lib.es2018.d.ts","./node_modules/typescript/lib/lib.es2019.d.ts","./node_modules/typescript/lib/lib.es2020.d.ts","./node_modules/typescript/lib/lib.dom.d.ts","./node_modules/typescript/lib/lib.dom.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.core.d.ts","./node_modules/typescript/lib/lib.es2015.collection.d.ts","./node_modules/typescript/lib/lib.es2015.generator.d.ts","./node_modules/typescript/lib/lib.es2015.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.promise.d.ts","./node_modules/typescript/lib/lib.es2015.proxy.d.ts","./node_modules/typescript/lib/lib.es2015.reflect.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2016.array.include.d.ts","./node_modules/typescript/lib/lib.es2016.intl.d.ts","./node_modules/typescript/lib/lib.es2017.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2017.date.d.ts","./node_modules/typescript/lib/lib.es2017.object.d.ts","./node_modules/typescript/lib/lib.es2017.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2017.string.d.ts","./node_modules/typescript/lib/lib.es2017.intl.d.ts","./node_modules/typescript/lib/lib.es2017.typedarrays.d.ts","./node_modules/typescript/lib/lib.es2018.asyncgenerator.d.ts","./node_modules/typescript/lib/lib.es2018.asynciterable.d.ts","./node_modules/typescript/lib/lib.es2018.intl.d.ts","./node_modules/typescript/lib/lib.es2018.promise.d.ts","./node_modules/typescript/lib/lib.es2018.regexp.d.ts","./node_modules/typescript/lib/lib.es2019.array.d.ts","./node_modules/typescript/lib/lib.es2019.object.d.ts","./node_modules/typescript/lib/lib.es2019.string.d.ts","./node_modules/typescript/lib/lib.es2019.symbol.d.ts","./node_modules/typescript/lib/lib.es2019.intl.d.ts","./node_modules/typescript/lib/lib.es2020.bigint.d.ts","./node_modules/typescript/lib/lib.es2020.date.d.ts","./node_modules/typescript/lib/lib.es2020.promise.d.ts","./node_modules/typescript/lib/lib.es2020.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2020.string.d.ts","./node_modules/typescript/lib/lib.es2020.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2020.intl.d.ts","./node_modules/typescript/lib/lib.es2020.number.d.ts","./node_modules/typescript/lib/lib.esnext.disposable.d.ts","./node_modules/typescript/lib/lib.esnext.float16.d.ts","./node_modules/typescript/lib/lib.decorators.d.ts","./node_modules/typescript/lib/lib.decorators.legacy.d.ts","./node_modules/@types/react/global.d.ts","./node_modules/csstype/index.d.ts","./node_modules/@types/react/index.d.ts","./node_modules/@types/react/jsx-runtime.d.ts","./node_modules/@atcute/lexicons/dist/syntax/did.d.ts","./node_modules/@atcute/lexicons/dist/syntax/handle.d.ts","./node_modules/@atcute/lexicons/dist/syntax/at-identifier.d.ts","./node_modules/@atcute/lexicons/dist/syntax/nsid.d.ts","./node_modules/@atcute/lexicons/dist/syntax/record-key.d.ts","./node_modules/@atcute/lexicons/dist/utils.d.ts","./node_modules/@atcute/lexicons/dist/syntax/at-uri.d.ts","./node_modules/@atcute/lexicons/dist/syntax/cid.d.ts","./node_modules/@atcute/lexicons/dist/syntax/datetime.d.ts","./node_modules/@atcute/lexicons/dist/syntax/language.d.ts","./node_modules/@atcute/lexicons/dist/syntax/tid.d.ts","./node_modules/@atcute/lexicons/dist/syntax/uri.d.ts","./node_modules/@atcute/lexicons/dist/interfaces/cid-link.d.ts","./node_modules/@atcute/lexicons/dist/interfaces/blob.d.ts","./node_modules/@atcute/lexicons/dist/interfaces/bytes.d.ts","./node_modules/@atcute/lexicons/dist/types/brand.d.ts","./node_modules/@standard-schema/spec/dist/index.d.ts","./node_modules/@atcute/lexicons/dist/syntax/index.d.ts","./node_modules/@atcute/lexicons/dist/interfaces/index.d.ts","./node_modules/@atcute/lexicons/dist/validations/index.d.ts","./node_modules/@atcute/lexicons/dist/index.d.ts","./node_modules/@atcute/lexicons/dist/ambient.d.ts","./node_modules/@atcute/client/dist/fetch-handler.d.ts","./node_modules/@atcute/client/dist/client.d.ts","./node_modules/@atcute/client/dist/credential-manager.d.ts","./node_modules/@atcute/client/dist/index.d.ts","./node_modules/@badrap/valita/dist/mjs/index.d.mts","./node_modules/@atcute/identity/dist/types.d.ts","./node_modules/@atcute/identity/dist/typedefs.d.ts","./node_modules/@atcute/identity/dist/utils.d.ts","./node_modules/@atcute/identity/dist/did.d.ts","./node_modules/@atcute/identity/dist/methods/key.d.ts","./node_modules/@atcute/identity/dist/methods/plc.d.ts","./node_modules/@atcute/identity/dist/methods/web.d.ts","./node_modules/@atcute/identity/dist/index.d.ts","./node_modules/@atcute/identity-resolver/dist/types.d.ts","./node_modules/@atcute/identity-resolver/dist/did/composite.d.ts","./node_modules/@atcute/identity-resolver/dist/did/methods/plc.d.ts","./node_modules/@atcute/identity-resolver/dist/did/methods/web.d.ts","./node_modules/@atcute/identity-resolver/dist/did/methods/xrpc.d.ts","./node_modules/@atcute/identity-resolver/dist/handle/composite.d.ts","./node_modules/@atcute/identity-resolver/dist/handle/methods/doh-json.d.ts","./node_modules/@atcute/identity-resolver/dist/handle/methods/well-known.d.ts","./node_modules/@atcute/identity-resolver/dist/handle/methods/xrpc.d.ts","./node_modules/@atcute/identity-resolver/dist/errors.d.ts","./node_modules/@atcute/identity-resolver/dist/index.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/actor/profile.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/feed/reaction.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/feed/star.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/git/refupdate.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/graph/follow.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/knot.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/knot/listkeys.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/knot/member.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/knot/version.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/owner.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/pipeline.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/pipeline/status.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/publickey.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/addsecret.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/archive.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/artifact.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/blob.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/branch.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/branches.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/collaborator.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/compare.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/create.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/delete.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/diff.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/forkstatus.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/forksync.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/getdefaultbranch.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/hiddenref.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/issue.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/issue/comment.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/issue/state.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/issue/state/closed.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/issue/state/open.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/languages.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/listsecrets.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/log.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/merge.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/mergecheck.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/pull.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/pull/comment.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/pull/status.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/pull/status/closed.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/pull/status/merged.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/pull/status/open.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/removesecret.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/setdefaultbranch.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/tags.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/repo/tree.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/spindle.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/spindle/member.d.ts","./node_modules/@atcute/tangled/dist/lexicons/types/sh/tangled/string.d.ts","./node_modules/@atcute/tangled/dist/lexicons/index.d.ts","./node_modules/@atcute/tangled/dist/index.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/defs.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/defs.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/deleteaccount.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/disableaccountinvites.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/disableinvitecodes.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/enableaccountinvites.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/getaccountinfo.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/getaccountinfos.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/getinvitecodes.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/strongref.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/getsubjectstatus.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/searchaccounts.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/sendemail.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/updateaccountemail.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/updateaccounthandle.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/updateaccountpassword.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/updateaccountsigningkey.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/admin/updatesubjectstatus.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/defs.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/getrecommendeddidcredentials.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/refreshidentity.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/requestplcoperationsignature.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/resolvedid.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/resolvehandle.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/resolveidentity.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/signplcoperation.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/submitplcoperation.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/identity/updatehandle.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/label/defs.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/label/querylabels.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/label/subscribelabels.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/lexicon/schema.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/moderation/defs.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/moderation/createreport.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/defs.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/applywrites.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/createrecord.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/deleterecord.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/describerepo.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/getrecord.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/importrepo.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/listmissingblobs.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/listrecords.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/putrecord.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/repo/uploadblob.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/activateaccount.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/checkaccountstatus.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/confirmemail.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/createaccount.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/createapppassword.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/createinvitecode.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/createinvitecodes.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/createsession.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/deactivateaccount.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/deleteaccount.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/deletesession.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/describeserver.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/getaccountinvitecodes.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/getserviceauth.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/getsession.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/listapppasswords.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/refreshsession.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/requestaccountdelete.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/requestemailconfirmation.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/requestemailupdate.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/requestpasswordreset.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/reservesigningkey.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/resetpassword.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/revokeapppassword.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/server/updateemail.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/defs.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/getblob.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/getblocks.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/getcheckout.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/gethead.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/gethoststatus.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/getlatestcommit.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/getrecord.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/getrepo.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/getrepostatus.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/listblobs.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/listhosts.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/listrepos.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/listreposbycollection.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/notifyofupdate.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/requestcrawl.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/sync/subscriberepos.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/temp/addreservedhandle.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/temp/checkhandleavailability.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/temp/checksignupqueue.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/temp/dereferencescope.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/temp/fetchlabels.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/temp/requestphoneverification.d.ts","./node_modules/@atcute/atproto/dist/lexicons/types/com/atproto/temp/revokeaccountcredentials.d.ts","./node_modules/@atcute/atproto/dist/lexicons/index.d.ts","./node_modules/@atcute/atproto/dist/index.d.ts","./lib/utils/atproto-client.ts","./lib/utils/cache.ts","./lib/providers/atprotoprovider.tsx","./lib/hooks/usedidresolution.ts","./lib/hooks/usepdsendpoint.ts","./lib/hooks/useatprotorecord.ts","./lib/core/atprotorecord.tsx","./lib/components/blueskyicon.tsx","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/embed/external.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/postgate.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/threadgate.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/embed/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/embed/images.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/embed/video.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/embed/recordwithmedia.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/labeler/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/embed/record.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/richtext/facet.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/getpreferences.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/getprofile.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/getprofiles.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/getsuggestions.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/profile.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/putpreferences.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/searchactors.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/searchactorstypeahead.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/actor/status.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/bookmark/createbookmark.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/bookmark/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/bookmark/deletebookmark.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/bookmark/getbookmarks.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/describefeedgenerator.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/generator.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getactorfeeds.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getactorlikes.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getauthorfeed.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getfeed.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getfeedgenerator.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getfeedgenerators.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getfeedskeleton.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getlikes.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getlistfeed.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getpostthread.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getposts.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getquotes.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getrepostedby.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/getsuggestedfeeds.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/gettimeline.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/like.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/post.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/repost.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/searchposts.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/feed/sendinteractions.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/block.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/follow.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getactorstarterpacks.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getblocks.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getfollowers.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getfollows.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getknownfollowers.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getlist.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getlistblocks.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getlistmutes.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getlists.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getlistswithmembership.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getmutes.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getrelationships.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getstarterpack.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getstarterpacks.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getstarterpackswithmembership.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/getsuggestedfollowsbyactor.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/list.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/listblock.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/listitem.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/muteactor.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/muteactorlist.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/mutethread.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/searchstarterpacks.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/starterpack.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/unmuteactor.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/unmuteactorlist.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/unmutethread.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/graph/verification.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/labeler/getservices.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/labeler/service.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/declaration.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/getpreferences.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/getunreadcount.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/listactivitysubscriptions.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/listnotifications.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/putactivitysubscription.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/putpreferences.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/putpreferencesv2.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/registerpush.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/unregisterpush.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/notification/updateseen.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getageassurancestate.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getconfig.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getpopularfeedgenerators.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getpostthreadotherv2.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getpostthreadv2.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getsuggestedfeeds.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getsuggestedfeedsskeleton.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getsuggestedstarterpacks.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getsuggestedstarterpacksskeleton.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getsuggestedusers.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getsuggestedusersskeleton.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/getsuggestionsskeleton.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/gettaggedsuggestions.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/gettrendingtopics.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/gettrends.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/gettrendsskeleton.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/initageassurance.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/searchactorsskeleton.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/searchpostsskeleton.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/unspecced/searchstarterpacksskeleton.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/video/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/video/getjobstatus.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/video/getuploadlimits.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/app/bsky/video/uploadvideo.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/actor/declaration.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/actor/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/actor/deleteaccount.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/actor/exportaccountdata.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/acceptconvo.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/defs.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/addreaction.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/deletemessageforself.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/getconvo.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/getconvoavailability.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/getconvoformembers.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/getlog.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/getmessages.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/leaveconvo.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/listconvos.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/muteconvo.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/removereaction.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/sendmessage.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/sendmessagebatch.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/unmuteconvo.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/updateallread.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/convo/updateread.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/moderation/getactormetadata.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/moderation/getmessagecontext.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/types/chat/bsky/moderation/updateactoraccess.d.ts","./node_modules/@atcute/bluesky/dist/lexicons/index.d.ts","./node_modules/@atcute/bluesky/dist/utilities/embeds.d.ts","./node_modules/@atcute/bluesky/dist/utilities/list.d.ts","./node_modules/@atcute/bluesky/dist/utilities/profile.d.ts","./node_modules/@atcute/bluesky/dist/utilities/starterpack.d.ts","./node_modules/@atcute/bluesky/dist/index.d.ts","./lib/types/bluesky.ts","./lib/hooks/usecolorscheme.ts","./lib/utils/at-uri.ts","./lib/hooks/useblob.ts","./lib/renderers/blueskypostrenderer.tsx","./lib/renderers/blueskyprofilerenderer.tsx","./lib/utils/profile.ts","./lib/components/blueskyprofile.tsx","./lib/components/blueskypost.tsx","./lib/hooks/usepaginatedrecords.ts","./lib/components/blueskypostlist.tsx","./lib/components/blueskyquotepost.tsx","./lib/components/colorschemetoggle.tsx","./lib/types/leaflet.ts","./lib/renderers/leafletdocumentrenderer.tsx","./lib/components/leafletdocument.tsx","./lib/renderers/tangledstringrenderer.tsx","./lib/components/tangledstring.tsx","./lib/hooks/useblueskyprofile.ts","./lib/hooks/uselatestrecord.ts","./lib/index.ts","./node_modules/@types/argparse/index.d.ts","./node_modules/@babel/types/lib/index.d.ts","./node_modules/@types/babel__generator/index.d.ts","./node_modules/@babel/parser/typings/babel-parser.d.ts","./node_modules/@types/babel__template/index.d.ts","./node_modules/@types/babel__traverse/index.d.ts","./node_modules/@types/babel__core/index.d.ts","./node_modules/@types/estree/index.d.ts","./node_modules/@types/json-schema/index.d.ts","./node_modules/@types/node/compatibility/iterators.d.ts","./node_modules/@types/node/globals.typedarray.d.ts","./node_modules/@types/node/buffer.buffer.d.ts","./node_modules/@types/node/globals.d.ts","./node_modules/@types/node/web-globals/abortcontroller.d.ts","./node_modules/@types/node/web-globals/crypto.d.ts","./node_modules/@types/node/web-globals/domexception.d.ts","./node_modules/@types/node/web-globals/events.d.ts","./node_modules/undici-types/utility.d.ts","./node_modules/undici-types/header.d.ts","./node_modules/undici-types/readable.d.ts","./node_modules/undici-types/fetch.d.ts","./node_modules/undici-types/formdata.d.ts","./node_modules/undici-types/connector.d.ts","./node_modules/undici-types/client-stats.d.ts","./node_modules/undici-types/client.d.ts","./node_modules/undici-types/errors.d.ts","./node_modules/undici-types/dispatcher.d.ts","./node_modules/undici-types/global-dispatcher.d.ts","./node_modules/undici-types/global-origin.d.ts","./node_modules/undici-types/pool-stats.d.ts","./node_modules/undici-types/pool.d.ts","./node_modules/undici-types/handlers.d.ts","./node_modules/undici-types/balanced-pool.d.ts","./node_modules/undici-types/h2c-client.d.ts","./node_modules/undici-types/agent.d.ts","./node_modules/undici-types/mock-interceptor.d.ts","./node_modules/undici-types/mock-call-history.d.ts","./node_modules/undici-types/mock-agent.d.ts","./node_modules/undici-types/mock-client.d.ts","./node_modules/undici-types/mock-pool.d.ts","./node_modules/undici-types/snapshot-agent.d.ts","./node_modules/undici-types/mock-errors.d.ts","./node_modules/undici-types/proxy-agent.d.ts","./node_modules/undici-types/env-http-proxy-agent.d.ts","./node_modules/undici-types/retry-handler.d.ts","./node_modules/undici-types/retry-agent.d.ts","./node_modules/undici-types/api.d.ts","./node_modules/undici-types/cache-interceptor.d.ts","./node_modules/undici-types/interceptors.d.ts","./node_modules/undici-types/util.d.ts","./node_modules/undici-types/cookies.d.ts","./node_modules/undici-types/patch.d.ts","./node_modules/undici-types/websocket.d.ts","./node_modules/undici-types/eventsource.d.ts","./node_modules/undici-types/diagnostics-channel.d.ts","./node_modules/undici-types/content-type.d.ts","./node_modules/undici-types/cache.d.ts","./node_modules/undici-types/index.d.ts","./node_modules/@types/node/web-globals/fetch.d.ts","./node_modules/@types/node/web-globals/navigator.d.ts","./node_modules/@types/node/web-globals/storage.d.ts","./node_modules/@types/node/web-globals/streams.d.ts","./node_modules/@types/node/assert.d.ts","./node_modules/@types/node/assert/strict.d.ts","./node_modules/@types/node/async_hooks.d.ts","./node_modules/@types/node/buffer.d.ts","./node_modules/@types/node/child_process.d.ts","./node_modules/@types/node/cluster.d.ts","./node_modules/@types/node/console.d.ts","./node_modules/@types/node/constants.d.ts","./node_modules/@types/node/crypto.d.ts","./node_modules/@types/node/dgram.d.ts","./node_modules/@types/node/diagnostics_channel.d.ts","./node_modules/@types/node/dns.d.ts","./node_modules/@types/node/dns/promises.d.ts","./node_modules/@types/node/domain.d.ts","./node_modules/@types/node/events.d.ts","./node_modules/@types/node/fs.d.ts","./node_modules/@types/node/fs/promises.d.ts","./node_modules/@types/node/http.d.ts","./node_modules/@types/node/http2.d.ts","./node_modules/@types/node/https.d.ts","./node_modules/@types/node/inspector.d.ts","./node_modules/@types/node/inspector.generated.d.ts","./node_modules/@types/node/module.d.ts","./node_modules/@types/node/net.d.ts","./node_modules/@types/node/os.d.ts","./node_modules/@types/node/path.d.ts","./node_modules/@types/node/perf_hooks.d.ts","./node_modules/@types/node/process.d.ts","./node_modules/@types/node/punycode.d.ts","./node_modules/@types/node/querystring.d.ts","./node_modules/@types/node/readline.d.ts","./node_modules/@types/node/readline/promises.d.ts","./node_modules/@types/node/repl.d.ts","./node_modules/@types/node/sea.d.ts","./node_modules/@types/node/sqlite.d.ts","./node_modules/@types/node/stream.d.ts","./node_modules/@types/node/stream/promises.d.ts","./node_modules/@types/node/stream/consumers.d.ts","./node_modules/@types/node/stream/web.d.ts","./node_modules/@types/node/string_decoder.d.ts","./node_modules/@types/node/test.d.ts","./node_modules/@types/node/timers.d.ts","./node_modules/@types/node/timers/promises.d.ts","./node_modules/@types/node/tls.d.ts","./node_modules/@types/node/trace_events.d.ts","./node_modules/@types/node/tty.d.ts","./node_modules/@types/node/url.d.ts","./node_modules/@types/node/util.d.ts","./node_modules/@types/node/v8.d.ts","./node_modules/@types/node/vm.d.ts","./node_modules/@types/node/wasi.d.ts","./node_modules/@types/node/worker_threads.d.ts","./node_modules/@types/node/zlib.d.ts","./node_modules/@types/node/index.d.ts","./node_modules/@types/react-dom/index.d.ts"],"fileIdsList":[[52,53,438,492,509,510],[52,53,253,255,256,406,408,409,410,412,413,438,492,509,510],[52,53,253,257,406,407,408,415,438,492,509,510],[52,53,253,256,406,408,409,411,412,438,492,509,510],[52,53,408,410,414,438,492,509,510],[52,53,407,438,492,509,510],[52,53,255,256,407,408,419,420,438,492,509,510],[52,53,256,422,438,492,509,510],[52,53,255,438,492,509,510],[52,53,250,253,254,438,492,509,510],[52,53,252,253,254,438,492,509,510],[52,53,250,254,438,492,509,510],[52,53,252,438,492,509,510],[53,250,252,253,254,255,256,257,406,407,408,409,410,411,412,413,414,415,416,417,418,419,420,421,422,423,424,425,438,492,509,510],[52,53,250,251,438,492,509,510],[52,53,253,257,406,407,408,409,438,492,509,510],[52,53,257,406,407,438,492,509,510],[52,53,253,407,408,409,414,419,438,492,509,510],[52,53,153,407,438,492,509,510],[53,405,438,492,509,510],[53,438,492,509,510],[53,71,79,88,99,153,249,438,492,509,510],[53,88,250,438,492,509,510],[53,406,438,492,509,510],[248,438,492,509,510],[154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185,186,187,188,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,438,492,509,510],[73,154,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,155,156,157,158,159,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,155,156,157,158,159,160,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,154,156,157,158,159,160,161,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,155,156,157,158,159,160,161,162,163,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,155,156,157,158,159,160,161,162,164,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,172,173,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,172,173,174,175,176,177,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,182,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,182,183,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,186,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,188,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,188,189,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,188,189,190,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,188,189,190,191,192,193,194,195,196,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,154,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,224,225,226,227,228,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,224,225,226,227,228,229,230,231,232,233,234,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,182,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[400,401,402,403,404,438,492,509,510],[258,259,260,261,262,263,264,265,266,267,268,269,270,271,272,273,274,275,276,277,278,279,280,281,282,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,371,372,373,374,375,376,377,378,379,380,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,163,182,258,259,260,269,270,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,182,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,258,259,260,272,273,274,275,276,277,278,279,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,163,268,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,282,283,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,261,438,492,509,510],[73,163,182,258,262,263,264,265,268,269,271,438,492,509,510],[73,258,262,263,266,438,492,509,510],[73,182,258,262,263,264,266,267,269,271,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,182,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,267,272,273,274,275,276,277,278,279,280,281,283,284,285,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,182,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,258,259,260,262,263,264,266,267,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,182,267,268,271,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,182,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,267,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,267,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,182,186,271,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,265,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,182,183,184,185,186,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,265,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,270,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,182,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,270,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,270,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,268,271,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,268,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,269,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,271,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,362,363,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,362,363,364,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,371,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,371,372,373,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,182,271,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,266,267,376,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,386,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,386,387,388,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,386,387,388,389,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,386,387,388,389,390,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,386,387,388,389,390,391,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,386,387,388,389,390,391,392,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,386,387,388,389,390,391,392,393,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,380,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,438,492,509,510],[74,264,266,268,303,438,492,509,510],[400,438,492,509,510],[73,74,75,76,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[74,76,438,492,509,510],[438,492,509,510],[76,77,78,438,492,509,510],[71,88,89,438,492,509,510],[71,438,492,509,510],[71,89,438,492,509,510],[89,90,91,92,93,94,95,96,97,98,438,492,509,510],[71,88,438,492,509,510],[81,82,83,84,85,86,87,438,492,509,510],[74,438,492,509,510],[80,81,438,492,509,510],[74,81,438,492,509,510],[54,55,56,57,58,60,61,62,63,64,65,66,67,68,69,73,438,492,509,510],[61,66,438,492,509,510],[61,438,492,509,510],[66,67,68,438,492,509,510],[54,55,438,492,509,510],[54,56,57,58,59,438,492,509,510],[54,55,56,57,58,60,61,62,63,64,65,438,492,509,510],[69,70,71,72,438,492,509,510],[152,438,492,509,510],[100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,132,133,134,135,136,137,138,139,140,141,142,143,144,145,146,147,148,149,150,151,438,492,509,510],[73,75,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,134,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,135,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,136,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,137,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,138,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,139,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,140,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,141,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,145,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,146,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,147,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,148,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,149,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,150,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,151,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[73,75,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,134,135,136,137,138,139,140,141,145,146,147,148,149,150,156,157,158,159,160,161,162,164,165,166,167,168,169,170,171,173,174,175,176,177,178,179,180,181,183,184,185,187,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,259,260,272,273,274,275,276,277,278,279,280,281,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,372,373,374,375,377,378,379,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,438,492,509,510],[428,438,492,509,510],[428,429,430,431,432,438,492,509,510],[428,430,438,492,509,510],[438,489,490,492,509,510],[438,491,492,509,510],[492,509,510],[438,492,497,509,510,527],[438,492,493,498,503,509,510,512,524,535],[438,492,493,494,503,509,510,512],[438,492,495,509,510,536],[438,492,496,497,504,509,510,513],[438,492,497,509,510,524,532],[438,492,498,500,503,509,510,512],[438,491,492,499,509,510],[438,492,500,501,509,510],[438,492,502,503,509,510],[438,491,492,503,509,510],[438,492,503,504,505,509,510,524,535],[438,492,503,504,505,509,510,519,524,527],[438,484,492,500,503,506,509,510,512,524,535],[438,492,503,504,506,507,509,510,512,524,532,535],[438,492,506,508,509,510,524,532,535],[436,437,438,439,440,441,442,443,485,486,487,488,489,490,491,492,493,494,495,496,497,498,499,500,501,502,503,504,505,506,507,508,509,510,511,512,513,514,515,516,517,518,519,520,521,522,523,524,525,526,527,528,529,530,531,532,533,534,535,536,537,538,539,540,541],[438,492,503,509,510],[438,492,509,510,511,535],[438,492,500,503,509,510,512,524],[438,492,509,510,513],[438,492,509,510,514],[438,491,492,509,510,515],[438,489,490,491,492,493,494,495,496,497,498,499,500,501,502,503,504,505,506,507,508,509,510,511,512,513,514,515,516,517,518,519,520,521,522,523,524,525,526,527,528,529,530,531,532,533,534,535,536,537,538,539,540,541],[438,492,509,510,517],[438,492,509,510,518],[438,492,503,509,510,519,520],[438,492,509,510,519,521,536,538],[438,492,503,509,510,524,525,527],[438,492,509,510,526,527],[438,492,509,510,524,525],[438,492,509,510,527],[438,492,509,510,528],[438,489,492,509,510,524,529],[438,492,503,509,510,530,531],[438,492,509,510,530,531],[438,492,497,509,510,512,524,532],[438,492,509,510,533],[438,492,509,510,512,534],[438,492,506,509,510,518,535],[438,492,497,509,510,536],[438,492,509,510,524,537],[438,492,509,510,511,538],[438,492,509,510,539],[438,492,497,509,510],[438,484,492,509,510],[438,492,509,510,540],[438,484,492,503,505,509,510,515,524,527,535,537,538,540],[438,492,509,510,524,541],[52,438,492,509,510],[50,51,438,492,509,510],[438,450,453,456,457,492,509,510,535],[438,453,492,509,510,524,535],[438,453,457,492,509,510,535],[438,492,509,510,524],[438,447,492,509,510],[438,451,492,509,510],[438,449,450,453,492,509,510,535],[438,492,509,510,512,532],[438,492,509,510,542],[438,447,492,509,510,542],[438,449,453,492,509,510,512,535],[438,444,445,446,448,452,492,503,509,510,524,535],[438,453,461,469,492,509,510],[438,445,451,492,509,510],[438,453,478,479,492,509,510],[438,445,448,453,492,509,510,527,535,542],[438,453,492,509,510],[438,449,453,492,509,510,535],[438,444,492,509,510],[438,447,448,449,451,452,453,454,455,457,458,459,460,461,462,463,464,465,466,467,468,469,470,471,472,473,474,475,476,477,479,480,481,482,483,492,509,510],[438,453,471,474,492,500,509,510],[438,453,461,462,463,492,509,510],[438,451,453,462,464,492,509,510],[438,452,492,509,510],[438,445,447,453,492,509,510],[438,453,457,462,464,492,509,510],[438,457,492,509,510],[438,451,453,456,492,509,510,535],[438,445,449,453,461,492,509,510],[438,453,471,492,509,510],[438,464,492,509,510],[438,447,453,478,492,509,510,527,540,542]],"fileInfos":[{"version":"c430d44666289dae81f30fa7b2edebf186ecc91a2d4c71266ea6ae76388792e1","affectsGlobalScope":true,"impliedFormat":1},{"version":"45b7ab580deca34ae9729e97c13cfd999df04416a79116c3bfb483804f85ded4","impliedFormat":1},{"version":"3facaf05f0c5fc569c5649dd359892c98a85557e3e0c847964caeb67076f4d75","impliedFormat":1},{"version":"e44bb8bbac7f10ecc786703fe0a6a4b952189f908707980ba8f3c8975a760962","impliedFormat":1},{"version":"5e1c4c362065a6b95ff952c0eab010f04dcd2c3494e813b493ecfd4fcb9fc0d8","impliedFormat":1},{"version":"68d73b4a11549f9c0b7d352d10e91e5dca8faa3322bfb77b661839c42b1ddec7","impliedFormat":1},{"version":"5efce4fc3c29ea84e8928f97adec086e3dc876365e0982cc8479a07954a3efd4","impliedFormat":1},{"version":"080941d9f9ff9307f7e27a83bcd888b7c8270716c39af943532438932ec1d0b9","affectsGlobalScope":true,"impliedFormat":1},{"version":"2e80ee7a49e8ac312cc11b77f1475804bee36b3b2bc896bead8b6e1266befb43","affectsGlobalScope":true,"impliedFormat":1},{"version":"c57796738e7f83dbc4b8e65132f11a377649c00dd3eee333f672b8f0a6bea671","affectsGlobalScope":true,"impliedFormat":1},{"version":"dc2df20b1bcdc8c2d34af4926e2c3ab15ffe1160a63e58b7e09833f616efff44","affectsGlobalScope":true,"impliedFormat":1},{"version":"515d0b7b9bea2e31ea4ec968e9edd2c39d3eebf4a2d5cbd04e88639819ae3b71","affectsGlobalScope":true,"impliedFormat":1},{"version":"0559b1f683ac7505ae451f9a96ce4c3c92bdc71411651ca6ddb0e88baaaad6a3","affectsGlobalScope":true,"impliedFormat":1},{"version":"0dc1e7ceda9b8b9b455c3a2d67b0412feab00bd2f66656cd8850e8831b08b537","affectsGlobalScope":true,"impliedFormat":1},{"version":"ce691fb9e5c64efb9547083e4a34091bcbe5bdb41027e310ebba8f7d96a98671","affectsGlobalScope":true,"impliedFormat":1},{"version":"8d697a2a929a5fcb38b7a65594020fcef05ec1630804a33748829c5ff53640d0","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ff2a353abf8a80ee399af572debb8faab2d33ad38c4b4474cff7f26e7653b8d","affectsGlobalScope":true,"impliedFormat":1},{"version":"fb0f136d372979348d59b3f5020b4cdb81b5504192b1cacff5d1fbba29378aa1","affectsGlobalScope":true,"impliedFormat":1},{"version":"d15bea3d62cbbdb9797079416b8ac375ae99162a7fba5de2c6c505446486ac0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"68d18b664c9d32a7336a70235958b8997ebc1c3b8505f4f1ae2b7e7753b87618","affectsGlobalScope":true,"impliedFormat":1},{"version":"eb3d66c8327153d8fa7dd03f9c58d351107fe824c79e9b56b462935176cdf12a","affectsGlobalScope":true,"impliedFormat":1},{"version":"38f0219c9e23c915ef9790ab1d680440d95419ad264816fa15009a8851e79119","affectsGlobalScope":true,"impliedFormat":1},{"version":"69ab18c3b76cd9b1be3d188eaf8bba06112ebbe2f47f6c322b5105a6fbc45a2e","affectsGlobalScope":true,"impliedFormat":1},{"version":"a680117f487a4d2f30ea46f1b4b7f58bef1480456e18ba53ee85c2746eeca012","affectsGlobalScope":true,"impliedFormat":1},{"version":"2f11ff796926e0832f9ae148008138ad583bd181899ab7dd768a2666700b1893","affectsGlobalScope":true,"impliedFormat":1},{"version":"4de680d5bb41c17f7f68e0419412ca23c98d5749dcaaea1896172f06435891fc","affectsGlobalScope":true,"impliedFormat":1},{"version":"954296b30da6d508a104a3a0b5d96b76495c709785c1d11610908e63481ee667","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac9538681b19688c8eae65811b329d3744af679e0bdfa5d842d0e32524c73e1c","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a969edff4bd52585473d24995c5ef223f6652d6ef46193309b3921d65dd4376","affectsGlobalScope":true,"impliedFormat":1},{"version":"9e9fbd7030c440b33d021da145d3232984c8bb7916f277e8ffd3dc2e3eae2bdb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811ec78f7fefcabbda4bfa93b3eb67d9ae166ef95f9bff989d964061cbf81a0c","affectsGlobalScope":true,"impliedFormat":1},{"version":"717937616a17072082152a2ef351cb51f98802fb4b2fdabd32399843875974ca","affectsGlobalScope":true,"impliedFormat":1},{"version":"d7e7d9b7b50e5f22c915b525acc5a49a7a6584cf8f62d0569e557c5cfc4b2ac2","affectsGlobalScope":true,"impliedFormat":1},{"version":"71c37f4c9543f31dfced6c7840e068c5a5aacb7b89111a4364b1d5276b852557","affectsGlobalScope":true,"impliedFormat":1},{"version":"576711e016cf4f1804676043e6a0a5414252560eb57de9faceee34d79798c850","affectsGlobalScope":true,"impliedFormat":1},{"version":"89c1b1281ba7b8a96efc676b11b264de7a8374c5ea1e6617f11880a13fc56dc6","affectsGlobalScope":true,"impliedFormat":1},{"version":"74f7fa2d027d5b33eb0471c8e82a6c87216223181ec31247c357a3e8e2fddc5b","affectsGlobalScope":true,"impliedFormat":1},{"version":"d6d7ae4d1f1f3772e2a3cde568ed08991a8ae34a080ff1151af28b7f798e22ca","affectsGlobalScope":true,"impliedFormat":1},{"version":"063600664504610fe3e99b717a1223f8b1900087fab0b4cad1496a114744f8df","affectsGlobalScope":true,"impliedFormat":1},{"version":"934019d7e3c81950f9a8426d093458b65d5aff2c7c1511233c0fd5b941e608ab","affectsGlobalScope":true,"impliedFormat":1},{"version":"52ada8e0b6e0482b728070b7639ee42e83a9b1c22d205992756fe020fd9f4a47","affectsGlobalScope":true,"impliedFormat":1},{"version":"3bdefe1bfd4d6dee0e26f928f93ccc128f1b64d5d501ff4a8cf3c6371200e5e6","affectsGlobalScope":true,"impliedFormat":1},{"version":"59fb2c069260b4ba00b5643b907ef5d5341b167e7d1dbf58dfd895658bda2867","affectsGlobalScope":true,"impliedFormat":1},{"version":"639e512c0dfc3fad96a84caad71b8834d66329a1f28dc95e3946c9b58176c73a","affectsGlobalScope":true,"impliedFormat":1},{"version":"368af93f74c9c932edd84c58883e736c9e3d53cec1fe24c0b0ff451f529ceab1","affectsGlobalScope":true,"impliedFormat":1},{"version":"51ad4c928303041605b4d7ae32e0c1ee387d43a24cd6f1ebf4a2699e1076d4fa","affectsGlobalScope":true,"impliedFormat":1},{"version":"196cb558a13d4533a5163286f30b0509ce0210e4b316c56c38d4c0fd2fb38405","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e7f8264d0fb4c5339605a15daadb037bf238c10b654bb3eee14208f860a32ea","affectsGlobalScope":true,"impliedFormat":1},{"version":"782dec38049b92d4e85c1585fbea5474a219c6984a35b004963b00beb1aab538","affectsGlobalScope":true,"impliedFormat":1},{"version":"170d4db14678c68178ee8a3d5a990d5afb759ecb6ec44dbd885c50f6da6204f6","affectsGlobalScope":true,"impliedFormat":1},{"version":"8a8eb4ebffd85e589a1cc7c178e291626c359543403d58c9cd22b81fab5b1fb9","impliedFormat":1},{"version":"0ff1b165090b491f5e1407ae680b9a0bc3806dc56827ec85f93c57390491e732","impliedFormat":1},{"version":"42c169fb8c2d42f4f668c624a9a11e719d5d07dacbebb63cbcf7ef365b0a75b3","impliedFormat":1},{"version":"ea72cc9550b89d2fd7b8ac2ab4a6ad5b179bf897de7859bba0dc7a934bbca734","impliedFormat":99},{"version":"aa45d08c94931e0b7a9a4c418b33ab895aaf240e192839b36866ad84198c062a","impliedFormat":99},{"version":"dbddbfd48c1d54d619891c895f6e8ff16d30717f4a0952e701387e8040d99f85","impliedFormat":99},{"version":"3361e3db8cb33aa91beaf33b3c79c108f2410e6414498e79d2c7da1838fdfc4d","impliedFormat":99},{"version":"4d54ec33bb701c533741e8abc4233d5f378805166d3a5999d234ae189702d93f","impliedFormat":99},{"version":"f1eed69ccd2798f31d0996306c51d648e19e6e09088f9a7f57c3dcb4367cef51","impliedFormat":99},{"version":"da276fcfe4fb73d74245eee5d1dfb7776bd450d77c591f6e03b54d60be5299b4","impliedFormat":99},{"version":"b402b88cf99c4dc208e5fd337e198e9ee703f48b239dbc8d08ec3b6389e5b55b","impliedFormat":99},{"version":"6f99fbd5ea27a199f84fbc41105525d207d8c6838d62babcbe12e5be0c4a0271","impliedFormat":99},{"version":"528939385e62838eb5631e339475ba93c2ce3ba7e3819cacd42d8ba9adfe5025","impliedFormat":99},{"version":"ef7d56a3fff2aa6476c694027c4844905d40ecc7e8b775dd8743dfd8378353fe","impliedFormat":99},{"version":"3894b5833c452b46d1c59f7d58a8c45e55bcc75a0248af65e1c9c9dd88afeac7","impliedFormat":99},{"version":"1ef2ed1e48da7d651f705bc0131d1028725841d4a97652ef0905367360ba3f73","impliedFormat":99},{"version":"47c221ec0b8802eb5887d6a1be6d7a33ddcd10116185a15c36803e0ae1c0539c","impliedFormat":99},{"version":"0d42fe6c9f1fab8c308ab1ec0ec2ad814a1bd2fb685e2f12cabc0c7732c089b9","impliedFormat":99},{"version":"74967284243720aad05a852617f2891ae384d7a6470c824169a351ad31cab9fb","impliedFormat":99},{"version":"76af14c3cce62da183aaf30375e3a4613109d16c7f16d30702f16d625a95e62c","impliedFormat":99},{"version":"19bc69921209ad7269f886c69e5f812499e133ce318e1aa5d53ac82427c1a477","impliedFormat":99},{"version":"31c17a52735cb1f6cc5a4c452857f568341f95424f07fdb5ee2fbcd6a4a4c094","impliedFormat":99},{"version":"06b419067158787fe33af288531a1df891b452a11e485896bded780b2ef70732","impliedFormat":99},{"version":"44c976b666ef022c74dc1405abb2b167346f9b8ebed3ab4bd9464711c8caa1f5","impliedFormat":99},{"version":"8e52008b516a7a7301f9d43884dc899019695eab471312b72be8a72f89850327","impliedFormat":99},{"version":"f47d865499c8b58d931d7f16e4432c69a3501cb324ead037804e8f292ff195a3","impliedFormat":99},{"version":"1e2f699820214b98d8d16c57137c7adb04b13f3ac573b4f0bbe7b7a601d09495","impliedFormat":99},{"version":"3fc902025baa4cbc0b4648466ac6be6117dc4b0e5b56d245d959839e58fdca8f","impliedFormat":99},{"version":"8ca7d6aee90a5a1d40d356c70c8d5b0ca55ab31a3d17ba73ffb51604674c48f4","impliedFormat":99},{"version":"8de5552b84830fba2143c18d43ebfc3c1289c67402c51a378c32daa7ff7adf32","impliedFormat":99},{"version":"651b59286248bd10267c630f728172866ae427f4036372bcd63f1502532454f8","impliedFormat":99},{"version":"1be150449268e28edc1a1d31acb2b9fa030aee87897a41856d50ddccc124ea53","impliedFormat":99},{"version":"ae0bff9b2245fc399295d0572519a2833ff1a47550b7fdddf96e648eca5271ea","impliedFormat":99},{"version":"0b903757cdc9fe17029ff023c454ae06941499fbf9ae0f733c5e7314555797aa","impliedFormat":99},{"version":"f7ff68ca4ababc2bea9fe21a476be0f6096b8f9f54d34f3408f921850b770e24","impliedFormat":99},{"version":"fa689046e96fc6bd92d2f6edcdb9c0c45efedcfe23443ae1fd4a470bf6e9eda3","impliedFormat":99},{"version":"cb54ec232cad4e0c94cebfd4f560de0907e65c1b55b62a7c1063ab73fe2b014d","impliedFormat":99},{"version":"39f0d3b66804b002c2f462c9ee61bfca709b607559893cccb4ade202f01028d6","impliedFormat":99},{"version":"1f0316a5da01034b17aed99fdd5ec8fe805bb65c5181587c8da353e7c1c31466","impliedFormat":99},{"version":"56442d4cc6dbee39651e056fa1497720913f1f801791b84e50e892cfbe078bd4","impliedFormat":99},{"version":"03cd861598cd715ca2bac8148c04a5f0ed2d21e90bf8db13de771be632f28c66","impliedFormat":99},{"version":"bd1578e4ca78d8de0d3dc05f95d147e45b4dfda47186ce874b3c0d7539e2098f","impliedFormat":99},{"version":"735c117db157cdfd07b4a18b777995e5ce23e535f49cbb12f5fd2c9111c5db18","impliedFormat":99},{"version":"303e57dc66fb6f7e6a79344e5135d48c73ed024cb311d2babf4df5b89fbcf3c8","impliedFormat":99},{"version":"d334f6d54e3907bf5a76f95119c4cc3f91220e96eb113487062d416c3bb70667","impliedFormat":99},{"version":"41178e3f5b546481e0a44eb7aaee78751843dffd525360d953550e8704880445","impliedFormat":99},{"version":"6d0cffb06c980b1ded7ed62302284696b2e9c88ed2608a36acee3ae30cebf88c","impliedFormat":99},{"version":"c57d47d923b6851e8880b395d0935d0b3bccc5c3691e7ce33abb247195b262ba","impliedFormat":99},{"version":"aedbbff1a84bb4cc113b3aa603afd19ea5a53e505744f971b715c412dae0505d","impliedFormat":99},{"version":"e04ad05711a15421294f32c07c87f23a99e792e44a2109700cec6e031038e5a8","impliedFormat":99},{"version":"05b4b78a0fe3f591b9f46700396ec760bf4785c238f8a27cbf78037357615994","impliedFormat":99},{"version":"54469d80797325cac80ddf053a12afe121953b9f327a3865925c1ea5fedc1e04","impliedFormat":99},{"version":"8ac43b3a5564c1b963aa0598ce3fe1d2b5673f220a2d0900a05cc03a2098433c","impliedFormat":99},{"version":"9555fc148c875680bb94cf7afd8c96cb6bd39575833f4d57755a3b8e3639937e","impliedFormat":99},{"version":"2dd5d9fe6995942adf82fff82e624e5aac2965a605587cc777c852981670f7c7","impliedFormat":99},{"version":"09ded16b94109529ea27304a7292084332eea0fec7960361650feaa57f738763","impliedFormat":99},{"version":"89bfc04207450b25e880200f4b1548391b539fc60bc2f2945fc0edfb23e23634","impliedFormat":99},{"version":"7c9600f96f56cb5356fb26046a60d5ea86f4e3a48709d316244395a8ca007029","impliedFormat":99},{"version":"8b10bff76988431e8f68b2a0dbb79df3ee0331753c4fac29b40ab62801f2aa06","impliedFormat":99},{"version":"724ce9a87bbacc89ff4ab317df599f77a55ee6545d76e056d8b36bb55f24c58b","impliedFormat":99},{"version":"79ddbd060c4878d83b491a4f8469794c8184f59ec9d1b022bc5b14c29215f590","impliedFormat":99},{"version":"c80b21e0bc14336675fe80924a468b9ecbda995c0b4705988f53c38dddf41922","impliedFormat":99},{"version":"aefa7fd02617fd165f8f06e921b8c0d8e60867af6634a622ddd017c158c5a505","impliedFormat":99},{"version":"bab81fad10b35ea3ec3886895b7b2e44716d7c73e009b1b3c6aabcff8dd28b42","impliedFormat":99},{"version":"78c2b0c973739c69dc21745ccb2c8dfaabd0bc97f27675a11eec5ddcb44f04e2","impliedFormat":99},{"version":"8883a6e862b5f07b07fccf8a0100ca73d35a2117fa2656d4368fbe089dc45ad5","impliedFormat":99},{"version":"9262edf59574bb4b69221a2289c08e9d8d9b83f51ac9838191dc43c176e26312","impliedFormat":99},{"version":"8f3e70c49f9abb6115f25ad78fc1d65edaa463f2d6d5a5a1554cc83bae5fb284","impliedFormat":99},{"version":"17aa7e05470aee99f362246e3b2fbccb3833d155b103bc85fcf3cd0166e8385d","impliedFormat":99},{"version":"c47eedce9426b4a330be6cc94f31ab0430557bf3d66b2f6fdaa8bc2a9fe3dc63","impliedFormat":99},{"version":"8fc134de25055444c3f7cf24895245a20009342b7d27fefe046a23f06050775d","impliedFormat":99},{"version":"5f291db565a8a521639a3f6414c1d7484b1692ced3fab25d5f6d9c7622412239","impliedFormat":99},{"version":"9d97d4c094e8fb4a39dc3c9c61a5ab3750df7f640f10d7cc1f0cc95254867a46","impliedFormat":99},{"version":"13b381b958471357ea0e5d55331fe8da40ef6dd444c765620f5ac6ed8604fea5","impliedFormat":99},{"version":"c7b04352ef5338a362cb852b254bcef5fd9f299611830722ca96bef2272a727d","impliedFormat":99},{"version":"5b7cc254748cfad68a29f1708899c3c053ab74088d08ab4a55488eb2a2a6ffc3","impliedFormat":99},{"version":"32d7684d69e6fb0d6b0b9526c81791c866e379d890969248ec033b76014e5ae3","impliedFormat":99},{"version":"3004fd440a0ce893bde0047ded249354f17fc5bf5f0e18cb443ad5875ce624af","impliedFormat":99},{"version":"616bd5a947e0f6c9b3b1115ff93e6bf6bde37f0f8874ad22ce1b94972210ecbb","impliedFormat":99},{"version":"e93070a564ab221196230b074e5316c1780fd97e32d134984662d77686a03da0","impliedFormat":99},{"version":"f14fb34a1756869066dcf0101061dc28a3125165a19033870b99da489aef7b8a","impliedFormat":99},{"version":"d8c6ddb39e8570cfe28b4bff78b60c3b0f8989b18f1cff11b65b3bce72cc8b7b","impliedFormat":99},{"version":"bc676aee1c0487b866e6c4879c44b4022726bd4aabdda10d8a869bfff2fc4fd1","impliedFormat":99},{"version":"94fdd74bb75c869bb49cff84e2cc0d96847e54550d07f190e6aa2f66f48df3cd","impliedFormat":99},{"version":"df87131c4e90121f3735d75f8687fd6593a2cf532f584f1c007929b2a30a5f9b","impliedFormat":99},{"version":"ede4c4fa5909299b5ef08f59bdca60f233b267dbd1cba1dad89977aca2d2a832","impliedFormat":99},{"version":"64e5054bb3a621b29863c2af6682d288c14635b2d14ffb5b446a17a63b88dd87","impliedFormat":99},{"version":"bb1fb4df5b57dd20edc2b411f0b0149f15ab5a106cdc8a953b4209f645034785","impliedFormat":99},{"version":"060c85a4fc9199e1f44449c4496e50da8803b007aa3fdd20f2285978060c33c0","impliedFormat":99},{"version":"0acc2626aeba6dec96b73ec578bc3bc823af3fce72c12c5309ac1863604c076b","impliedFormat":99},{"version":"9a761443a08143aab9c4de9693e72f6d8d23247186eb8889bcd10393dc3532c0","impliedFormat":99},{"version":"da1417971dd43589cf2f64e5f39da372a9413bbdaf4fc535b0a3bb132b1657e3","impliedFormat":99},{"version":"8889a09c6af3130c89f3447054fa5460754471e0a1f98a527e71fdfde899cb2f","impliedFormat":99},{"version":"ba77a7192b018f6e461de533baed7b4c7e574d708bb65217c42201c2ed10abfb","impliedFormat":99},{"version":"78ac78b6372510eeba34d59c12baf2f2d3e711b466161dce30d73c935340a8f7","impliedFormat":99},{"version":"a8d4f94ba30bf367db014cbef8d6ece4cb664e69aeba758567acb8c02b0bfe2c","impliedFormat":99},{"version":"8f489b6a9e3d21271875f468482bc0418341e23a0688734c3ee7e6b9ff74d7c4","impliedFormat":99},{"version":"787633e9a13f49fe7403439b33388a99637c899236a6cfbf381a063cdbe92542","impliedFormat":99},{"version":"e78023dc028d670a73c72661acbed753764a505e2f464d9d7e118046508c26bb","impliedFormat":99},{"version":"b0486c6fe4f9e68f2105cabed1c388aaf94c06774305d712013fdb5043e46bb7","impliedFormat":99},{"version":"b617febcd2b87748a5896415458836838cc7a047c9ba3c1f93e145ba972117bc","impliedFormat":99},{"version":"c2ed7a65f90e182168b8946ec12ff5aec58c10e9927b04745875843c0568846f","impliedFormat":99},{"version":"e4813e26203d7c6caee2675461cb8694d0a5a2a692fe955b3becdffb1b229726","impliedFormat":99},{"version":"90740a4740eb94a7cfa4c346de4ce38329d161423444f13d86153ad503571cc8","impliedFormat":99},{"version":"f419f04277f873a6c9cddb78465d66a7fc89453768283bc66610f4d563c1fa16","impliedFormat":99},{"version":"85c11e5e250abb4a591509a61e9db2202e7a186cadbd4184d77357f6d768ed1d","impliedFormat":99},{"version":"5fe57966bc656055ea2e4c1657dcc16edc32a08ef87dc30c09671004bdd4cc14","impliedFormat":99},{"version":"ead716385d47a7d5ee147bd5a7fdc0d156c989b4c8806a76f220649c6accde95","impliedFormat":99},{"version":"bc16ae537239eb39d5020afb0958f401befba9d0aa17bb8f895984c6c688569f","impliedFormat":99},{"version":"e551cfaaa5020ea281dbe01991d644059e60cb22b1dcc9634192db9238542723","impliedFormat":99},{"version":"21fc8b8d6387a8a5cc9e62c31fee3c8da8249fb3bc4a8ba79c5092057c892f7d","impliedFormat":99},{"version":"19082f3df1f25f7fb304a911d1a153c9391f464e3001080a524c995e4028a3c4","impliedFormat":99},{"version":"e0f6aafed1acaba5854688e6fdaf8d124383a9282c111b41e22c63f3eb3634ce","impliedFormat":99},{"version":"6562b25cdd9cf562a6d9c614d6294a5b4a5d53013a337b684198672aaa1d61e7","impliedFormat":99},{"version":"3a99f401d0459a24124f6510c9fd84c3ddc94cc9dda88bc092b2c328a2316f10","impliedFormat":99},{"version":"25f8badc9dcd1b4ed1b670442a5cb3bce3855aa2273600123ca82f7105cbd05f","impliedFormat":99},{"version":"df348ecd79b09037176daee7995ddd749a1862a11ed6ac4b0c8a3e7a27cfad27","impliedFormat":99},{"version":"36b1f70dafde83b308cf0d9605fe43900cd340320a5943c79085e39b7ce9c344","impliedFormat":99},{"version":"d5631a56aeb2279698572bf985113de7e1deee43c56cd9dd85aa2be1a41bb998","impliedFormat":99},{"version":"108a85619ed468d15c2f5ea49aa19be365c18a123d2c096cdb682533cafddee5","impliedFormat":99},{"version":"e8e65217abc06cbbd6f5d331cc2fecc278491350423f03ac47aec6978456716b","impliedFormat":99},{"version":"0ae17e04bf71b5eaa46a509bccf6d58cf793a33e39c27077820fb010d4f9521a","impliedFormat":99},{"version":"60d25f66f4b6ef80e0f66f3b2ffbdc88b9ee98d925838d5964fccaa792bb7bc6","impliedFormat":99},{"version":"fce7a2dfbc5f0e8cc50b843e3b4dc606a98832cd6d4a5ebe6ddd054a92dc2597","impliedFormat":99},{"version":"c30274fdea2366b5a293415a6a09124c85b42cc6c02b8d0fc72af5a05351f55e","impliedFormat":99},{"version":"5dd427cc3c26d8e97c7dc0b287e06297717f7a148829fb7fc5875e93bf40956c","impliedFormat":99},{"version":"3abfe64fea01a095950c9f1782ca2ef01ae5391fe5b7fe6443222e5a6adc5d08","impliedFormat":99},{"version":"17a168032c270ec761481e277ac16efeac6530b01870720c17ea6649c9db518b","impliedFormat":99},{"version":"b9e54097ce2e07b1911e42f1c578d9304ca3e2c824f989759bc2199d54e4db0a","impliedFormat":99},{"version":"52256083681cca90fcbf3796937308d94e1c8e3ced04a7974b49ec4209f2ab4f","impliedFormat":99},{"version":"7086e03c6bbd58177835da26104c3124e985afbd9a91b3a148e0cb88fbadcbf0","impliedFormat":99},{"version":"d46dc9978eefe051bc8f6679dc6b6a8be7594247effd2563ac488afee31ce9c7","impliedFormat":99},{"version":"2baba9d417f5388ecf1f2b1a9a58a4b6d4ed7df15509d60de9d7caf1f0043ba1","impliedFormat":99},{"version":"fa412c9f26d7be8ccbbd56ab3f1fad78eb9cf87af63fd8c6fb29dd0450b47622","impliedFormat":99},{"version":"4da7dcbb288a72cb7488728930efa47e46fb3dc042f25aa7d50468f0949bd1a0","impliedFormat":99},{"version":"b0b15e47e8d7e2875b28284ea08678baf6f4dcd420241046fc91743c905d0947","impliedFormat":99},{"version":"7eef51f067c640ef085973e8e13608a0b91c912297514e3264fa6596f328c9fe","impliedFormat":99},{"version":"4afc590f38f8051eec35231e6946ecf2151d7a23ad4e138047b01c800d94d9d0","impliedFormat":99},{"version":"4c42c37e1f02b327024ecb1edf1b5a12e4d45092bc51b405985a791ce32598e0","impliedFormat":99},{"version":"8adbcb728b2d3bd8282e1a657a45f6f9103a7eb43f6fbe36c554bfef17df9656","impliedFormat":99},{"version":"ae061bc7af2f9ea15a742b07e471c27fc4d82e2b940509f9e7da3f129595e03e","impliedFormat":99},{"version":"d15f78dca6c2afbdd2596cb17983fc60a79d95dc0142408d224d671f8b6564dc","impliedFormat":99},{"version":"2307f448951cae8a6b9bf7b09c114369e42d590c53fb99c99fb1cc34ead0f0dc","impliedFormat":99},{"version":"71ceec981852d2a8b0fb281799199344a6ec90aa55e13302916f38b48debd10a","impliedFormat":99},{"version":"5c943d5009f2f31841d04d8ba9e853a13201a9e81fb96234c90191f00a50a713","impliedFormat":99},{"version":"cf7f50328f9916c083247e28d938b986a9d9fd60ba956a90ce540ff676e3deff","impliedFormat":99},{"version":"9005e5cc014620c428d72c3333d6430f4be9ab113c7c41400ea4babe458907fb","impliedFormat":99},{"version":"5040c1eb043d900faf3cbc181831b7aefda2fa75bc08cac59897baefe2666e43","impliedFormat":99},{"version":"83e5ae91867c4b4d94ef5c43b9652401642b80f3a4b86af579390dc2fa97ed10","impliedFormat":99},{"version":"b87b16115bb301284968c766678ee98ab1c2276f1bc4e437945db172718a22b3","impliedFormat":99},{"version":"ec78470f53dc3905513b87992cae127a1d5b793ea42cd48c8ff809ebf576f19a","impliedFormat":99},{"version":"a22df7d38217bf9917cd51c7df7da7965d6a5f57b56b5e612f48ecb34a693c1e","impliedFormat":99},{"version":"df740e512060283334dc9f4d608bb7ddf9097b6e1613dd2b3145d1455bc4f73d","impliedFormat":99},{"version":"b7eea3116456adebb14baa549db35cd82759bdf2f5b161e8ba12768e634b10e8","impliedFormat":99},{"version":"930612d51e2a0cb1402f15a758d8bd025ee29b4c47a13d038faa3fc8ee16e3ba","impliedFormat":99},{"version":"da4d4b60a3c4a12f155b1ca908ff6500c81262168dd39bf6b7f2a632661beb4a","impliedFormat":99},{"version":"1c7a163091d67b9af010e10f5c43ceccde78320486d2901053b4d5af2b751b2a","impliedFormat":99},{"version":"6fb3541ebbb5e2a930fea38603d4c0cbfb4dfbbb7df8999396a8a90939131ef1","impliedFormat":99},{"version":"545dc958d8101a8e3c9932370a7b6c2f8599df0cd53449114fadd7f59fa9d6f6","impliedFormat":99},{"version":"cc8b39d1f46ad8e39ebbc27d5664594a82625199459a9ddbe54ef17b4239ce24","impliedFormat":99},{"version":"08c3b01490d49ce93d06bcb7593ef9ad02dc2d91cd583eb9cd0f3d2fa75e440a","impliedFormat":99},{"version":"6ba19623201e7dda0bda2eb91bc7d1ee6ed719be167f999564a42ad8535e2f9b","impliedFormat":99},{"version":"482f77de2d4972e66c7c6a3aa53b524e20eca97cdaa3220cd2ab7acd3a7a54f3","impliedFormat":99},{"version":"634708acac0aa7d170f03a37a9d8cf6a9febefad220477649f6ec3e1ac1f7adc","impliedFormat":99},{"version":"89b2f499dba3c24fdb44acef871860328553cc46a4802874e17de01d530056f8","impliedFormat":99},{"version":"0288e5f29c1d2b678afce4d682a7ce94c323b86c479f28a4a33928261a5fe4ef","impliedFormat":99},{"version":"4e0c84783c17101df536fa4018dad2c210ba3a41daca0c1df4957f7e8dbabbaf","impliedFormat":99},{"version":"bf17c4d237818052f7f3bdd00fa2433e5ee151e1dbbaa1700edd2d229bacfb03","impliedFormat":99},{"version":"862052995b61cdf46e9fdf9b83acb076975dcfe2f44e45c07b23ffa70f9dde0a","impliedFormat":99},{"version":"8a85e856fe6d7a45e4acac5406bf440ec274ac46171d08567d38a7ff36796c3b","impliedFormat":99},{"version":"b48976ad99fc88001f7c2757d84a6bcc5e8830f7e95fb3c73d774e7710b51aa0","impliedFormat":99},{"version":"40ec8dd574cfdd80de30ba61a0dda32c83d6b60b783ddd5c9afe21187a8b0353","impliedFormat":99},{"version":"4ef67ffb70b66a188eb391c50965ce59a997e5995a060cb0eb803e7937f80cc1","impliedFormat":99},{"version":"bd3f53621504b6b6fb460130652d71bedc7b48c4fe26e81a62f9976de519700a","impliedFormat":99},{"version":"1a94fffe1807952952587e8d392df98582a90f034abdce57217cdf8409a0a16d","impliedFormat":99},{"version":"b7b4608cddbb582012556d2016b1704bb77c9b320770cbde8b98ebbaccdc6056","impliedFormat":99},{"version":"7ff126c2720906e2edc4917be8a00ff52597dd050a0ba8deb82ae1dfff440432","impliedFormat":99},{"version":"53aaccfcf252817f557afc4e9aa18084dcc90e5c096411b9f60b6b7de4fcc41c","impliedFormat":99},{"version":"a7f0bf6a7172f6c4a33877693190c8dca6b5ca0bf0deb5130bfad368b61e16c8","impliedFormat":99},{"version":"fe428bc5c0d6ce416defb7a7e67fa6a10b182b7ee2c16b42419f9538cac0fe10","impliedFormat":99},{"version":"5f19171239190089286ae47ff6d0c9d6fd2b29342dfd0acf6cc6f66f9d1bb4d5","impliedFormat":99},{"version":"d2a502e2c30b775339bfea8c1d51d3dd5244980a3cd5063ba12227cfe03fef44","impliedFormat":99},{"version":"a64913d689476c4743b020c801672718d1a736ab243907396312b832b65cbdc4","impliedFormat":99},{"version":"2d7bd36015925a348793ebfbc2e2a1fbd390bf335be8b9ec780696ed6dde26d4","impliedFormat":99},{"version":"336e86ff9f1abe22105776c7e757e9580446aac47cf8429ca78e6ce980f284e9","impliedFormat":99},{"version":"1416b07f727c918e532f4134a45e3b07b0a116d9def6d9d347a00c50dc01060e","impliedFormat":99},{"version":"a44330e93e4a7f8759a73736215eef4590b74b3421d955d980ba3db8e6b5a7fe","impliedFormat":99},{"version":"ac84b7a6fdece6cbb0ee141a09b505890c3f11c83446f6304ab9d8e972eee60b","impliedFormat":99},{"version":"97ce0d7c831f1fa7934651c878f1af14090ba5d9ee471db035f465a7dc113202","impliedFormat":99},{"version":"cbcc2f6b5fa06c91e2a35cec35066fd14dacccf185dc8c64c5143381bc2d4b30","impliedFormat":99},{"version":"02bfa3730c6288cac5928a0fb08f01f8c236992b0ef57806c478f0f7bdb6eb83","impliedFormat":99},{"version":"5af40b9066886960f300ad8efd6dd8f77eddeb475903989841cf0385a1edf4c7","impliedFormat":99},{"version":"09d52052be4f3e0f4c8fd5d4954cb215a96e20bf6fade80f95706fbdd5cee318","impliedFormat":99},{"version":"f61822dc28d52652fd897fa846364a0c6e2f9d18c4488c104f4887b4627b3fb4","impliedFormat":99},{"version":"55a4f8c04961c6cb99a6d2c79a375e4ef107339c3ccfabd8d986f2a177dface2","impliedFormat":99},{"version":"a5433e2b1359ac2672f3dd287d58e0733fe778ef7dd71a4f913b01e794104119","impliedFormat":99},{"version":"19d3750d9f8f570936cea4be2a6feac27e1cb88391d7c54e3209f479019c1bb1","impliedFormat":99},{"version":"acc3dd66b849dbe92d07581baef23754c6bd3d4cc453d6d8f5d52e261304a3bc","impliedFormat":99},{"version":"e4813e26203d7c6caee2675461cb8694d0a5a2a692fe955b3becdffb1b229726","impliedFormat":99},{"version":"46ce3f884a6003b711e911505e2d1f5164cf8afb027c45e97c24959b8b6f23cc","signature":"deb5843390e2b62d099236b5831b18ce3f0acc31db078780c942cc78e0cbf798"},{"version":"d135fc23cbc0d02c33b0f8ed2be7df4311515064ffb370e826cd53b0d8622524","signature":"3651678bdeba3e39d96bcde883de468401f51943e3c7dc3220c4b7be5b0b52bb"},{"version":"246bf4998a6cef47739b4976189abe1afda3f566be0c6efdb3771b619e21dbde","signature":"f283ffd4999bb8027d29a0963b5e9796c80d42b774e452f38c95f2fb00747708"},{"version":"981ac80c705c3344e59e7901a57cefc7266812f5f5f99b10f1a85af715d58d3a","signature":"1f009a3450b7fda74839cda2709909e4954d55e56def759d215f937733eaf3f4"},{"version":"2241423b81ee7d79534911c32b9159d9668c21f63ae52d174e185b1decc538f7","signature":"201d60dd52e618046236c6d3fcbc68b5cc0265267c6e3cf680f414666b21ab44"},{"version":"dd12717c74416659bb5bd8a891daf5df0a93fa1de37d3b3e5814b87c14895f40","signature":"cb74476319bef6005353dc35d4cbbe462085eb62cadd2ea31369f74e946f8a28"},{"version":"80581c53a1991543fe881a3d7d4421ad45273d332bdccd39e0d4a2bfc21a4111","signature":"6d959ed0e5411cbc172b7f49650a5c915996433264be0c5c799449e9499e5bdb"},{"version":"959734acd7d29267ec7e15a4975ac091e0e806c65fe3367c19c791412720bd99","signature":"fb151c164a917f6ada3b9783fbee8518a8ea80695189b66920aa777aa76419af"},{"version":"b06d9380eb2fb5c35f16d03445b1963e8fef5647c592642f5d8dfbb11cebc1d0","impliedFormat":99},{"version":"33e160560eddf2de63ec16a76b8c1d91cba0f5906ff2f29819e07521d6382f6c","impliedFormat":99},{"version":"c35a50ae47731c15c54b6f359590d24776fdd74374bc85031afb800212181af0","impliedFormat":99},{"version":"f34a1a6965c0bbfa374873432849ec319413414ec186261e97ea70d5dc4d4654","impliedFormat":99},{"version":"a3f4b311af4127148f5dbb1a1ea80468a20725f10ae78001a8dada6e4a618696","impliedFormat":99},{"version":"790d03a802369d9a8ff78db3ece0cab418ec75a120dd5ab9aaeeb1c534493d3a","impliedFormat":99},{"version":"2aba871159bc6021308c5f1d05d7917e0c896c7436dcc3619038f381859fbd68","impliedFormat":99},{"version":"adaa0d941bbf9d3f11262c3739579aef70fea7af193718f8fd67e10a771fff8b","impliedFormat":99},{"version":"f178ad620e827581f2baf23c9c7fabb77d36ead92c15e149012934a30151dcf3","impliedFormat":99},{"version":"ef73187b0072b9b148b03acb62dd12615d704589772ce88e2e2e1bbf0255c802","impliedFormat":99},{"version":"417f252d9e1048c6b47d8a8a5a8e7ff5e9a4de37d6d3468152f2e8eb35b88c29","impliedFormat":99},{"version":"f3b2ef02288170cb72b7d412a7cc67dfd85dd24c168b78b77554f1ec515b5701","impliedFormat":99},{"version":"590460ef9a2cf9ab9e34504aba42d6daffe4ff7c347ded7bd8d9a989e0920c3b","impliedFormat":99},{"version":"da45f9cde46eaf3ef2d3135b5354bd3739897d72b406e0f0ec1f5455108580a1","impliedFormat":99},{"version":"cdfaab58a31962eb873192959e14bca891669fa0edfd469c9c35babc36e490a3","impliedFormat":99},{"version":"206d171772d21c82353069668d680a40df7489bde0446fb70f378256ad9d33ff","impliedFormat":99},{"version":"b6104978f6a9921d214c58df950900dc2a9319815a843d354881fd1bad7e62f0","impliedFormat":99},{"version":"1202e02184a9fcfafad7333bfac2da836eaff83653845e00c9495d9c82c9f635","impliedFormat":99},{"version":"6899200d51b7d7491d15521da878142c5fe50d711afe22e60e359f6db6c98088","impliedFormat":99},{"version":"c5e79b84695297cc596924039842c2ab7821470f1c97c4b1aa9d6a7f5f2d2e3f","impliedFormat":99},{"version":"630927db336d1990af0f696dec46f8844c44c507e3a72069f50754541dfcdf5b","impliedFormat":99},{"version":"b4e7867fcdc8d3c7a23b45cd2d705d2dc576a7f7a70156b17aadd7e01f334315","impliedFormat":99},{"version":"c89ac8740afdfc27b2166cad337e716fe843eba690167cbec823bd689f613e6b","impliedFormat":99},{"version":"23c280c11bce285e8f022b0009e083a1bdfc3839f348a38df9dde0c3c571820c","impliedFormat":99},{"version":"dd5be7220598df4a07b6281e01170d0dad5fcd74bcd27daad19619b1fdacc6e0","impliedFormat":99},{"version":"c526474a2770a981d08d9f00644e2a390475b0f9910888d426a6b2e6686b77ec","impliedFormat":99},{"version":"d5cd7c1300ee1f45cc7ef5afef746a1a34c701b94958532a88d265a9f0068063","impliedFormat":99},{"version":"a01c5aaacdd5362cda056105f2acea8b8c4699ce28ccfe641399dd0b49239419","impliedFormat":99},{"version":"6ca50db42bff8c322c4a7449cb09545ff575a1c4bd4fe6d32a9adb563f3fac2b","impliedFormat":99},{"version":"2a45ce8c09f2f343ac47fede405b833cd0ccb325f9b313fd2febfff8ccebd8bd","impliedFormat":99},{"version":"c67e3783cb681d6277dec8ada124cea535c8c7f4d99f5d6f0fed69bca38f3807","impliedFormat":99},{"version":"76ff4e5304fd22a8ebe6cb01ca297feaa0dbe14988ff43746345b55ab3504e19","impliedFormat":99},{"version":"361cb330385d846fbabf3d4db59be3655d45d7c76a483a03c71b0082014f4e9d","impliedFormat":99},{"version":"43b526d382577c18840fb6c10030753b82eb60a377c50233959437dc6493b047","impliedFormat":99},{"version":"7529eb5b698818410c1858e22ddd689fc3fb6f86d54af06872e40423574d15ab","impliedFormat":99},{"version":"3ee6957c2293a69d9f7ff232da8425d396e3115e9ba261a3e532d350e2bebdb0","impliedFormat":99},{"version":"6f70230fab4be1aebb2ef95828669b89dda35280965c55ce88aecaf94848f036","impliedFormat":99},{"version":"8d87cfe48ed90323bac6da16f46aff7fa293e32057cee38d14aab11e9f66e4c5","impliedFormat":99},{"version":"eaa88006a1ba314595330bf47f08eb4a468e7764a1060d6e133183aed7babe13","impliedFormat":99},{"version":"0645cd3e93a26c8a7c16595dc63a169d137f6b58bf50cca98449ea23b333475f","impliedFormat":99},{"version":"1586cdd29126d1a54dee78b46eae7b26c7d473bfd7eaa8bbfc5bf2a76946c545","impliedFormat":99},{"version":"accf489fbfb2dac5d38e71b2fe81687fd44d64b21b5631f6084b9acff57b4d48","impliedFormat":99},{"version":"0c5390e201ce2722d720a82c2105e07606576903e599ed3af15fb8e4e45ea2f4","impliedFormat":99},{"version":"b556cdad15c625405519814fac6ef355484a25c1cc9344e6e5dc110d57a8cdff","impliedFormat":99},{"version":"3e810c39b288e419bc933c293cf5703b948b73bbf07050527c9d73f7107c0c4e","impliedFormat":99},{"version":"9278bac0ed6d0d99fcee6f0f217399ec12edc1d10a9b3c0873c7b97a25223384","impliedFormat":99},{"version":"6f3dccb219fdfb3816c02e9a99d959c853c855c7b7beadecd3a3d3b0a374d953","impliedFormat":99},{"version":"2eeaf63552fd9c5d3ab821464d8f4a5db0de7132331acafafce577f58d871a39","impliedFormat":99},{"version":"9025d4254c18b31d9220e4d33dad5035507ee1e863d1858891e56ffe0eb2ff13","impliedFormat":99},{"version":"001a2571401e839a4b68cec0af11c6188f766ebba01cc1e1895027e3d35030b1","impliedFormat":99},{"version":"846715a4679c9be48434e2b6dfcc466588301a733f51ba0ea15e348fc7312528","impliedFormat":99},{"version":"0b77894d2bbddb9024a230e9d00eb9df633c8d190887f92959d9683a81286c39","impliedFormat":99},{"version":"fe438b40de8ec7fb4a1734f8a3c8315aafcc90dcd15512484e7dcafac310e856","impliedFormat":99},{"version":"96d53f66b4fa3ab1ef688b676450895730863e298e62dc6bc051442195aa1a5f","impliedFormat":99},{"version":"877f538909bb2120565ca0c39e93341e5a4a737bc5fda014c5148c3676fec8df","impliedFormat":99},{"version":"fba10fca31d18ed5fafacb21e2ed389ae5b347b552c5b7a69023a563e27fdf5d","impliedFormat":99},{"version":"600beaefece9011d792a4e165db46b9de5563e025e941aebd069b95cb30e7af5","impliedFormat":99},{"version":"bdc387fdccb98bd48da4cd4cbc8f29342586c2f8ac7215396547442c3b0ff8be","impliedFormat":99},{"version":"7ed291bf246832b2745528de9e68b2bd3e2fe7cdf32631665a326740c3905836","impliedFormat":99},{"version":"e61bc77843da1980c2b6851df589e730bbbdada172986ecb47101974f44aeb5a","impliedFormat":99},{"version":"00d79566e3d5682a968b44aed9eba1557b1f62c884546fee2bca88be8c477104","impliedFormat":99},{"version":"f82d26f23d5e3093ca86458544b54befaf0957a5535149f673976187a60f9e6b","impliedFormat":99},{"version":"9f0d621f43198d0db510779ba65ca3d1a8fbca37f408efa5e25ac5ca01f74875","impliedFormat":99},{"version":"9bc53a206914661c0f98bb869eeda7214778367683a5e3e0fe7c6eaa6c474556","impliedFormat":99},{"version":"71987002d6409ea81e705fbfb97afc644851c16d9fbb5e90fcb3bc3e00e4ac5d","impliedFormat":99},{"version":"70e86eda2938040292fac398debcbe47114a3b9bd6eb8f632a89dcd23ac0e2f0","impliedFormat":99},{"version":"6241345f59b24be6e85c159db51cfd937f853aa8020b38b2aac5345813b25a8d","impliedFormat":99},{"version":"583eb3b56fc84b730641e623070f6eefa3fbacae4e15a6a3f19e1b09c81a7685","impliedFormat":99},{"version":"1c96afc9b678d9f15ec1b045864ea6cff25c134fd594cdddd42d66d99c8663b5","impliedFormat":99},{"version":"cd37c2470a4ac1ad7e1bdbd29bc8953589a4da6a7326a3bfd885bb7b220ffcde","impliedFormat":99},{"version":"ce82368397e5c926481222b9adb2547e4f9e0206982ac71c301284d107e77ebb","impliedFormat":99},{"version":"602a7beeec46d5f481d8f017adc1e01314101dea37f8f9ba3debcf88c83a44d5","impliedFormat":99},{"version":"d4e62d466b6302ad6419cf38669dda1eabe141200b15928a120ec32423904fdb","impliedFormat":99},{"version":"7baac7cf35ef7ef1b049fdfaa215f66891fd677bd617ec7e9a89ca9d430406d1","impliedFormat":99},{"version":"7869a702c21d4fe08180df0919c6365d4662cbdd9e0cbfd17bae7222d10fae58","impliedFormat":99},{"version":"e2944368a3fc08ea1ecde61384f2aea35d8551f02e20373f26f19a1e15f33c01","impliedFormat":99},{"version":"1e13585db16f3406755c1f7a3b32a2003d0b04f83df215fafae61c665de938a1","impliedFormat":99},{"version":"5dbbbf480819904753f84c454eba9bebc455b19966195e97f6b365e7cdcae4b6","impliedFormat":99},{"version":"a96af1a20dbd8aeffb9dc6c2461c7d9d131979390a8b41ca6975f652e2a897a4","impliedFormat":99},{"version":"46f1bf29bd4165fe2bff54eecd23a31f45b1432ab50ba3a0304100697dce91b0","impliedFormat":99},{"version":"1b5cbd26dd659f174a672c6d81b3088c9f46ae0dfd160ce93d2afad5bb7151a6","impliedFormat":99},{"version":"261790ad96cccfe94b94e4825a11a719210f9251d430e05829ed4f0b3d90fe48","impliedFormat":99},{"version":"55eca0dcf8f3192e5906e73aa8c7b88d898b1351bba84c69f4c5c38ab4e43f6f","impliedFormat":99},{"version":"686832a82159a4ea4dd25329c3a99c0a94d9b2a83e7b4ceeb6dfa58bd6707aa6","impliedFormat":99},{"version":"ac339c5b90464b77c2f28dcc686944c9d084f62e680960619f6832471da398ef","impliedFormat":99},{"version":"5090c4c9eb11d488fe455e985891f55e90d65365933d5797b30c188fdbe8015c","impliedFormat":99},{"version":"959c4529d03aebf8f76af7e58797800a25a6a14f560228a69235edcac4e8bfde","impliedFormat":99},{"version":"e893479eb9d99a9c479248a70650f43d3630614ccd0ef07352e208a23988f7cd","impliedFormat":99},{"version":"04d51092411e37e0df07828195cf9e0462861523461eba25eb9dc52344ead7d6","impliedFormat":99},{"version":"a2bf25976a0749263db4e003c2db061217b6e63aaa674f3f2e9dbaeb75f0cf87","impliedFormat":99},{"version":"92bf26f78ac596c9f643b340974854edb633f4719c7d9ad812367883e90272b0","impliedFormat":99},{"version":"afc885e843cf91a18e1c9b674d958c5c71ad3b8d2c9762c6983025d4a30d0918","impliedFormat":99},{"version":"01ff8948288663a825d5d4b5a48fc4dd54adfd4136c00c11d2a01eaf19084340","impliedFormat":99},{"version":"fc61c6168137297ec33f5720835a8f1e7fc424b00e0faab2d24e980dd0bd03c2","impliedFormat":99},{"version":"0b1cdbb2aef2c6ce308de85e80148059f7e16bf727eb3830a2e3e744c4aba6ad","impliedFormat":99},{"version":"1568200178c3ffe44819798eab91cbede3b302ff487149b18aa814a9410645c9","impliedFormat":99},{"version":"3ccf7553bce15ff3fd0b3a0cf4ee9177e9835577aeaeff17c1c6e04a5fa60b4b","impliedFormat":99},{"version":"44182cb6be79f471d6c4a40937a8d6d183af1a87cb26a3bad310c613d006351e","impliedFormat":99},{"version":"261e48dbb899ec4e2de4b9a72b8127a3314d28828b357288bcdebf39be32c126","impliedFormat":99},{"version":"80b3a4c879b86f31611611d628c61546a3924a17609d2abce5af75ab1526bd17","impliedFormat":99},{"version":"69260d8b8cd174b1fa69eb05cad51051da0cb9bad809cf391c1d8234d4b403a6","impliedFormat":99},{"version":"79992568ff244f34b7112942a3d52eb9375885d7e1d8099fc1a17552d14c6fe5","impliedFormat":99},{"version":"dde1fa7a49e820b8801d01bfe9e9b7829d9c62e8eb82a29ef2c28f239aadb5f2","impliedFormat":99},{"version":"e0cd63cf24da521cea60545e5573cbd7eb13d024cca52cc342032e2db987e7b0","impliedFormat":99},{"version":"b1c80011f3a457bbf2e1dec4b6016e63121e60de3b4ff805f261f69016aeada5","impliedFormat":99},{"version":"0bc0511027cff18f7025fdb354850e43083e16d2af2a48da869e095b8df05616","impliedFormat":99},{"version":"70aa4b70c1ebd45e76e4dc63b414d0a7e12fd41ed860da7d9e42737e2a11559b","impliedFormat":99},{"version":"7602bb9744aa13918f0dc9713e4a84e9e97cb099317eaf164c042a636311963d","impliedFormat":99},{"version":"de557ce115571688c6a8dbd486281e4d5a8068ba9c8339ab483014d4aee792a0","impliedFormat":99},{"version":"d942ff22d0bd25a2f26c50d2cc59d6cde2bf7a6cd428e3dd26356033015391ad","impliedFormat":99},{"version":"06e3997ff9c559d21c94113cb949cd03bc44f16cd77c2d7bd42f85c9be29a70f","impliedFormat":99},{"version":"f0029f53c3acc648f4215bc446cd60d92e8c29a8e73cd4008c1e1b37f91eb811","impliedFormat":99},{"version":"b59791581c6df3f62a81a0e96fb3e833a2f5b36304bcb074d765fd79d2fba320","impliedFormat":99},{"version":"627109c27f42261a2148c5758e5529e0694e09ffb74c2cb20e86a7a3682134c5","impliedFormat":99},{"version":"233ab9a64155ad15a070b03a52f8192ace79a29c03a9d4f7cea88929afeb1d45","impliedFormat":99},{"version":"fa7781b202e5845b1609eb84653dfc54189ce4e891909259a9aea73cba9859e9","impliedFormat":99},{"version":"a54b716354950f63c6e8ad298bdc90f94dab416eaecb3d32e9c6dd1bccc79eb0","impliedFormat":99},{"version":"38e6306d5a856a848f6737da319f79b703006b16ced089b2c4e80d04efa58adf","impliedFormat":99},{"version":"0f1434bb4e24cb50e9e73f0144414af44c1610514cb1ba0665936fb4993a3db3","impliedFormat":99},{"version":"1f15564e79f492da5842d1fd5f29cae75d37737e5abb4690b3b4bb9e7e856f3b","impliedFormat":99},{"version":"91d60e5b5441b738133c095fa2d6a809a3c3c4b75556d7f13cc19df48e20de12","impliedFormat":99},{"version":"6beeccd58698b2f72df8cff766e658f4adf98ef39ce1402799d4c18db1b2d803","impliedFormat":99},{"version":"980b920f853e57fd46983d0f5a2e7164f2d2e9dac780aa04d4325aa235c0a75e","impliedFormat":99},{"version":"3a39f3263b853937eca381775fb7558b4867a2714a89d770ea98c30dd1fadaa7","impliedFormat":99},{"version":"ced0b20e13a057c20d802a11870ff310579c6e80a5e5e45166de9e5f0e88f8d3","impliedFormat":99},{"version":"62f73fab1b97e50ee8092499cd5a8b5085abf700b372c24aa53e1879a3d68979","impliedFormat":99},{"version":"a393c298d0678e3e0b610c1069e3721de31dcdf1f885d6ecd813b837330156aa","impliedFormat":99},{"version":"e4784320828932df26b306ec4839c8f9496b959173179a29b29163efe301a7b6","impliedFormat":99},{"version":"5dbb45a20780dd90e28869e05035e681c90afa007364f01c3c3cf14c4cc04467","impliedFormat":99},{"version":"c9e1e15b8ab027dbbe4a2d85c0669905497e0d55a09c702f06c79e57645e347b","impliedFormat":99},{"version":"4078ccf4490cf97463a7ff2f9e02ff30a36ed2e4b18e8566445838d0d4d603a3","impliedFormat":99},{"version":"727d10cd972ba9b52da4defa702f65739323f9ff9949a7e9c7bd55fa76c37ac5","impliedFormat":99},{"version":"9420bd92184bda15c9a04daf532afae98df4fbbb17a930983ca664e929fe6c6a","impliedFormat":99},{"version":"684ad94c713c5f22951e9f433d52786c8508447510005459b6d9764c75cd2c74","impliedFormat":99},{"version":"3e00971f3dcbbe00de774d5387485454c98b8873bb636b8e6bcd4d9915ee0a2d","impliedFormat":99},{"version":"931674e02ae4a041ad822756dd4dbd30236bb3b52e21201aabe678b734baedbf","impliedFormat":99},{"version":"940961ea4bd1da98cef1edca26d6380eeb0c3e06df2e9d7a29dcb57303fb0326","impliedFormat":99},{"version":"581f0278df053736226f58d9a4671e2bdba6508f8be23751247c846e82736a0a","impliedFormat":99},{"version":"ff7eebe9610f96732e29782294ee55529ca5ff804e2325ba992cab0c2ca4c05f","impliedFormat":99},{"version":"e0138d7c2408df5bcc623e3e3b496ffbc405421c7dd7ae6ecf897a657926e2c4","impliedFormat":99},{"version":"18bbffdecf7eed3cefa4a37f34dc879050e629231ba0bd011e2ec6f7503a6cfa","impliedFormat":99},{"version":"fd2e67b97e27962b7c2a6083a2ebf936e7dc2b2335286df2ef5cfc09eb8522b9","impliedFormat":99},{"version":"2e1ccba239f8919e62f83719bc95b4d47b1d1e0187cc6968b5481c86dbbffe3c","impliedFormat":99},{"version":"983bd1482518c10b3e7549f6fe3f51cb7b9868f38ea715cc0c19c8ad6c5c34ca","impliedFormat":99},{"version":"728cf2a025de44eb3e43b3e87d9c8bb2feafe8a34de5ba9b2158317b265125f0","impliedFormat":99},{"version":"54977f121205ea7c7a6c86b42d813dc55d7db6e69c9554a262fc64cae0c7eacf","impliedFormat":99},{"version":"2f94e898529d71f48c841206140ac13988a5ab275bddf852922ad75b7021537d","impliedFormat":99},{"version":"d27f8ee9a610635b566109a359d00923f7e8f286ab7936894671c39a006e8b1a","impliedFormat":99},{"version":"5822d798e08ca6c321c2e5deb337e3b6d6472f2133440c4a2468f0ddee71ab75","signature":"f3688333654359ade219d4e94fb2a91f12339e46c19e03e451714a21e577435c"},{"version":"8db3f96517a120bade1643b55b24ed75a18970f4d38221402d9eccdbb5106fdb","signature":"f9a16b54b8913022325e94f69c48805664e20b6556089e3f3506306b97fe129e"},{"version":"e34e93f5498ed7bc9c53a9ee97d679f90fb941b9ab4190b5ba0747184ef12ad3","signature":"6411762007a15dd690acee3a833c9d06863ca69119d48bca9527fe1f81789e17"},{"version":"012e4aced863fe99eee38c5f48f5d3e79b2afbc9aaa56bef5daadd5ee6464b39","signature":"4c73137788f0bbedcc9e0442183a89a07c3b30303ebc069e6ab02ced95c249f7"},{"version":"3e7b55ed03072f277b2f5d8555bc4707f62be805d9fda85cb9fb6a7c17238afc","signature":"a0cee837e5373cf7095c21e187a4580b8216a64ecd64aa80d19a6967e6d1bb59"},{"version":"e7434e5f90aaa3c85f4658f7e3d3dbe8fc90d286ec4338c282f90d3a6bda0e60","signature":"006d76e50e7f1e25a37da6d436aad571aeb2d646c47f833f9bff146080c9605d"},{"version":"f5c96a4ee0e61f5664d81620d619f5db8aee48c11dd320d767701570438cf0f4","signature":"52a7d02b1fe8db0b42f5259d721b5c7f6bea6d862b8c5ba4331b7169d058305f"},{"version":"65c1e989444a2f3f3f925187ac087ef5de0a880944945644a597a895057a5f1f","signature":"652b463ed1eaf99f278d254973cffb72ea7ef2e76ed166857abe2161fc04d04c"},{"version":"5a2672453bf725ec5acb835ae4d14225718773d493b82a18ddd09c0f1837399c","signature":"8e609a09273295280918847c8f011e60b4c35d8d6591355f4e803712f5f8d6c3"},{"version":"39ecf44f9a385a3b0a20112d827f6bdd6e4fe0ab6e9e46788c8046a13be528b4","signature":"b86992151f5eb07dd0c135d7c1507df75fdeadcbc317e6f37295cdd44f61babf"},{"version":"7fe45be306bc1197001c20c483e2573ce5675181128484669b22de5b58d3332d","signature":"cafc2d90a1946bf6b9447683f11a384aeca03cb10c38b8945e4ceb287f8a97fb"},{"version":"5442b92ed2b5d6f2fa515b8df5c198aaf5b244babf631bbadefa1226284ea7fb","signature":"2864072f8edbbc54e60c45c4d397ec8b00fc21f2524747065c5da1814d77d30a"},{"version":"64e4a36aabd778ea468c12dba55fb5990d2c711b295f1b580c6c859e667492d0","signature":"404049eff8654148369e62fb3e430ac039e762b0f5e25f1aeec5b5c35499710e"},{"version":"002a6f95435929fb339cf9495f6faecc314a30fc0b434f08b7ece78e5152339f","signature":"b46a7be2bec9c094170bd64ff5e51062de78828862893ccb070c57c58948abf4"},{"version":"3a32529dc96bdcfe52cb9331b2cce36d8e92b1164a34ceb4a7443359aec49061","signature":"b0f87819f7baf6659bf4531fcf0687f9333c26d56bf86c00a5162165d68a2aeb"},{"version":"4b854ba79ddff6d7b672f009655ddefd087ab142ad8e82558f48d387b0780ffa","signature":"a0ad37ab2c1f847fe8bb1e9bdfef18ee4719429f1ed808f8aa543d363f23069a"},{"version":"fb7a0827a700b2998bc668b649c22d0cb606ff9557b0990672449e9f518fda72","signature":"e034180f88ee9195af896f639e7cee117b277e3b765995424f8991b3f6b4dda2"},{"version":"d6bc387f53aaf1f3d8cb4c5ea4e4c84865e4fa26d42472ee446bac50e0f7125b","signature":"b871a827a3198ec8b0e0281e1a5dad54d3a3cd2b319f4fd162d55c35833d91f8"},{"version":"ab596340e3c0d463ad4207a8c70118746d30d011de74dc13cd576754169b3b8f","signature":"842f5c6f3899cd852c58d006876c188b06c9093b7372f967948198882a9c32ba"},{"version":"f56f0523d9dfee6fcddcb10d3a6429ba50954f50ec0df71e0ce11e3e7f3ee200","signature":"c261639266a388d9118c5d2c16c6d68f83f9631c30aceb6898dfb173194ab716"},{"version":"bd7c206bd2bc79d129d22f89abdf25968fa171c6956ac9d0a92c0bdf3d3c04b7","signature":"9ff2309cbe37c21de662b3cfffc8755c3620f1b604e32454506cd2da292fa127"},{"version":"dc3b172ee27054dbcedcf5007b78c256021db936f6313a9ce9a3ecbb503fd646","impliedFormat":1},{"version":"a28ac3e717907284b3910b8e9b3f9844a4e0b0a861bea7b923e5adf90f620330","impliedFormat":1},{"version":"b6d03c9cfe2cf0ba4c673c209fcd7c46c815b2619fd2aad59fc4229aaef2ed43","impliedFormat":1},{"version":"82e5a50e17833a10eb091923b7e429dc846d42f1c6161eb6beeb964288d98a15","impliedFormat":1},{"version":"670a76db379b27c8ff42f1ba927828a22862e2ab0b0908e38b671f0e912cc5ed","impliedFormat":1},{"version":"13b77ab19ef7aadd86a1e54f2f08ea23a6d74e102909e3c00d31f231ed040f62","impliedFormat":1},{"version":"069bebfee29864e3955378107e243508b163e77ab10de6a5ee03ae06939f0bb9","impliedFormat":1},{"version":"151ff381ef9ff8da2da9b9663ebf657eac35c4c9a19183420c05728f31a6761d","impliedFormat":1},{"version":"f3d8c757e148ad968f0d98697987db363070abada5f503da3c06aefd9d4248c1","impliedFormat":1},{"version":"d153a11543fd884b596587ccd97aebbeed950b26933ee000f94009f1ab142848","affectsGlobalScope":true,"impliedFormat":1},{"version":"c0671b50bb99cc7ad46e9c68fa0e7f15ba4bc898b59c31a17ea4611fab5095da","affectsGlobalScope":true,"impliedFormat":1},{"version":"d802f0e6b5188646d307f070d83512e8eb94651858de8a82d1e47f60fb6da4e2","affectsGlobalScope":true,"impliedFormat":1},{"version":"aa83e100f0c74a06c9d24f40a096c9e9cc3c02704250d01541e22c0ae9264eda","affectsGlobalScope":true,"impliedFormat":1},{"version":"1db0b7dca579049ca4193d034d835f6bfe73096c73663e5ef9a0b5779939f3d0","affectsGlobalScope":true,"impliedFormat":1},{"version":"387a023d363f755eb63450a66c28b14cdd7bc30a104565e2dbf0a8988bb4a56c","affectsGlobalScope":true,"impliedFormat":1},{"version":"9798340ffb0d067d69b1ae5b32faa17ab31b82466a3fc00d8f2f2df0c8554aaa","affectsGlobalScope":true,"impliedFormat":1},{"version":"f26b11d8d8e4b8028f1c7d618b22274c892e4b0ef5b3678a8ccbad85419aef43","affectsGlobalScope":true,"impliedFormat":1},{"version":"cdcf9ea426ad970f96ac930cd176d5c69c6c24eebd9fc580e1572d6c6a88f62c","impliedFormat":1},{"version":"23cd712e2ce083d68afe69224587438e5914b457b8acf87073c22494d706a3d0","impliedFormat":1},{"version":"487b694c3de27ddf4ad107d4007ad304d29effccf9800c8ae23c2093638d906a","impliedFormat":1},{"version":"3a80bc85f38526ca3b08007ee80712e7bb0601df178b23fbf0bf87036fce40ce","impliedFormat":1},{"version":"ccf4552357ce3c159ef75f0f0114e80401702228f1898bdc9402214c9499e8c0","impliedFormat":1},{"version":"c6fd2c5a395f2432786c9cb8deb870b9b0e8ff7e22c029954fabdd692bff6195","impliedFormat":1},{"version":"68834d631c8838c715f225509cfc3927913b9cc7a4870460b5b60c8dbdb99baf","impliedFormat":1},{"version":"2931540c47ee0ff8a62860e61782eb17b155615db61e36986e54645ec67f67c2","impliedFormat":1},{"version":"3c8e93af4d6ce21eb4c8d005ad6dc02e7b5e6781f429d52a35290210f495a674","impliedFormat":1},{"version":"f6faf5f74e4c4cc309a6c6a6c4da02dbb840be5d3e92905a23dcd7b2b0bd1986","impliedFormat":1},{"version":"ea6bc8de8b59f90a7a3960005fd01988f98fd0784e14bc6922dde2e93305ec7d","impliedFormat":1},{"version":"36107995674b29284a115e21a0618c4c2751b32a8766dd4cb3ba740308b16d59","impliedFormat":1},{"version":"914a0ae30d96d71915fc519ccb4efbf2b62c0ddfb3a3fc6129151076bc01dc60","impliedFormat":1},{"version":"33e981bf6376e939f99bd7f89abec757c64897d33c005036b9a10d9587d80187","impliedFormat":1},{"version":"7fd1b31fd35876b0aa650811c25ec2c97a3c6387e5473eb18004bed86cdd76b6","impliedFormat":1},{"version":"b41767d372275c154c7ea6c9d5449d9a741b8ce080f640155cc88ba1763e35b3","impliedFormat":1},{"version":"3bacf516d686d08682751a3bd2519ea3b8041a164bfb4f1d35728993e70a2426","impliedFormat":1},{"version":"00b21ef538da5a2bbe419e2144f3be50661768e1e039ef2b57bb89f96aff9b18","impliedFormat":1},{"version":"0a60a292b89ca7218b8616f78e5bbd1c96b87e048849469cccb4355e98af959a","impliedFormat":1},{"version":"0b6e25234b4eec6ed96ab138d96eb70b135690d7dd01f3dd8a8ab291c35a683a","impliedFormat":1},{"version":"9666f2f84b985b62400d2e5ab0adae9ff44de9b2a34803c2c5bd3c8325b17dc0","impliedFormat":1},{"version":"40cd35c95e9cf22cfa5bd84e96408b6fcbca55295f4ff822390abb11afbc3dca","impliedFormat":1},{"version":"b1616b8959bf557feb16369c6124a97a0e74ed6f49d1df73bb4b9ddf68acf3f3","impliedFormat":1},{"version":"e843e840f484f7e59b2ef9488501a301e3300a8e3e56aa84a02ddf915c7ce07d","impliedFormat":1},{"version":"40b463c6766ca1b689bfcc46d26b5e295954f32ad43e37ee6953c0a677e4ae2b","impliedFormat":1},{"version":"249b9cab7f5d628b71308c7d9bb0a808b50b091e640ba3ed6e2d0516f4a8d91d","impliedFormat":1},{"version":"80aae6afc67faa5ac0b32b5b8bc8cc9f7fa299cff15cf09cc2e11fd28c6ae29e","impliedFormat":1},{"version":"f473cd2288991ff3221165dcf73cd5d24da30391f87e85b3dd4d0450c787a391","impliedFormat":1},{"version":"499e5b055a5aba1e1998f7311a6c441a369831c70905cc565ceac93c28083d53","impliedFormat":1},{"version":"54c3e2371e3d016469ad959697fd257e5621e16296fa67082c2575d0bf8eced0","impliedFormat":1},{"version":"beb8233b2c220cfa0feea31fbe9218d89fa02faa81ef744be8dce5acb89bb1fd","impliedFormat":1},{"version":"78b29846349d4dfdd88bd6650cc5d2baaa67f2e89dc8a80c8e26ef7995386583","impliedFormat":1},{"version":"5d0375ca7310efb77e3ef18d068d53784faf62705e0ad04569597ae0e755c401","impliedFormat":1},{"version":"59af37caec41ecf7b2e76059c9672a49e682c1a2aa6f9d7dc78878f53aa284d6","impliedFormat":1},{"version":"addf417b9eb3f938fddf8d81e96393a165e4be0d4a8b6402292f9c634b1cb00d","impliedFormat":1},{"version":"48cc3ec153b50985fb95153258a710782b25975b10dd4ac8a4f3920632d10790","impliedFormat":1},{"version":"adf27937dba6af9f08a68c5b1d3fce0ca7d4b960c57e6d6c844e7d1a8e53adae","impliedFormat":1},{"version":"18f8cfbb14ba9405e67d30968ae67b8d19133867d13ebc49c8ed37ec64ce9bdb","impliedFormat":1},{"version":"2e85db9e6fd73cfa3d7f28e0ab6b55417ea18931423bd47b409a96e4a169e8e6","impliedFormat":1},{"version":"c46e079fe54c76f95c67fb89081b3e399da2c7d109e7dca8e4b58d83e332e605","impliedFormat":1},{"version":"866078923a56d026e39243b4392e282c1c63159723996fa89243140e1388a98d","impliedFormat":1},{"version":"830171b27c5fdf9bcbe4cf7d428fcf3ae2c67780fb7fbdccdf70d1623d938bc4","affectsGlobalScope":true,"impliedFormat":1},{"version":"1cf059eaf468efcc649f8cf6075d3cb98e9a35a0fe9c44419ec3d2f5428d7123","affectsGlobalScope":true,"impliedFormat":1},{"version":"e7721c4f69f93c91360c26a0a84ee885997d748237ef78ef665b153e622b36c1","affectsGlobalScope":true,"impliedFormat":1},{"version":"d97fb21da858fb18b8ae72c314e9743fd52f73ebe2764e12af1db32fc03f853f","affectsGlobalScope":true,"impliedFormat":1},{"version":"f68328826a275104d92bd576c796c570f66365f25ea8bbaaa208727bce132d5f","impliedFormat":1},{"version":"7cf69dd5502c41644c9e5106210b5da7144800670cbe861f66726fa209e231c4","impliedFormat":1},{"version":"72c1f5e0a28e473026074817561d1bc9647909cf253c8d56c41d1df8d95b85f7","impliedFormat":1},{"version":"18334defc3d0a0e1966f5f3c23c7c83b62c77811e51045c5a7ff3883b446f81f","affectsGlobalScope":true,"impliedFormat":1},{"version":"8b17fcd63aa13734bf1d01419f4d6031b1c6a5fb2cbdb45e9839fb1762bdf0df","impliedFormat":1},{"version":"c4e8e8031808b158cfb5ac5c4b38d4a26659aec4b57b6a7e2ba0a141439c208c","impliedFormat":1},{"version":"2c91d8366ff2506296191c26fd97cc1990bab3ee22576275d28b654a21261a44","affectsGlobalScope":true,"impliedFormat":1},{"version":"5524481e56c48ff486f42926778c0a3cce1cc85dc46683b92b1271865bcf015a","impliedFormat":1},{"version":"beb77fcd86c8cee62c32b2fb82753f5bc0e171d938e20af3cb0b8925db78d60b","impliedFormat":1},{"version":"289e9894a4668c61b5ffed09e196c1f0c2f87ca81efcaebdf6357cfb198dac14","impliedFormat":1},{"version":"25a1105595236f09f5bce42398be9f9ededc8d538c258579ab662d509aa3b98e","impliedFormat":1},{"version":"aa9224557befad144262c85b463c0a7ba8a3a0ad2a7c907349f8bb8bc3fe4abc","impliedFormat":1},{"version":"a2e2bbde231b65c53c764c12313897ffdfb6c49183dd31823ee2405f2f7b5378","impliedFormat":1},{"version":"ad1cc0ed328f3f708771272021be61ab146b32ecf2b78f3224959ff1e2cd2a5c","impliedFormat":1},{"version":"8d86c8d8c43e04cc3dde9953e571656812c8964a3651203af7b3a1df832a34df","affectsGlobalScope":true,"impliedFormat":1},{"version":"0121911fcc364eb821d058cf4c3b9339f197eccbe298098a4c6be0396b607d90","impliedFormat":1},{"version":"c6176c7b9f3769ba7f076c7a791588562c653cc0ba08fb2184f87bf78db2a87c","impliedFormat":1},{"version":"6def204d0b267101d3a42300a7363f53406c5d86b932e76e2365bf89689a85c4","impliedFormat":1},{"version":"4f766affd1281935fe5f7fd5d7af693a7c26d81adef7c1aefb84b9cd573a9cbb","impliedFormat":1},{"version":"165a0c1f95bc939c72f18a280fc707fba6f2f349539246b050cfc09eb1d9f446","impliedFormat":1},{"version":"bbf42f98a5819f4f06e18c8b669a994afe9a17fe520ae3454a195e6eabf7700d","impliedFormat":1},{"version":"c0bb1b65757c72bbf8ddf7eaa532223bacf58041ff16c883e76f45506596e925","impliedFormat":1},{"version":"c8b85f7aed29f8f52b813f800611406b0bfe5cf3224d20a4bdda7c7f73ce368e","affectsGlobalScope":true,"impliedFormat":1},{"version":"7baae9bf5b50e572e7742c886c73c6f8fa50b34190bc5f0fd20dd7e706fda832","impliedFormat":1},{"version":"e99b0e71f07128fc32583e88ccd509a1aaa9524c290efb2f48c22f9bf8ba83b1","impliedFormat":1},{"version":"76957a6d92b94b9e2852cf527fea32ad2dc0ef50f67fe2b14bd027c9ceef2d86","impliedFormat":1},{"version":"5e9f8c1e042b0f598a9be018fc8c3cb670fe579e9f2e18e3388b63327544fe16","affectsGlobalScope":true,"impliedFormat":1},{"version":"a8a99a5e6ed33c4a951b67cc1fd5b64fd6ad719f5747845c165ca12f6c21ba16","affectsGlobalScope":true,"impliedFormat":1},{"version":"a58a15da4c5ba3df60c910a043281256fa52d36a0fcdef9b9100c646282e88dd","impliedFormat":1},{"version":"b36beffbf8acdc3ebc58c8bb4b75574b31a2169869c70fc03f82895b93950a12","impliedFormat":1},{"version":"de263f0089aefbfd73c89562fb7254a7468b1f33b61839aafc3f035d60766cb4","impliedFormat":1},{"version":"70b57b5529051497e9f6482b76d91c0dcbb103d9ead8a0549f5bab8f65e5d031","impliedFormat":1},{"version":"8c81fd4a110490c43d7c578e8c6f69b3af01717189196899a6a44f93daa57a3a","impliedFormat":1},{"version":"1013eb2e2547ad8c100aca52ef9df8c3f209edee32bb387121bb3227f7c00088","impliedFormat":1},{"version":"b827f8800f42858f0a751a605c003b7ab571ff7af184436f36cef9bdfebae808","impliedFormat":1},{"version":"363eedb495912790e867da6ff96e81bf792c8cfe386321e8163b71823a35719a","impliedFormat":1},{"version":"37ba7b45141a45ce6e80e66f2a96c8a5ab1bcef0fc2d0f56bb58df96ec67e972","impliedFormat":1},{"version":"125d792ec6c0c0f657d758055c494301cc5fdb327d9d9d5960b3f129aff76093","impliedFormat":1},{"version":"6b306cd4282bbb54d4a6bb23cfb7a271160983dfc38c67b5a132504cfcc34896","affectsGlobalScope":true,"impliedFormat":1},{"version":"ea713aa14a670b1ea0fbaaca4fd204e645f71ca7653a834a8ec07ee889c45de6","impliedFormat":1},{"version":"450172a56b944c2d83f45cc11c9a388ea967cd301a21202aa0a23c34c7506a18","impliedFormat":1},{"version":"9705cd157ffbb91c5cab48bdd2de5a437a372e63f870f8a8472e72ff634d47c1","affectsGlobalScope":true,"impliedFormat":1},{"version":"ae86f30d5d10e4f75ce8dcb6e1bd3a12ecec3d071a21e8f462c5c85c678efb41","impliedFormat":1},{"version":"3af7d02e5d6ecbf363e61fb842ee55d3518a140fd226bdfb24a3bca6768c58df","impliedFormat":1},{"version":"e03460fe72b259f6d25ad029f085e4bedc3f90477da4401d8fbc1efa9793230e","impliedFormat":1},{"version":"4286a3a6619514fca656089aee160bb6f2e77f4dd53dc5a96b26a0b4fc778055","impliedFormat":1},{"version":"7dfa742c23851808a77ec27062fbbd381c8c36bb3cfdff46cb8af6c6c233bfc1","affectsGlobalScope":true,"impliedFormat":1},{"version":"cb078cfcd14dc0b1700a48272958f803f30f13f99111c5978c75c3a0aa07e40e","affectsGlobalScope":true,"impliedFormat":1},{"version":"784490137935e1e38c49b9289110e74a1622baf8a8907888dcbe9e476d7c5e44","impliedFormat":1},{"version":"420fdd37c51263be9db3fcac35ffd836216c71e6000e6a9740bb950fb0540654","impliedFormat":1},{"version":"73b0bff83ee76e3a9320e93c7fc15596e858b33c687c39a57567e75c43f2a324","impliedFormat":1},{"version":"3c947600f6f5664cca690c07fcf8567ca58d029872b52c31c2f51d06fbdb581b","affectsGlobalScope":true,"impliedFormat":1},{"version":"493c64d062139b1849b0e9c4c3a6465e1227d2b42be9e26ec577ca728984c041","impliedFormat":1},{"version":"d7e9ab1b0996639047c61c1e62f85c620e4382206b3abb430d9a21fb7bc23c77","impliedFormat":1},{"version":"be1cc4d94ea60cbe567bc29ed479d42587bf1e6cba490f123d329976b0fe4ee5","impliedFormat":1}],"root":[[250,257],[406,426]],"options":{"allowSyntheticDefaultImports":true,"composite":true,"declaration":true,"declarationMap":true,"emitDeclarationOnly":true,"esModuleInterop":true,"jsx":4,"module":99,"outDir":"./lib-dist","rootDir":"./lib","skipLibCheck":true,"sourceMap":false,"strict":true,"target":7},"referencedMap":[[257,1],[414,2],[416,3],[413,4],[417,5],[418,6],[421,7],[423,8],[256,9],[255,10],[409,11],[424,12],[407,1],[253,13],[425,10],[415,10],[254,13],[426,14],[252,15],[410,16],[411,17],[420,18],[422,19],[406,20],[419,21],[408,21],[250,22],[251,23],[412,24],[249,25],[248,26],[155,27],[156,28],[157,29],[158,30],[159,31],[160,32],[161,33],[162,34],[164,35],[165,36],[166,37],[167,38],[168,39],[169,40],[170,41],[171,42],[172,43],[173,44],[174,45],[175,46],[176,47],[177,48],[178,49],[179,50],[180,51],[181,52],[182,43],[183,53],[184,54],[185,55],[187,56],[186,43],[189,57],[190,58],[188,43],[191,59],[192,60],[193,61],[194,62],[195,63],[196,64],[197,65],[163,43],[198,66],[199,67],[200,68],[201,69],[202,70],[203,71],[204,72],[205,73],[206,74],[207,75],[154,43],[208,76],[209,77],[210,78],[211,79],[212,80],[213,81],[214,82],[215,83],[216,84],[217,85],[218,86],[219,87],[220,88],[221,89],[222,90],[223,91],[224,43],[225,92],[226,93],[227,94],[228,95],[229,96],[230,97],[231,98],[232,99],[233,100],[234,101],[235,102],[236,103],[237,104],[238,105],[239,106],[240,107],[241,108],[242,109],[243,110],[244,111],[245,112],[246,113],[247,114],[405,115],[400,116],[271,117],[272,118],[273,119],[274,120],[275,121],[276,122],[277,123],[278,124],[279,125],[280,126],[281,127],[282,128],[283,129],[284,130],[261,43],[258,43],[262,131],[266,132],[264,133],[263,131],[268,134],[285,135],[286,136],[287,137],[288,138],[289,139],[290,140],[291,141],[292,142],[293,143],[294,144],[295,145],[297,146],[296,147],[298,148],[299,149],[300,150],[301,151],[302,152],[303,153],[259,154],[304,155],[305,156],[306,157],[260,158],[307,159],[269,160],[308,161],[309,162],[310,163],[311,164],[312,165],[313,166],[314,167],[315,168],[316,169],[317,170],[318,171],[319,172],[320,173],[321,174],[322,175],[323,176],[324,177],[325,178],[326,179],[327,180],[328,181],[329,182],[330,183],[331,184],[332,185],[333,186],[334,187],[335,188],[336,189],[265,190],[337,191],[338,192],[339,193],[270,43],[340,194],[341,195],[342,196],[343,197],[344,198],[345,199],[346,200],[347,201],[348,202],[349,203],[267,43],[350,204],[351,205],[352,206],[353,207],[354,208],[355,209],[356,210],[357,211],[358,212],[359,213],[360,214],[361,215],[362,216],[363,217],[364,218],[365,219],[366,220],[367,221],[368,222],[369,223],[370,224],[371,43],[372,225],[373,226],[374,227],[375,228],[376,229],[377,230],[378,231],[379,232],[381,233],[380,234],[382,235],[383,236],[384,237],[385,238],[386,239],[387,240],[388,241],[389,242],[390,243],[391,244],[392,245],[393,246],[394,247],[395,248],[396,249],[397,250],[398,251],[399,252],[401,253],[402,254],[403,254],[404,254],[77,255],[78,256],[76,257],[79,258],[90,259],[91,259],[92,259],[93,259],[98,260],[94,261],[95,261],[96,261],[97,261],[99,262],[89,263],[84,260],[88,264],[85,265],[86,260],[87,260],[82,266],[81,265],[83,267],[75,257],[74,268],[67,269],[68,257],[66,270],[72,271],[56,272],[60,273],[61,257],[62,257],[54,257],[55,257],[71,274],[63,257],[57,257],[58,257],[64,257],[65,257],[69,257],[59,257],[73,275],[153,276],[152,277],[100,278],[101,279],[102,280],[103,281],[104,282],[105,283],[106,284],[107,285],[108,286],[109,287],[110,288],[111,289],[112,290],[113,291],[114,292],[115,293],[116,294],[117,295],[118,296],[119,297],[120,298],[121,299],[122,300],[123,301],[124,302],[125,303],[126,304],[127,305],[128,306],[129,307],[130,308],[131,309],[132,43],[133,43],[134,310],[135,311],[136,312],[137,313],[138,314],[139,315],[140,316],[141,317],[142,43],[143,43],[144,43],[145,318],[146,319],[147,320],[148,321],[149,322],[150,323],[151,324],[430,325],[428,257],[80,257],[70,257],[427,257],[433,326],[429,325],[431,327],[432,325],[434,257],[435,257],[489,328],[490,328],[491,329],[438,330],[492,331],[493,332],[494,333],[436,257],[495,334],[496,335],[497,336],[498,337],[499,338],[500,339],[501,339],[502,340],[503,341],[504,342],[505,343],[439,257],[437,257],[506,344],[507,345],[508,346],[542,347],[509,348],[510,257],[511,349],[512,350],[513,351],[514,352],[515,353],[516,354],[517,355],[518,356],[519,357],[520,357],[521,358],[522,257],[523,257],[524,359],[526,360],[525,361],[527,362],[528,363],[529,364],[530,365],[531,366],[532,367],[533,368],[534,369],[535,370],[536,371],[537,372],[538,373],[539,374],[440,257],[441,375],[442,257],[443,257],[485,376],[486,377],[487,257],[488,362],[540,378],[541,379],[543,380],[50,257],[52,381],[53,380],[51,257],[48,257],[49,257],[8,257],[9,257],[11,257],[10,257],[2,257],[12,257],[13,257],[14,257],[15,257],[16,257],[17,257],[18,257],[19,257],[3,257],[20,257],[21,257],[4,257],[22,257],[26,257],[23,257],[24,257],[25,257],[27,257],[28,257],[29,257],[5,257],[30,257],[31,257],[32,257],[33,257],[6,257],[37,257],[34,257],[35,257],[36,257],[38,257],[7,257],[39,257],[44,257],[45,257],[40,257],[41,257],[42,257],[43,257],[1,257],[46,257],[47,257],[461,382],[473,383],[459,384],[474,385],[483,386],[450,387],[451,388],[449,389],[482,390],[477,391],[481,392],[453,393],[470,394],[452,395],[480,396],[447,397],[448,391],[454,398],[455,257],[460,399],[458,398],[445,400],[484,401],[475,402],[464,403],[463,398],[465,404],[468,405],[462,406],[466,407],[478,390],[456,408],[457,409],[469,410],[446,385],[472,411],[471,398],[467,412],[476,257],[444,257],[479,413]],"latestChangedDtsFile":"./lib-dist/core/AtProtoRecord.d.ts","version":"5.9.3"}
+2 -1
tsconfig.node.json
···
"allowImportingTsExtensions": true,
"verbatimModuleSyntax": true,
"moduleDetection": "force",
-
"noEmit": true,
+
"declaration": true,
+
"emitDeclarationOnly": true,
/* Linting */
"strict": true,
+2
vite.config.d.ts
···
+
declare const _default: import("vite").UserConfig;
+
export default _default;
+73 -4
vite.config.ts
···
-
import { defineConfig } from 'vite'
-
import react from '@vitejs/plugin-react'
+
import { defineConfig } from 'vite';
+
import react from '@vitejs/plugin-react';
+
import dts from 'unplugin-dts/vite'
+
import { resolve } from 'path';
+
import type { Plugin } from 'vite';
+
+
// Plugin to inject CSS import as a side effect in the main entry
+
function injectCssImport(): Plugin {
+
return {
+
name: 'inject-css-import',
+
generateBundle(_, bundle) {
+
const indexFile = bundle['index.js'];
+
if (indexFile && indexFile.type === 'chunk') {
+
// Inject the CSS import at the top of the file
+
indexFile.code = `import './styles.css';\n${indexFile.code}`;
+
}
+
}
+
};
+
}
+
+
const buildDemo = process.env.BUILD_TARGET === 'demo';
// https://vite.dev/config/
export default defineConfig({
-
plugins: [react()],
-
})
+
plugins: buildDemo
+
? [react()]
+
: [react(), dts({ tsconfigPath: './tsconfig.lib.json' }), injectCssImport()],
+
+
// Demo app needs to resolve from src
+
root: buildDemo ? '.' : undefined,
+
+
build: buildDemo ? {
+
// Demo app build configuration
+
outDir: 'demo',
+
rollupOptions: {
+
input: resolve(__dirname, 'index.html')
+
},
+
sourcemap: false
+
} : {
+
// Library build configuration
+
lib: {
+
entry: resolve(__dirname, 'lib/index.ts'),
+
cssFileName: resolve(__dirname, 'lib/styles.css'),
+
name: 'atproto-ui',
+
formats: ['es'],
+
fileName: 'atproto-ui'
+
},
+
cssCodeSplit: false,
+
outDir: 'lib-dist',
+
rollupOptions: {
+
// Externalize dependencies that shouldn't be bundled
+
external: [
+
'react',
+
'react-dom',
+
'react/jsx-runtime',
+
'@atcute/atproto',
+
'@atcute/bluesky',
+
'@atcute/client',
+
'@atcute/identity-resolver',
+
'@atcute/tangled'
+
],
+
output: {
+
preserveModules: true,
+
preserveModulesRoot: 'lib',
+
entryFileNames: '[name].js',
+
assetFileNames: (assetInfo) => {
+
// Output CSS to root of lib-dist as styles.css
+
if (assetInfo.name && assetInfo.name.endsWith('.css')) {
+
return 'styles.css';
+
}
+
return 'assets/[name][extname]';
+
}
+
}
+
},
+
}
+
});