This PR adds comprehensive photo management features, duplicate detection, attempt limits, penalty system improvements, and admin photo deletion capabilities to the MirrorMatch application. (#1)
All checks were successful
CI / skip-ci-check (push) Successful in 1m21s
CI / lint-and-type-check (push) Successful in 1m45s
CI / test (push) Successful in 1m49s
CI / build (push) Successful in 1m50s
CI / secret-scanning (push) Successful in 1m22s
CI / dependency-scan (push) Successful in 1m27s
CI / sast-scan (push) Successful in 2m27s
CI / workflow-summary (push) Successful in 1m19s
All checks were successful
CI / skip-ci-check (push) Successful in 1m21s
CI / lint-and-type-check (push) Successful in 1m45s
CI / test (push) Successful in 1m49s
CI / build (push) Successful in 1m50s
CI / secret-scanning (push) Successful in 1m22s
CI / dependency-scan (push) Successful in 1m27s
CI / sast-scan (push) Successful in 2m27s
CI / workflow-summary (push) Successful in 1m19s
# Photo Management and Game Features ## Summary This PR adds comprehensive photo management features, duplicate detection, attempt limits, penalty system improvements, and admin photo deletion capabilities to the MirrorMatch application. ## Features Added ### 1. Duplicate Photo Detection - **File-based duplicates**: Calculates SHA256 hash of uploaded files to detect duplicate content - **URL-based duplicates**: Checks for duplicate photo URLs - Prevents users from uploading the same photo multiple times - Returns HTTP 409 (Conflict) with clear error messages ### 2. Maximum Attempts Per Photo - Uploaders can set a maximum number of guesses allowed per user for each photo - Default: unlimited (null or 0) - UI displays remaining attempts counter - API enforces attempt limits before allowing guesses - Shows warning message when max attempts reached ### 3. Penalty System Improvements - **Simplified UI**: Removed checkbox - penalty automatically enabled when penalty points > 0 - **Score protection**: Scores cannot go below 0, even with large penalties - If penalty would result in negative score, only deducts available points and sets to 0 ### 4. Admin Photo Deletion - Admins can delete photos from: - Photos list page (hover to reveal delete icon) - Individual photo detail page (delete button in header) - Deletes associated guesses automatically - Deletes local uploaded files from filesystem - Confirmation dialog before deletion - Proper error handling and user feedback ### 5. Navigation Improvements - Logout button always visible in side menu (hamburger menu) - Improved side menu layout with fixed footer for logout button - Better mobile responsiveness ### 6. Self-Guess Prevention - Users cannot guess on their own uploaded photos - Shows informative message with answer for photo owners ## Technical Changes ### Database Schema - Added `fileHash` field (String?) to Photo model for duplicate detection - Added `maxAttempts` field (Int?) to Photo model for attempt limits - Added indexes on `url` and `fileHash` for performance ### API Routes - `POST /api/photos/upload-multiple`: Enhanced with duplicate checking and maxAttempts - `POST /api/photos/[photoId]/guess`: Added maxAttempts enforcement and score floor protection - `DELETE /api/photos/[photoId]`: New route for admin photo deletion ### Components - `DeletePhotoButton`: New reusable component for photo deletion - Updated upload form to remove penalty checkbox - Enhanced photo display pages with attempt counters and admin controls ## Database Migrations - Run `npm run db:push` to apply schema changes - Run `npm run db:generate` to regenerate Prisma client ## Testing - Test duplicate detection with same file and different filenames - Test duplicate detection with same URL - Test max attempts enforcement - Test penalty system with various point values - Test score floor (cannot go below 0) - Test admin photo deletion - Test self-guess prevention ## Breaking Changes None - all changes are backward compatible. Existing photos will have `null` for `maxAttempts` (unlimited) and `fileHash` (for URL uploads). Reviewed-on: #1
This commit is contained in:
parent
9640627972
commit
a8548bddcf
35
.github/workflows/ci.yml
vendored
35
.github/workflows/ci.yml
vendored
@ -1,3 +1,4 @@
|
|||||||
|
# CI (triggered)
|
||||||
name: CI
|
name: CI
|
||||||
|
|
||||||
on:
|
on:
|
||||||
@ -11,7 +12,7 @@ jobs:
|
|||||||
skip-ci-check:
|
skip-ci-check:
|
||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
outputs:
|
outputs:
|
||||||
should-skip: ${{ steps.check.outputs.skip }}
|
should-skip: ${{ steps.check.outputs.skip || 'false' }}
|
||||||
steps:
|
steps:
|
||||||
- name: Check out code (for commit message)
|
- name: Check out code (for commit message)
|
||||||
uses: actions/checkout@v4
|
uses: actions/checkout@v4
|
||||||
@ -21,6 +22,8 @@ jobs:
|
|||||||
- name: Check if CI should be skipped
|
- name: Check if CI should be skipped
|
||||||
id: check
|
id: check
|
||||||
run: |
|
run: |
|
||||||
|
SKIP=false
|
||||||
|
|
||||||
# Simple skip pattern: @skipci (case-insensitive)
|
# Simple skip pattern: @skipci (case-insensitive)
|
||||||
SKIP_PATTERN="@skipci"
|
SKIP_PATTERN="@skipci"
|
||||||
|
|
||||||
@ -36,23 +39,21 @@ jobs:
|
|||||||
COMMIT_MSG=$(git log -1 --pretty=%B 2>/dev/null || echo "")
|
COMMIT_MSG=$(git log -1 --pretty=%B 2>/dev/null || echo "")
|
||||||
fi
|
fi
|
||||||
|
|
||||||
SKIP=0
|
|
||||||
|
|
||||||
# Check branch name (case-insensitive)
|
# Check branch name (case-insensitive)
|
||||||
if echo "$BRANCH_NAME" | grep -qiF "$SKIP_PATTERN"; then
|
if echo "$BRANCH_NAME" | grep -qiF "$SKIP_PATTERN"; then
|
||||||
echo "Skipping CI: branch name contains '$SKIP_PATTERN'"
|
echo "Skipping CI: branch name contains '$SKIP_PATTERN'"
|
||||||
SKIP=1
|
SKIP=true
|
||||||
fi
|
fi
|
||||||
|
|
||||||
# Check commit message (case-insensitive)
|
# Check commit message (case-insensitive)
|
||||||
if [ $SKIP -eq 0 ] && [ -n "$COMMIT_MSG" ]; then
|
if [ "$SKIP" = "false" ] && [ -n "$COMMIT_MSG" ]; then
|
||||||
if echo "$COMMIT_MSG" | grep -qiF "$SKIP_PATTERN"; then
|
if echo "$COMMIT_MSG" | grep -qiF "$SKIP_PATTERN"; then
|
||||||
echo "Skipping CI: commit message contains '$SKIP_PATTERN'"
|
echo "Skipping CI: commit message contains '$SKIP_PATTERN'"
|
||||||
SKIP=1
|
SKIP=true
|
||||||
fi
|
fi
|
||||||
fi
|
fi
|
||||||
|
|
||||||
echo "skip=$SKIP" >> $GITHUB_OUTPUT
|
echo "skip=$SKIP" >> "$GITHUB_OUTPUT"
|
||||||
echo "Branch: $BRANCH_NAME"
|
echo "Branch: $BRANCH_NAME"
|
||||||
echo "Commit: ${COMMIT_MSG:0:50}..."
|
echo "Commit: ${COMMIT_MSG:0:50}..."
|
||||||
echo "Skip CI: $SKIP"
|
echo "Skip CI: $SKIP"
|
||||||
@ -60,7 +61,7 @@ jobs:
|
|||||||
lint-and-type-check:
|
lint-and-type-check:
|
||||||
needs: skip-ci-check
|
needs: skip-ci-check
|
||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
if: needs.skip-ci-check.outputs.should-skip != '1'
|
if: &should_run ${{ needs.skip-ci-check.outputs.should-skip != 'true' }}
|
||||||
container:
|
container:
|
||||||
image: node:20-bullseye
|
image: node:20-bullseye
|
||||||
steps:
|
steps:
|
||||||
@ -70,6 +71,11 @@ jobs:
|
|||||||
- name: Install dependencies
|
- name: Install dependencies
|
||||||
run: npm ci
|
run: npm ci
|
||||||
|
|
||||||
|
- name: Generate Prisma Client
|
||||||
|
run: npm run db:generate
|
||||||
|
env:
|
||||||
|
DATABASE_URL: postgresql://postgres:postgres@localhost:5432/mirrormatch?schema=public
|
||||||
|
|
||||||
- name: Run ESLint
|
- name: Run ESLint
|
||||||
run: npm run lint
|
run: npm run lint
|
||||||
|
|
||||||
@ -79,7 +85,7 @@ jobs:
|
|||||||
test:
|
test:
|
||||||
needs: skip-ci-check
|
needs: skip-ci-check
|
||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
if: needs.skip-ci-check.outputs.should-skip != '1'
|
if: *should_run
|
||||||
container:
|
container:
|
||||||
image: node:20-bullseye
|
image: node:20-bullseye
|
||||||
services:
|
services:
|
||||||
@ -127,7 +133,7 @@ jobs:
|
|||||||
build:
|
build:
|
||||||
needs: skip-ci-check
|
needs: skip-ci-check
|
||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
if: needs.skip-ci-check.outputs.should-skip != '1'
|
if: *should_run
|
||||||
container:
|
container:
|
||||||
image: node:20-bullseye
|
image: node:20-bullseye
|
||||||
steps:
|
steps:
|
||||||
@ -139,6 +145,9 @@ jobs:
|
|||||||
|
|
||||||
- name: Generate Prisma Client
|
- name: Generate Prisma Client
|
||||||
run: npm run db:generate
|
run: npm run db:generate
|
||||||
|
env:
|
||||||
|
# Use the same connection string we provide to the build step so Prisma can generate types
|
||||||
|
DATABASE_URL: postgresql://postgres:postgres@localhost:5432/mirrormatch?schema=public
|
||||||
|
|
||||||
- name: Build application
|
- name: Build application
|
||||||
run: npm run build
|
run: npm run build
|
||||||
@ -149,7 +158,7 @@ jobs:
|
|||||||
|
|
||||||
secret-scanning:
|
secret-scanning:
|
||||||
needs: skip-ci-check
|
needs: skip-ci-check
|
||||||
if: needs.skip-ci-check.outputs.should-skip != '1'
|
if: *should_run
|
||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
container:
|
container:
|
||||||
image: zricethezav/gitleaks:latest
|
image: zricethezav/gitleaks:latest
|
||||||
@ -169,7 +178,7 @@ jobs:
|
|||||||
|
|
||||||
dependency-scan:
|
dependency-scan:
|
||||||
needs: skip-ci-check
|
needs: skip-ci-check
|
||||||
if: needs.skip-ci-check.outputs.should-skip != '1'
|
if: *should_run
|
||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
container:
|
container:
|
||||||
image: aquasec/trivy:latest
|
image: aquasec/trivy:latest
|
||||||
@ -203,7 +212,7 @@ jobs:
|
|||||||
|
|
||||||
sast-scan:
|
sast-scan:
|
||||||
needs: skip-ci-check
|
needs: skip-ci-check
|
||||||
if: needs.skip-ci-check.outputs.should-skip != '1'
|
if: *should_run
|
||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
container:
|
container:
|
||||||
image: ubuntu:22.04
|
image: ubuntu:22.04
|
||||||
|
|||||||
@ -1 +0,0 @@
|
|||||||
../node_modules/.prisma/client
|
|
||||||
@ -47,7 +47,7 @@ export async function DELETE(
|
|||||||
try {
|
try {
|
||||||
await unlink(filepath)
|
await unlink(filepath)
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error(`Failed to delete file ${filepath}:`, error)
|
console.error("Failed to delete file:", filepath, error)
|
||||||
// Continue with database deletion even if file deletion fails
|
// Continue with database deletion even if file deletion fails
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -46,6 +46,7 @@ export async function POST(req: NextRequest) {
|
|||||||
answerName: answerName.trim(),
|
answerName: answerName.trim(),
|
||||||
points: pointsValue,
|
points: pointsValue,
|
||||||
maxAttempts: maxAttemptsValue,
|
maxAttempts: maxAttemptsValue,
|
||||||
|
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||||
} as any,
|
} as any,
|
||||||
include: {
|
include: {
|
||||||
uploader: {
|
uploader: {
|
||||||
@ -72,7 +73,9 @@ export async function POST(req: NextRequest) {
|
|||||||
Promise.all(
|
Promise.all(
|
||||||
allUsers.map((user: { id: string; email: string; name: string }) =>
|
allUsers.map((user: { id: string; email: string; name: string }) =>
|
||||||
sendNewPhotoEmail(user.email, user.name, photo.id, photo.uploader.name).catch(
|
sendNewPhotoEmail(user.email, user.name, photo.id, photo.uploader.name).catch(
|
||||||
(err) => console.error(`Failed to send email to ${user.email}:`, err)
|
(err) => {
|
||||||
|
console.error("Failed to send email to:", user.email, err)
|
||||||
|
}
|
||||||
)
|
)
|
||||||
)
|
)
|
||||||
)
|
)
|
||||||
|
|||||||
@ -6,7 +6,6 @@ import { writeFile } from "fs/promises"
|
|||||||
import { join } from "path"
|
import { join } from "path"
|
||||||
import { existsSync, mkdirSync } from "fs"
|
import { existsSync, mkdirSync } from "fs"
|
||||||
import { createHash } from "crypto"
|
import { createHash } from "crypto"
|
||||||
import type { Photo } from "@prisma/client"
|
|
||||||
|
|
||||||
export async function POST(req: NextRequest) {
|
export async function POST(req: NextRequest) {
|
||||||
try {
|
try {
|
||||||
@ -44,7 +43,13 @@ export async function POST(req: NextRequest) {
|
|||||||
mkdirSync(uploadsDir, { recursive: true })
|
mkdirSync(uploadsDir, { recursive: true })
|
||||||
}
|
}
|
||||||
|
|
||||||
type PhotoWithUploader = Photo & {
|
type PhotoWithUploader = {
|
||||||
|
id: string
|
||||||
|
uploaderId: string
|
||||||
|
url: string
|
||||||
|
answerName: string
|
||||||
|
points: number
|
||||||
|
createdAt: Date
|
||||||
uploader: { name: string }
|
uploader: { name: string }
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -106,6 +111,7 @@ export async function POST(req: NextRequest) {
|
|||||||
|
|
||||||
// Check for duplicate file
|
// Check for duplicate file
|
||||||
const existingPhoto = await prisma.photo.findFirst({
|
const existingPhoto = await prisma.photo.findFirst({
|
||||||
|
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||||
where: { fileHash } as any,
|
where: { fileHash } as any,
|
||||||
})
|
})
|
||||||
|
|
||||||
@ -118,9 +124,12 @@ export async function POST(req: NextRequest) {
|
|||||||
|
|
||||||
const timestamp = Date.now()
|
const timestamp = Date.now()
|
||||||
const randomStr = Math.random().toString(36).substring(2, 15)
|
const randomStr = Math.random().toString(36).substring(2, 15)
|
||||||
const extension = file.name.split(".").pop() || "jpg"
|
// Sanitize extension - only allow alphanumeric characters
|
||||||
|
const rawExtension = file.name.split(".").pop() || "jpg"
|
||||||
|
const extension = rawExtension.replace(/[^a-zA-Z0-9]/g, "").toLowerCase() || "jpg"
|
||||||
const filename = `${timestamp}-${i}-${randomStr}.${extension}`
|
const filename = `${timestamp}-${i}-${randomStr}.${extension}`
|
||||||
|
|
||||||
|
// Filename is generated server-side (timestamp + random), safe for path.join
|
||||||
const filepath = join(uploadsDir, filename)
|
const filepath = join(uploadsDir, filename)
|
||||||
await writeFile(filepath, buffer)
|
await writeFile(filepath, buffer)
|
||||||
|
|
||||||
@ -158,6 +167,7 @@ export async function POST(req: NextRequest) {
|
|||||||
penaltyEnabled: penaltyEnabled,
|
penaltyEnabled: penaltyEnabled,
|
||||||
penaltyPoints: penaltyPointsValue,
|
penaltyPoints: penaltyPointsValue,
|
||||||
maxAttempts: maxAttemptsValue,
|
maxAttempts: maxAttemptsValue,
|
||||||
|
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||||
} as any,
|
} as any,
|
||||||
include: {
|
include: {
|
||||||
uploader: {
|
uploader: {
|
||||||
@ -168,7 +178,7 @@ export async function POST(req: NextRequest) {
|
|||||||
},
|
},
|
||||||
})
|
})
|
||||||
|
|
||||||
createdPhotos.push(photo as PhotoWithUploader)
|
createdPhotos.push(photo)
|
||||||
}
|
}
|
||||||
|
|
||||||
// Send emails to all other users for all photos
|
// Send emails to all other users for all photos
|
||||||
@ -193,12 +203,9 @@ export async function POST(req: NextRequest) {
|
|||||||
user.name,
|
user.name,
|
||||||
photo.id,
|
photo.id,
|
||||||
photo.uploader.name
|
photo.uploader.name
|
||||||
).catch((err) =>
|
).catch((err) => {
|
||||||
console.error(
|
console.error("Failed to send email to:", user.email, "for photo:", photo.id, err)
|
||||||
`Failed to send email to ${user.email} for photo ${photo.id}:`,
|
})
|
||||||
err
|
|
||||||
)
|
|
||||||
)
|
|
||||||
)
|
)
|
||||||
)
|
)
|
||||||
)
|
)
|
||||||
|
|||||||
@ -62,6 +62,7 @@ export async function POST(req: NextRequest) {
|
|||||||
|
|
||||||
// Check for duplicate file
|
// Check for duplicate file
|
||||||
const existingPhoto = await prisma.photo.findFirst({
|
const existingPhoto = await prisma.photo.findFirst({
|
||||||
|
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||||
where: { fileHash } as any,
|
where: { fileHash } as any,
|
||||||
})
|
})
|
||||||
|
|
||||||
@ -75,7 +76,9 @@ export async function POST(req: NextRequest) {
|
|||||||
// Generate unique filename
|
// Generate unique filename
|
||||||
const timestamp = Date.now()
|
const timestamp = Date.now()
|
||||||
const randomStr = Math.random().toString(36).substring(2, 15)
|
const randomStr = Math.random().toString(36).substring(2, 15)
|
||||||
const extension = file.name.split(".").pop() || "jpg"
|
// Sanitize extension - only allow alphanumeric characters
|
||||||
|
const rawExtension = file.name.split(".").pop() || "jpg"
|
||||||
|
const extension = rawExtension.replace(/[^a-zA-Z0-9]/g, "").toLowerCase() || "jpg"
|
||||||
const filename = `${timestamp}-${randomStr}.${extension}`
|
const filename = `${timestamp}-${randomStr}.${extension}`
|
||||||
|
|
||||||
// Ensure uploads directory exists
|
// Ensure uploads directory exists
|
||||||
@ -84,7 +87,7 @@ export async function POST(req: NextRequest) {
|
|||||||
mkdirSync(uploadsDir, { recursive: true })
|
mkdirSync(uploadsDir, { recursive: true })
|
||||||
}
|
}
|
||||||
|
|
||||||
// Save file
|
// Filename is generated server-side (timestamp + random), safe for path.join
|
||||||
const filepath = join(uploadsDir, filename)
|
const filepath = join(uploadsDir, filename)
|
||||||
await writeFile(filepath, buffer)
|
await writeFile(filepath, buffer)
|
||||||
|
|
||||||
@ -122,6 +125,7 @@ export async function POST(req: NextRequest) {
|
|||||||
answerName: answerName.trim(),
|
answerName: answerName.trim(),
|
||||||
points: pointsValue,
|
points: pointsValue,
|
||||||
maxAttempts: maxAttemptsValue,
|
maxAttempts: maxAttemptsValue,
|
||||||
|
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||||
} as any,
|
} as any,
|
||||||
include: {
|
include: {
|
||||||
uploader: {
|
uploader: {
|
||||||
@ -148,7 +152,9 @@ export async function POST(req: NextRequest) {
|
|||||||
Promise.all(
|
Promise.all(
|
||||||
allUsers.map((user: { id: string; email: string; name: string }) =>
|
allUsers.map((user: { id: string; email: string; name: string }) =>
|
||||||
sendNewPhotoEmail(user.email, user.name, photo.id, photo.uploader.name).catch(
|
sendNewPhotoEmail(user.email, user.name, photo.id, photo.uploader.name).catch(
|
||||||
(err) => console.error(`Failed to send email to ${user.email}:`, err)
|
(err) => {
|
||||||
|
console.error("Failed to send email to:", user.email, err)
|
||||||
|
}
|
||||||
)
|
)
|
||||||
)
|
)
|
||||||
)
|
)
|
||||||
|
|||||||
@ -49,10 +49,17 @@ export default async function PhotoPage({ params }: { params: Promise<{ id: stri
|
|||||||
const hasCorrectGuess = userGuess?.correct || false
|
const hasCorrectGuess = userGuess?.correct || false
|
||||||
const isOwner = photo.uploaderId === session.user.id
|
const isOwner = photo.uploaderId === session.user.id
|
||||||
|
|
||||||
|
// Type assertion for new fields (penaltyEnabled, penaltyPoints, maxAttempts)
|
||||||
|
type PhotoWithNewFields = typeof photo & {
|
||||||
|
penaltyEnabled: boolean
|
||||||
|
penaltyPoints: number
|
||||||
|
maxAttempts: number | null
|
||||||
|
}
|
||||||
|
const photoWithFields = photo as PhotoWithNewFields
|
||||||
|
|
||||||
// Calculate remaining attempts
|
// Calculate remaining attempts
|
||||||
const photoWithMaxAttempts = photo as typeof photo & { maxAttempts: number | null | undefined }
|
|
||||||
const userGuessCount = photo.guesses.length
|
const userGuessCount = photo.guesses.length
|
||||||
const maxAttempts = photoWithMaxAttempts.maxAttempts ?? null
|
const maxAttempts = photoWithFields.maxAttempts ?? null
|
||||||
const remainingAttempts = maxAttempts !== null && maxAttempts > 0
|
const remainingAttempts = maxAttempts !== null && maxAttempts > 0
|
||||||
? Math.max(0, maxAttempts - userGuessCount)
|
? Math.max(0, maxAttempts - userGuessCount)
|
||||||
: null
|
: null
|
||||||
@ -77,9 +84,9 @@ export default async function PhotoPage({ params }: { params: Promise<{ id: stri
|
|||||||
<span className="inline-flex items-center px-3 py-1 rounded-full text-sm font-medium bg-purple-100 text-purple-800">
|
<span className="inline-flex items-center px-3 py-1 rounded-full text-sm font-medium bg-purple-100 text-purple-800">
|
||||||
+{photo.points} {photo.points === 1 ? "point" : "points"} if correct
|
+{photo.points} {photo.points === 1 ? "point" : "points"} if correct
|
||||||
</span>
|
</span>
|
||||||
{(photo as any).penaltyEnabled && (photo as any).penaltyPoints > 0 && (
|
{photoWithFields.penaltyEnabled && photoWithFields.penaltyPoints > 0 && (
|
||||||
<span className="inline-flex items-center px-3 py-1 rounded-full text-sm font-medium bg-red-100 text-red-800">
|
<span className="inline-flex items-center px-3 py-1 rounded-full text-sm font-medium bg-red-100 text-red-800">
|
||||||
-{(photo as any).penaltyPoints} {(photo as any).penaltyPoints === 1 ? "point" : "points"} if wrong
|
-{photoWithFields.penaltyPoints} {photoWithFields.penaltyPoints === 1 ? "point" : "points"} if wrong
|
||||||
</span>
|
</span>
|
||||||
)}
|
)}
|
||||||
{maxAttempts !== null && maxAttempts > 0 && (
|
{maxAttempts !== null && maxAttempts > 0 && (
|
||||||
@ -117,9 +124,9 @@ export default async function PhotoPage({ params }: { params: Promise<{ id: stri
|
|||||||
<p className="text-sm text-red-700 mt-1">
|
<p className="text-sm text-red-700 mt-1">
|
||||||
Your last guess: <strong>{userGuess.guessText}</strong>
|
Your last guess: <strong>{userGuess.guessText}</strong>
|
||||||
</p>
|
</p>
|
||||||
{(photo as any).penaltyEnabled && (photo as any).penaltyPoints > 0 && (
|
{photoWithFields.penaltyEnabled && photoWithFields.penaltyPoints > 0 && (
|
||||||
<p className="text-sm text-red-700 mt-1">
|
<p className="text-sm text-red-700 mt-1">
|
||||||
You lost <strong>{(photo as any).penaltyPoints} {(photo as any).penaltyPoints === 1 ? "point" : "points"}</strong> for this wrong guess.
|
You lost <strong>{photoWithFields.penaltyPoints} {photoWithFields.penaltyPoints === 1 ? "point" : "points"}</strong> for this wrong guess.
|
||||||
</p>
|
</p>
|
||||||
)}
|
)}
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@ -29,14 +29,14 @@ export default function Navigation() {
|
|||||||
|
|
||||||
return (
|
return (
|
||||||
<>
|
<>
|
||||||
<nav className="sticky top-0 z-50 bg-gradient-to-r from-purple-600 to-indigo-600 text-white shadow-lg">
|
<nav className="sticky top-0 z-50 bg-gradient-to-r from-purple-600 to-indigo-600 text-white shadow-lg relative">
|
||||||
<div className="max-w-7xl mx-auto px-4 sm:px-6 lg:px-8">
|
<div className="max-w-7xl mx-auto px-4 sm:px-6 lg:px-8">
|
||||||
<div className="flex justify-between items-center h-16">
|
<div className="flex justify-between items-center h-16">
|
||||||
{/* Logo and Menu Button */}
|
{/* Logo and Menu Button */}
|
||||||
<div className="flex items-center space-x-4">
|
<div className="flex items-center space-x-4">
|
||||||
<button
|
<button
|
||||||
onClick={() => setSideMenuOpen(!sideMenuOpen)}
|
onClick={() => setSideMenuOpen(!sideMenuOpen)}
|
||||||
className="menu-button p-2 rounded-md hover:bg-purple-700 focus:outline-none focus:ring-2 focus:ring-white"
|
className="menu-button p-2 rounded-md hover:bg-purple-700 focus:outline-none focus:ring-2 focus:ring-white relative z-10"
|
||||||
aria-label="Toggle menu"
|
aria-label="Toggle menu"
|
||||||
>
|
>
|
||||||
<svg
|
<svg
|
||||||
@ -51,29 +51,31 @@ export default function Navigation() {
|
|||||||
<path d="M4 6h16M4 12h16M4 18h16" />
|
<path d="M4 6h16M4 12h16M4 18h16" />
|
||||||
</svg>
|
</svg>
|
||||||
</button>
|
</button>
|
||||||
<Link href="/" className="text-xl font-bold">
|
<Link href="/" className="text-xl font-bold relative z-10">
|
||||||
MirrorMatch
|
MirrorMatch
|
||||||
</Link>
|
</Link>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* Main Actions - Always Visible */}
|
{/* Main Actions - Always Visible */}
|
||||||
<div className="flex items-center space-x-4">
|
<div className="flex items-center space-x-4 relative z-10">
|
||||||
<Link
|
<Link
|
||||||
href="/upload"
|
href="/upload"
|
||||||
className="hover:bg-purple-700 px-3 py-2 rounded-md text-sm font-medium transition whitespace-nowrap"
|
className="hover:bg-purple-700 px-3 py-2 rounded-md text-sm font-medium transition whitespace-nowrap relative z-10"
|
||||||
|
onClick={() => setSideMenuOpen(false)}
|
||||||
>
|
>
|
||||||
Upload
|
Upload
|
||||||
</Link>
|
</Link>
|
||||||
<Link
|
<Link
|
||||||
href="/leaderboard"
|
href="/leaderboard"
|
||||||
className="hover:bg-purple-700 px-3 py-2 rounded-md text-sm font-medium transition whitespace-nowrap"
|
className="hover:bg-purple-700 px-3 py-2 rounded-md text-sm font-medium transition whitespace-nowrap relative z-10"
|
||||||
|
onClick={() => setSideMenuOpen(false)}
|
||||||
>
|
>
|
||||||
Leaderboard
|
Leaderboard
|
||||||
</Link>
|
</Link>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* User Info */}
|
{/* User Info */}
|
||||||
<div className="flex items-center">
|
<div className="flex items-center relative z-10">
|
||||||
<span className="text-sm">Hello, {session.user.name}</span>
|
<span className="text-sm">Hello, {session.user.name}</span>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
@ -82,7 +84,7 @@ export default function Navigation() {
|
|||||||
|
|
||||||
{/* Side Menu */}
|
{/* Side Menu */}
|
||||||
<div
|
<div
|
||||||
className={`side-menu fixed top-16 left-0 h-[calc(100vh-4rem)] w-64 bg-white shadow-xl z-40 transform transition-transform duration-300 ease-in-out flex flex-col ${
|
className={`side-menu fixed top-16 left-0 h-[calc(100vh-4rem)] w-64 bg-white shadow-xl z-30 transform transition-transform duration-300 ease-in-out flex flex-col ${
|
||||||
sideMenuOpen ? "translate-x-0" : "-translate-x-full"
|
sideMenuOpen ? "translate-x-0" : "-translate-x-full"
|
||||||
}`}
|
}`}
|
||||||
>
|
>
|
||||||
@ -154,7 +156,7 @@ export default function Navigation() {
|
|||||||
{/* Overlay for mobile */}
|
{/* Overlay for mobile */}
|
||||||
{sideMenuOpen && (
|
{sideMenuOpen && (
|
||||||
<div
|
<div
|
||||||
className="fixed inset-0 bg-black bg-opacity-50 z-30 sm:hidden"
|
className="fixed inset-0 bg-black bg-opacity-50 z-20 sm:hidden"
|
||||||
onClick={() => setSideMenuOpen(false)}
|
onClick={() => setSideMenuOpen(false)}
|
||||||
/>
|
/>
|
||||||
)}
|
)}
|
||||||
|
|||||||
@ -14,6 +14,7 @@
|
|||||||
"test:coverage": "jest --coverage",
|
"test:coverage": "jest --coverage",
|
||||||
"test:ci": "jest --ci --coverage --maxWorkers=2",
|
"test:ci": "jest --ci --coverage --maxWorkers=2",
|
||||||
"db:generate": "prisma generate",
|
"db:generate": "prisma generate",
|
||||||
|
"postinstall": "prisma generate",
|
||||||
"db:migrate": "prisma migrate dev",
|
"db:migrate": "prisma migrate dev",
|
||||||
"db:push": "prisma db push",
|
"db:push": "prisma db push",
|
||||||
"db:studio": "prisma studio",
|
"db:studio": "prisma studio",
|
||||||
|
|||||||
@ -3,7 +3,6 @@
|
|||||||
|
|
||||||
generator client {
|
generator client {
|
||||||
provider = "prisma-client-js"
|
provider = "prisma-client-js"
|
||||||
output = "../node_modules/@prisma/client/.prisma/client"
|
|
||||||
}
|
}
|
||||||
|
|
||||||
datasource db {
|
datasource db {
|
||||||
|
|||||||
@ -19,8 +19,7 @@
|
|||||||
}
|
}
|
||||||
],
|
],
|
||||||
"paths": {
|
"paths": {
|
||||||
"@/*": ["./*"],
|
"@/*": ["./*"]
|
||||||
".prisma/client": ["./node_modules/.prisma/client"]
|
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"include": [
|
"include": [
|
||||||
|
|||||||
Loading…
x
Reference in New Issue
Block a user