import clsx from 'clsx'
import React, { useEffect, useState } from 'react'
import { ENV_CONFIG } from '../../common/envs/constants'
import { User } from '../../common/user'
import { formatMoney } from '../../common/util/format'
import { useUser } from '../hooks/use-user'
import { buyLeaderboardSlot } from '../lib/firebase/api-call'
import {
  SlotData,
  Transaction,
  writeTransaction,
} from '../lib/firebase/transactions'
import { loadFakeBalance } from '../pages/leaderboards'
import { AddFundsButton } from './add-funds-button'
import { AmountInput } from './amount-input'
import { Avatar } from './avatar'
import { Col } from './layout/col'
import { Modal } from './layout/modal'
import { Row } from './layout/row'
import { SiteLink } from './site-link'
import { Title } from './title'
export function Manaboard(props: {
  title: string
  users: User[]
  values: number[]
  createdTimes: number[]
  className?: string
}) {
  // TODO: Ideally, highlight your own entry on the leaderboard
  let { title, users, className, values, createdTimes } = props
  const [expanded, setExpanded] = useState(false)
  if (!expanded) {
    users = users.slice(0, 25)
    values = values.slice(0, 25)
  }
  return (
    
      
      {users.length === 0 ? (
        
None yet
      ) : (
        
          
            
              
                | # | Name | Value |  | 
            
            
              {users.map((user, index) => (
                
                  | {index + 1} | 
                      
                        
                      
                      
                        {user.name}
                       | 
                      {formatMoney(values[index])}
                      
                     |  | 
              ))}
            
          
          
         
      )}
    
 
  )
}
function Label(props: { children: React.ReactNode }) {
  return 
}
export function BuySlotModal(props: {
  title: string
  holder: User
  slot: number
  value: number
  createdTime: number
  allSlots: User[]
}) {
  const { slot, allSlots, holder, value, createdTime } = props
  const user = useUser()
  const [open, setOpen] = useState(false)
  const [newValue, setNewValue] = useState(value)
  const [message, setMessage] = useState('')
  useEffect(() => {
    if (user?.name) {
      setMessage(user.name)
    }
  }, [user])
  // const onBuy = async () => {
  //   // Feel free to change this. - James
  //   const slotId = `${title}-${slot}`
  //   await buyLeaderboardSlot({ slotId, reassessValue: newValue })
  // }
  // Find all slots the user currently owns
  const existingSlots = []
  for (let i = 0; i < allSlots.length; i++) {
    if (allSlots[i].id === user?.id) {
      existingSlots.push(i + 1)
    }
  }
  // Prevent them from holding more than three slots at once
  let errorMsg = ''
  if (existingSlots.length >= 3 && !existingSlots.includes(slot)) {
    errorMsg = 'Sell another slot first (by re-valuing it to M$ 0)'
  }
  async function onBuy() {
    if (user) {
      // Start transactions, but don't block
      const buyData = { slot, newValue, message }
      const buyTxn = buyTransaction({
        buyer: user,
        holder,
        amount: value,
        buyData,
      })
      await Promise.all([
        writeTransaction(buyTxn),
        writeTransaction(taxTransaction({ holder, slot, value, createdTime })),
      ])
      setOpen(false)
    }
  }
  const fakeBalance = loadFakeBalance()
  const noFundsMsg =
    value > fakeBalance && holder.id !== user?.id
      ? `You only have ${formatMoney(fakeBalance)}!`
      : ''
  return (
    <>
      
        
          
          
          {user && (
            
              {slot}
              
              {message}
            
          )}
          
           {
              setMessage(e.target.value)
            }}
            value={message}
          />
          
          
              setNewValue(amount && amount >= 1 ? amount : 0)
            }
            error={errorMsg}
            label={ENV_CONFIG.moneyMoniker}
          />
          {noFundsMsg ? (
            
          ) : (
            
              
              
                Additional fees: {formatMoney(newValue * 0.25)} per hour
              
            
          )}
        
      
      
    >
  )
}
function buyTransaction(options: {
  buyer: User
  holder: User
  buyData: SlotData
  amount: number
}): Transaction {
  const { buyer, holder, buyData, amount } = options
  return {
    id: '',
    createdTime: Date.now(),
    fromId: buyer.id,
    fromName: buyer.name,
    fromUsername: buyer.username,
    fromAvatarUrl: buyer.avatarUrl,
    toId: holder.id,
    toName: holder.name,
    toUsername: holder.username,
    toAvatarUrl: holder.avatarUrl,
    amount,
    category: 'BUY_LEADERBOARD_SLOT',
    description: `${buyer.name} bought a slot from ${holder.name}`,
    data: buyData,
  }
}
function taxTransaction(options: {
  holder: User
  slot: number
  value: number
  createdTime: number
}): Transaction {
  const { holder, slot, value, createdTime } = options
  const APRIL_FOOLS_9AM_PT = 1648828800000
  const elapsedMs = Date.now() - (createdTime || APRIL_FOOLS_9AM_PT)
  const elapsedHours = elapsedMs / 1000 / 60 / 60
  const tax = elapsedHours * value * 0.25
  return {
    id: '',
    createdTime: Date.now(),
    fromId: holder.id,
    fromName: holder.name,
    fromUsername: holder.username,
    fromAvatarUrl: holder.avatarUrl,
    // Send fee to Manifold Markets official account
    toId: 'IPTOzEqrpkWmEzh6hwvAyY9PqFb2',
    toName: 'Manifold Markets',
    toUsername: 'ManifoldMarkets',
    toAvatarUrl: 'https://manifold.markets/logo-bg-white.png',
    amount: tax,
    category: 'LEADERBOARD_TAX',
    description: `${holder.name} paid M$ 10 in fees`,
    data: {
      slot,
    },
  }
}