**Major Features Added:** - **Inline Reply System**: Replace compose screen with inline reply boxes - **Thread Navigation**: Parent/child navigation with jump functionality - **Chain Flow UI**: Reply counts, expand/collapse animations, visual hierarchy - **Enhanced Animations**: Smooth transitions, hover effects, micro-interactions **Frontend Changes:** - **ThreadedCommentWidget**: Complete rewrite with animations and navigation - **ThreadNode Model**: Added parent references and descendant counting - **ThreadedConversationScreen**: Integrated navigation handlers - **PostDetailScreen**: Replaced with threaded conversation view - **ComposeScreen**: Added reply indicators and context - **PostActions**: Fixed visibility checks for chain buttons **Backend Changes:** - **API Route**: Added /posts/:id/thread endpoint - **Post Repository**: Include allow_chain and visibility fields in feed - **Thread Handler**: Support for fetching post chains **UI/UX Improvements:** - **Reply Context**: Clear indication when replying to specific posts - **Character Counting**: 500 character limit with live counter - **Visual Hierarchy**: Depth-based indentation and styling - **Smooth Animations**: SizeTransition, FadeTransition, hover states - **Chain Navigation**: Parent/child buttons with visual feedback **Technical Enhancements:** - **Animation Controllers**: Proper lifecycle management - **State Management**: Clean separation of concerns - **Navigation Callbacks**: Reusable navigation system - **Error Handling**: Graceful fallbacks and user feedback This creates a Reddit-style threaded conversation experience with smooth animations, inline replies, and intuitive navigation between posts in a chain.
109 lines
2.8 KiB
Go
109 lines
2.8 KiB
Go
package services
|
|
|
|
import (
|
|
"context"
|
|
"fmt"
|
|
"os"
|
|
|
|
firebase "firebase.google.com/go/v4"
|
|
"firebase.google.com/go/v4/messaging"
|
|
"github.com/patbritton/sojorn-backend/internal/repository"
|
|
"github.com/rs/zerolog/log"
|
|
"google.golang.org/api/option"
|
|
)
|
|
|
|
type PushService struct {
|
|
client *messaging.Client
|
|
userRepo *repository.UserRepository
|
|
}
|
|
|
|
func NewPushService(userRepo *repository.UserRepository, credentialsFile string) (*PushService, error) {
|
|
ctx := context.Background()
|
|
var opt option.ClientOption
|
|
|
|
if credentialsFile != "" {
|
|
if _, err := os.Stat(credentialsFile); err == nil {
|
|
opt = option.WithCredentialsFile(credentialsFile)
|
|
} else {
|
|
log.Warn().Msg("Firebase credentials file not found, using default credentials")
|
|
opt = option.WithoutAuthentication() // Or handle differently
|
|
}
|
|
} else {
|
|
// Attempt to use logic suitable for Cloud Run/GCP or emulator
|
|
opt = option.WithCredentialsFile("firebase-service-account.json") // Default fallback
|
|
}
|
|
|
|
app, err := firebase.NewApp(ctx, nil, opt)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("error initializing app: %v", err)
|
|
}
|
|
|
|
client, err := app.Messaging(ctx)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("error getting Messaging client: %v", err)
|
|
}
|
|
|
|
return &PushService{
|
|
client: client,
|
|
userRepo: userRepo,
|
|
}, nil
|
|
}
|
|
|
|
func (s *PushService) SendPush(ctx context.Context, userID, title, body string, data map[string]string) error {
|
|
tokens, err := s.userRepo.GetFCMTokens(ctx, userID)
|
|
if err != nil {
|
|
return fmt.Errorf("failed to get FCM tokens: %w", err)
|
|
}
|
|
|
|
if len(tokens) == 0 {
|
|
return nil // No tokens, no push
|
|
}
|
|
|
|
// Multicast message
|
|
message := &messaging.MulticastMessage{
|
|
Tokens: tokens,
|
|
Notification: &messaging.Notification{
|
|
Title: title,
|
|
Body: body,
|
|
},
|
|
Data: data,
|
|
Android: &messaging.AndroidConfig{
|
|
Priority: "high",
|
|
Notification: &messaging.AndroidNotification{
|
|
Sound: "default",
|
|
ClickAction: "FLUTTER_NOTIFICATION_CLICK",
|
|
},
|
|
},
|
|
APNS: &messaging.APNSConfig{
|
|
Payload: &messaging.APNSPayload{
|
|
Aps: &messaging.Aps{
|
|
Sound: "default",
|
|
},
|
|
},
|
|
},
|
|
}
|
|
|
|
br, err := s.client.SendMulticast(ctx, message)
|
|
if err != nil {
|
|
return fmt.Errorf("error sending multicast message: %w", err)
|
|
}
|
|
|
|
if br.FailureCount > 0 {
|
|
var failedTokens []string
|
|
for idx, resp := range br.Responses {
|
|
if !resp.Success {
|
|
if resp.Error != nil && messaging.IsRegistrationTokenNotRegistered(resp.Error) {
|
|
if err := s.userRepo.DeleteFCMToken(ctx, userID, tokens[idx]); err != nil {
|
|
log.Warn().Err(err).Str("user_id", userID).Msg("Failed to delete invalid FCM token")
|
|
}
|
|
continue
|
|
}
|
|
failedTokens = append(failedTokens, tokens[idx])
|
|
}
|
|
}
|
|
log.Warn().Int("failure_count", br.FailureCount).Strs("failed_tokens", failedTokens).Msg("Some push notifications failed")
|
|
}
|
|
|
|
return nil
|
|
}
|