⚡ Cache user bets tab with react query!! (#813)
* Convert useUserBets to react query * Fix duplicate key warnings * Fix react-query workaround to use refetchOnMount: always' * Use react query for portfolio history * Fix useUserBet workaround * Script to back fill unique bettors in all contracts * React query for user bet contracts, using uniqueBettorsId! * Prefetch user bets / portfolio data
This commit is contained in:
parent
7e00f29189
commit
996b4795ea
39
functions/src/scripts/backfill-unique-bettors.ts
Normal file
39
functions/src/scripts/backfill-unique-bettors.ts
Normal file
|
@ -0,0 +1,39 @@
|
|||
import * as admin from 'firebase-admin'
|
||||
import { initAdmin } from './script-init'
|
||||
import { getValues, log, writeAsync } from '../utils'
|
||||
import { Bet } from '../../../common/bet'
|
||||
import { groupBy, mapValues, sortBy, uniq } from 'lodash'
|
||||
|
||||
initAdmin()
|
||||
const firestore = admin.firestore()
|
||||
|
||||
const getBettorsByContractId = async () => {
|
||||
const bets = await getValues<Bet>(firestore.collectionGroup('bets'))
|
||||
log(`Loaded ${bets.length} bets.`)
|
||||
const betsByContractId = groupBy(bets, 'contractId')
|
||||
return mapValues(betsByContractId, (bets) =>
|
||||
uniq(sortBy(bets, 'createdTime').map((bet) => bet.userId))
|
||||
)
|
||||
}
|
||||
|
||||
const updateUniqueBettors = async () => {
|
||||
const bettorsByContractId = await getBettorsByContractId()
|
||||
|
||||
const updates = Object.entries(bettorsByContractId).map(
|
||||
([contractId, userIds]) => {
|
||||
const update = {
|
||||
uniqueBettorIds: userIds,
|
||||
uniqueBettorCount: userIds.length,
|
||||
}
|
||||
const docRef = firestore.collection('contracts').doc(contractId)
|
||||
return { doc: docRef, fields: update }
|
||||
}
|
||||
)
|
||||
log(`Updating ${updates.length} contracts.`)
|
||||
await writeAsync(firestore, updates)
|
||||
log(`Updated all contracts.`)
|
||||
}
|
||||
|
||||
if (require.main === module) {
|
||||
updateUniqueBettors()
|
||||
}
|
|
@ -1,14 +1,5 @@
|
|||
import Link from 'next/link'
|
||||
import {
|
||||
Dictionary,
|
||||
keyBy,
|
||||
groupBy,
|
||||
mapValues,
|
||||
sortBy,
|
||||
partition,
|
||||
sumBy,
|
||||
uniq,
|
||||
} from 'lodash'
|
||||
import { keyBy, groupBy, mapValues, sortBy, partition, sumBy } from 'lodash'
|
||||
import dayjs from 'dayjs'
|
||||
import { useEffect, useMemo, useState } from 'react'
|
||||
import clsx from 'clsx'
|
||||
|
@ -28,7 +19,6 @@ import {
|
|||
Contract,
|
||||
contractPath,
|
||||
getBinaryProbPercent,
|
||||
getContractFromId,
|
||||
} from 'web/lib/firebase/contracts'
|
||||
import { Row } from './layout/row'
|
||||
import { UserLink } from './user-page'
|
||||
|
@ -56,9 +46,9 @@ import { SellSharesModal } from './sell-modal'
|
|||
import { useUnfilledBets } from 'web/hooks/use-bets'
|
||||
import { LimitBet } from 'common/bet'
|
||||
import { floatingEqual } from 'common/util/math'
|
||||
import { filterDefined } from 'common/util/array'
|
||||
import { Pagination } from './pagination'
|
||||
import { LimitOrderTable } from './limit-bets'
|
||||
import { useUserBetContracts } from 'web/hooks/use-contracts'
|
||||
|
||||
type BetSort = 'newest' | 'profit' | 'closeTime' | 'value'
|
||||
type BetFilter = 'open' | 'limit_bet' | 'sold' | 'closed' | 'resolved' | 'all'
|
||||
|
@ -72,26 +62,22 @@ export function BetsList(props: { user: User }) {
|
|||
const signedInUser = useUser()
|
||||
const isYourBets = user.id === signedInUser?.id
|
||||
const hideBetsBefore = isYourBets ? 0 : JUNE_1_2022
|
||||
const userBets = useUserBets(user.id, { includeRedemptions: true })
|
||||
const [contractsById, setContractsById] = useState<
|
||||
Dictionary<Contract> | undefined
|
||||
>()
|
||||
const userBets = useUserBets(user.id)
|
||||
|
||||
// Hide bets before 06-01-2022 if this isn't your own profile
|
||||
// NOTE: This means public profits also begin on 06-01-2022 as well.
|
||||
const bets = useMemo(
|
||||
() => userBets?.filter((bet) => bet.createdTime >= (hideBetsBefore ?? 0)),
|
||||
() =>
|
||||
userBets?.filter(
|
||||
(bet) => !bet.isAnte && bet.createdTime >= (hideBetsBefore ?? 0)
|
||||
),
|
||||
[userBets, hideBetsBefore]
|
||||
)
|
||||
|
||||
useEffect(() => {
|
||||
if (bets) {
|
||||
const contractIds = uniq(bets.map((b) => b.contractId))
|
||||
Promise.all(contractIds.map(getContractFromId)).then((contracts) => {
|
||||
setContractsById(keyBy(filterDefined(contracts), 'id'))
|
||||
})
|
||||
}
|
||||
}, [bets])
|
||||
const contractList = useUserBetContracts(user.id)
|
||||
const contractsById = useMemo(() => {
|
||||
return contractList ? keyBy(contractList, 'id') : undefined
|
||||
}, [contractList])
|
||||
|
||||
const [sort, setSort] = useState<BetSort>('newest')
|
||||
const [filter, setFilter] = useState<BetFilter>('open')
|
||||
|
|
|
@ -319,7 +319,7 @@ function GroupsList(props: { currentPage: string; memberItems: Item[] }) {
|
|||
{memberItems.map((item) => (
|
||||
<a
|
||||
href={item.href}
|
||||
key={item.name}
|
||||
key={item.href}
|
||||
onClick={trackCallback('click sidebar group', { name: item.name })}
|
||||
className={clsx(
|
||||
'cursor-pointer truncate',
|
||||
|
|
|
@ -1,43 +1,26 @@
|
|||
import { PortfolioMetrics } from 'common/user'
|
||||
import { formatMoney } from 'common/util/format'
|
||||
import { last } from 'lodash'
|
||||
import { memo, useEffect, useState } from 'react'
|
||||
import { Period, getPortfolioHistory } from 'web/lib/firebase/users'
|
||||
import { memo, useRef, useState } from 'react'
|
||||
import { usePortfolioHistory } from 'web/hooks/use-portfolio-history'
|
||||
import { Period } from 'web/lib/firebase/users'
|
||||
import { Col } from '../layout/col'
|
||||
import { Row } from '../layout/row'
|
||||
import { PortfolioValueGraph } from './portfolio-value-graph'
|
||||
import { DAY_MS } from 'common/util/time'
|
||||
|
||||
const periodToCutoff = (now: number, period: Period) => {
|
||||
switch (period) {
|
||||
case 'daily':
|
||||
return now - 1 * DAY_MS
|
||||
case 'weekly':
|
||||
return now - 7 * DAY_MS
|
||||
case 'monthly':
|
||||
return now - 30 * DAY_MS
|
||||
case 'allTime':
|
||||
default:
|
||||
return new Date(0)
|
||||
}
|
||||
}
|
||||
|
||||
export const PortfolioValueSection = memo(
|
||||
function PortfolioValueSection(props: { userId: string }) {
|
||||
const { userId } = props
|
||||
|
||||
const [portfolioPeriod, setPortfolioPeriod] = useState<Period>('weekly')
|
||||
const [portfolioHistory, setUsersPortfolioHistory] = useState<
|
||||
PortfolioMetrics[]
|
||||
>([])
|
||||
const portfolioHistory = usePortfolioHistory(userId, portfolioPeriod)
|
||||
|
||||
useEffect(() => {
|
||||
const cutoff = periodToCutoff(Date.now(), portfolioPeriod).valueOf()
|
||||
getPortfolioHistory(userId, cutoff).then(setUsersPortfolioHistory)
|
||||
}, [portfolioPeriod, userId])
|
||||
// Remember the last defined portfolio history.
|
||||
const portfolioRef = useRef(portfolioHistory)
|
||||
if (portfolioHistory) portfolioRef.current = portfolioHistory
|
||||
const currPortfolioHistory = portfolioRef.current
|
||||
|
||||
const lastPortfolioMetrics = last(portfolioHistory)
|
||||
if (portfolioHistory.length === 0 || !lastPortfolioMetrics) {
|
||||
const lastPortfolioMetrics = last(currPortfolioHistory)
|
||||
if (!currPortfolioHistory || !lastPortfolioMetrics) {
|
||||
return <></>
|
||||
}
|
||||
|
||||
|
@ -64,7 +47,7 @@ export const PortfolioValueSection = memo(
|
|||
</select>
|
||||
</Row>
|
||||
<PortfolioValueGraph
|
||||
portfolioHistory={portfolioHistory}
|
||||
portfolioHistory={currPortfolioHistory}
|
||||
includeTime={portfolioPeriod == 'daily'}
|
||||
/>
|
||||
</>
|
||||
|
|
|
@ -1,3 +1,4 @@
|
|||
import { useFirestoreQueryData } from '@react-query-firebase/firestore'
|
||||
import { isEqual } from 'lodash'
|
||||
import { useEffect, useRef, useState } from 'react'
|
||||
import {
|
||||
|
@ -8,6 +9,7 @@ import {
|
|||
listenForHotContracts,
|
||||
listenForInactiveContracts,
|
||||
listenForNewContracts,
|
||||
getUserBetContractsQuery,
|
||||
} from 'web/lib/firebase/contracts'
|
||||
|
||||
export const useContracts = () => {
|
||||
|
@ -89,3 +91,15 @@ export const useUpdatedContracts = (contracts: Contract[] | undefined) => {
|
|||
? contracts.map((c) => contractDict.current[c.id])
|
||||
: undefined
|
||||
}
|
||||
|
||||
export const useUserBetContracts = (userId: string) => {
|
||||
const result = useFirestoreQueryData(
|
||||
['contracts', 'bets', userId],
|
||||
getUserBetContractsQuery(userId),
|
||||
{ subscribe: true, includeMetadataChanges: true },
|
||||
// Temporary workaround for react-query bug:
|
||||
// https://github.com/invertase/react-query-firebase/issues/25
|
||||
{ refetchOnMount: 'always' }
|
||||
)
|
||||
return result.data
|
||||
}
|
||||
|
|
|
@ -20,8 +20,9 @@ function useNotifications(privateUser: PrivateUser) {
|
|||
{ subscribe: true, includeMetadataChanges: true },
|
||||
// Temporary workaround for react-query bug:
|
||||
// https://github.com/invertase/react-query-firebase/issues/25
|
||||
{ cacheTime: 0 }
|
||||
{ refetchOnMount: 'always' }
|
||||
)
|
||||
|
||||
const notifications = useMemo(() => {
|
||||
if (!result.data) return undefined
|
||||
const notifications = result.data as Notification[]
|
||||
|
|
32
web/hooks/use-portfolio-history.ts
Normal file
32
web/hooks/use-portfolio-history.ts
Normal file
|
@ -0,0 +1,32 @@
|
|||
import { useFirestoreQueryData } from '@react-query-firebase/firestore'
|
||||
import { DAY_MS, HOUR_MS } from 'common/util/time'
|
||||
import { getPortfolioHistoryQuery, Period } from 'web/lib/firebase/users'
|
||||
|
||||
export const usePortfolioHistory = (userId: string, period: Period) => {
|
||||
const nowRounded = Math.round(Date.now() / HOUR_MS) * HOUR_MS
|
||||
const cutoff = periodToCutoff(nowRounded, period).valueOf()
|
||||
|
||||
const result = useFirestoreQueryData(
|
||||
['portfolio-history', userId, cutoff],
|
||||
getPortfolioHistoryQuery(userId, cutoff),
|
||||
{ subscribe: true, includeMetadataChanges: true },
|
||||
// Temporary workaround for react-query bug:
|
||||
// https://github.com/invertase/react-query-firebase/issues/25
|
||||
{ refetchOnMount: 'always' }
|
||||
)
|
||||
return result.data
|
||||
}
|
||||
|
||||
const periodToCutoff = (now: number, period: Period) => {
|
||||
switch (period) {
|
||||
case 'daily':
|
||||
return now - 1 * DAY_MS
|
||||
case 'weekly':
|
||||
return now - 7 * DAY_MS
|
||||
case 'monthly':
|
||||
return now - 30 * DAY_MS
|
||||
case 'allTime':
|
||||
default:
|
||||
return new Date(0)
|
||||
}
|
||||
}
|
11
web/hooks/use-prefetch.ts
Normal file
11
web/hooks/use-prefetch.ts
Normal file
|
@ -0,0 +1,11 @@
|
|||
import { useUserBetContracts } from './use-contracts'
|
||||
import { usePortfolioHistory } from './use-portfolio-history'
|
||||
import { useUserBets } from './use-user-bets'
|
||||
|
||||
export function usePrefetch(userId: string | undefined) {
|
||||
const maybeUserId = userId ?? ''
|
||||
|
||||
useUserBets(maybeUserId)
|
||||
useUserBetContracts(maybeUserId)
|
||||
usePortfolioHistory(maybeUserId, 'weekly')
|
||||
}
|
|
@ -1,22 +1,21 @@
|
|||
import { uniq } from 'lodash'
|
||||
import { useFirestoreQueryData } from '@react-query-firebase/firestore'
|
||||
import { useEffect, useState } from 'react'
|
||||
import {
|
||||
Bet,
|
||||
listenForUserBets,
|
||||
getUserBetsQuery,
|
||||
listenForUserContractBets,
|
||||
} from 'web/lib/firebase/bets'
|
||||
|
||||
export const useUserBets = (
|
||||
userId: string | undefined,
|
||||
options: { includeRedemptions: boolean }
|
||||
) => {
|
||||
const [bets, setBets] = useState<Bet[] | undefined>(undefined)
|
||||
|
||||
useEffect(() => {
|
||||
if (userId) return listenForUserBets(userId, setBets, options)
|
||||
}, [userId])
|
||||
|
||||
return bets
|
||||
export const useUserBets = (userId: string) => {
|
||||
const result = useFirestoreQueryData(
|
||||
['bets', userId],
|
||||
getUserBetsQuery(userId),
|
||||
{ subscribe: true, includeMetadataChanges: true },
|
||||
// Temporary workaround for react-query bug:
|
||||
// https://github.com/invertase/react-query-firebase/issues/25
|
||||
{ refetchOnMount: 'always' }
|
||||
)
|
||||
return result.data
|
||||
}
|
||||
|
||||
export const useUserContractBets = (
|
||||
|
@ -33,36 +32,6 @@ export const useUserContractBets = (
|
|||
return bets
|
||||
}
|
||||
|
||||
export const useUserBetContracts = (
|
||||
userId: string | undefined,
|
||||
options: { includeRedemptions: boolean }
|
||||
) => {
|
||||
const [contractIds, setContractIds] = useState<string[] | undefined>()
|
||||
|
||||
useEffect(() => {
|
||||
if (userId) {
|
||||
const key = `user-bet-contractIds-${userId}`
|
||||
|
||||
const userBetContractJson = localStorage.getItem(key)
|
||||
if (userBetContractJson) {
|
||||
setContractIds(JSON.parse(userBetContractJson))
|
||||
}
|
||||
|
||||
return listenForUserBets(
|
||||
userId,
|
||||
(bets) => {
|
||||
const contractIds = uniq(bets.map((bet) => bet.contractId))
|
||||
setContractIds(contractIds)
|
||||
localStorage.setItem(key, JSON.stringify(contractIds))
|
||||
},
|
||||
options
|
||||
)
|
||||
}
|
||||
}, [userId])
|
||||
|
||||
return contractIds
|
||||
}
|
||||
|
||||
export const useGetUserBetContractIds = (userId: string | undefined) => {
|
||||
const [contractIds, setContractIds] = useState<string[] | undefined>()
|
||||
|
||||
|
|
|
@ -11,6 +11,7 @@ import {
|
|||
getDocs,
|
||||
getDoc,
|
||||
DocumentSnapshot,
|
||||
Query,
|
||||
} from 'firebase/firestore'
|
||||
import { uniq } from 'lodash'
|
||||
|
||||
|
@ -131,24 +132,12 @@ export async function getContractsOfUserBets(userId: string) {
|
|||
return filterDefined(contracts)
|
||||
}
|
||||
|
||||
export function listenForUserBets(
|
||||
userId: string,
|
||||
setBets: (bets: Bet[]) => void,
|
||||
options: { includeRedemptions: boolean }
|
||||
) {
|
||||
const { includeRedemptions } = options
|
||||
const userQuery = query(
|
||||
export function getUserBetsQuery(userId: string) {
|
||||
return query(
|
||||
collectionGroup(db, 'bets'),
|
||||
where('userId', '==', userId),
|
||||
orderBy('createdTime', 'desc')
|
||||
)
|
||||
return listenForValues<Bet>(userQuery, (bets) => {
|
||||
setBets(
|
||||
bets.filter(
|
||||
(bet) => (includeRedemptions || !bet.isRedemption) && !bet.isAnte
|
||||
)
|
||||
)
|
||||
})
|
||||
) as Query<Bet>
|
||||
}
|
||||
|
||||
export function listenForUserContractBets(
|
||||
|
|
|
@ -6,6 +6,7 @@ import {
|
|||
getDocs,
|
||||
limit,
|
||||
orderBy,
|
||||
Query,
|
||||
query,
|
||||
setDoc,
|
||||
startAfter,
|
||||
|
@ -156,6 +157,13 @@ export function listenForUserContracts(
|
|||
return listenForValues<Contract>(q, setContracts)
|
||||
}
|
||||
|
||||
export function getUserBetContractsQuery(userId: string) {
|
||||
return query(
|
||||
contracts,
|
||||
where('uniqueBettorIds', 'array-contains', userId)
|
||||
) as Query<Contract>
|
||||
}
|
||||
|
||||
const activeContractsQuery = query(
|
||||
contracts,
|
||||
where('isResolved', '==', false),
|
||||
|
|
|
@ -12,6 +12,7 @@ import {
|
|||
deleteDoc,
|
||||
collectionGroup,
|
||||
onSnapshot,
|
||||
Query,
|
||||
} from 'firebase/firestore'
|
||||
import { getAuth } from 'firebase/auth'
|
||||
import { GoogleAuthProvider, signInWithPopup } from 'firebase/auth'
|
||||
|
@ -252,15 +253,13 @@ export async function unfollow(userId: string, unfollowedUserId: string) {
|
|||
await deleteDoc(followDoc)
|
||||
}
|
||||
|
||||
export async function getPortfolioHistory(userId: string, since: number) {
|
||||
return getValues<PortfolioMetrics>(
|
||||
query(
|
||||
collectionGroup(db, 'portfolioHistory'),
|
||||
where('userId', '==', userId),
|
||||
where('timestamp', '>=', since),
|
||||
orderBy('timestamp', 'asc')
|
||||
)
|
||||
)
|
||||
export function getPortfolioHistoryQuery(userId: string, since: number) {
|
||||
return query(
|
||||
collectionGroup(db, 'portfolioHistory'),
|
||||
where('userId', '==', userId),
|
||||
where('timestamp', '>=', since),
|
||||
orderBy('timestamp', 'asc')
|
||||
) as Query<PortfolioMetrics>
|
||||
}
|
||||
|
||||
export function listenForFollows(
|
||||
|
|
|
@ -42,6 +42,7 @@ import {
|
|||
} from 'web/components/contract/contract-leaderboard'
|
||||
import { ContractsGrid } from 'web/components/contract/contracts-grid'
|
||||
import { Title } from 'web/components/title'
|
||||
import { usePrefetch } from 'web/hooks/use-prefetch'
|
||||
|
||||
export const getStaticProps = fromPropz(getStaticPropz)
|
||||
export async function getStaticPropz(props: {
|
||||
|
@ -157,6 +158,7 @@ export function ContractPageContent(
|
|||
const { backToHome, comments, user } = props
|
||||
|
||||
const contract = useContractWithPreload(props.contract) ?? props.contract
|
||||
usePrefetch(user?.id)
|
||||
|
||||
useTracking('view market', {
|
||||
slug: contract.slug,
|
||||
|
|
|
@ -15,6 +15,7 @@ import { track } from 'web/lib/service/analytics'
|
|||
import { authenticateOnServer } from 'web/lib/firebase/server-auth'
|
||||
import { useSaveReferral } from 'web/hooks/use-save-referral'
|
||||
import { GetServerSideProps } from 'next'
|
||||
import { usePrefetch } from 'web/hooks/use-prefetch'
|
||||
|
||||
export const getServerSideProps: GetServerSideProps = async (ctx) => {
|
||||
const creds = await authenticateOnServer(ctx)
|
||||
|
@ -30,6 +31,7 @@ const Home = (props: { auth: { user: User } | null }) => {
|
|||
useTracking('view home')
|
||||
|
||||
useSaveReferral()
|
||||
usePrefetch(user?.id)
|
||||
|
||||
return (
|
||||
<>
|
||||
|
|
Loading…
Reference in New Issue
Block a user