DChain single-node blockchain + React Native messenger client. Core: - PBFT consensus with multi-sig validator admission + equivocation slashing - BadgerDB + schema migration scaffold (CurrentSchemaVersion=0) - libp2p gossipsub (tx/v1, blocks/v1, relay/v1, version/v1) - Native Go contracts (username_registry) alongside WASM (wazero) - WebSocket gateway with topic-based fanout + Ed25519-nonce auth - Relay mailbox with NaCl envelope encryption (X25519 + Ed25519) - Prometheus /metrics, per-IP rate limit, body-size cap Deployment: - Single-node compose (deploy/single/) with Caddy TLS + optional Prometheus - 3-node dev compose (docker-compose.yml) with mocked internet topology - 3-validator prod compose (deploy/prod/) for federation - Auto-update from Gitea via /api/update-check + systemd timer - Build-time version injection (ldflags → node --version) - UI / Swagger toggle flags (DCHAIN_DISABLE_UI, DCHAIN_DISABLE_SWAGGER) Client (client-app/): - Expo / React Native / NativeWind - E2E NaCl encryption, typing indicator, contact requests - Auto-discovery of canonical contracts, chain_id aware, WS reconnect on node switch Documentation: - README.md, CHANGELOG.md, CONTEXT.md - deploy/single/README.md with 6 operator scenarios - deploy/UPDATE_STRATEGY.md with 4-layer forward-compat design - docs/contracts/*.md per contract
95 lines
3.0 KiB
TypeScript
95 lines
3.0 KiB
TypeScript
/**
|
|
* Balance hook — uses the WebSocket gateway to receive instant updates when
|
|
* a tx involving the current address is committed, with HTTP polling as a
|
|
* graceful fallback for old nodes that don't expose /api/ws.
|
|
*
|
|
* Flow:
|
|
* 1. On mount: immediate HTTP fetch so the UI has a non-zero balance ASAP
|
|
* 2. Subscribe to `addr:<my_pubkey>` on the WS hub
|
|
* 3. On every `tx` event, re-fetch balance (cheap — one Badger read server-side)
|
|
* 4. If WS disconnects for >15s, fall back to 10-second polling until it reconnects
|
|
*/
|
|
|
|
import { useEffect, useCallback, useRef } from 'react';
|
|
import { getBalance } from '@/lib/api';
|
|
import { getWSClient } from '@/lib/ws';
|
|
import { useStore } from '@/lib/store';
|
|
|
|
const FALLBACK_POLL_INTERVAL = 10_000; // HTTP poll when WS is down
|
|
const WS_GRACE_BEFORE_POLLING = 15_000; // don't start polling immediately on disconnect
|
|
|
|
export function useBalance() {
|
|
const keyFile = useStore(s => s.keyFile);
|
|
const setBalance = useStore(s => s.setBalance);
|
|
|
|
const refresh = useCallback(async () => {
|
|
if (!keyFile) return;
|
|
try {
|
|
const bal = await getBalance(keyFile.pub_key);
|
|
setBalance(bal);
|
|
} catch {
|
|
// transient — next call will retry
|
|
}
|
|
}, [keyFile, setBalance]);
|
|
|
|
// --- fallback polling management ---
|
|
const pollTimerRef = useRef<ReturnType<typeof setInterval> | null>(null);
|
|
const disconnectSinceRef = useRef<number | null>(null);
|
|
const disconnectTORef = useRef<ReturnType<typeof setTimeout> | null>(null);
|
|
|
|
const startPolling = useCallback(() => {
|
|
if (pollTimerRef.current) return;
|
|
console.log('[useBalance] WS down for grace period — starting HTTP poll');
|
|
refresh();
|
|
pollTimerRef.current = setInterval(refresh, FALLBACK_POLL_INTERVAL);
|
|
}, [refresh]);
|
|
|
|
const stopPolling = useCallback(() => {
|
|
if (pollTimerRef.current) {
|
|
clearInterval(pollTimerRef.current);
|
|
pollTimerRef.current = null;
|
|
}
|
|
if (disconnectTORef.current) {
|
|
clearTimeout(disconnectTORef.current);
|
|
disconnectTORef.current = null;
|
|
}
|
|
disconnectSinceRef.current = null;
|
|
}, []);
|
|
|
|
useEffect(() => {
|
|
if (!keyFile) return;
|
|
const ws = getWSClient();
|
|
|
|
// Immediate HTTP fetch so the UI is not empty while the WS hello arrives.
|
|
refresh();
|
|
|
|
// Refresh balance whenever a tx for our address is committed.
|
|
const offTx = ws.subscribe('addr:' + keyFile.pub_key, (frame) => {
|
|
if (frame.event === 'tx') {
|
|
refresh();
|
|
}
|
|
});
|
|
|
|
// Manage fallback polling based on WS connection state.
|
|
const offConn = ws.onConnectionChange((ok) => {
|
|
if (ok) {
|
|
stopPolling();
|
|
refresh(); // catch up anything we missed while disconnected
|
|
} else if (disconnectTORef.current === null) {
|
|
disconnectSinceRef.current = Date.now();
|
|
disconnectTORef.current = setTimeout(startPolling, WS_GRACE_BEFORE_POLLING);
|
|
}
|
|
});
|
|
|
|
ws.connect();
|
|
|
|
return () => {
|
|
offTx();
|
|
offConn();
|
|
stopPolling();
|
|
};
|
|
}, [keyFile, refresh, startPolling, stopPolling]);
|
|
|
|
return { refresh };
|
|
}
|