Skip to content

Commit d4d8bed

Browse files
authored
Merge pull request #479 from WatchItDev/next
Next
2 parents ad74908 + c17d48a commit d4d8bed

36 files changed

+1148
-787
lines changed

CHANGELOG.md

+22
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,25 @@
1+
# [2.2.0-beta.16](https://github.com/WatchItDev/watchit-app/compare/v2.2.0-beta.15...v2.2.0-beta.16) (2025-01-22)
2+
3+
4+
### Bug Fixes
5+
6+
* dynamic og tags ([bfc151b](https://github.com/WatchItDev/watchit-app/commit/bfc151baa36910cd57a443549a7682422b770e5f))
7+
* sonarcloud errors ([54c7340](https://github.com/WatchItDev/watchit-app/commit/54c7340cc1690fd5ee5633d26766a63729805315))
8+
9+
# [2.2.0-beta.15](https://github.com/WatchItDev/watchit-app/compare/v2.2.0-beta.14...v2.2.0-beta.15) (2025-01-22)
10+
11+
12+
### Bug Fixes
13+
14+
* sonarcloud errors ([28953cb](https://github.com/WatchItDev/watchit-app/commit/28953cb07c91416304108760bdfee24a226941fe))
15+
* use account session and fix errors when the session is invalid ([1a9de20](https://github.com/WatchItDev/watchit-app/commit/1a9de20a42327960caa17695c825a473efa99bca))
16+
* web3auth session expiration, and refactor account-popover ([40e1359](https://github.com/WatchItDev/watchit-app/commit/40e13599b3f580bf68a3f7743ea5e69949093c15))
17+
18+
19+
### Features
20+
21+
* added new events to transactions table ('locked', 'claimed', 'reserved', 'collected', 'released') ([dbd2767](https://github.com/WatchItDev/watchit-app/commit/dbd27679a115632b4fa74c2b2863fb4208ca5229))
22+
123
# [2.2.0-beta.14](https://github.com/WatchItDev/watchit-app/compare/v2.2.0-beta.13...v2.2.0-beta.14) (2025-01-21)
224

325

package.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@
22
"name": "watchit",
33
"author": "Watchit",
44
"type": "module",
5-
"version": "2.2.0-beta.14",
5+
"version": "2.2.0-beta.16",
66
"description": "Open videos everywhere",
77
"email": "[email protected]",
88
"private": true,

src/App.tsx

+88-5
Original file line numberDiff line numberDiff line change
@@ -45,8 +45,17 @@ import { AuthProvider } from '@src/auth/context/web3Auth';
4545
import { ResponsiveOverlay } from '@src/components/responsive-overlay';
4646

4747
import { Buffer } from 'buffer';
48-
import { Provider } from 'react-redux';
48+
import {Provider, useDispatch, useSelector} from 'react-redux';
4949
import { MetaMaskProvider } from '@metamask/sdk-react';
50+
import {useNotifications} from "@src/hooks/use-notifications.ts";
51+
import {useSnackbar} from "notistack";
52+
import {useEffect} from "react";
53+
import {setGlobalNotifier} from "@notifications/internal-notifications.ts";
54+
import {publicClientWebSocket} from "@src/clients/viem/publicClient.ts";
55+
import {GLOBAL_CONSTANTS} from "@src/config-global.ts";
56+
import LedgerVaultAbi from "@src/config/abi/LedgerVault.json";
57+
import {setBlockchainEvents} from "@redux/blockchain-events";
58+
import {subscribeToNotifications} from "@src/utils/subscribe-notifications-supabase.ts";
5059

5160
window.Buffer = Buffer;
5261

@@ -103,10 +112,7 @@ export default function App() {
103112
<ThemeProvider>
104113
<MotionLazy>
105114
<SnackbarProvider>
106-
<SettingsDrawer />
107-
<ProgressBar />
108-
<Router />
109-
<ResponsiveOverlay />
115+
<AppContent />
110116
</SnackbarProvider>
111117
</MotionLazy>
112118
</ThemeProvider>
@@ -117,3 +123,80 @@ export default function App() {
117123
</MetaMaskProvider>
118124
);
119125
}
126+
127+
128+
interface EventArgs {
129+
recipient?: string;
130+
origin?: string;
131+
}
132+
const AppContent = () => {
133+
const dispatch = useDispatch();
134+
const sessionData = useSelector((state: any) => state.auth.session);
135+
const { getNotifications } = useNotifications();
136+
const { enqueueSnackbar } = useSnackbar();
137+
138+
useEffect(() => {
139+
// Set the global reference so we can call notify(...) anywhere.
140+
setGlobalNotifier(enqueueSnackbar);
141+
}, [enqueueSnackbar]);
142+
143+
const watchEvent = (eventName: string, args: EventArgs, logText: string) => {
144+
const results = publicClientWebSocket.watchContractEvent({
145+
address: GLOBAL_CONSTANTS.LEDGER_VAULT_ADDRESS,
146+
abi: LedgerVaultAbi.abi,
147+
eventName,
148+
args,
149+
onLogs: (logs) => {
150+
console.log(logText, logs);
151+
dispatch(setBlockchainEvents(logs));
152+
},
153+
});
154+
155+
console.log('Watching', eventName, 'events');
156+
console.log('Results', results);
157+
158+
return results;
159+
};
160+
161+
useEffect(() => {
162+
if (!sessionData?.address) return;
163+
164+
const events = [
165+
{ name: 'FundsDeposited', args: { recipient: sessionData?.address }, logText: 'New deposit (user as recipient):' },
166+
{ name: 'FundsWithdrawn', args: { origin: sessionData?.address }, logText: 'New withdraw (user as origin):' },
167+
{ name: 'FundsTransferred', args: { origin: sessionData?.address }, logText: 'New transfer from me:' },
168+
{ name: 'FundsTransferred', args: { recipient: sessionData?.address }, logText: 'New transfer to me:' },
169+
{ name: 'FundsLocked', args: { account: sessionData?.address }, logText: 'New funds locked:' },
170+
{ name: 'FundsClaimed', args: { claimer: sessionData?.address }, logText: 'New funds claimed:' },
171+
{ name: 'FundsReserved', args: { from: sessionData?.address }, logText: 'New funds reserved:' },
172+
{ name: 'FundsCollected', args: { from: sessionData?.address }, logText: 'New funds collected:' },
173+
{ name: 'FundsReleased', args: { to: sessionData?.address }, logText: 'New funds released:' },
174+
];
175+
176+
const unwatchers = events.map(event => watchEvent(event.name, event.args, event.logText));
177+
178+
return () => {
179+
unwatchers.forEach(unwatch => unwatch());
180+
};
181+
}, [sessionData?.address]);
182+
183+
184+
useEffect(() => {
185+
if (sessionData?.profile?.id) {
186+
// Subscribe to notifications channel
187+
subscribeToNotifications(sessionData?.profile?.id, dispatch, ['notifications']);
188+
189+
// Set the notifications in first render
190+
getNotifications(sessionData?.profile?.id).then(() => {});
191+
}
192+
}, [sessionData?.profile?.id, dispatch]);
193+
194+
return (
195+
<>
196+
<SettingsDrawer />
197+
<ProgressBar />
198+
<Router />
199+
<ResponsiveOverlay />
200+
</>
201+
)
202+
}

src/auth/context/web3Auth/config/web3AuthSettings.ts

+1
Original file line numberDiff line numberDiff line change
@@ -126,6 +126,7 @@ export function web3AuthFactory(): Web3Auth {
126126
privateKeyProvider,
127127
accountAbstractionProvider,
128128
chainConfig: chain.polygonAmoy,
129+
storageKey: 'local',
129130
clientId: GLOBAL_CONSTANTS.WEB3_CLIENT_ID,
130131
uiConfig: {
131132
appName: 'Watchit',

src/components/activate-subscription-profile-modal.tsx

+1-2
Original file line numberDiff line numberDiff line change
@@ -98,8 +98,7 @@ export const ActivateSubscriptionProfileModal = ({
9898

9999
onClose?.();
100100
} catch (err) {
101-
console.error('err');
102-
console.error(err);
101+
notifyError(ERRORS.ACTIVATE_SUBSCRIPTION_FAILED_ERROR);
103102
}
104103
};
105104

src/components/custom-popover/use-popover.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -2,14 +2,14 @@ import { useCallback, useState } from 'react';
22

33
// ----------------------------------------------------------------------
44

5-
type ReturnType = {
5+
export type UsePopoverReturnType = {
66
onClose: VoidFunction;
77
open: HTMLElement | null;
88
onOpen: (event: React.MouseEvent<HTMLElement>) => void;
99
setOpen: React.Dispatch<React.SetStateAction<HTMLElement | null>>;
1010
};
1111

12-
export default function usePopover(): ReturnType {
12+
export default function usePopover(): UsePopoverReturnType {
1313
const [open, setOpen] = useState<HTMLElement | null>(null);
1414

1515
const onOpen = useCallback((event: React.MouseEvent<HTMLElement>) => {

src/hooks/use-account-session.ts

+188
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,188 @@
1+
// REACT IMPORTS
2+
import { useEffect, useCallback } from 'react';
3+
4+
// REDUX IMPORTS
5+
import { useDispatch, useSelector } from 'react-redux';
6+
import { setAuthLoading, setSession, setBalance } from '@redux/auth';
7+
8+
// LENS IMPORTS
9+
import { useSession, useLogout } from '@lens-protocol/react-web';
10+
11+
// NOTIFICATIONS IMPORTS
12+
import { ERRORS } from '@notifications/errors';
13+
import { notifyError } from '@notifications/internal-notifications';
14+
15+
// WEB3AUTH IMPORTS
16+
import { useWeb3Auth } from '@src/hooks/use-web3-auth';
17+
import { useWeb3Session } from '@src/hooks/use-web3-session';
18+
19+
// ----------------------------------------------------------------------
20+
21+
interface UseAccountSessionProps {
22+
/**
23+
* Whether to automatically run the expiration checks
24+
* on mount + every interval (default: true).
25+
*/
26+
autoCheck?: boolean;
27+
}
28+
29+
interface UseAccountSessionHook {
30+
/**
31+
* Combined logout for Lens + Web3Auth
32+
*/
33+
logout: () => Promise<void>;
34+
35+
/**
36+
* Check session validity on demand:
37+
* - Verifies Web3Auth is fully connected (or still connecting)
38+
* - Verifies localStorage expiration
39+
* - Logs out + notifies error if invalid
40+
*/
41+
checkSessionValidity: () => void;
42+
}
43+
44+
// ----------------------------------------------------------------------
45+
46+
/**
47+
* This hook consolidates:
48+
* 1. Lens session fetching & Redux updates.
49+
* 2. Web3Auth session validation (connected, bundler, smartAccount).
50+
* 3. LocalStorage expiration checks + auto-logout (optionally).
51+
*
52+
* If `autoCheck` is false, the hook won't run the checks automatically,
53+
* but you can still call `checkSessionValidity()` manually.
54+
*/
55+
export const useAccountSession = (
56+
{ autoCheck = true }: UseAccountSessionProps = {}
57+
): UseAccountSessionHook => {
58+
const dispatch = useDispatch();
59+
const { execute: lensLogout } = useLogout();
60+
const { web3Auth } = useWeb3Auth();
61+
const { data, loading } = useSession();
62+
const isUpdatingMetadata: boolean = useSelector(
63+
(state: any) => state.auth.isUpdatingMetadata
64+
);
65+
const { bundlerClient, smartAccount } = useWeb3Session();
66+
67+
const parsedSessionConnected = JSON.stringify(web3Auth.connected);
68+
const parsedSessionData = JSON.stringify(data);
69+
70+
// Keep Redux in sync with Lens loading state
71+
useEffect(() => {
72+
// If autoCheck is disabled, skip
73+
if (!autoCheck) return;
74+
dispatch(setAuthLoading({ isSessionLoading: loading }));
75+
}, [loading, autoCheck]);
76+
77+
// Keep Redux in sync with actual Lens session data
78+
useEffect(() => {
79+
// If autoCheck is disabled, skip
80+
if (!autoCheck) return;
81+
if (!isUpdatingMetadata) {
82+
dispatch(setSession({ session: data }));
83+
}
84+
}, [parsedSessionData, isUpdatingMetadata, autoCheck]);
85+
86+
// LOGOUT (Lens + Web3Auth)
87+
const logout = useCallback(async () => {
88+
try {
89+
// 1) Logout from Lens
90+
await lensLogout();
91+
// 2) Logout from Web3Auth
92+
await web3Auth?.logout();
93+
// 3) Clear Redux state & localStorage
94+
dispatch(setBalance({ balance: 0 }));
95+
localStorage.removeItem('sessionExpiration');
96+
} catch (err) {
97+
console.error('Error during logout:', err);
98+
localStorage.removeItem('sessionExpiration');
99+
}
100+
}, [lensLogout, web3Auth, dispatch]);
101+
102+
// Decide if Web3Auth is in a valid/connecting state
103+
const isValidWeb3AuthSession = useCallback((): boolean => {
104+
const isConnecting =
105+
web3Auth.status === 'connecting' ||
106+
web3Auth.status === 'not_ready';
107+
108+
const isFullyValid =
109+
web3Auth.connected &&
110+
web3Auth.status === 'connected' &&
111+
!!bundlerClient &&
112+
!!smartAccount;
113+
114+
console.log('isValidWeb3AuthSession')
115+
console.log(isConnecting)
116+
console.log(isFullyValid)
117+
console.log(isConnecting || isFullyValid)
118+
119+
// Return true if either "still connecting" or "fully valid"
120+
return isConnecting || isFullyValid;
121+
}, [web3Auth.connected, web3Auth.status, bundlerClient, smartAccount]);
122+
123+
// If session is invalid or expired, do logout + show error
124+
const handleSessionExpired = useCallback(() => {
125+
logout();
126+
notifyError(ERRORS.BUNDLER_UNAVAILABLE);
127+
}, [logout]);
128+
129+
const checkSessionValidity = useCallback(() => {
130+
console.log('checkSessionValidity')
131+
// 1) If Web3Auth isn't valid (and not just connecting), expire
132+
if (!isValidWeb3AuthSession()) {
133+
handleSessionExpired();
134+
return;
135+
}
136+
137+
// 2) Otherwise, check localStorage for expiration
138+
const expirationStr = localStorage.getItem('sessionExpiration');
139+
if (!expirationStr) return;
140+
141+
const expirationTime = parseInt(expirationStr, 10);
142+
if (Date.now() >= expirationTime) {
143+
handleSessionExpired();
144+
}
145+
}, [isValidWeb3AuthSession, handleSessionExpired]);
146+
147+
// Automatic checks on mount + interval
148+
useEffect(() => {
149+
// If autoCheck is disabled, skip
150+
if (!autoCheck) return;
151+
152+
// If Lens or Web3Auth is still loading, skip checks until loaded
153+
if (loading || web3Auth.status === 'connecting' || web3Auth.status === 'not_ready') return;
154+
155+
// If user is not authenticated in Lens, skip
156+
if (!data?.authenticated) {
157+
return;
158+
}
159+
160+
// If Web3Auth is in "ready" state but not connected, log out
161+
// (meaning: it's done with any connecting state, but the user is not actually connected)
162+
if (!web3Auth.connected && web3Auth.status === 'ready') {
163+
logout();
164+
return;
165+
}
166+
167+
// Check once immediately
168+
checkSessionValidity();
169+
170+
// Then check every 60 seconds
171+
const intervalId = setInterval(() => {
172+
checkSessionValidity();
173+
}, 60 * 1000);
174+
175+
// Cleanup
176+
return () => clearInterval(intervalId);
177+
}, [
178+
autoCheck,
179+
loading,
180+
parsedSessionConnected,
181+
parsedSessionData
182+
]);
183+
184+
return {
185+
logout,
186+
checkSessionValidity,
187+
};
188+
};

0 commit comments

Comments
 (0)