feat: Radio Plugin – 3D Globe mit weltweiten Radiosendern

- Radio Garden API Client (30K+ Orte, Sender-Suche, Stream-URL Auflösung)
- Discord Voice Streaming via ffmpeg (PCM Pipeline)
- Interactive 3D Globe (globe.gl) mit allen Radiosender-Standorten
- Sender-Panel mit Play/Stop/Favoriten
- Live-Suche nach Sendern und Städten
- Now-Playing Bar mit Equalizer-Animation
- Guild/Voice-Channel Auswahl
- SSE Broadcasting für Live-Updates
- Favoriten-System mit Persistenz
- Responsive Design (Mobile/Tablet/Desktop)

Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
This commit is contained in:
Daniel 2026-03-05 23:23:52 +01:00
parent ae1c41f0ae
commit 847c963d86
7 changed files with 1487 additions and 9 deletions

View file

@ -1,4 +1,5 @@
import { useState, useEffect, useRef } from 'react';
import RadioTab from './plugins/radio/RadioTab';
interface PluginInfo {
name: string;
@ -6,8 +7,10 @@ interface PluginInfo {
description: string;
}
// Plugin tab components will be registered here
const tabComponents: Record<string, React.FC<{ data: any }>> = {};
// Plugin tab components
const tabComponents: Record<string, React.FC<{ data: any }>> = {
radio: RadioTab,
};
export function registerTab(pluginName: string, component: React.FC<{ data: any }>) {
tabComponents[pluginName] = component;
@ -72,6 +75,7 @@ export default function App() {
// Tab icon mapping
const tabIcons: Record<string, string> = {
radio: '\u{1F30D}',
soundboard: '\u{1F3B5}',
stats: '\u{1F4CA}',
events: '\u{1F4C5}',

View file

@ -0,0 +1,448 @@
import { useState, useEffect, useRef, useCallback } from 'react';
import Globe from 'globe.gl';
// ── Types ──
interface RadioPlace {
id: string;
geo: [number, number];
title: string;
country: string;
size: number;
}
interface RadioChannel {
id: string;
title: string;
}
interface NowPlaying {
stationId: string;
stationName: string;
placeName: string;
country: string;
startedAt: string;
channelName: string;
}
interface GuildInfo {
id: string;
name: string;
voiceChannels: { id: string; name: string; members: number }[];
}
interface SearchHit {
id: string;
type: string;
title: string;
subtitle: string;
url: string;
}
interface Favorite {
stationId: string;
stationName: string;
placeName: string;
country: string;
placeId: string;
}
// ── Component ──
export default function RadioTab({ data }: { data: any }) {
const containerRef = useRef<HTMLDivElement>(null);
const globeRef = useRef<any>(null);
const [places, setPlaces] = useState<RadioPlace[]>([]);
const [selectedPlace, setSelectedPlace] = useState<RadioPlace | null>(null);
const [stations, setStations] = useState<RadioChannel[]>([]);
const [stationsLoading, setStationsLoading] = useState(false);
const [nowPlaying, setNowPlaying] = useState<Record<string, NowPlaying>>({});
const [guilds, setGuilds] = useState<GuildInfo[]>([]);
const [selectedGuild, setSelectedGuild] = useState('');
const [selectedChannel, setSelectedChannel] = useState('');
const [searchQuery, setSearchQuery] = useState('');
const [searchResults, setSearchResults] = useState<SearchHit[]>([]);
const [searchOpen, setSearchOpen] = useState(false);
const [favorites, setFavorites] = useState<Favorite[]>([]);
const [showFavorites, setShowFavorites] = useState(false);
const [playingLoading, setPlayingLoading] = useState(false);
const searchTimeout = useRef<ReturnType<typeof setTimeout>>();
// ── Fetch initial data ──
useEffect(() => {
fetch('/api/radio/places').then(r => r.json()).then(setPlaces).catch(console.error);
fetch('/api/radio/guilds')
.then(r => r.json())
.then((g: GuildInfo[]) => {
setGuilds(g);
if (g.length > 0) {
setSelectedGuild(g[0].id);
const ch = g[0].voiceChannels.find(c => c.members > 0) ?? g[0].voiceChannels[0];
if (ch) setSelectedChannel(ch.id);
}
})
.catch(console.error);
fetch('/api/radio/favorites').then(r => r.json()).then(setFavorites).catch(console.error);
}, []);
// ── Handle SSE data ──
useEffect(() => {
if (data?.playing) setNowPlaying(data.playing);
if (data?.favorites) setFavorites(data.favorites);
}, [data]);
// ── Point click handler (stable ref) ──
const handlePointClickRef = useRef<(point: any) => void>();
handlePointClickRef.current = (point: any) => {
setSelectedPlace(point);
setShowFavorites(false);
setStationsLoading(true);
setStations([]);
if (globeRef.current) {
globeRef.current.pointOfView({ lat: point.geo[0], lng: point.geo[1], altitude: 0.4 }, 800);
}
fetch(`/api/radio/place/${point.id}/channels`)
.then(r => r.json())
.then((ch: RadioChannel[]) => { setStations(ch); setStationsLoading(false); })
.catch(() => setStationsLoading(false));
};
// ── Initialize globe ──
useEffect(() => {
if (!containerRef.current || places.length === 0) return;
if (globeRef.current) {
globeRef.current.pointsData(places);
return;
}
const globe = Globe()(containerRef.current)
.globeImageUrl('//unpkg.com/three-globe/example/img/earth-night.jpg')
.backgroundColor('rgba(0,0,0,0)')
.atmosphereColor('rgba(230, 126, 34, 0.25)')
.atmosphereAltitude(0.12)
.pointsData(places)
.pointLat((d: any) => d.geo[0])
.pointLng((d: any) => d.geo[1])
.pointColor(() => 'rgba(230, 126, 34, 0.85)')
.pointRadius((d: any) => Math.max(0.12, Math.min(0.45, 0.06 + (d.size ?? 1) * 0.005)))
.pointAltitude(0.003)
.pointLabel((d: any) =>
`<div style="font-family:system-ui;font-size:13px;color:#fff;background:rgba(30,31,34,0.92);padding:6px 10px;border-radius:6px;border:1px solid rgba(230,126,34,0.3);pointer-events:none">` +
`<b>${d.title}</b><br/><span style="color:#949ba4;font-size:11px">${d.country}</span></div>`
)
.onPointClick((d: any) => handlePointClickRef.current?.(d))
.width(containerRef.current.clientWidth)
.height(containerRef.current.clientHeight);
// Start-Position: Europa
globe.pointOfView({ lat: 48, lng: 10, altitude: 2.0 });
// Auto-Rotation
const controls = globe.controls() as any;
if (controls) {
controls.autoRotate = true;
controls.autoRotateSpeed = 0.3;
}
globeRef.current = globe;
const onResize = () => {
if (containerRef.current && globeRef.current) {
globeRef.current
.width(containerRef.current.clientWidth)
.height(containerRef.current.clientHeight);
}
};
window.addEventListener('resize', onResize);
return () => {
window.removeEventListener('resize', onResize);
};
}, [places]);
// ── Play handler ──
const handlePlay = useCallback(async (
stationId: string, stationName: string,
overridePlaceName?: string, overrideCountry?: string,
) => {
if (!selectedGuild || !selectedChannel) return;
setPlayingLoading(true);
try {
const res = await fetch('/api/radio/play', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({
guildId: selectedGuild,
voiceChannelId: selectedChannel,
stationId,
stationName,
placeName: overridePlaceName ?? selectedPlace?.title ?? '',
country: overrideCountry ?? selectedPlace?.country ?? '',
}),
});
const result = await res.json();
if (result.ok) {
setNowPlaying(prev => ({
...prev,
[selectedGuild]: {
stationId, stationName,
placeName: overridePlaceName ?? selectedPlace?.title ?? '',
country: overrideCountry ?? selectedPlace?.country ?? '',
startedAt: new Date().toISOString(),
channelName: guilds.find(g => g.id === selectedGuild)
?.voiceChannels.find(c => c.id === selectedChannel)?.name ?? '',
},
}));
// Stoppe Auto-Rotation beim Abspielen
const controls = globeRef.current?.controls() as any;
if (controls) controls.autoRotate = false;
}
} catch (e) { console.error(e); }
setPlayingLoading(false);
}, [selectedGuild, selectedChannel, selectedPlace, guilds]);
// ── Stop handler ──
const handleStop = useCallback(async () => {
if (!selectedGuild) return;
await fetch('/api/radio/stop', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ guildId: selectedGuild }),
});
setNowPlaying(prev => {
const next = { ...prev };
delete next[selectedGuild];
return next;
});
}, [selectedGuild]);
// ── Search handler ──
const handleSearch = useCallback((q: string) => {
setSearchQuery(q);
if (searchTimeout.current) clearTimeout(searchTimeout.current);
if (!q.trim()) { setSearchResults([]); setSearchOpen(false); return; }
searchTimeout.current = setTimeout(async () => {
try {
const res = await fetch(`/api/radio/search?q=${encodeURIComponent(q)}`);
const results: SearchHit[] = await res.json();
setSearchResults(results);
setSearchOpen(true);
} catch { setSearchResults([]); }
}, 350);
}, []);
// ── Search result click ──
const handleSearchResultClick = useCallback((hit: SearchHit) => {
setSearchOpen(false);
setSearchQuery('');
setSearchResults([]);
if (hit.type === 'channel') {
const channelId = hit.url.match(/\/listen\/([^/]+)/)?.[1];
if (channelId) {
handlePlay(channelId, hit.title, hit.subtitle, '');
}
} else if (hit.type === 'place') {
const placeId = hit.url.match(/\/visit\/[^/]+\/([^/]+)/)?.[1];
const place = places.find(p => p.id === placeId);
if (place) handlePointClickRef.current?.(place);
}
}, [places, handlePlay]);
// ── Favorite toggle ──
const toggleFavorite = useCallback(async (stationId: string, stationName: string) => {
try {
const res = await fetch('/api/radio/favorites', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({
stationId, stationName,
placeName: selectedPlace?.title ?? '',
country: selectedPlace?.country ?? '',
placeId: selectedPlace?.id ?? '',
}),
});
const result = await res.json();
if (result.favorites) setFavorites(result.favorites);
} catch {}
}, [selectedPlace]);
const isFavorite = (stationId: string) => favorites.some(f => f.stationId === stationId);
const currentPlaying = selectedGuild ? nowPlaying[selectedGuild] : null;
const currentGuild = guilds.find(g => g.id === selectedGuild);
return (
<div className="radio-container">
{/* ── Globe ── */}
<div className="radio-globe" ref={containerRef} />
{/* ── Search ── */}
<div className="radio-search">
<div className="radio-search-wrap">
<span className="radio-search-icon">{'\u{1F50D}'}</span>
<input
className="radio-search-input"
type="text"
placeholder="Sender oder Stadt suchen..."
value={searchQuery}
onChange={e => handleSearch(e.target.value)}
onFocus={() => { if (searchResults.length) setSearchOpen(true); }}
/>
{searchQuery && (
<button className="radio-search-clear" onClick={() => { setSearchQuery(''); setSearchResults([]); setSearchOpen(false); }}>{'\u2715'}</button>
)}
</div>
{searchOpen && searchResults.length > 0 && (
<div className="radio-search-results">
{searchResults.slice(0, 12).map(hit => (
<button key={hit.id + hit.url} className="radio-search-result" onClick={() => handleSearchResultClick(hit)}>
<span className="radio-search-result-icon">
{hit.type === 'channel' ? '\u{1F4FB}' : hit.type === 'place' ? '\u{1F4CD}' : '\u{1F30D}'}
</span>
<div className="radio-search-result-text">
<span className="radio-search-result-title">{hit.title}</span>
<span className="radio-search-result-sub">{hit.subtitle}</span>
</div>
</button>
))}
</div>
)}
</div>
{/* ── Favorites toggle ── */}
<button
className={`radio-fab ${showFavorites ? 'active' : ''}`}
onClick={() => { setShowFavorites(!showFavorites); if (!showFavorites) setSelectedPlace(null); }}
title="Favoriten"
>
{'\u2B50'}{favorites.length > 0 && <span className="radio-fab-badge">{favorites.length}</span>}
</button>
{/* ── Side Panel: Favorites ── */}
{showFavorites && (
<div className="radio-panel open">
<div className="radio-panel-header">
<h3>{'\u2B50'} Favoriten</h3>
<button className="radio-panel-close" onClick={() => setShowFavorites(false)}>{'\u2715'}</button>
</div>
<div className="radio-panel-body">
{favorites.length === 0 ? (
<div className="radio-panel-empty">Noch keine Favoriten</div>
) : (
favorites.map(fav => (
<div key={fav.stationId} className={`radio-station ${currentPlaying?.stationId === fav.stationId ? 'playing' : ''}`}>
<div className="radio-station-info">
<span className="radio-station-name">{fav.stationName}</span>
<span className="radio-station-loc">{fav.placeName}, {fav.country}</span>
</div>
<div className="radio-station-btns">
<button
className="radio-btn-play"
onClick={() => handlePlay(fav.stationId, fav.stationName, fav.placeName, fav.country)}
disabled={!selectedChannel || playingLoading}
>{'\u25B6'}</button>
<button className="radio-btn-fav active" onClick={() => toggleFavorite(fav.stationId, fav.stationName)}>{'\u2605'}</button>
</div>
</div>
))
)}
</div>
</div>
)}
{/* ── Side Panel: Stations at place ── */}
{selectedPlace && !showFavorites && (
<div className="radio-panel open">
<div className="radio-panel-header">
<div>
<h3>{selectedPlace.title}</h3>
<span className="radio-panel-sub">{selectedPlace.country}</span>
</div>
<button className="radio-panel-close" onClick={() => setSelectedPlace(null)}>{'\u2715'}</button>
</div>
<div className="radio-panel-body">
{stationsLoading ? (
<div className="radio-panel-loading">
<div className="radio-spinner" />
Sender werden geladen...
</div>
) : stations.length === 0 ? (
<div className="radio-panel-empty">Keine Sender gefunden</div>
) : (
stations.map(s => (
<div key={s.id} className={`radio-station ${currentPlaying?.stationId === s.id ? 'playing' : ''}`}>
<div className="radio-station-info">
<span className="radio-station-name">{s.title}</span>
{currentPlaying?.stationId === s.id && (
<span className="radio-station-live">
<span className="radio-eq"><span /><span /><span /></span>
Live
</span>
)}
</div>
<div className="radio-station-btns">
{currentPlaying?.stationId === s.id ? (
<button className="radio-btn-stop" onClick={handleStop}>{'\u23F9'}</button>
) : (
<button
className="radio-btn-play"
onClick={() => handlePlay(s.id, s.title)}
disabled={!selectedChannel || playingLoading}
>{'\u25B6'}</button>
)}
<button
className={`radio-btn-fav ${isFavorite(s.id) ? 'active' : ''}`}
onClick={() => toggleFavorite(s.id, s.title)}
>{isFavorite(s.id) ? '\u2605' : '\u2606'}</button>
</div>
</div>
))
)}
</div>
</div>
)}
{/* ── Bottom Bar ── */}
<div className={`radio-bar ${currentPlaying ? 'has-playing' : ''}`}>
<div className="radio-bar-channel">
{guilds.length > 1 && (
<select className="radio-sel" value={selectedGuild} onChange={e => {
setSelectedGuild(e.target.value);
const g = guilds.find(x => x.id === e.target.value);
const ch = g?.voiceChannels.find(c => c.members > 0) ?? g?.voiceChannels[0];
setSelectedChannel(ch?.id ?? '');
}}>
{guilds.map(g => <option key={g.id} value={g.id}>{g.name}</option>)}
</select>
)}
<select className="radio-sel" value={selectedChannel} onChange={e => setSelectedChannel(e.target.value)}>
<option value="">Voice Channel...</option>
{currentGuild?.voiceChannels.map(c => (
<option key={c.id} value={c.id}>{'\u{1F50A}'} {c.name}{c.members > 0 ? ` (${c.members})` : ''}</option>
))}
</select>
</div>
{currentPlaying && (
<div className="radio-np">
<div className="radio-eq radio-eq-np"><span /><span /><span /></div>
<div className="radio-np-info">
<span className="radio-np-name">{currentPlaying.stationName}</span>
<span className="radio-np-loc">{currentPlaying.placeName}{currentPlaying.country ? `, ${currentPlaying.country}` : ''}</span>
</div>
<span className="radio-np-ch">{'\u{1F50A}'} {currentPlaying.channelName}</span>
<button className="radio-btn-stop" onClick={handleStop}>{'\u23F9'} Stop</button>
</div>
)}
</div>
{/* ── Places counter ── */}
<div className="radio-counter">
{'\u{1F4FB}'} {places.length.toLocaleString('de-DE')} Sender weltweit
</div>
</div>
);
}

