64 lines
1.9 KiB
TypeScript
64 lines
1.9 KiB
TypeScript
import { NextRequest, NextResponse } from "next/server";
|
|
import { getDatabase } from "@/db";
|
|
import fs from "fs";
|
|
import path from "path";
|
|
|
|
export async function GET(
|
|
request: NextRequest,
|
|
{ params }: { params: Promise<{ id: string }> }
|
|
) {
|
|
const { id } = await params;
|
|
const db = getDatabase();
|
|
try {
|
|
const videoId = parseInt(id);
|
|
|
|
const video = db.prepare("SELECT * FROM media WHERE id = ? AND type = 'video'").get(videoId) as { path: string } | undefined;
|
|
|
|
if (!video) {
|
|
return NextResponse.json({ error: "Video not found" }, { status: 404 });
|
|
}
|
|
|
|
const videoPath = video.path;
|
|
|
|
if (!fs.existsSync(videoPath)) {
|
|
return NextResponse.json({ error: "Video file not found" }, { status: 404 });
|
|
}
|
|
|
|
const stat = fs.statSync(videoPath);
|
|
const fileSize = stat.size;
|
|
const range = request.headers.get("range");
|
|
|
|
if (range) {
|
|
const parts = range.replace(/bytes=/, "").split("-");
|
|
const start = parseInt(parts[0], 10);
|
|
const end = parts[1] ? parseInt(parts[1], 10) : fileSize - 1;
|
|
const chunksize = end - start + 1;
|
|
const file = fs.createReadStream(videoPath, { start, end });
|
|
const headers = new Headers({
|
|
"Content-Range": `bytes ${start}-${end}/${fileSize}`,
|
|
"Accept-Ranges": "bytes",
|
|
"Content-Length": chunksize.toString(),
|
|
"Content-Type": "video/mp4",
|
|
});
|
|
|
|
return new Response(file as any, {
|
|
status: 206,
|
|
headers,
|
|
});
|
|
} else {
|
|
const headers = new Headers({
|
|
"Content-Length": fileSize.toString(),
|
|
"Content-Type": "video/mp4",
|
|
});
|
|
const file = fs.createReadStream(videoPath);
|
|
|
|
return new Response(file as any, {
|
|
status: 200,
|
|
headers,
|
|
});
|
|
}
|
|
} catch (error) {
|
|
console.error("Error streaming video:", error);
|
|
return NextResponse.json({ error: "Internal server error" }, { status: 500 });
|
|
}
|
|
} |