FootballMatch.jsx 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626
  1. "use client";
  2. import React, { useState, useEffect } from "react";
  3. import Alert from "./components/Alert";
  4. import { useRouter } from "next/navigation";
  5. import { format } from "date-fns";
  6. import zhCN from "date-fns/locale/zh-CN";
  7. import { fetchApi } from "../utils/fetch";
  8. import { Minus, Plus, Play, X, Check, Clock, User } from "lucide-react";
  9. const no_goal_logo = "/images/no_goal_logo.png";
  10. const FootballMatch = ({ selectedDayMatches, currentUser }) => {
  11. const router = useRouter();
  12. const [isModalOpen, setIsModalOpen] = useState(false);
  13. const [alert, setAlert] = useState(null);
  14. const [selectedMatchId, setSelectedMatchId] = useState(null);
  15. const [selectedMatch, setSelectedMatch] = useState(null);
  16. const [selectedWinTeams, setSelectedWinTeams] = useState({}); // ["home", "away", "draw"]
  17. const [totalGoalCountOfMatch, setTotalGoalCountOfMatch] = useState({});
  18. const [selectedFirstTeamToScoreOfMatch, setSelectedFirstTeamToScoreOfMatch] =
  19. useState({});
  20. const [predictions, setPredictions] = useState([]);
  21. const [selectedFirstTeamToScore, setSelectedFirstTeamToScore] = useState(""); // ["home", "away", "no_goal"]
  22. const selectedWinTeam = selectedWinTeams[selectedMatchId] || "";
  23. const predictionMap = predictions.reduce((map, prediction) => {
  24. map[prediction.matchId] = prediction;
  25. return map;
  26. }, {});
  27. useEffect(() => {
  28. const fetchPredictions = async () => {
  29. try {
  30. const res = await fetchApi(
  31. `/api/prediction?username=${currentUser?.username || ""}`
  32. );
  33. if (res.success) {
  34. setPredictions(res.data);
  35. } else {
  36. setAlert({ type: "error", message: res.error });
  37. }
  38. } catch (err) {
  39. setAlert({ type: "error", message: err });
  40. }
  41. };
  42. if (currentUser?.id) {
  43. fetchPredictions();
  44. }
  45. }, [currentUser]);
  46. useEffect(() => {
  47. if (selectedMatchId !== null) {
  48. handleSubmitPredictions();
  49. }
  50. }, [
  51. selectedWinTeams,
  52. totalGoalCountOfMatch,
  53. selectedFirstTeamToScoreOfMatch,
  54. ]);
  55. const incrementGoal = (matchId, whoWillWin, totalGoals, matchStatus) => {
  56. if (checkUserLogin()) {
  57. return;
  58. }
  59. if (matchStatus === "进行中") {
  60. setAlert({ type: "error", message: "比赛已开始,无法提交预测" });
  61. return;
  62. }
  63. setSelectedMatchId(matchId);
  64. if (!selectedWinTeams[matchId] && whoWillWin == null) {
  65. setAlert({ type: "error", message: "请先选择球队" });
  66. return;
  67. }
  68. setTotalGoalCountOfMatch((prev) => {
  69. const currentGoals = prev[matchId] !== undefined ? prev[matchId] : -1;
  70. const baseGoals =
  71. currentGoals === -1 && totalGoals !== null && totalGoals !== undefined
  72. ? totalGoals
  73. : currentGoals;
  74. return {
  75. ...prev,
  76. [matchId]: Math.min(baseGoals + 1, 20),
  77. };
  78. });
  79. setTimeout(() => {
  80. setAlert({ type: "success", message: "预测提交成功" });
  81. }, 1000);
  82. };
  83. const decrementGoal = (matchId, whoWillWin, totalGoals, matchStatus) => {
  84. if (checkUserLogin()) {
  85. return;
  86. }
  87. if (matchStatus === "进行中") {
  88. setAlert({ type: "error", message: "比赛已开始,无法提交预测" });
  89. return;
  90. }
  91. setSelectedMatchId(matchId);
  92. if (!selectedWinTeams[matchId] && whoWillWin == null) {
  93. setAlert({ type: "error", message: "请先选择球队" });
  94. return;
  95. }
  96. setTotalGoalCountOfMatch((prev) => {
  97. const currentGoals = prev[matchId] !== undefined ? prev[matchId] : -1;
  98. const baseGoals =
  99. currentGoals === -1 && totalGoals !== null && totalGoals !== undefined
  100. ? totalGoals
  101. : currentGoals;
  102. return {
  103. ...prev,
  104. [matchId]: Math.max(baseGoals - 1, 0),
  105. };
  106. });
  107. setTimeout(() => {
  108. setAlert({ type: "success", message: "预测提交成功" });
  109. }, 1000);
  110. };
  111. // 选择who wins
  112. const handleWinTeamSelect = (matchId, selectedTeam, matchStatus) => {
  113. if (checkUserLogin()) {
  114. return;
  115. }
  116. if (matchStatus === "进行中") {
  117. setAlert({ type: "error", message: "比赛已开始,无法提交预测" });
  118. return;
  119. }
  120. console.log("selectedWhoWinTeam", matchId, selectedTeam);
  121. setSelectedMatchId(matchId);
  122. setSelectedWinTeams((prevState) => ({
  123. ...prevState,
  124. [matchId]: selectedTeam,
  125. }));
  126. };
  127. // 选择 FirstScoreTeam
  128. const handleFirstScoreTeamSelect = (matchId, selectedTeam) => {
  129. console.log("selectedFirstScoreTeam", matchId, selectedTeam);
  130. setSelectedMatchId(matchId);
  131. setSelectedFirstTeamToScore(selectedTeam?.type);
  132. setSelectedFirstTeamToScoreOfMatch((prevState) => ({
  133. ...prevState,
  134. [matchId]: selectedTeam,
  135. }));
  136. setIsModalOpen(false);
  137. };
  138. // 打开 FirstScoreTeam 选择框
  139. const openSelectFirstTeamModal = (match, whoWillWin, firstTeamToScore) => {
  140. if (checkUserLogin()) {
  141. return;
  142. }
  143. if (match.status === "进行中") {
  144. setAlert({ type: "error", message: "比赛已开始,无法提交预测" });
  145. return;
  146. }
  147. const matchId = match._id;
  148. setSelectedMatchId(matchId);
  149. firstTeamToScore
  150. ? setSelectedFirstTeamToScore(firstTeamToScore)
  151. : setSelectedFirstTeamToScore("");
  152. if (!selectedWinTeams[matchId] && whoWillWin == null) {
  153. setAlert({ type: "error", message: "请先选择球队" });
  154. return;
  155. }
  156. setSelectedMatch(match);
  157. setIsModalOpen(true);
  158. };
  159. // 提交预测
  160. const handleSubmitPredictions = async () => {
  161. console.log(
  162. totalGoalCountOfMatch,
  163. selectedWinTeams,
  164. selectedFirstTeamToScoreOfMatch
  165. );
  166. // 格式化单个预测数据的辅助函数
  167. const formatPrediction = (matchId, existingPrediction = null) => {
  168. return {
  169. type: "football",
  170. matchId,
  171. football: {
  172. whoWillWin: {
  173. prediction:
  174. selectedWinTeams[matchId] ||
  175. existingPrediction?.football?.whoWillWin?.prediction ||
  176. null,
  177. },
  178. firstTeamToScore: {
  179. prediction:
  180. selectedFirstTeamToScoreOfMatch?.[matchId]?.type ||
  181. existingPrediction?.football?.firstTeamToScore?.prediction ||
  182. null,
  183. firstTeamToScoreLogo:
  184. selectedFirstTeamToScoreOfMatch?.[matchId]?.logo ||
  185. existingPrediction?.football?.firstTeamToScore
  186. ?.firstTeamToScoreLogo ||
  187. null,
  188. },
  189. totalGoals: {
  190. prediction:
  191. typeof totalGoalCountOfMatch[matchId] === "number"
  192. ? totalGoalCountOfMatch[matchId]
  193. : existingPrediction?.football?.totalGoals?.prediction || null,
  194. },
  195. },
  196. };
  197. };
  198. // 生成预测数据数组
  199. const prediction =
  200. Object.keys(selectedWinTeams).length > 0
  201. ? Object.keys(selectedWinTeams).map((matchId) =>
  202. formatPrediction(matchId)
  203. )
  204. : (() => {
  205. const existingPrediction = predictions.find(
  206. (prediction) => prediction.matchId === selectedMatchId
  207. );
  208. return existingPrediction
  209. ? [formatPrediction(selectedMatchId, existingPrediction)]
  210. : [];
  211. })();
  212. try {
  213. const res = await fetchApi("/api/prediction", {
  214. method: "POST",
  215. body: JSON.stringify({
  216. userId: currentUser?.id,
  217. predictions: prediction,
  218. }),
  219. });
  220. if (res.success) {
  221. setAlert({ type: "success", message: "预测提交成功" });
  222. } else {
  223. setAlert({ type: "error", message: res.error });
  224. }
  225. } catch (error) {
  226. console.error("Error submitting predictions:", error);
  227. }
  228. };
  229. const checkUserLogin = () => {
  230. if (!currentUser) {
  231. setAlert({ type: "error", message: "请先登录" });
  232. return true;
  233. }
  234. return false;
  235. };
  236. return (
  237. <div className="bg-blue-600 text-white p-4 max-w-md mx-auto min-h-screen">
  238. <div>
  239. {selectedDayMatches.map((match) => {
  240. const formattedDate = format(new Date(match.date), "MM月dd日EEEE", {
  241. locale: zhCN,
  242. });
  243. const prediction = predictionMap[match._id];
  244. const whoWillWin = prediction
  245. ? prediction.football?.whoWillWin.prediction
  246. : null;
  247. const totalGoals = prediction
  248. ? prediction.football?.totalGoals.prediction
  249. : null;
  250. const firstTeamToScore = prediction
  251. ? prediction.football?.firstTeamToScore.prediction
  252. : null;
  253. const firstTeamToScoreLogo = prediction
  254. ? prediction.football?.firstTeamToScore.firstTeamToScoreLogo
  255. : null;
  256. return (
  257. <div key={match._id} className="bg-blue-900 rounded-lg">
  258. <div className="flex justify-between items-center bg-blue-800 text-white py-2 px-4 rounded-t-lg">
  259. <div className="flex items-center">
  260. <span className="text-sm">{formattedDate}</span>
  261. </div>
  262. <div className="flex-grow text-center">
  263. <span className="font-bold text-base">{match.league}</span>
  264. </div>
  265. <div className="flex items-center">
  266. {match.status === "未开始" ? (
  267. <>
  268. <Clock className="w-5 h-5 mr-1" />
  269. <span className="font-bold text-lg">{match.time}</span>
  270. </>
  271. ) : match.status === "进行中" ? (
  272. <div className="flex items-center">
  273. <span className="w-2 h-2 bg-green-400 rounded-full mr-2 animate-pulse"></span>
  274. <span className="text-gray-200">进行中</span>
  275. </div>
  276. ) : (
  277. <span className="text-gray-200">{match.status}</span>
  278. )}
  279. </div>
  280. </div>
  281. <h2 className="text-center text-xl font-bold my-4">
  282. 谁将获胜?
  283. <span className="text-sm font-normal ml-2 text-yellow-300">
  284. (猜对可得 {match.football.pointRewards.whoWillWin} 积分)
  285. </span>
  286. </h2>
  287. <div className="flex justify-between mb-6 gap-2 px-4">
  288. <div className="flex-1">
  289. <TeamCard
  290. logoUrl={match.homeTeam.logo}
  291. name={match.homeTeam.name}
  292. selected={
  293. selectedWinTeams.hasOwnProperty(match._id)
  294. ? "home" == selectedWinTeams[match._id]
  295. : "home" == whoWillWin
  296. }
  297. onClick={() =>
  298. handleWinTeamSelect(match._id, "home", match.status)
  299. }
  300. />
  301. </div>
  302. <div
  303. className="flex flex-col items-center flex-1 pt-2 bg-[hsla(0,0%,100%,0.1)] rounded-md relative"
  304. onClick={() =>
  305. handleWinTeamSelect(match._id, "draw", match.status)
  306. }
  307. >
  308. <div className="w-10 h-10 mb-2">
  309. <img
  310. src="/images/draw_flag.png"
  311. width={40}
  312. height={40}
  313. alt="平局"
  314. />
  315. </div>
  316. <span className="text-sm py-2">平局</span>
  317. <div
  318. className={`w-6 h-6 rounded-full ${
  319. (
  320. selectedWinTeams.hasOwnProperty(match._id)
  321. ? "draw" == selectedWinTeams[match._id]
  322. : "draw" == whoWillWin
  323. )
  324. ? "bg-red-500"
  325. : "border-2 border-red-500 bg-white"
  326. } flex items-center justify-center mt-2 absolute bottom-0 transform translate-y-1/3`}
  327. >
  328. <span className="text-white text-xs">
  329. {(
  330. selectedWinTeams.hasOwnProperty(match._id)
  331. ? "draw" == selectedWinTeams[match._id]
  332. : "draw" == whoWillWin
  333. )
  334. ? "✓"
  335. : ""}
  336. </span>
  337. </div>
  338. </div>
  339. <div className="flex-1">
  340. <TeamCard
  341. logoUrl={match.awayTeam.logo}
  342. name={match.awayTeam.name}
  343. selected={
  344. selectedWinTeams.hasOwnProperty(match._id)
  345. ? "away" == selectedWinTeams[match._id]
  346. : "away" == whoWillWin
  347. }
  348. onClick={() =>
  349. handleWinTeamSelect(match._id, "away", match.status)
  350. }
  351. />
  352. </div>
  353. </div>
  354. <div className="px-3 bg-blue-800 rounded-bl-lg rounded-br-lg">
  355. <div className="flex justify-between items-center h-12 bg-blue-800 border-b border-[#f2f2f2]">
  356. <span className="text-sm">
  357. 首先进球的球队
  358. <span className="text-xs text-yellow-300 ml-2">
  359. (猜对可得 {match.football.pointRewards.firstTeamToScore}{" "}
  360. 积分)
  361. </span>
  362. </span>
  363. {selectedFirstTeamToScoreOfMatch[match._id] ||
  364. firstTeamToScore ? (
  365. <img
  366. src={
  367. selectedFirstTeamToScoreOfMatch[match._id]?.logo ||
  368. firstTeamToScoreLogo
  369. }
  370. width={32}
  371. height={32}
  372. onClick={() =>
  373. openSelectFirstTeamModal(
  374. match,
  375. whoWillWin,
  376. firstTeamToScore
  377. )
  378. }
  379. />
  380. ) : (
  381. <button
  382. className="bg-red-500 w-6 h-6 rounded-full flex items-center justify-center"
  383. onClick={() =>
  384. openSelectFirstTeamModal(
  385. match,
  386. whoWillWin,
  387. firstTeamToScore
  388. )
  389. }
  390. >
  391. <span className="text-2xl">+</span>
  392. </button>
  393. )}
  394. </div>
  395. <div className="flex justify-between items-center mb-4 bg-blue-800 h-12">
  396. <span className="text-sm">
  397. 比赛总进球数
  398. <span className="text-xs text-yellow-300 ml-2">
  399. (猜对可得 {match.football.pointRewards.totalGoals} 积分)
  400. </span>
  401. </span>
  402. <div
  403. className={`flex items-center ${
  404. totalGoalCountOfMatch[match._id] != null
  405. ? "bg-blue-900"
  406. : ""
  407. } rounded-full`}
  408. >
  409. {(totalGoalCountOfMatch[match._id] != null ||
  410. totalGoals != null) && (
  411. <button
  412. className="bg-red-500 w-6 h-6 rounded-full flex items-center justify-center"
  413. onClick={() =>
  414. decrementGoal(
  415. match._id,
  416. whoWillWin,
  417. totalGoals,
  418. match.status
  419. )
  420. }
  421. >
  422. <Minus size={20} />
  423. </button>
  424. )}
  425. <span className="text-xl mx-3 font-bold">
  426. {totalGoalCountOfMatch[match._id] >= 0
  427. ? totalGoalCountOfMatch[match._id]
  428. : totalGoals}
  429. </span>
  430. <button
  431. className="bg-red-500 w-6 h-6 rounded-full flex items-center justify-center"
  432. onClick={() =>
  433. incrementGoal(
  434. match._id,
  435. whoWillWin,
  436. totalGoals,
  437. match.status
  438. )
  439. }
  440. >
  441. <Plus size={20} />
  442. </button>
  443. </div>
  444. </div>
  445. </div>
  446. {alert && (
  447. <Alert
  448. message={alert.message}
  449. type={alert.type}
  450. onClose={() => setAlert(null)}
  451. />
  452. )}
  453. </div>
  454. );
  455. })}
  456. </div>
  457. {isModalOpen && (
  458. <FirstTeamToScoreModal
  459. onClose={() => setIsModalOpen(false)}
  460. onSelectFirstScoreTeam={handleFirstScoreTeamSelect}
  461. selectedFirstTeamToScore={
  462. selectedFirstTeamToScoreOfMatch[selectedMatchId]?.type ||
  463. selectedFirstTeamToScore
  464. }
  465. selectedMatch={selectedMatch}
  466. />
  467. )}
  468. </div>
  469. );
  470. };
  471. const FirstTeamToScoreModal = ({
  472. onClose,
  473. onSelectFirstScoreTeam,
  474. selectedFirstTeamToScore,
  475. selectedMatch,
  476. }) => {
  477. const handleSelect = (selectedTeam) => {
  478. onSelectFirstScoreTeam(selectedMatch._id, selectedTeam);
  479. };
  480. const homeLogo = selectedMatch.homeTeam.logo;
  481. const awayLogo = selectedMatch.awayTeam.logo;
  482. return (
  483. <div className="fixed inset-x-0 bottom-0 bg-white text-black rounded-t-3xl shadow-lg z-50">
  484. <div className="p-6">
  485. <div className="flex justify-between items-center mb-4">
  486. <h2 className="text-2xl font-bold text-purple-800">
  487. 首先进球的球队是?
  488. </h2>
  489. <button onClick={onClose} className="text-gray-500">
  490. <X size={24} />
  491. </button>
  492. </div>
  493. <p className="text-gray-600 mb-6">赢取额外积分</p>
  494. <div className="space-y-3">
  495. <TeamOption
  496. logoUrl={homeLogo}
  497. name={selectedMatch.homeTeam.name}
  498. isSelected={selectedFirstTeamToScore === "home"}
  499. onSelect={() =>
  500. handleSelect({
  501. ...selectedMatch.homeTeam,
  502. type: "home",
  503. })
  504. }
  505. />
  506. <TeamOption
  507. logoUrl={no_goal_logo}
  508. name="无进球"
  509. isSelected={selectedFirstTeamToScore === "no_goal"}
  510. onSelect={() =>
  511. handleSelect({
  512. name: "无进球",
  513. logo: no_goal_logo,
  514. type: "no_goal",
  515. })
  516. }
  517. />
  518. <TeamOption
  519. logoUrl={awayLogo}
  520. name={selectedMatch.awayTeam.name}
  521. isSelected={selectedFirstTeamToScore === "away"}
  522. onSelect={() =>
  523. handleSelect({
  524. ...selectedMatch.awayTeam,
  525. type: "away",
  526. })
  527. }
  528. />
  529. </div>
  530. </div>
  531. <button
  532. className="w-full bg-blue-500 text-white py-4 text-center font-bold"
  533. onClick={onClose}
  534. >
  535. 关闭
  536. </button>
  537. </div>
  538. );
  539. };
  540. const TeamCard = ({ logoUrl, name, selected, onClick }) => {
  541. return (
  542. <div
  543. className="flex flex-col items-center bg-white text-black text-sm rounded-md px-2 py-2 relative"
  544. onClick={onClick}
  545. >
  546. <div className="w-10 h-10">
  547. <img src={logoUrl} width={40} height={40} className="mb-2" />
  548. </div>
  549. <span className="font-bold mb-1 pt-4 pb-6">{name}</span>
  550. <div
  551. className={`w-6 h-6 rounded-full absolute bottom-0 transform translate-y-1/3 ${
  552. selected
  553. ? "bg-red-500 flex items-center justify-center"
  554. : "border-2 border-red-500 bg-white "
  555. }`}
  556. >
  557. {selected && <span className="text-white text-sm">✓</span>}
  558. </div>
  559. </div>
  560. );
  561. };
  562. const TeamOption = ({ logoUrl, name, isSelected, onSelect }) => (
  563. <div
  564. className={`flex items-center justify-between p-4 cursor-pointer ${
  565. isSelected ? "bg-blue-500 text-white" : "bg-gray-100"
  566. }`}
  567. onClick={onSelect}
  568. >
  569. <div className="flex items-center">
  570. <img
  571. src={logoUrl}
  572. width={30}
  573. height={30}
  574. className="mr-3"
  575. onClick={onSelect}
  576. />
  577. <span>{name}</span>
  578. </div>
  579. {isSelected && <Check size={24} />}
  580. </div>
  581. );
  582. export default FootballMatch;