-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathapp.js
144 lines (125 loc) · 5.05 KB
/
app.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
const express = require('express');
const { exec } = require('child_process');
const path = require('path');
const fs = require('fs');
const sqlite3 = require('sqlite3').verbose(); // Import SQLite3
const app = express();
const PORT = 80; // Change to port 80
const streams = {}; // Store stream information
const db = new sqlite3.Database('./streams.db', (err) => {
if (err) {
console.error('Error opening database:', err.message);
} else {
// Create table if not exists
db.run(`
CREATE TABLE IF NOT EXISTS streams (
id INTEGER PRIMARY KEY AUTOINCREMENT,
videoId TEXT UNIQUE
);
`);
}
});
app.use(express.urlencoded({ extended: true }));
// Serve static files
app.use('/streams', express.static('streams'));
// Render the index page
app.get('/', (req, res) => {
db.all('SELECT * FROM streams', (err, rows) => {
if (err) {
console.error(err.message);
return res.status(500).send('Error retrieving streams.');
}
res.send(`
<h1>YouTube Streamer</h1>
<form action="/add-stream" method="POST">
<input type="text" name="videoId" placeholder="YouTube Video ID" required>
<button type="submit">Add Stream</button>
</form>
<h2>Active Streams</h2>
<ul>
${rows.map(row => `
<li>
${row.videoId}
<button onclick="removeStream('${row.videoId}')">Remove</button>
<br>
<a href="http://${req.headers.host}/streams/stream_${row.videoId}/stream.m3u8">M3U8 Link</a>
</li>
`).join('')}
</ul>
<script>
function removeStream(videoId) {
fetch('/remove-stream', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({ videoId })
}).then(() => location.reload());
}
</script>
`);
});
});
// Add a new stream
app.post('/add-stream', (req, res) => {
const videoId = req.body.videoId;
const streamName = `stream_${videoId}`; // Create a unique stream name
const m3u8File = path.join(__dirname, 'streams', `${streamName}`, 'stream.m3u8');
// Insert videoId into database
db.run('INSERT OR IGNORE INTO streams (videoId) VALUES (?)', [videoId], (err) => {
if (err) {
console.error('Error inserting videoId:', err.message);
return res.status(500).send('Error saving video ID.');
}
if (!fs.existsSync(path.join(__dirname, 'streams', streamName))) {
fs.mkdirSync(path.join(__dirname, 'streams', streamName), { recursive: true });
}
const ffmpegProcess = exec(`yt-dlp --cookies cookies.txt -f b -g "https://www.youtube.com/watch?v=${videoId}"`, (error, stdout, stderr) => {
if (error) {
console.error(`Error fetching stream URL: ${error.message}`);
return res.status(500).send('Error fetching stream URL.');
}
const streamUrl = stdout.trim();
if (!streamUrl) {
console.error('Stream URL is empty.');
return res.status(500).send('Error: Stream URL is empty.');
}
// Adjusted FFmpeg command to retain only the latest 10 segments
const ffmpegCommand = `ffmpeg -re -i "${streamUrl}" -c:v copy -c:a copy -f hls -hls_time 20 -hls_list_size 20 -hls_flags delete_segments "${m3u8File}"`;
const ffmpegProcess = exec(ffmpegCommand, (error) => {
if (error) {
console.error(`FFmpeg error: ${error.message}`);
} else {
console.log(`Streaming started for ${streamName}`);
}
});
streams[streamName] = ffmpegProcess; // Store the process
res.redirect('/');
});
});
});
// Remove a stream
app.post('/remove-stream', (req, res) => {
const videoId = req.body.videoId;
const streamName = `stream_${videoId}`;
const streamPath = path.join(__dirname, 'streams', streamName);
// Delete from database
db.run('DELETE FROM streams WHERE videoId = ?', [videoId], (err) => {
if (err) {
console.error('Error deleting videoId:', err.message);
return res.status(500).send('Error removing stream.');
}
if (streams[streamName]) {
streams[streamName].kill(); // Kill the ffmpeg process
delete streams[streamName]; // Remove from active streams
}
if (fs.existsSync(streamPath)) {
fs.rmdirSync(streamPath, { recursive: true }); // Remove stream directory
}
res.sendStatus(200);
});
});
// Start the server
app.listen(PORT, () => {
console.log(`Server is running on http://localhost:${PORT}`);
});