route.js 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443
  1. import dbConnect from "../../lib/dbConnect";
  2. import Prediction from "../../models/Prediction";
  3. import { NextResponse } from "next/server";
  4. import { setCORSHeaders, handleError } from "../../lib/apiUtils";
  5. import { withAuth } from "../../middleware/authMiddleware";
  6. export const GET = withAuth(async (request) => {
  7. await dbConnect();
  8. try {
  9. const { searchParams } = new URL(request.url);
  10. const current = parseInt(searchParams.get("current") || "1");
  11. const pageSize = parseInt(searchParams.get("pageSize") || "10");
  12. const homeTeam = searchParams.get("homeTeam");
  13. const awayTeam = searchParams.get("awayTeam");
  14. const username = searchParams.get("username");
  15. const type = searchParams.get("type"); // 新增type参数来筛选运动类型
  16. let matchStage = {};
  17. // 处理基础筛选条件
  18. if (username) {
  19. matchStage.username = { $regex: username, $options: "i" };
  20. }
  21. if (type) {
  22. matchStage.type = type;
  23. }
  24. // 处理其他搜索参数
  25. for (const [key, value] of searchParams.entries()) {
  26. if (
  27. ["current", "pageSize", "homeTeam", "awayTeam", "username", "type"].includes(key)
  28. )
  29. continue;
  30. switch (key) {
  31. case "user":
  32. try {
  33. matchStage[key] = new mongoose.Types.ObjectId(value);
  34. } catch (error) {
  35. console.error(`Invalid ObjectId for user: ${value}`);
  36. }
  37. break;
  38. // 足球预测筛选
  39. case "whoWillWin":
  40. matchStage["football.whoWillWin.prediction"] = value;
  41. break;
  42. case "firstTeamToScore":
  43. matchStage["football.firstTeamToScore.prediction"] = value;
  44. break;
  45. case "totalGoals":
  46. matchStage["football.totalGoals.prediction"] = parseInt(value);
  47. break;
  48. // 篮球预测筛选
  49. case "spread":
  50. matchStage["basketball.spread.prediction"] = value;
  51. break;
  52. case "totalPoints":
  53. matchStage["basketball.totalPoints.prediction"] = value;
  54. break;
  55. default:
  56. matchStage[key] = { $regex: value, $options: "i" };
  57. }
  58. }
  59. let pipeline = [
  60. {
  61. $lookup: {
  62. from: "users",
  63. localField: "user",
  64. foreignField: "_id",
  65. as: "userInfo",
  66. },
  67. },
  68. { $unwind: { path: "$userInfo", preserveNullAndEmptyArrays: true } },
  69. {
  70. $addFields: {
  71. username: "$userInfo.username",
  72. },
  73. },
  74. { $match: matchStage },
  75. {
  76. $lookup: {
  77. from: "matches",
  78. localField: "match",
  79. foreignField: "_id",
  80. as: "matchDetails",
  81. },
  82. },
  83. { $unwind: { path: "$matchDetails", preserveNullAndEmptyArrays: true } },
  84. {
  85. $addFields: {
  86. matchTime: {
  87. $concat: [
  88. {
  89. $dateToString: {
  90. format: "%Y-%m-%d",
  91. date: "$matchDetails.date",
  92. },
  93. },
  94. " ",
  95. { $ifNull: ["$matchDetails.time", "00:00"] },
  96. ],
  97. },
  98. },
  99. },
  100. {
  101. $project: {
  102. userInfo: 0,
  103. },
  104. },
  105. { $sort: { matchTime: -1 } },
  106. ];
  107. if (homeTeam) {
  108. pipeline.push({
  109. $match: {
  110. "matchDetails.homeTeam.name": homeTeam,
  111. },
  112. });
  113. }
  114. if (awayTeam) {
  115. pipeline.push({
  116. $match: {
  117. "matchDetails.awayTeam.name": awayTeam,
  118. },
  119. });
  120. }
  121. const countPipeline = [...pipeline, { $count: "total" }];
  122. const totalResult = await Prediction.aggregate(countPipeline);
  123. const totalCount = totalResult.length > 0 ? totalResult[0].total : 0;
  124. pipeline.push({ $skip: (current - 1) * pageSize });
  125. pipeline.push({ $limit: pageSize });
  126. const predictions = await Prediction.aggregate(pipeline);
  127. const validPredictions = [];
  128. const invalidPredictionIds = [];
  129. predictions.forEach((prediction) => {
  130. if (prediction.matchDetails) {
  131. const formattedPrediction = {
  132. matchId: prediction.matchDetails._id,
  133. ...prediction,
  134. match: undefined,
  135. matchDetails: undefined,
  136. homeTeam: prediction.matchDetails.homeTeam.name,
  137. awayTeam: prediction.matchDetails.awayTeam.name
  138. };
  139. // 根据运动类型添加特定信息
  140. if (prediction.type === "football") {
  141. formattedPrediction.score = `${prediction.matchDetails.homeTeamScore}:${prediction.matchDetails.awayTeamScore}`;
  142. } else if (prediction.type === "basketball") {
  143. formattedPrediction.score = `${prediction.matchDetails.homeTeamScore}-${prediction.matchDetails.awayTeamScore}`;
  144. }
  145. validPredictions.push(formattedPrediction);
  146. } else {
  147. invalidPredictionIds.push(prediction._id);
  148. }
  149. });
  150. if (invalidPredictionIds.length > 0) {
  151. const deleteResult = await Prediction.deleteMany({
  152. _id: { $in: invalidPredictionIds },
  153. });
  154. console.log(`Deleted ${deleteResult.deletedCount} invalid predictions.`);
  155. }
  156. const response = NextResponse.json({
  157. success: true,
  158. total: totalCount - invalidPredictionIds.length,
  159. data: validPredictions,
  160. });
  161. return setCORSHeaders(response);
  162. } catch (error) {
  163. console.error("Error in GET request:", error);
  164. return handleError(error);
  165. }
  166. });
  167. export const POST = withAuth(async (request) => {
  168. await dbConnect();
  169. try {
  170. const body = await request.json();
  171. const { userId, predictions } = body;
  172. if (!userId) {
  173. return NextResponse.json(
  174. { success: false, error: "请先登录" },
  175. { status: 400 }
  176. );
  177. }
  178. if (
  179. !predictions ||
  180. !Array.isArray(predictions) ||
  181. predictions.length === 0
  182. ) {
  183. return NextResponse.json(
  184. { success: false, message: "Invalid data format" },
  185. { status: 400 }
  186. );
  187. }
  188. const createdPredictions = [];
  189. for (const pred of predictions) {
  190. const { matchId, type, football, basketball } = pred;
  191. const existingPrediction = await Prediction.findOne({
  192. user: userId,
  193. match: matchId,
  194. });
  195. const filter = {
  196. user: userId,
  197. match: matchId,
  198. };
  199. if (existingPrediction) {
  200. // 更新预测
  201. if (type === "football" && football) {
  202. if (football.whoWillWin) {
  203. existingPrediction.football.whoWillWin.prediction =
  204. football.whoWillWin.prediction;
  205. }
  206. if (football.firstTeamToScore) {
  207. existingPrediction.football.firstTeamToScore.prediction =
  208. football.firstTeamToScore.prediction;
  209. if (football.firstTeamToScore.firstTeamToScoreLogo) {
  210. existingPrediction.football.firstTeamToScore.firstTeamToScoreLogo =
  211. football.firstTeamToScore.firstTeamToScoreLogo;
  212. }
  213. }
  214. if (typeof football.totalGoals?.prediction === "number") {
  215. existingPrediction.football.totalGoals.prediction =
  216. football.totalGoals.prediction;
  217. }
  218. } else if (type === "basketball" && basketball) {
  219. if (basketball.whoWillWin) {
  220. existingPrediction.basketball.whoWillWin.prediction =
  221. basketball.whoWillWin.prediction;
  222. }
  223. if (basketball.spread) {
  224. existingPrediction.basketball.spread.prediction =
  225. basketball.spread.prediction;
  226. }
  227. if (basketball.totalPoints) {
  228. existingPrediction.basketball.totalPoints.prediction =
  229. basketball.totalPoints.prediction;
  230. }
  231. }
  232. // const updatedPrediction = await existingPrediction.save();
  233. const updatedPrediction = await Prediction.findOneAndUpdate(
  234. filter,
  235. existingPrediction,
  236. {
  237. new: true, // 返回更新后的数据
  238. upsert: false, // 不存在则不创建新记录
  239. }
  240. );
  241. createdPredictions.push(updatedPrediction);
  242. } else {
  243. // 创建新预测
  244. const newPrediction = new Prediction({
  245. user: userId,
  246. match: matchId,
  247. type,
  248. ...(type === "football" &&
  249. football && {
  250. football: {
  251. whoWillWin: { prediction: football.whoWillWin.prediction },
  252. firstTeamToScore: {
  253. prediction: football.firstTeamToScore.prediction,
  254. firstTeamToScoreLogo:
  255. football.firstTeamToScore.firstTeamToScoreLogo,
  256. },
  257. totalGoals: { prediction: football.totalGoals.prediction },
  258. },
  259. }),
  260. ...(type === "basketball" &&
  261. basketball && {
  262. basketball: {
  263. whoWillWin: { prediction: basketball.whoWillWin.prediction },
  264. spread: { prediction: basketball.spread.prediction },
  265. totalPoints: { prediction: basketball.totalPoints.prediction },
  266. },
  267. }),
  268. });
  269. // const savedPrediction = await newPrediction.save();
  270. const savedPrediction = await Prediction.findOneAndUpdate(
  271. filter,
  272. newPrediction,
  273. {
  274. new: true, // 返回更新后的数据
  275. upsert: true, // 如果不存在则创建新记录
  276. setDefaultsOnInsert: true, // 在插入新记录时,应用模式中的默认值
  277. });
  278. createdPredictions.push(savedPrediction);
  279. }
  280. }
  281. return NextResponse.json({ success: true, data: createdPredictions });
  282. } catch (error) {
  283. return handleError(error);
  284. }
  285. });
  286. export const PUT = withAuth(async (request) => {
  287. await dbConnect();
  288. try {
  289. const { id, type, football, basketball, ...otherUpdateData } =
  290. await request.json();
  291. if (!id) {
  292. return NextResponse.json(
  293. { success: false, error: "缺少预测ID" },
  294. { status: 400 }
  295. );
  296. }
  297. const updateData = {
  298. ...otherUpdateData,
  299. type,
  300. ...(type === "football" &&
  301. football && {
  302. football: {
  303. whoWillWin: { prediction: football.whoWillWin.prediction },
  304. firstTeamToScore: {
  305. prediction: football.firstTeamToScore.prediction,
  306. firstTeamToScoreLogo:
  307. football.firstTeamToScore.firstTeamToScoreLogo,
  308. },
  309. totalGoals: { prediction: football.totalGoals.prediction },
  310. },
  311. }),
  312. ...(type === "basketball" &&
  313. basketball && {
  314. basketball: {
  315. whoWillWin: { prediction: basketball.whoWillWin.prediction },
  316. spread: { prediction: basketball.spread.prediction },
  317. totalPoints: { prediction: basketball.totalPoints.prediction },
  318. },
  319. }),
  320. };
  321. const updatedPrediction = await Prediction.findByIdAndUpdate(
  322. id,
  323. updateData,
  324. {
  325. new: true,
  326. runValidators: true,
  327. }
  328. );
  329. if (!updatedPrediction) {
  330. return NextResponse.json(
  331. { success: false, error: "未找到指定预测" },
  332. { status: 404 }
  333. );
  334. }
  335. const response = NextResponse.json(
  336. { success: true, data: updatedPrediction },
  337. { status: 200 }
  338. );
  339. return setCORSHeaders(response);
  340. } catch (error) {
  341. console.error("更新预测数据时出错:", error);
  342. return handleError(error);
  343. }
  344. });
  345. export const DELETE = withAuth(async (request) => {
  346. await dbConnect();
  347. try {
  348. const url = new URL(request.url);
  349. const id = url.searchParams.get("id");
  350. const ids = url.searchParams.get("ids");
  351. if (!id && !ids) {
  352. return NextResponse.json(
  353. { success: false, error: "缺少预测ID" },
  354. { status: 400 }
  355. );
  356. }
  357. let deletedPredictions;
  358. let message;
  359. if (id) {
  360. deletedPredictions = await Prediction.findByIdAndDelete(id);
  361. message = deletedPredictions ? "预测已成功删除" : "未找到指定预测";
  362. } else {
  363. const idArray = ids.split(",");
  364. deletedPredictions = await Prediction.deleteMany({
  365. _id: { $in: idArray },
  366. });
  367. message = `成功删除 ${deletedPredictions.deletedCount} 条预测`;
  368. }
  369. if (
  370. !deletedPredictions ||
  371. (Array.isArray(deletedPredictions) && deletedPredictions.length === 0)
  372. ) {
  373. return setCORSHeaders(
  374. NextResponse.json(
  375. { success: false, error: "未找到指定预测" },
  376. { status: 404 }
  377. )
  378. );
  379. }
  380. const response = NextResponse.json(
  381. { success: true, message: message },
  382. { status: 200 }
  383. );
  384. return setCORSHeaders(response);
  385. } catch (error) {
  386. console.error("删除预测数据时出错:", error);
  387. return handleError(error);
  388. }
  389. });
  390. export async function OPTIONS() {
  391. const response = new NextResponse(null, { status: 204 });
  392. return setCORSHeaders(response);
  393. }