This commit is contained in:
2025-06-19 02:09:24 +00:00
committed by GitHub
commit 717155ea22
78 changed files with 13145 additions and 0 deletions

339
lib/navidrome.ts Normal file
View File

@@ -0,0 +1,339 @@
import crypto from 'crypto';
export interface NavidromeConfig {
serverUrl: string;
username: string;
password: string;
}
export interface SubsonicResponse<T = any> {
'subsonic-response': {
status: string;
version: string;
type: string;
serverVersion?: string;
openSubsonic?: boolean;
error?: {
code: number;
message: string;
};
} & T;
}
export interface Album {
id: string;
name: string;
artist: string;
artistId: string;
coverArt?: string;
songCount: number;
duration: number;
playCount?: number;
created: string;
starred?: string;
year?: number;
genre?: string;
}
export interface Artist {
id: string;
name: string;
albumCount: number;
starred?: string;
coverArt?: string;
}
export interface Song {
id: string;
parent: string;
isDir: boolean;
title: string;
album: string;
artist: string;
track?: number;
year?: number;
genre?: string;
coverArt?: string;
size: number;
contentType: string;
suffix: string;
duration: number;
bitRate?: number;
path: string;
playCount?: number;
discNumber?: number;
created: string;
albumId: string;
artistId: string;
type: string;
starred?: string;
}
export interface Playlist {
id: string;
name: string;
comment?: string;
owner: string;
public: boolean;
songCount: number;
duration: number;
created: string;
changed: string;
coverArt?: string;
}
class NavidromeAPI {
private config: NavidromeConfig;
private clientName = 'stillnavidrome';
private version = '1.16.0';
constructor(config: NavidromeConfig) {
this.config = config;
}
private generateSalt(): string {
return crypto.randomBytes(8).toString('hex');
}
private generateToken(password: string, salt: string): string {
return crypto.createHash('md5').update(password + salt).digest('hex');
}
private async makeRequest(endpoint: string, params: Record<string, any> = {}): Promise<any> {
const salt = this.generateSalt();
const token = this.generateToken(this.config.password, salt);
const queryParams = new URLSearchParams({
u: this.config.username,
t: token,
s: salt,
v: this.version,
c: this.clientName,
f: 'json',
...params
});
const url = `${this.config.serverUrl}/rest/${endpoint}?${queryParams.toString()}`;
try {
const response = await fetch(url);
if (!response.ok) {
throw new Error(`HTTP error! status: ${response.status}`);
}
const data: SubsonicResponse = await response.json();
if (data['subsonic-response'].status === 'failed') {
throw new Error(data['subsonic-response'].error?.message || 'Unknown error');
}
return data['subsonic-response'];
} catch (error) {
console.error('Navidrome API request failed:', error);
throw error;
}
}
async ping(): Promise<boolean> {
try {
await this.makeRequest('ping');
return true;
} catch {
return false;
}
}
async getArtists(): Promise<Artist[]> {
const response = await this.makeRequest('getArtists');
const artists: Artist[] = [];
if (response.artists?.index) {
for (const index of response.artists.index) {
if (index.artist) {
artists.push(...index.artist);
}
}
}
return artists;
}
async getArtist(artistId: string): Promise<{ artist: Artist; albums: Album[] }> {
const response = await this.makeRequest('getArtist', { id: artistId });
return {
artist: response.artist,
albums: response.artist.album || []
};
}
async getAlbums(type?: 'newest' | 'recent' | 'frequent' | 'random', size: number = 50, offset: number = 0): Promise<Album[]> {
const response = await this.makeRequest('getAlbumList2', {
type: type || 'newest',
size,
offset
});
return response.albumList2?.album || [];
}
async getAlbum(albumId: string): Promise<{ album: Album; songs: Song[] }> {
const response = await this.makeRequest('getAlbum', { id: albumId });
return {
album: response.album,
songs: response.album.song || []
};
}
async search(query: string, artistCount = 20, albumCount = 20, songCount = 20): Promise<{
artists: Artist[];
albums: Album[];
songs: Song[];
}> {
const response = await this.makeRequest('search3', {
query,
artistCount,
albumCount,
songCount
});
return {
artists: response.searchResult3?.artist || [],
albums: response.searchResult3?.album || [],
songs: response.searchResult3?.song || []
};
}
async getPlaylists(): Promise<Playlist[]> {
const response = await this.makeRequest('getPlaylists');
return response.playlists?.playlist || [];
}
async getPlaylist(playlistId: string): Promise<{ playlist: Playlist; songs: Song[] }> {
const response = await this.makeRequest('getPlaylist', { id: playlistId });
return {
playlist: response.playlist,
songs: response.playlist.entry || []
};
}
async createPlaylist(name: string, songIds?: string[]): Promise<Playlist> {
const params: Record<string, any> = { name };
if (songIds && songIds.length > 0) {
songIds.forEach((id, index) => {
params[`songId[${index}]`] = id;
});
}
const response = await this.makeRequest('createPlaylist', params);
return response.playlist;
}
async updatePlaylist(playlistId: string, name?: string, comment?: string, songIds?: string[]): Promise<void> {
const params: Record<string, any> = { playlistId };
if (name) params.name = name;
if (comment) params.comment = comment;
if (songIds) {
songIds.forEach((id, index) => {
params[`songId[${index}]`] = id;
});
}
await this.makeRequest('updatePlaylist', params);
}
async deletePlaylist(playlistId: string): Promise<void> {
await this.makeRequest('deletePlaylist', { id: playlistId });
}
getStreamUrl(songId: string, maxBitRate?: number): string {
const salt = this.generateSalt();
const token = this.generateToken(this.config.password, salt);
const params = new URLSearchParams({
u: this.config.username,
t: token,
s: salt,
v: this.version,
c: this.clientName,
id: songId
});
if (maxBitRate) {
params.append('maxBitRate', maxBitRate.toString());
}
return `${this.config.serverUrl}/rest/stream?${params.toString()}`;
}
getCoverArtUrl(coverArtId: string, size?: number): string {
const salt = this.generateSalt();
const token = this.generateToken(this.config.password, salt);
const params = new URLSearchParams({
u: this.config.username,
t: token,
s: salt,
v: this.version,
c: this.clientName,
id: coverArtId
});
if (size) {
params.append('size', size.toString());
}
return `${this.config.serverUrl}/rest/getCoverArt?${params.toString()}`;
}
async star(id: string, type: 'song' | 'album' | 'artist'): Promise<void> {
const paramName = type === 'song' ? 'id' : type === 'album' ? 'albumId' : 'artistId';
await this.makeRequest('star', { [paramName]: id });
}
async unstar(id: string, type: 'song' | 'album' | 'artist'): Promise<void> {
const paramName = type === 'song' ? 'id' : type === 'album' ? 'albumId' : 'artistId';
await this.makeRequest('unstar', { [paramName]: id });
}
async scrobble(songId: string, submission: boolean = true): Promise<void> {
await this.makeRequest('scrobble', {
id: songId,
submission: submission.toString(),
time: Date.now()
});
}
async getAllSongs(size = 500, offset = 0): Promise<Song[]> {
const response = await this.makeRequest('search3', {
query: '',
songCount: size,
songOffset: offset,
artistCount: 0,
albumCount: 0
});
return response.searchResult3?.song || [];
}
}
// Singleton instance management
let navidromeInstance: NavidromeAPI | null = null;
export function getNavidromeAPI(): NavidromeAPI {
if (!navidromeInstance) {
const config: NavidromeConfig = {
serverUrl: process.env.NEXT_PUBLIC_NAVIDROME_URL || '',
username: process.env.NEXT_PUBLIC_NAVIDROME_USERNAME || '',
password: process.env.NEXT_PUBLIC_NAVIDROME_PASSWORD || ''
};
if (!config.serverUrl || !config.username || !config.password) {
throw new Error('Navidrome configuration is incomplete. Please check environment variables.');
}
navidromeInstance = new NavidromeAPI(config);
}
return navidromeInstance;
}
export default NavidromeAPI;

6
lib/utils.ts Normal file
View File

@@ -0,0 +1,6 @@
import { type ClassValue, clsx } from "clsx"
import { twMerge } from "tailwind-merge"
export function cn(...inputs: ClassValue[]) {
return twMerge(clsx(inputs))
}