Add FeedService and integrate into NostrFeed module

- Introduced FeedService to manage feed functionality, including subscription and deduplication of posts.
- Updated NostrFeed module to register FeedService in the DI container and initialize it during installation.
- Refactored useFeed composable to utilize FeedService for managing feed state and loading posts.
- Enhanced NostrFeed component to display posts and handle loading states more effectively.
- Changed Home.vue to use the 'all' feed type for broader content display.

These changes improve the modularity and functionality of the feed system, providing a more robust user experience.
This commit is contained in:
padreug 2025-09-16 21:43:23 +02:00
parent 2e12315a35
commit 6217e3b70a
6 changed files with 408 additions and 270 deletions

View file

@ -131,7 +131,10 @@ export const SERVICE_TOKENS = {
// Chat services // Chat services
CHAT_SERVICE: Symbol('chatService'), CHAT_SERVICE: Symbol('chatService'),
// Feed services
FEED_SERVICE: Symbol('feedService'),
// Events services // Events services
EVENTS_SERVICE: Symbol('eventsService'), EVENTS_SERVICE: Symbol('eventsService'),

View file

@ -1,29 +1,28 @@
<script setup lang="ts"> <script setup lang="ts">
import { ref, computed, onMounted, onUnmounted } from 'vue' import { computed } from 'vue'
import { Card, CardContent, CardDescription, CardHeader, CardTitle } from '@/components/ui/card' import { Card, CardContent, CardDescription, CardHeader, CardTitle } from '@/components/ui/card'
import { ScrollArea } from '@/components/ui/scroll-area' import { ScrollArea } from '@/components/ui/scroll-area'
import { Badge } from '@/components/ui/badge' import { Badge } from '@/components/ui/badge'
import { Button } from '@/components/ui/button' import { Button } from '@/components/ui/button'
import { formatDistanceToNow } from 'date-fns' import { formatDistanceToNow } from 'date-fns'
import { Megaphone, RefreshCw, AlertCircle } from 'lucide-vue-next' import { Megaphone, RefreshCw, AlertCircle } from 'lucide-vue-next'
import { config, configUtils } from '@/lib/config' import { useFeed } from '../composables/useFeed'
import { injectService, SERVICE_TOKENS } from '@/core/di-container' import appConfig from '@/app.config'
const props = defineProps<{ const props = defineProps<{
relays?: string[] relays?: string[]
feedType?: 'all' | 'announcements' | 'events' | 'general' feedType?: 'all' | 'announcements' | 'events' | 'general'
}>() }>()
const relayHub = injectService(SERVICE_TOKENS.RELAY_HUB) as any // Get admin/moderator pubkeys from app config
const adminPubkeys = appConfig.modules['nostr-feed'].config.adminPubkeys
// Reactive state // Use centralized feed service - this handles all subscription management and deduplication
const notes = ref<any[]>([]) const { posts: notes, isLoading, error, refreshFeed } = useFeed({
const isLoading = ref(false) feedType: props.feedType || 'all',
const error = ref<Error | null>(null) maxPosts: 100,
const isConnected = ref(false) adminPubkeys
})
// Get admin/moderator pubkeys from centralized config
const adminPubkeys = config.nostr.adminPubkeys
// Check if we have admin pubkeys configured // Check if we have admin pubkeys configured
const hasAdminPubkeys = computed(() => adminPubkeys.length > 0) const hasAdminPubkeys = computed(() => adminPubkeys.length > 0)
@ -57,154 +56,8 @@ const feedDescription = computed(() => {
// Check if a post is from an admin // Check if a post is from an admin
function isAdminPost(pubkey: string): boolean { function isAdminPost(pubkey: string): boolean {
return configUtils.isAdminPubkey(pubkey) return adminPubkeys.includes(pubkey)
} }
// Load notes from relays
async function loadNotes() {
if (!hasAdminPubkeys.value && props.feedType === 'announcements') {
notes.value = []
return
}
try {
isLoading.value = true
error.value = null
// Connect to relay hub if not already connected
if (!relayHub.isConnected) {
await relayHub.connect()
}
isConnected.value = relayHub.isConnected
if (!isConnected.value) {
throw new Error('Failed to connect to Nostr relays')
}
// Configure filters based on feed type
const filters: any[] = [{
kinds: [1], // TEXT_NOTE
limit: 50
}]
// Filter by authors for announcements
if (props.feedType === 'announcements' && hasAdminPubkeys.value) {
filters[0].authors = adminPubkeys
}
// Query events from relays
const events = await relayHub.queryEvents(filters)
// Process and filter events
let processedNotes = events.map((event: any) => ({
id: event.id,
pubkey: event.pubkey,
content: event.content,
created_at: event.created_at,
tags: event.tags || [],
// Extract mentions from tags
mentions: event.tags?.filter((tag: any[]) => tag[0] === 'p').map((tag: any[]) => tag[1]) || [],
// Check if it's a reply
isReply: event.tags?.some((tag: any[]) => tag[0] === 'e' && tag[3] === 'reply'),
replyTo: event.tags?.find((tag: any[]) => tag[0] === 'e' && tag[3] === 'reply')?.[1]
}))
// Sort by creation time (newest first)
processedNotes.sort((a: any, b: any) => b.created_at - a.created_at)
// For general feed, exclude admin posts
if (props.feedType === 'general' && hasAdminPubkeys.value) {
processedNotes = processedNotes.filter((note: any) => !isAdminPost(note.pubkey))
}
notes.value = processedNotes
} catch (err) {
const errorObj = err instanceof Error ? err : new Error('Failed to load notes')
error.value = errorObj
console.error('Failed to load notes:', errorObj)
} finally {
isLoading.value = false
}
}
// Refresh the feed
async function refreshFeed() {
await loadNotes()
}
// Subscribe to real-time updates
let unsubscribe: (() => void) | null = null
async function startRealtimeSubscription() {
if (!relayHub.isConnected) return
try {
const filters: any[] = [{
kinds: [1], // TEXT_NOTE
limit: 10
}]
if (props.feedType === 'announcements' && hasAdminPubkeys.value) {
filters[0].authors = adminPubkeys
}
unsubscribe = relayHub.subscribe({
id: `feed-${props.feedType || 'all'}`,
filters,
onEvent: (event: any) => {
// Add new note to the beginning of the list
const newNote = {
id: event.id,
pubkey: event.pubkey,
content: event.content,
created_at: event.created_at,
tags: event.tags || [],
mentions: event.tags?.filter((tag: any[]) => tag[0] === 'p').map((tag: any[]) => tag[1]) || [],
isReply: event.tags?.some((tag: any[]) => tag[0] === 'e' && tag[3] === 'reply'),
replyTo: event.tags?.find((tag: any[]) => tag[0] === 'e' && tag[3] === 'reply')?.[1]
}
// Check if note should be included
let shouldInclude = true
if (props.feedType === 'announcements' && !isAdminPost(event.pubkey)) {
shouldInclude = false
}
if (props.feedType === 'general' && isAdminPost(event.pubkey)) {
shouldInclude = false
}
if (shouldInclude) {
notes.value.unshift(newNote)
// Limit array size
if (notes.value.length > 100) {
notes.value = notes.value.slice(0, 100)
}
}
}
})
} catch (error) {
console.error('Failed to start real-time subscription:', error)
}
}
// Cleanup subscription
function cleanup() {
if (unsubscribe) {
unsubscribe()
unsubscribe = null
}
}
onMounted(async () => {
await loadNotes()
await startRealtimeSubscription()
})
onUnmounted(() => {
cleanup()
})
</script> </script>
<template> <template>
@ -232,19 +85,11 @@ onUnmounted(() => {
</CardHeader> </CardHeader>
<CardContent> <CardContent>
<!-- Connection Status -->
<div v-if="!isConnected && !isLoading" class="mb-4 p-3 bg-yellow-50 dark:bg-yellow-950 border border-yellow-200 dark:border-yellow-800 rounded-lg">
<div class="flex items-center gap-2 text-yellow-800 dark:text-yellow-200">
<AlertCircle class="h-4 w-4" />
<span class="text-sm">Not connected to relays</span>
</div>
</div>
<!-- Loading State --> <!-- Loading State -->
<div v-if="isLoading" class="flex items-center justify-center py-8"> <div v-if="isLoading" class="flex items-center justify-center py-8">
<div class="flex items-center gap-2"> <div class="flex items-center gap-2">
<RefreshCw class="h-4 w-4 animate-spin" /> <RefreshCw class="h-4 w-4 animate-spin" />
<span class="text-muted-foreground">Loading announcements...</span> <span class="text-muted-foreground">Loading feed...</span>
</div> </div>
</div> </div>
@ -252,9 +97,9 @@ onUnmounted(() => {
<div v-else-if="error" class="text-center py-8"> <div v-else-if="error" class="text-center py-8">
<div class="flex items-center justify-center gap-2 text-destructive mb-4"> <div class="flex items-center justify-center gap-2 text-destructive mb-4">
<AlertCircle class="h-5 w-5" /> <AlertCircle class="h-5 w-5" />
<span>Failed to load announcements</span> <span>Failed to load feed</span>
</div> </div>
<p class="text-sm text-muted-foreground mb-4">{{ error.message }}</p> <p class="text-sm text-muted-foreground mb-4">{{ error }}</p>
<Button @click="refreshFeed" variant="outline">Try Again</Button> <Button @click="refreshFeed" variant="outline">Try Again</Button>
</div> </div>
@ -273,34 +118,34 @@ onUnmounted(() => {
<div v-else-if="notes.length === 0" class="text-center py-8"> <div v-else-if="notes.length === 0" class="text-center py-8">
<div class="flex items-center justify-center gap-2 text-muted-foreground mb-4"> <div class="flex items-center justify-center gap-2 text-muted-foreground mb-4">
<Megaphone class="h-5 w-5" /> <Megaphone class="h-5 w-5" />
<span>No announcements yet</span> <span>No posts yet</span>
</div> </div>
<p class="text-sm text-muted-foreground"> <p class="text-sm text-muted-foreground">
Check back later for community updates and announcements. Check back later for community updates.
</p> </p>
</div> </div>
<!-- Notes List --> <!-- Notes List -->
<ScrollArea v-else class="h-[400px] pr-4"> <ScrollArea v-else class="h-[400px] pr-4">
<div class="space-y-4"> <div class="space-y-4">
<div <div
v-for="note in notes" v-for="note in notes"
:key="note.id" :key="note.id"
class="p-4 border rounded-lg hover:bg-accent/50 transition-colors" class="p-4 border rounded-lg hover:bg-accent/50 transition-colors"
> >
<!-- Note Header --> <!-- Note Header -->
<div class="flex items-start justify-between mb-2"> <div class="flex items-start justify-between mb-2">
<div class="flex items-center gap-2"> <div class="flex items-center gap-2">
<Badge <Badge
v-if="isAdminPost(note.pubkey)" v-if="isAdminPost(note.pubkey)"
variant="default" variant="default"
class="text-xs" class="text-xs"
> >
Admin Admin
</Badge> </Badge>
<Badge <Badge
v-if="note.isReply" v-if="note.isReply"
variant="secondary" variant="secondary"
class="text-xs" class="text-xs"
> >
Reply Reply

View file

@ -1,97 +1,55 @@
import { ref, computed, onMounted, onUnmounted } from 'vue' import { computed, ref, onMounted, onUnmounted } from 'vue'
import { injectService, SERVICE_TOKENS } from '@/core/di-container' import { injectService, SERVICE_TOKENS } from '@/core/di-container'
import { eventBus } from '@/core/event-bus' import type { FeedService, FeedConfig } from '../services/FeedService'
import type { Event as NostrEvent, Filter } from 'nostr-tools'
export interface FeedConfig { export interface UseFeedConfig {
feedType: 'announcements' | 'general' | 'mentions' feedType: 'announcements' | 'general' | 'mentions' | 'events' | 'all'
maxPosts?: number maxPosts?: number
refreshInterval?: number refreshInterval?: number
adminPubkeys?: string[] adminPubkeys?: string[]
} }
export function useFeed(config: FeedConfig) { export function useFeed(config: UseFeedConfig) {
const relayHub = injectService<any>(SERVICE_TOKENS.RELAY_HUB) const feedService = injectService<FeedService>(SERVICE_TOKENS.FEED_SERVICE)
const posts = ref<NostrEvent[]>([])
const isLoading = ref(false) console.log('useFeed: FeedService injected:', !!feedService)
const error = ref<string | null>(null) if (!feedService) {
console.error('useFeed: FeedService not available from DI container')
}
let refreshTimer: number | null = null let refreshTimer: number | null = null
let unsubscribe: (() => void) | null = null
// Convert to FeedService config
const feedConfig: FeedConfig = {
feedType: config.feedType,
maxPosts: config.maxPosts,
adminPubkeys: config.adminPubkeys
}
const filteredPosts = computed(() => { const filteredPosts = computed(() => {
let filtered = posts.value if (!feedService) return []
return feedService.getFilteredPosts(feedConfig)
// Filter by feed type
if (config.feedType === 'announcements' && config.adminPubkeys) {
filtered = filtered.filter(post => config.adminPubkeys!.includes(post.pubkey))
}
// Sort by created timestamp (newest first)
filtered = filtered.sort((a, b) => b.created_at - a.created_at)
// Limit posts
if (config.maxPosts) {
filtered = filtered.slice(0, config.maxPosts)
}
return filtered
}) })
const loadFeed = async () => { const loadFeed = async () => {
if (!relayHub) { console.log('useFeed: loadFeed called, feedService available:', !!feedService)
error.value = 'RelayHub not available' if (!feedService) {
console.error('FeedService not available')
return return
} }
isLoading.value = true console.log('useFeed: calling feedService.subscribeFeed with config:', feedConfig)
error.value = null
try { try {
// Create filter based on feed type await feedService.subscribeFeed(feedConfig)
const filter: Filter = { console.log('useFeed: subscribeFeed completed')
kinds: [1], // Text notes
limit: config.maxPosts || 50
}
if (config.feedType === 'announcements' && config.adminPubkeys) {
filter.authors = config.adminPubkeys
}
// Subscribe to events
await relayHub.subscribe('feed-subscription', [filter], {
onEvent: (event: NostrEvent) => {
// Add new event if not already present
if (!posts.value.some(p => p.id === event.id)) {
posts.value = [event, ...posts.value]
// Emit event for other modules
eventBus.emit('nostr-feed:new-post', { event, feedType: config.feedType }, 'nostr-feed')
}
},
onEose: () => {
console.log('Feed subscription end of stored events')
isLoading.value = false
},
onClose: () => {
console.log('Feed subscription closed')
}
})
unsubscribe = () => {
relayHub.unsubscribe('feed-subscription')
}
} catch (err) { } catch (err) {
console.error('Failed to load feed:', err) console.error('Failed to load feed:', err)
error.value = err instanceof Error ? err.message : 'Failed to load feed'
isLoading.value = false
} }
} }
const refreshFeed = () => { const refreshFeed = async () => {
posts.value = [] if (!feedService) return
loadFeed() await feedService.refreshFeed()
} }
const startAutoRefresh = () => { const startAutoRefresh = () => {
@ -109,21 +67,19 @@ export function useFeed(config: FeedConfig) {
// Lifecycle // Lifecycle
onMounted(() => { onMounted(() => {
console.log('useFeed: onMounted called')
loadFeed() loadFeed()
startAutoRefresh() startAutoRefresh()
}) })
onUnmounted(() => { onUnmounted(() => {
stopAutoRefresh() stopAutoRefresh()
if (unsubscribe) {
unsubscribe()
}
}) })
return { return {
posts: filteredPosts, posts: filteredPosts,
isLoading, isLoading: feedService?.isLoading ?? ref(false),
error, error: feedService?.error ?? ref(null),
refreshFeed, refreshFeed,
loadFeed loadFeed
} }

View file

@ -1,27 +1,47 @@
import { createModulePlugin } from '@/core/base/BaseModulePlugin' import type { App } from 'vue'
import type { ModulePlugin } from '@/core/types'
import { container, SERVICE_TOKENS } from '@/core/di-container'
import NostrFeed from './components/NostrFeed.vue' import NostrFeed from './components/NostrFeed.vue'
import { useFeed } from './composables/useFeed' import { useFeed } from './composables/useFeed'
import { FeedService } from './services/FeedService'
/** /**
* Nostr Feed Module Plugin * Nostr Feed Module Plugin
* Provides social feed functionality with admin announcements support * Provides social feed functionality with admin announcements support
*/ */
export const nostrFeedModule = createModulePlugin({ export const nostrFeedModule: ModulePlugin = {
name: 'nostr-feed', name: 'nostr-feed',
version: '1.0.0', version: '1.0.0',
dependencies: ['base'], dependencies: ['base'],
async install(app: App) {
console.log('nostr-feed module: Starting installation...')
// Register FeedService in DI container
const feedService = new FeedService()
container.provide(SERVICE_TOKENS.FEED_SERVICE, feedService)
console.log('nostr-feed module: FeedService registered in DI container')
// Initialize the service
console.log('nostr-feed module: Initializing FeedService...')
await feedService.initialize({
waitForDependencies: true,
maxRetries: 3
})
console.log('nostr-feed module: FeedService initialized')
// Register components globally
app.component('NostrFeed', NostrFeed)
console.log('nostr-feed module: Installation complete')
},
components: { components: {
NostrFeed NostrFeed
}, },
routes: [], composables: {
useFeed
exports: {
composables: {
useFeed
}
} }
}) }
export default nostrFeedModule export default nostrFeedModule

View file

@ -0,0 +1,314 @@
import { ref, computed } from 'vue'
import { BaseService } from '@/core/base/BaseService'
import { injectService, SERVICE_TOKENS } from '@/core/di-container'
import { eventBus } from '@/core/event-bus'
import type { Event as NostrEvent, Filter } from 'nostr-tools'
export interface FeedPost {
id: string
pubkey: string
content: string
created_at: number
tags: string[][]
mentions: string[]
isReply: boolean
replyTo?: string
}
export interface FeedConfig {
feedType: 'announcements' | 'general' | 'mentions' | 'events' | 'all'
maxPosts?: number
adminPubkeys?: string[]
}
export class FeedService extends BaseService {
protected readonly metadata = {
name: 'FeedService',
version: '1.0.0',
dependencies: []
}
protected relayHub: any = null
protected visibilityService: any = null
// Event ID tracking for deduplication
private seenEventIds = new Set<string>()
// Feed state
private _posts = ref<FeedPost[]>([])
private _isLoading = ref(false)
private _error = ref<string | null>(null)
// Current subscription state
private currentSubscription: string | null = null
private currentUnsubscribe: (() => void) | null = null
private currentConfig: FeedConfig | null = null
// Public reactive state
public readonly posts = computed(() => this._posts.value)
public readonly isLoading = computed(() => this._isLoading.value)
public readonly error = computed(() => this._error.value)
protected async onInitialize(): Promise<void> {
console.log('FeedService: Starting initialization...')
this.relayHub = injectService(SERVICE_TOKENS.RELAY_HUB)
this.visibilityService = injectService(SERVICE_TOKENS.VISIBILITY_SERVICE)
console.log('FeedService: RelayHub injected:', !!this.relayHub)
console.log('FeedService: VisibilityService injected:', !!this.visibilityService)
if (!this.relayHub) {
throw new Error('RelayHub service not available')
}
// Register with visibility service for proper connection management
if (this.visibilityService) {
this.visibilityService.registerService(
'FeedService',
this.onResume.bind(this),
this.onPause.bind(this)
)
}
console.log('FeedService: Initialization complete')
}
/**
* Subscribe to feed with deduplication
*/
async subscribeFeed(config: FeedConfig): Promise<void> {
// If already subscribed with same config, don't resubscribe
if (this.currentSubscription && this.currentConfig &&
JSON.stringify(this.currentConfig) === JSON.stringify(config)) {
return
}
// Unsubscribe from previous feed if exists
await this.unsubscribeFeed()
this.currentConfig = config
this._isLoading.value = true
this._error.value = null
try {
// Check if RelayHub is connected
if (!this.relayHub) {
throw new Error('RelayHub not available')
}
if (!this.relayHub.isConnected) {
console.log('RelayHub not connected, attempting to connect...')
await this.relayHub.connect()
}
if (!this.relayHub.isConnected) {
throw new Error('Unable to connect to relays')
}
// Create subscription ID
const subscriptionId = `feed-service-${config.feedType}-${Date.now()}`
// Create filter
const filter: Filter = {
kinds: [1], // Text notes
limit: config.maxPosts || 50
}
if (config.feedType === 'announcements') {
if (config.adminPubkeys && config.adminPubkeys.length > 0) {
filter.authors = config.adminPubkeys
} else {
// No admin pubkeys configured for announcements - don't subscribe
console.log('No admin pubkeys configured for announcements feed')
this._isLoading.value = false
return
}
}
console.log(`Creating feed subscription for ${config.feedType} with filter:`, filter)
// Subscribe to events with deduplication
const unsubscribe = this.relayHub.subscribe({
id: subscriptionId,
filters: [filter],
onEvent: (event: NostrEvent) => {
this.handleNewEvent(event, config)
},
onEose: () => {
console.log(`Feed subscription ${subscriptionId} end of stored events`)
console.log('FeedService: Setting isLoading to false')
this._isLoading.value = false
console.log('FeedService: isLoading is now:', this._isLoading.value)
},
onClose: () => {
console.log(`Feed subscription ${subscriptionId} closed`)
}
})
// Store the subscription info for later cleanup
this.currentSubscription = subscriptionId
this.currentUnsubscribe = unsubscribe
// Set a timeout to stop loading if no EOSE is received
setTimeout(() => {
console.log(`Feed subscription ${subscriptionId} timeout check: isLoading=${this._isLoading.value}, currentSub=${this.currentSubscription}`)
if (this._isLoading.value && this.currentSubscription === subscriptionId) {
console.log(`Feed subscription ${subscriptionId} timeout, stopping loading`)
this._isLoading.value = false
}
}, 5000) // 5 second timeout (reduced for testing)
} catch (err) {
console.error('Failed to subscribe to feed:', err)
this._error.value = err instanceof Error ? err.message : 'Failed to subscribe to feed'
this._isLoading.value = false
}
}
/**
* Handle new event with robust deduplication
*/
private handleNewEvent(event: NostrEvent, config: FeedConfig): void {
// Skip if event already seen
if (this.seenEventIds.has(event.id)) {
return
}
// Add to seen events
this.seenEventIds.add(event.id)
// Check if event should be included based on feed type
if (!this.shouldIncludeEvent(event, config)) {
return
}
// Transform to FeedPost
const post: FeedPost = {
id: event.id,
pubkey: event.pubkey,
content: event.content,
created_at: event.created_at,
tags: event.tags || [],
mentions: event.tags?.filter((tag: string[]) => tag[0] === 'p').map((tag: string[]) => tag[1]) || [],
isReply: event.tags?.some((tag: string[]) => tag[0] === 'e' && tag[3] === 'reply') || false,
replyTo: event.tags?.find((tag: string[]) => tag[0] === 'e' && tag[3] === 'reply')?.[1]
}
// Add to posts (newest first)
this._posts.value = [post, ...this._posts.value]
// Limit array size and clean up seen IDs
const maxPosts = config.maxPosts || 100
if (this._posts.value.length > maxPosts) {
const removedPosts = this._posts.value.slice(maxPosts)
this._posts.value = this._posts.value.slice(0, maxPosts)
// Clean up seen IDs for removed posts
removedPosts.forEach(post => {
this.seenEventIds.delete(post.id)
})
}
// Emit event for other modules
eventBus.emit('nostr-feed:new-post', {
event,
feedType: config.feedType
}, 'nostr-feed')
}
/**
* Check if event should be included in feed
*/
private shouldIncludeEvent(event: NostrEvent, config: FeedConfig): boolean {
const isAdminPost = config.adminPubkeys?.includes(event.pubkey) || false
switch (config.feedType) {
case 'announcements':
return isAdminPost
case 'general':
return !isAdminPost
case 'events':
// Events feed could show all posts for now, or implement event-specific filtering
return true
case 'mentions':
// TODO: Implement mention detection if needed
return true
case 'all':
default:
return true
}
}
/**
* Unsubscribe from current feed
*/
async unsubscribeFeed(): Promise<void> {
if (this.currentUnsubscribe) {
this.currentUnsubscribe()
this.currentSubscription = null
this.currentUnsubscribe = null
this.currentConfig = null
}
}
/**
* Refresh feed (clear and reload)
*/
async refreshFeed(): Promise<void> {
if (!this.currentConfig) return
// Clear existing state
this._posts.value = []
this.seenEventIds.clear()
// Resubscribe
await this.subscribeFeed(this.currentConfig)
}
/**
* Get filtered posts for specific feed type
*/
getFilteredPosts(config: FeedConfig): FeedPost[] {
return this._posts.value
.filter(post => this.shouldIncludeEvent({
id: post.id,
pubkey: post.pubkey,
content: post.content,
created_at: post.created_at,
tags: post.tags
} as NostrEvent, config))
.sort((a, b) => b.created_at - a.created_at)
.slice(0, config.maxPosts || 100)
}
/**
* Visibility service callbacks
*/
private async onResume(): Promise<void> {
console.log('FeedService: App resumed, checking connections')
// Check if we need to reconnect
if (this.currentConfig && this.relayHub) {
const isConnected = await this.relayHub.checkHealth()
if (!isConnected) {
console.log('FeedService: Reconnecting after resume')
await this.subscribeFeed(this.currentConfig)
}
}
}
private onPause(): void {
console.log('FeedService: App paused, maintaining state')
// Don't clear state, just log for debugging
}
/**
* Cleanup
*/
protected async onDestroy(): Promise<void> {
await this.unsubscribeFeed()
this.seenEventIds.clear()
this._posts.value = []
}
}

View file

@ -3,7 +3,7 @@
<PWAInstallPrompt auto-show /> <PWAInstallPrompt auto-show />
<!-- TODO: Implement push notifications properly - currently commenting out admin notifications dialog --> <!-- TODO: Implement push notifications properly - currently commenting out admin notifications dialog -->
<!-- <NotificationPermission auto-show /> --> <!-- <NotificationPermission auto-show /> -->
<NostrFeed feed-type="announcements" /> <NostrFeed feed-type="all" />
</div> </div>
</template> </template>