Spaces:
Sleeping
Sleeping
File size: 9,602 Bytes
fd52f31 |
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 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 |
import React, { useState, useEffect, useRef } from 'react';
import { FaMicrophone, FaPlay, FaPause, FaVolumeUp, FaTrash } from 'react-icons/fa';
import { BiPodcast } from 'react-icons/bi';
import { MdDateRange } from 'react-icons/md';
import DeleteModal from '../components/DeleteModal';
import Toast from '../components/Toast';
import './Podcasts.css';
const AudioPlayer = ({ audioUrl }) => {
const [isPlaying, setIsPlaying] = useState(false);
const [progress, setProgress] = useState(0);
const [currentTime, setCurrentTime] = useState(0);
const [audioDuration, setAudioDuration] = useState(0);
const audioRef = useRef(null);
// Check if we have a valid URL
const validUrl = audioUrl && audioUrl.trim() !== '';
useEffect(() => {
const audio = audioRef.current;
if (audio && validUrl) {
// Add loadedmetadata event to get duration
const handleLoadedMetadata = () => {
setAudioDuration(audio.duration);
};
const updateProgress = () => {
if (audio.duration) {
setProgress((audio.currentTime / audio.duration) * 100);
setCurrentTime(audio.currentTime);
}
};
audio.addEventListener('loadedmetadata', handleLoadedMetadata);
audio.addEventListener('timeupdate', updateProgress);
audio.addEventListener('ended', () => setIsPlaying(false));
return () => {
audio.removeEventListener('loadedmetadata', handleLoadedMetadata);
audio.removeEventListener('timeupdate', updateProgress);
audio.removeEventListener('ended', () => setIsPlaying(false));
};
}
}, [audioUrl, validUrl]);
const togglePlay = () => {
if (audioRef.current && validUrl) {
setIsPlaying((prevIsPlaying) => {
if (prevIsPlaying) {
audioRef.current.pause();
} else {
audioRef.current.play().catch(err => {
console.error("Error playing audio:", err);
setIsPlaying(false);
});
}
return !prevIsPlaying;
});
}
};
const formatTime = (time) => {
if (isNaN(time) || time < 0) return '0:00';
const minutes = Math.floor(time / 60);
const seconds = Math.floor(time % 60);
return `${minutes}:${seconds.toString().padStart(2, '0')}`;
};
const seekAudio = (event) => {
if (!audioRef.current || !validUrl) return;
const progressBar = event.currentTarget;
const clickX = event.nativeEvent.offsetX;
const progressBarWidth = progressBar.clientWidth;
// Calculate the new time based on click position
const newTime = (clickX / progressBarWidth) * audioRef.current.duration;
audioRef.current.currentTime = newTime; // Seek to new time
setProgress((newTime / audioRef.current.duration) * 100);
};
return (
<div className="audio-player">
<button
className="play-button"
onClick={togglePlay}
aria-label={isPlaying ? "Pause" : "Play"}
disabled={!validUrl}
>
{isPlaying ? <FaPause /> : <FaPlay />}
</button>
<div className="progress-bar" onClick={validUrl ? seekAudio : undefined}>
<div className="progress" style={{ width: `${progress}%` }}></div>
</div>
<div className="duration">
<FaVolumeUp />
<span>{formatTime(currentTime)} / {formatTime(audioDuration)}</span>
</div>
{validUrl ? (
<audio ref={audioRef} src={audioUrl} preload="metadata" />
) : (
<audio ref={audioRef} preload="none" />
)}
</div>
);
};
const Podcasts = () => {
const [podcasts, setPodcasts] = useState([]);
const [loading, setLoading] = useState(true);
const [error, setError] = useState(null);
const [deleteModal, setDeleteModal] = useState({ isOpen: false, podcast: null });
const [toast, setToast] = useState(null);
useEffect(() => {
fetchPodcasts();
}, []);
const fetchPodcasts = async () => {
try {
const token = localStorage.getItem('token');
const response = await fetch('http://localhost:8000/podcasts', {
headers: {
'Authorization': `Bearer ${token}`
}
});
if (!response.ok) {
throw new Error('Failed to fetch podcasts');
}
if (response.status === 401) {
throw new Error('Unauthorized access. Please log in again.');
}
const data = await response.json();
setPodcasts(data);
} catch (err) {
setError(err.message);
} finally {
setLoading(false);
}
};
const handleDelete = async () => {
if (!deleteModal.podcast?._id) return;
try {
const token = localStorage.getItem('token');
const response = await fetch(`http://localhost:8000/podcast/${deleteModal.podcast._id}`, {
method: 'DELETE',
headers: {
'Authorization': `Bearer ${token}`
}
});
if (!response.ok) {
throw new Error('Failed to delete podcast');
}
// Remove the podcast from the state
setPodcasts(podcasts.filter(p => p._id !== deleteModal.podcast._id));
setDeleteModal({ isOpen: false, podcast: null });
// Show success toast
setToast({
message: 'Podcast deleted successfully',
type: 'success'
});
// Clear toast after 3 seconds
setTimeout(() => {
setToast(null);
}, 3000);
} catch (err) {
setError(err.message);
// Show error toast
setToast({
message: 'Failed to delete podcast',
type: 'error'
});
// Clear toast after 3 seconds
setTimeout(() => {
setToast(null);
}, 3000);
}
};
if (loading) {
return (
<div className="podcasts-container">
<div className="loading-indicator">Loading your podcasts...</div>
</div>
);
}
if (error) {
return (
<div className="podcasts-container">
<div className="error-message">Error: {error}</div>
</div>
);
}
return (
<div className="podcasts-container">
<div className="podcasts-header">
<h1><BiPodcast /> Your Generated Podcasts</h1>
</div>
<div className="podcasts-grid">
{podcasts.length === 0 ? (
<div className="no-podcasts">
<p>You haven't generated any podcasts yet. Head over to the Home page to create your first podcast!</p>
</div>
) : (
podcasts.map((podcast) => (
<div key={podcast._id} className="podcast-card">
<div className="podcast-icon">
<FaMicrophone />
<button
className="delete-icon"
onClick={() => setDeleteModal({ isOpen: true, podcast })}
>
<FaTrash />
</button>
</div>
<div className="podcast-content">
<div className="podcast-header">
<h3>{podcast.topic}</h3>
</div>
<p>{podcast.research ? podcast.research.substring(0, 150) + '...' : 'No description available'}</p>
<div className="podcast-meta">
<span className="date">
<MdDateRange />
{new Date(podcast.created_at).toLocaleDateString()}
</span>
</div>
<AudioPlayer
audioUrl={podcast.audio_url || ''}
/>
</div>
</div>
))
)}
</div>
<DeleteModal
isOpen={deleteModal.isOpen}
onClose={() => setDeleteModal({ isOpen: false, podcast: null })}
onConfirm={handleDelete}
podcastName={deleteModal.podcast?.topic}
/>
{toast && (
<div className="toast-container">
<Toast
message={toast.message}
type={toast.type}
onClose={() => setToast(null)}
/>
</div>
)}
</div>
);
};
export default Podcasts; |