Checkpoint: v2.0完整版本:新增社区排行榜、每日打卡、24种成就徽章、实时摄像头姿势分析、在线录制(稳定压缩流/断线重连/自动剪辑)、移动端全面适配。47个测试通过。包含完整开发文档。

这个提交包含在:
Manus
2026-03-14 08:04:00 -04:00
父节点 36907d1110
当前提交 2c418b482e
修改 22 个文件,包含 4370 行新增41 行删除

查看文件

@@ -8,6 +8,8 @@ import {
poseAnalyses, InsertPoseAnalysis,
trainingRecords, InsertTrainingRecord,
ratingHistory, InsertRatingHistory,
dailyCheckins, InsertDailyCheckin,
userBadges, InsertUserBadge,
} from "../drizzle/schema";
import { ENV } from './_core/env';
@@ -112,6 +114,9 @@ export async function updateUserProfile(userId: number, data: {
ntrpRating?: number;
totalSessions?: number;
totalMinutes?: number;
currentStreak?: number;
longestStreak?: number;
totalShots?: number;
}) {
const db = await getDb();
if (!db) return;
@@ -234,6 +239,196 @@ export async function getUserRatingHistory(userId: number, limit = 30) {
return db.select().from(ratingHistory).where(eq(ratingHistory.userId, userId)).orderBy(desc(ratingHistory.createdAt)).limit(limit);
}
// ===== DAILY CHECK-IN OPERATIONS =====
export async function checkinToday(userId: number, notes?: string, minutesTrained?: number) {
const db = await getDb();
if (!db) throw new Error("Database not available");
const today = new Date().toISOString().slice(0, 10);
// Check if already checked in today
const existing = await db.select().from(dailyCheckins)
.where(and(eq(dailyCheckins.userId, userId), eq(dailyCheckins.checkinDate, today)))
.limit(1);
if (existing.length > 0) {
return { alreadyCheckedIn: true, streak: existing[0].streakCount };
}
// Get yesterday's check-in to calculate streak
const yesterday = new Date(Date.now() - 86400000).toISOString().slice(0, 10);
const yesterdayCheckin = await db.select().from(dailyCheckins)
.where(and(eq(dailyCheckins.userId, userId), eq(dailyCheckins.checkinDate, yesterday)))
.limit(1);
const newStreak = yesterdayCheckin.length > 0 ? (yesterdayCheckin[0].streakCount + 1) : 1;
await db.insert(dailyCheckins).values({
userId,
checkinDate: today,
streakCount: newStreak,
notes: notes ?? null,
minutesTrained: minutesTrained ?? 0,
});
// Update user streak
const [userRow] = await db.select().from(users).where(eq(users.id, userId)).limit(1);
const longestStreak = Math.max(userRow?.longestStreak || 0, newStreak);
await db.update(users).set({ currentStreak: newStreak, longestStreak }).where(eq(users.id, userId));
return { alreadyCheckedIn: false, streak: newStreak };
}
export async function getUserCheckins(userId: number, limit = 60) {
const db = await getDb();
if (!db) return [];
return db.select().from(dailyCheckins)
.where(eq(dailyCheckins.userId, userId))
.orderBy(desc(dailyCheckins.checkinDate))
.limit(limit);
}
export async function getTodayCheckin(userId: number) {
const db = await getDb();
if (!db) return null;
const today = new Date().toISOString().slice(0, 10);
const result = await db.select().from(dailyCheckins)
.where(and(eq(dailyCheckins.userId, userId), eq(dailyCheckins.checkinDate, today)))
.limit(1);
return result.length > 0 ? result[0] : null;
}
// ===== BADGE OPERATIONS =====
// Badge definitions
export const BADGE_DEFINITIONS: Record<string, { name: string; description: string; icon: string; category: string }> = {
first_login: { name: "初来乍到", description: "首次登录Tennis Hub", icon: "🎾", category: "milestone" },
first_training: { name: "初试身手", description: "完成第一次训练", icon: "💪", category: "training" },
first_video: { name: "影像记录", description: "上传第一个训练视频", icon: "📹", category: "video" },
first_analysis: { name: "AI教练", description: "完成第一次视频分析", icon: "🤖", category: "analysis" },
streak_3: { name: "三日坚持", description: "连续打卡3天", icon: "🔥", category: "streak" },
streak_7: { name: "一周达人", description: "连续打卡7天", icon: "⭐", category: "streak" },
streak_14: { name: "两周勇士", description: "连续打卡14天", icon: "🏆", category: "streak" },
streak_30: { name: "月度冠军", description: "连续打卡30天", icon: "👑", category: "streak" },
sessions_10: { name: "十次训练", description: "累计完成10次训练", icon: "🎯", category: "training" },
sessions_50: { name: "五十次训练", description: "累计完成50次训练", icon: "💎", category: "training" },
sessions_100: { name: "百次训练", description: "累计完成100次训练", icon: "🌟", category: "training" },
videos_5: { name: "视频达人", description: "上传5个训练视频", icon: "🎬", category: "video" },
videos_20: { name: "视频大师", description: "上传20个训练视频", icon: "📽️", category: "video" },
score_80: { name: "优秀姿势", description: "视频分析获得80分以上", icon: "🏅", category: "analysis" },
score_90: { name: "完美姿势", description: "视频分析获得90分以上", icon: "🥇", category: "analysis" },
ntrp_2: { name: "NTRP 2.0", description: "NTRP评分达到2.0", icon: "📈", category: "rating" },
ntrp_3: { name: "NTRP 3.0", description: "NTRP评分达到3.0", icon: "📊", category: "rating" },
ntrp_4: { name: "NTRP 4.0", description: "NTRP评分达到4.0", icon: "🚀", category: "rating" },
minutes_60: { name: "一小时训练", description: "累计训练60分钟", icon: "⏱️", category: "training" },
minutes_300: { name: "五小时训练", description: "累计训练300分钟", icon: "⏰", category: "training" },
minutes_1000: { name: "千分钟训练", description: "累计训练1000分钟", icon: "🕐", category: "training" },
shots_100: { name: "百球达人", description: "累计击球100次", icon: "🎾", category: "analysis" },
shots_500: { name: "五百球大师", description: "累计击球500次", icon: "🏸", category: "analysis" },
};
export async function getUserBadges(userId: number) {
const db = await getDb();
if (!db) return [];
return db.select().from(userBadges).where(eq(userBadges.userId, userId));
}
export async function awardBadge(userId: number, badgeKey: string) {
const db = await getDb();
if (!db) return false;
// Check if already has this badge
const existing = await db.select().from(userBadges)
.where(and(eq(userBadges.userId, userId), eq(userBadges.badgeKey, badgeKey)))
.limit(1);
if (existing.length > 0) return false;
await db.insert(userBadges).values({ userId, badgeKey });
return true;
}
export async function checkAndAwardBadges(userId: number) {
const db = await getDb();
if (!db) return [];
const [userRow] = await db.select().from(users).where(eq(users.id, userId)).limit(1);
if (!userRow) return [];
const records = await db.select().from(trainingRecords).where(eq(trainingRecords.userId, userId));
const videos = await db.select().from(trainingVideos).where(eq(trainingVideos.userId, userId));
const analyses = await db.select().from(poseAnalyses).where(eq(poseAnalyses.userId, userId));
const completedRecords = records.filter(r => r.completed === 1);
const totalMinutes = records.reduce((sum, r) => sum + (r.durationMinutes || 0), 0);
const totalShots = analyses.reduce((sum, a) => sum + (a.shotCount || 0), 0);
const maxScore = analyses.reduce((max, a) => Math.max(max, a.overallScore || 0), 0);
const streak = userRow.currentStreak || 0;
const ntrp = userRow.ntrpRating || 1.5;
const newBadges: string[] = [];
const checks: [boolean, string][] = [
[true, "first_login"],
[completedRecords.length >= 1, "first_training"],
[videos.length >= 1, "first_video"],
[analyses.length >= 1, "first_analysis"],
[streak >= 3, "streak_3"],
[streak >= 7, "streak_7"],
[streak >= 14, "streak_14"],
[streak >= 30, "streak_30"],
[completedRecords.length >= 10, "sessions_10"],
[completedRecords.length >= 50, "sessions_50"],
[completedRecords.length >= 100, "sessions_100"],
[videos.length >= 5, "videos_5"],
[videos.length >= 20, "videos_20"],
[maxScore >= 80, "score_80"],
[maxScore >= 90, "score_90"],
[ntrp >= 2.0, "ntrp_2"],
[ntrp >= 3.0, "ntrp_3"],
[ntrp >= 4.0, "ntrp_4"],
[totalMinutes >= 60, "minutes_60"],
[totalMinutes >= 300, "minutes_300"],
[totalMinutes >= 1000, "minutes_1000"],
[totalShots >= 100, "shots_100"],
[totalShots >= 500, "shots_500"],
];
for (const [condition, key] of checks) {
if (condition) {
const awarded = await awardBadge(userId, key);
if (awarded) newBadges.push(key);
}
}
return newBadges;
}
// ===== LEADERBOARD OPERATIONS =====
export async function getLeaderboard(sortBy: "ntrpRating" | "totalMinutes" | "totalSessions" | "totalShots" = "ntrpRating", limit = 50) {
const db = await getDb();
if (!db) return [];
const sortColumn = {
ntrpRating: users.ntrpRating,
totalMinutes: users.totalMinutes,
totalSessions: users.totalSessions,
totalShots: users.totalShots,
}[sortBy];
return db.select({
id: users.id,
name: users.name,
ntrpRating: users.ntrpRating,
totalSessions: users.totalSessions,
totalMinutes: users.totalMinutes,
totalShots: users.totalShots,
currentStreak: users.currentStreak,
longestStreak: users.longestStreak,
skillLevel: users.skillLevel,
createdAt: users.createdAt,
}).from(users).orderBy(desc(sortColumn)).limit(limit);
}
// ===== STATS HELPERS =====
export async function getUserStats(userId: number) {