View file

@ -348,3 +348,591 @@ html, body {
font-size: 14px;
}
}
/*
RADIO PLUGIN World Radio Globe
*/
.radio-container {
position: relative;
width: 100%;
height: 100%;
overflow: hidden;
background: var(--bg-deep);
}
/* ── Globe ── */
.radio-globe {
width: 100%;
height: 100%;
}
.radio-globe canvas {
outline: none !important;
}
/* ── Search Overlay ── */
.radio-search {
position: absolute;
top: 16px;
left: 50%;
transform: translateX(-50%);
z-index: 20;
width: min(440px, calc(100% - 32px));
}
.radio-search-wrap {
display: flex;
align-items: center;
background: rgba(30, 31, 34, 0.92);
backdrop-filter: blur(12px);
border: 1px solid var(--border);
border-radius: var(--radius-lg);
padding: 0 14px;
gap: 8px;
box-shadow: 0 8px 32px rgba(0,0,0,0.4);
}
.radio-search-icon {
font-size: 16px;
opacity: 0.6;
flex-shrink: 0;
}
.radio-search-input {
flex: 1;
background: transparent;
border: none;
color: var(--text-normal);
font-family: var(--font);
font-size: 14px;
padding: 12px 0;
outline: none;
}
.radio-search-input::placeholder {
color: var(--text-faint);
}
.radio-search-clear {
background: none;
border: none;
color: var(--text-muted);
font-size: 14px;
cursor: pointer;
padding: 4px;
border-radius: 4px;
transition: color var(--transition);
}
.radio-search-clear:hover {
color: var(--text-normal);
}
/* ── Search Results ── */
.radio-search-results {
margin-top: 6px;
background: rgba(30, 31, 34, 0.95);
backdrop-filter: blur(12px);
border: 1px solid var(--border);
border-radius: var(--radius-lg);
max-height: 360px;
overflow-y: auto;
box-shadow: 0 12px 40px rgba(0,0,0,0.5);
scrollbar-width: thin;
scrollbar-color: var(--bg-tertiary) transparent;
}
.radio-search-result {
display: flex;
align-items: center;
gap: 10px;
width: 100%;
padding: 10px 14px;
background: none;
border: none;
border-bottom: 1px solid var(--border);
color: var(--text-normal);
font-family: var(--font);
font-size: 14px;
cursor: pointer;
text-align: left;
transition: background var(--transition);
}
.radio-search-result:last-child {
border-bottom: none;
}
.radio-search-result:hover {
background: rgba(var(--accent-rgb), 0.08);
}
.radio-search-result-icon {
font-size: 18px;
flex-shrink: 0;
}
.radio-search-result-text {
display: flex;
flex-direction: column;
gap: 2px;
min-width: 0;
}
.radio-search-result-title {
font-weight: 600;
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
.radio-search-result-sub {
font-size: 12px;
color: var(--text-muted);
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
/* ── Favorites FAB ── */
.radio-fab {
position: absolute;
top: 16px;
right: 16px;
z-index: 20;
display: flex;
align-items: center;
gap: 4px;
padding: 10px 14px;
background: rgba(30, 31, 34, 0.92);
backdrop-filter: blur(12px);
border: 1px solid var(--border);
border-radius: var(--radius-lg);
color: var(--text-normal);
font-size: 16px;
cursor: pointer;
box-shadow: 0 8px 32px rgba(0,0,0,0.4);
transition: all var(--transition);
}
.radio-fab:hover,
.radio-fab.active {
background: rgba(var(--accent-rgb), 0.15);
border-color: rgba(var(--accent-rgb), 0.3);
}
.radio-fab-badge {
font-size: 11px;
font-weight: 700;
background: var(--accent);
color: #fff;
padding: 1px 6px;
border-radius: 10px;
min-width: 18px;
text-align: center;
}
/* ── Side Panel ── */
.radio-panel {
position: absolute;
top: 0;
right: 0;
width: 340px;
height: 100%;
z-index: 15;
background: rgba(30, 31, 34, 0.95);
backdrop-filter: blur(16px);
border-left: 1px solid var(--border);
display: flex;
flex-direction: column;
animation: slide-in-right 200ms ease;
box-shadow: -8px 0 32px rgba(0,0,0,0.3);
}
@keyframes slide-in-right {
from { transform: translateX(100%); opacity: 0; }
to { transform: translateX(0); opacity: 1; }
}
.radio-panel-header {
display: flex;
align-items: center;
justify-content: space-between;
padding: 16px;
border-bottom: 1px solid var(--border);
flex-shrink: 0;
}
.radio-panel-header h3 {
font-size: 16px;
font-weight: 700;
color: var(--text-normal);
}
.radio-panel-sub {
font-size: 12px;
color: var(--text-muted);
display: block;
margin-top: 2px;
}
.radio-panel-close {
background: none;
border: none;
color: var(--text-muted);
font-size: 18px;
cursor: pointer;
padding: 4px 8px;
border-radius: 4px;
transition: all var(--transition);
}
.radio-panel-close:hover {
color: var(--text-normal);
background: var(--bg-secondary);
}
.radio-panel-body {
flex: 1;
overflow-y: auto;
padding: 8px;
scrollbar-width: thin;
scrollbar-color: var(--bg-tertiary) transparent;
}
.radio-panel-empty {
text-align: center;
color: var(--text-muted);
padding: 40px 16px;
font-size: 14px;
}
.radio-panel-loading {
display: flex;
flex-direction: column;
align-items: center;
gap: 12px;
padding: 40px 16px;
color: var(--text-muted);
font-size: 14px;
}
/* ── Station Card ── */
.radio-station {
display: flex;
align-items: center;
justify-content: space-between;
padding: 10px 12px;
border-radius: var(--radius);
transition: background var(--transition);
gap: 10px;
}
.radio-station:hover {
background: var(--bg-secondary);
}
.radio-station.playing {
background: rgba(var(--accent-rgb), 0.1);
border: 1px solid rgba(var(--accent-rgb), 0.2);
}
.radio-station-info {
flex: 1;
min-width: 0;
display: flex;
flex-direction: column;
gap: 3px;
}
.radio-station-name {
font-size: 14px;
font-weight: 600;
color: var(--text-normal);
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
.radio-station-loc {
font-size: 11px;
color: var(--text-faint);
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
.radio-station-live {
display: flex;
align-items: center;
gap: 6px;
font-size: 11px;
color: var(--accent);
font-weight: 600;
}
.radio-station-btns {
display: flex;
gap: 4px;
flex-shrink: 0;
}
/* ── Buttons ── */
.radio-btn-play,
.radio-btn-stop {
width: 34px;
height: 34px;
border: none;
border-radius: 50%;
font-size: 14px;
cursor: pointer;
display: flex;
align-items: center;
justify-content: center;
transition: all var(--transition);
}
.radio-btn-play {
background: var(--accent);
color: #fff;
}
.radio-btn-play:hover:not(:disabled) {
background: var(--accent-hover);
transform: scale(1.05);
}
.radio-btn-play:disabled {
opacity: 0.4;
cursor: not-allowed;
}
.radio-btn-stop {
background: var(--danger);
color: #fff;
}
.radio-btn-stop:hover {
background: #c63639;
}
.radio-btn-fav {
width: 34px;
height: 34px;
border: none;
border-radius: 50%;
font-size: 16px;
cursor: pointer;
background: transparent;
color: var(--text-faint);
display: flex;
align-items: center;
justify-content: center;
transition: all var(--transition);
}
.radio-btn-fav:hover {
color: var(--warning);
background: rgba(254, 231, 92, 0.1);
}
.radio-btn-fav.active {
color: var(--warning);
}
/* ── Equalizer Animation ── */
.radio-eq {
display: flex;
align-items: flex-end;
gap: 2px;
height: 14px;
}
.radio-eq span {
width: 3px;
background: var(--accent);
border-radius: 1px;
animation: eq-bounce 0.8s ease-in-out infinite;
}
.radio-eq span:nth-child(1) { height: 8px; animation-delay: 0s; }
.radio-eq span:nth-child(2) { height: 14px; animation-delay: 0.15s; }
.radio-eq span:nth-child(3) { height: 10px; animation-delay: 0.3s; }
@keyframes eq-bounce {
0%, 100% { transform: scaleY(0.4); }
50% { transform: scaleY(1); }
}
/* ── Bottom Bar ── */
.radio-bar {
position: absolute;
bottom: 0;
left: 0;
right: 0;
z-index: 20;
background: rgba(30, 31, 34, 0.95);
backdrop-filter: blur(16px);
border-top: 1px solid var(--border);
padding: 10px 16px;
display: flex;
align-items: center;
gap: 16px;
box-shadow: 0 -4px 24px rgba(0,0,0,0.3);
}
.radio-bar-channel {
display: flex;
gap: 8px;
flex-shrink: 0;
}
.radio-sel {
background: var(--bg-secondary);
border: 1px solid var(--border);
border-radius: var(--radius);
color: var(--text-normal);
font-family: var(--font);
font-size: 13px;
padding: 6px 10px;
cursor: pointer;
outline: none;
max-width: 180px;
}
.radio-sel:focus {
border-color: var(--accent);
}
/* ── Now Playing ── */
.radio-np {
display: flex;
align-items: center;
gap: 12px;
flex: 1;
min-width: 0;
}
.radio-eq-np {
flex-shrink: 0;
}
.radio-np-info {
display: flex;
flex-direction: column;
gap: 1px;
min-width: 0;
flex: 1;
}
.radio-np-name {
font-size: 14px;
font-weight: 600;
color: var(--text-normal);
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
.radio-np-loc {
font-size: 11px;
color: var(--text-muted);
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
.radio-np-ch {
font-size: 12px;
color: var(--text-faint);
white-space: nowrap;
flex-shrink: 0;
}
.radio-bar .radio-btn-stop {
width: auto;
border-radius: var(--radius);
padding: 6px 14px;
font-size: 13px;
gap: 4px;
flex-shrink: 0;
}
/* ── Station count ── */
.radio-counter {
position: absolute;
bottom: 70px;
left: 16px;
z-index: 10;
font-size: 12px;
color: var(--text-faint);
background: rgba(30, 31, 34, 0.8);
padding: 4px 10px;
border-radius: 20px;
pointer-events: none;
}
/* ── Spinner ── */
.radio-spinner {
width: 24px;
height: 24px;
border: 3px solid var(--bg-tertiary);
border-top-color: var(--accent);
border-radius: 50%;
animation: spin 0.7s linear infinite;
}
@keyframes spin {
to { transform: rotate(360deg); }
}
/* ── Radio Responsive ── */
@media (max-width: 768px) {
.radio-panel {
width: 100%;
}
.radio-fab {
top: 12px;
right: 12px;
padding: 8px 10px;
font-size: 14px;
}
.radio-search {
top: 12px;
width: calc(100% - 80px);
left: calc(50% - 24px);
}
.radio-bar {
flex-wrap: wrap;
padding: 8px 12px;
gap: 8px;
}
.radio-sel {
max-width: 140px;
font-size: 12px;
}
.radio-counter {
bottom: 62px;
left: 12px;
}
}
@media (max-width: 480px) {
.radio-np-ch {
display: none;
}
.radio-bar-channel {
flex-wrap: wrap;
}
.radio-sel {
max-width: 120px;
}
}