-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdemo-feed.tsx
186 lines (170 loc) · 5.73 KB
/
demo-feed.tsx
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
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
152
153
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
import React, { useEffect, useMemo, useState } from "react";
import { Alert, Text, View } from "react-native";
import * as Notifications from "expo-notifications";
import { Stack, useLocalSearchParams } from "expo-router";
import { toast } from "sonner-native";
import type { DemoEvent } from "~/components/demoData";
import { DEMO_CAPTURE_EVENTS } from "~/components/demoData";
import { FinishDemoButton } from "~/components/FinishDemoButton";
import { HeaderLogo } from "~/components/HeaderLogo";
import UserEventsList from "~/components/UserEventsList"; // Reuse your existing feed list
const NOTIFICATION_DELAY = 1000; // 4 seconds
// Sort events by date (earliest first)
const sortEventsByDate = (events: DemoEvent[]) => {
return [...events].sort((a, b) => {
const dateA = new Date(`${a.startDate}T${a.startTime ?? "00:00"}`);
const dateB = new Date(`${b.startDate}T${b.startTime ?? "00:00"}`);
return dateA.getTime() - dateB.getTime();
});
};
// Handle showing the notification
const showNotification = async (eventId: string, eventName: string) => {
try {
const { status } = await Notifications.getPermissionsAsync();
if (status === Notifications.PermissionStatus.GRANTED) {
await Notifications.scheduleNotificationAsync({
content: {
title: "Event Captured! 🎉",
body: `"${eventName}" has been added to your feed`,
data: {
url: `/onboarding/demo-feed?eventId=${eventId}`,
notificationId: "demo-capture-notification",
},
},
trigger: null, // Show immediately since we're already delayed
});
} else {
// Fallback to toast if no notification permissions
toast(`New event added: ${eventName}`);
}
} catch (error) {
console.error("Failed to show notification:", error);
toast(`New event added: ${eventName}`);
}
};
export default function DemoFeedScreen() {
const { eventId, eventName } = useLocalSearchParams<{
eventId?: string;
eventName?: string;
}>();
// The newly captured event from user selection
const [newEvent, setNewEvent] = useState<DemoEvent | null>(null);
// Initialize feed with all events except the one being captured, sorted by date
const initialFeed = useMemo(() => {
const filteredEvents = DEMO_CAPTURE_EVENTS.filter(
(event) => event.id !== eventId,
);
return sortEventsByDate(filteredEvents);
}, [eventId]);
// The local feed
const [demoFeed, setDemoFeed] = useState<DemoEvent[]>(initialFeed);
// Calculate stats based on feed events
const stats = useMemo(() => {
return {
capturesThisWeek: demoFeed.length,
weeklyGoal: 5, // Set a reasonable demo goal
upcomingEvents: demoFeed.length,
allTimeEvents: demoFeed.length,
};
}, [demoFeed]);
// When the screen mounts, find the chosen event
useEffect(() => {
if (!eventId) return;
const found = DEMO_CAPTURE_EVENTS.find((e) => e.id === eventId);
setNewEvent(found ?? null);
}, [eventId]);
// Add the new event and show notification after delay
useEffect(() => {
let timer: NodeJS.Timeout;
if (newEvent && eventName) {
timer = setTimeout(() => {
// Add event to feed and sort by date
setDemoFeed((prev) => sortEventsByDate([newEvent, ...prev]));
// Show notification
void showNotification(eventId!, eventName);
}, NOTIFICATION_DELAY);
}
return () => {
if (timer) clearTimeout(timer);
};
}, [newEvent, eventId, eventName]);
// We can reuse the <UserEventsList> with minimal props
const feedEvents = useMemo(() => {
// Transform demo events into the shape that your existing list expects
// We'll do a quick inline transform
const now = new Date();
return demoFeed.map((demo) => ({
id: demo.id,
userId: "demoUserId",
userName: "demoUser",
createdAt: now,
updatedAt: null,
startDateTime: new Date(demo.startDate),
endDateTime: new Date(demo.startDate),
visibility: "public" as const,
event: demo,
eventMetadata: null,
images: demo.images,
user: {
id: "demoUserId",
createdAt: now,
updatedAt: null,
username: "demoUser",
email: "[email protected]",
displayName: "Demo User",
userImage: "",
bio: null,
publicEmail: null,
publicPhone: null,
publicLocation: null,
publicBirthday: null,
emoji: null,
publicInsta: null,
publicWebsite: null,
publicMetadata: null,
onboardingCompletedAt: null,
onboardingData: null,
},
eventFollows: [],
comments: [],
}));
}, [demoFeed]);
return (
<View className="flex-1 bg-white">
<Stack.Screen
options={{
headerShown: true,
headerTitle: "Your list of possibilities",
headerStyle: {
backgroundColor: "#5A32FB",
},
headerTintColor: "#fff",
headerTitleStyle: {
fontWeight: "bold",
},
headerLeft: () => <HeaderLogo />,
}}
/>
<View className="flex-1">
<View className="absolute right-4 top-16 z-10 ">
<Text className="rounded-xl bg-accent-yellow px-3 py-1.5 text-center text-base font-medium text-neutral-1">
Press and hold for options 👇
</Text>
</View>
<UserEventsList
events={feedEvents}
showCreator="always"
isRefetching={false}
onRefresh={async () => Alert.alert("Demo feed refresh")}
onEndReached={() => null}
isFetchingNextPage={false}
stats={stats}
demoMode
/>
</View>
<View className="bg-white">
<FinishDemoButton />
</View>
</View>
);
}