import Link from 'next/link' import { keyBy, groupBy, mapValues, sortBy, partition, sumBy } from 'lodash' import dayjs from 'dayjs' import { useMemo, useState } from 'react' import { ChevronDownIcon, ChevronUpIcon } from '@heroicons/react/solid' import { Bet, MAX_USER_BETS_LOADED } from 'web/lib/firebase/bets' import { User } from 'web/lib/firebase/users' import { formatMoney, formatPercent, formatWithCommas, } from 'common/util/format' import { Col } from './layout/col' import { Spacer } from './layout/spacer' import { Contract, contractPath, getBinaryProbPercent, MAX_USER_BET_CONTRACTS_LOADED, } from 'web/lib/firebase/contracts' import { Row } from './layout/row' import { sellBet } from 'web/lib/firebase/api' import { ConfirmationButton } from './confirmation-button' import { OutcomeLabel } from './outcome-label' import { LoadingIndicator } from './loading-indicator' import { SiteLink } from './site-link' import { calculatePayout, calculateSaleAmount, getOutcomeProbability, getProbabilityAfterSale, getContractBetMetrics, resolvedPayout, getContractBetNullMetrics, } from 'common/calculate' import { NumericContract } from 'common/contract' import { formatNumericProbability } from 'common/pseudo-numeric' import { useUser } from 'web/hooks/use-user' import { useUserBets } from 'web/hooks/use-user-bets' import { useUnfilledBetsAndBalanceByUserId } from 'web/hooks/use-bets' import { LimitBet } from 'common/bet' import { Pagination } from './pagination' import { LimitOrderTable } from './limit-bets' import { UserLink } from 'web/components/user-link' import { useUserBetContracts } from 'web/hooks/use-contracts' import { BetsSummary } from './bet-summary' import { ProfitBadge } from './profit-badge' import { storageStore, usePersistentState, } from 'web/hooks/use-persistent-state' import { safeLocalStorage } from 'web/lib/util/local' import { ExclamationIcon } from '@heroicons/react/outline' import { Select } from './select' import { Table } from './table' type BetSort = 'newest' | 'profit' | 'closeTime' | 'value' type BetFilter = 'open' | 'limit_bet' | 'sold' | 'closed' | 'resolved' | 'all' const CONTRACTS_PER_PAGE = 50 const JUNE_1_2022 = new Date('2022-06-01T00:00:00.000Z').valueOf() export function BetsList(props: { user: User }) { const { user } = props const signedInUser = useUser() const isYourBets = user.id === signedInUser?.id const hideBetsBefore = isYourBets ? 0 : JUNE_1_2022 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.isAnte && bet.createdTime >= (hideBetsBefore ?? 0) ), [userBets, hideBetsBefore] ) const contractList = useUserBetContracts(user.id) const contractsById = useMemo(() => { return contractList ? keyBy(contractList, 'id') : undefined }, [contractList]) const loadedPartialData = userBets?.length === MAX_USER_BETS_LOADED || contractList?.length === MAX_USER_BET_CONTRACTS_LOADED const [sort, setSort] = usePersistentState('newest', { key: 'bets-list-sort', store: storageStore(safeLocalStorage()), }) const [filter, setFilter] = usePersistentState('all', { key: 'bets-list-filter', store: storageStore(safeLocalStorage()), }) const [page, setPage] = useState(0) const start = page * CONTRACTS_PER_PAGE const end = start + CONTRACTS_PER_PAGE if (!bets || !contractsById) { return } if (bets.length === 0) return // Decending creation time. bets.sort((bet1, bet2) => bet2.createdTime - bet1.createdTime) const contractBets = groupBy(bets, 'contractId') // Keep only contracts that have bets. const contracts = Object.values(contractsById).filter( (c) => contractBets[c.id] ) const contractsMetrics = mapValues(contractBets, (bets, contractId) => { const contract = contractsById[contractId] if (!contract) return getContractBetNullMetrics() return getContractBetMetrics(contract, bets) }) const FILTERS: Record boolean> = { resolved: (c) => !!c.resolutionTime, closed: (c) => !FILTERS.resolved(c) && (c.closeTime ?? Infinity) < Date.now(), open: (c) => !(FILTERS.closed(c) || FILTERS.resolved(c)), all: () => true, sold: () => true, limit_bet: (c) => FILTERS.open(c), } const SORTS: Record number> = { profit: (c) => contractsMetrics[c.id].profit, value: (c) => contractsMetrics[c.id].payout, newest: (c) => Math.max(...contractBets[c.id].map((bet) => bet.createdTime)), closeTime: (c) => // This is in fact the intuitive sort direction. (filter === 'open' ? -1 : 1) * (c.resolutionTime ?? c.closeTime ?? Infinity), } const filteredContracts = sortBy(contracts, SORTS[sort]) .reverse() .filter(FILTERS[filter]) .filter((c) => { if (filter === 'all') return true const { hasShares } = contractsMetrics[c.id] if (filter === 'sold') return !hasShares if (filter === 'limit_bet') return (contractBets[c.id] ?? []).some( (b) => b.limitProb !== undefined && !b.isCancelled && !b.isFilled ) return hasShares }) const displayedContracts = filteredContracts.slice(start, end) const unsettled = contracts.filter( (c) => !c.isResolved && contractsMetrics[c.id].invested !== 0 ) const currentInvested = sumBy( unsettled, (c) => contractsMetrics[c.id].invested ) const currentBetsValue = sumBy( unsettled, (c) => contractsMetrics[c.id].payout ) const currentLoan = sumBy(unsettled, (c) => contractsMetrics[c.id].loan) const investedProfitPercent = ((currentBetsValue - currentInvested) / (currentInvested + 0.1)) * 100 return ( {loadedPartialData && (
Partial trade data only
)}
Investment value
{formatMoney(currentBetsValue)}{' '}
Total loans
{formatMoney(currentLoan)}
{displayedContracts.length === 0 ? ( ) : ( <> {displayedContracts.map((contract) => ( ))} )} ) } const NoBets = ({ user }: { user: User }) => { const me = useUser() return (
{user.id === me?.id ? ( <> You have not made any bets yet.{' '} Find a prediction market! ) : ( <>{user.name} has not made any public bets yet. )}
) } const NoMatchingBets = () => (
No bets matching the current filter.
) function ContractBets(props: { contract: Contract bets: Bet[] metric: 'profit' | 'value' isYourBets: boolean }) { const { bets, contract, metric, isYourBets } = props const { resolution, outcomeType } = contract const limitBets = bets.filter( (bet) => bet.limitProb !== undefined && !bet.isCancelled && !bet.isFilled ) as LimitBet[] const resolutionValue = (contract as NumericContract).resolutionValue const [collapsed, setCollapsed] = useState(true) const isBinary = outcomeType === 'BINARY' const { payout, profit, profitPercent } = getContractBetMetrics( contract, bets ) return (
setCollapsed((collapsed) => !collapsed)} > e.stopPropagation()} > {contract.question} {/* Show carrot for collapsing. Hack the positioning. */} {collapsed ? ( ) : ( )} {resolution ? ( <>
Resolved{' '}
) : isBinary ? ( <>
{getBinaryProbPercent(contract)}
) : null}
{formatMoney(metric === 'profit' ? profit : payout)}
{!collapsed && (
{contract.mechanism === 'cpmm-1' && limitBets.length > 0 && (
Limit orders
)}
Bets
)}
) } export function ContractBetsTable(props: { contract: Contract bets: Bet[] isYourBets: boolean }) { const { contract, isYourBets } = props const bets = sortBy( props.bets.filter((b) => !b.isAnte && b.amount !== 0), (bet) => bet.createdTime ).reverse() const [sales, buys] = partition(bets, (bet) => bet.sale) const salesDict = Object.fromEntries( sales.map((sale) => [sale.sale?.betId ?? '', sale]) ) const [redemptions, normalBets] = partition( contract.mechanism === 'cpmm-1' ? bets : buys, (b) => b.isRedemption ) const amountRedeemed = Math.floor(-0.5 * sumBy(redemptions, (b) => b.shares)) const amountLoaned = sumBy( bets.filter((bet) => !bet.isSold && !bet.sale), (bet) => bet.loanAmount ?? 0 ) const { isResolved, mechanism, outcomeType } = contract const isCPMM = mechanism === 'cpmm-1' const isNumeric = outcomeType === 'NUMERIC' const isPseudoNumeric = outcomeType === 'PSEUDO_NUMERIC' const { unfilledBets, balanceByUserId } = useUnfilledBetsAndBalanceByUserId( contract.id ) return (
{amountRedeemed > 0 && ( <>
{amountRedeemed} {isPseudoNumeric ? 'HIGHER' : 'YES'} shares and{' '} {amountRedeemed} {isPseudoNumeric ? 'LOWER' : 'NO'} shares automatically redeemed for {formatMoney(amountRedeemed)}.
)} {!isResolved && amountLoaned > 0 && ( <>
You currently have a loan of {formatMoney(amountLoaned)}.
)} {isCPMM && } {!isCPMM && !isNumeric && ( )} {!isCPMM && !isResolved && } {!isPseudoNumeric && } {normalBets.map((bet) => ( ))}
TypeOutcome Amount{isResolved ? <>Payout : <>Sale price}Payout if chosenSharesProbabilityDate
) } function BetRow(props: { bet: Bet contract: Contract saleBet?: Bet isYourBet: boolean unfilledBets: LimitBet[] balanceByUserId: { [userId: string]: number } }) { const { bet, saleBet, contract, isYourBet, unfilledBets, balanceByUserId } = props const { amount, outcome, createdTime, probBefore, probAfter, shares, isSold, isAnte, } = bet const { isResolved, closeTime, mechanism, outcomeType } = contract const isClosed = closeTime && Date.now() > closeTime const isCPMM = mechanism === 'cpmm-1' const isNumeric = outcomeType === 'NUMERIC' const isPseudoNumeric = outcomeType === 'PSEUDO_NUMERIC' // calculateSaleAmount is very slow right now so that's why we memoized this const payout = useMemo(() => { const saleBetAmount = saleBet?.sale?.amount if (saleBetAmount) { return saleBetAmount } else if (contract.isResolved) { return resolvedPayout(contract, bet) } else { return calculateSaleAmount(contract, bet, unfilledBets, balanceByUserId) } }, [contract, bet, saleBet, unfilledBets, balanceByUserId]) const saleDisplay = isAnte ? ( 'ANTE' ) : saleBet ? ( <>{formatMoney(payout)} (sold) ) : ( formatMoney(payout) ) const payoutIfChosenDisplay = bet.isAnte && outcomeType === 'FREE_RESPONSE' && bet.outcome === '0' ? 'N/A' : formatMoney(calculatePayout(contract, bet, bet.outcome)) const hadPoolMatch = (bet.limitProb === undefined || bet.fills?.some((fill) => fill.matchedBetId === null)) ?? false const ofTotalAmount = bet.limitProb === undefined || bet.orderAmount === undefined ? '' : ` / ${formatMoney(bet.orderAmount)}` return ( {isYourBet && !isCPMM && !isResolved && !isClosed && !isSold && !isAnte && !isNumeric && ( )} {isCPMM && {shares >= 0 ? 'BUY' : 'SELL'}} {bet.isAnte ? ( 'ANTE' ) : ( )} {isPseudoNumeric && ' than ' + formatNumericProbability(bet.probAfter, contract)} {formatMoney(Math.abs(amount))} {ofTotalAmount} {!isCPMM && !isNumeric && {saleDisplay}} {!isCPMM && !isResolved && {payoutIfChosenDisplay}} {formatWithCommas(Math.abs(shares))} {!isPseudoNumeric && ( {outcomeType === 'FREE_RESPONSE' || hadPoolMatch ? ( <> {formatPercent(probBefore)} → {formatPercent(probAfter)} ) : ( formatPercent(bet.limitProb ?? 0) )} )} {dayjs(createdTime).format('MMM D, h:mma')} ) } function SellButton(props: { contract: Contract bet: Bet unfilledBets: LimitBet[] balanceByUserId: { [userId: string]: number } }) { const { contract, bet, unfilledBets, balanceByUserId } = props const { outcome, shares, loanAmount } = bet const [isSubmitting, setIsSubmitting] = useState(false) const initialProb = getOutcomeProbability( contract, outcome === 'NO' ? 'YES' : outcome ) const outcomeProb = getProbabilityAfterSale( contract, outcome, shares, unfilledBets, balanceByUserId ) const saleAmount = calculateSaleAmount( contract, bet, unfilledBets, balanceByUserId ) const profit = saleAmount - bet.amount return ( { setIsSubmitting(true) await sellBet({ contractId: contract.id, betId: bet.id }) setIsSubmitting(false) }} >
Sell {formatWithCommas(shares)} shares of{' '} {' '} for {formatMoney(saleAmount)}?
{!!loanAmount && (
You will also pay back {formatMoney(loanAmount)} of your loan, for a net of {formatMoney(saleAmount - loanAmount)}.
)}
{profit > 0 ? 'Profit' : 'Loss'}: {formatMoney(profit).replace('-', '')}
Market probability: {formatPercent(initialProb)} →{' '} {formatPercent(outcomeProb)}
) }