161 lines
4.6 KiB
TypeScript
161 lines
4.6 KiB
TypeScript
import { hostname, userInfo } from 'node:os';
|
|
import { Readable } from 'stream';
|
|
|
|
interface AuthInfo {
|
|
token: string;
|
|
userId: string;
|
|
authHeaderValue: string;
|
|
}
|
|
|
|
export interface ServerCreds {
|
|
server: string;
|
|
user: string;
|
|
password: string;
|
|
}
|
|
|
|
interface View {
|
|
Id: string;
|
|
CollectionType: string;
|
|
}
|
|
|
|
export type Playlist = {
|
|
Name: string;
|
|
Id: string;
|
|
IsFolder: boolean;
|
|
MediaType: 'Audio' | 'Shows' | 'Movies'; //Probably incorrect/incomplete, except for "Audio"
|
|
Type: 'Playlist';
|
|
songList: SongMeta[];
|
|
};
|
|
|
|
export type PlaylistMeta = Omit<Playlist, 'songList'>;
|
|
|
|
export type SongMeta = {
|
|
Name?: string;
|
|
Id: string;
|
|
HasLyrics: boolean;
|
|
Path: string;
|
|
IsFolder: boolean;
|
|
Type: 'Audio';
|
|
Artists?: string[];
|
|
AlbumId?: string;
|
|
AlbumArtist?: string;
|
|
AlbumArtists?: string[];
|
|
MediaType: 'Audio';
|
|
NormalizationGain: number;
|
|
};
|
|
|
|
let tokenPromise: Promise<AuthInfo> | undefined = undefined;
|
|
|
|
const getAuthHeaderValue = (token?: string) => {
|
|
let val = `MediaBrowser Client="JF-to-M3U",Device="CLI",DeviceId="${
|
|
userInfo().username
|
|
}-${hostname()}",Version="0.0.1"`;
|
|
|
|
if (token) {
|
|
val += `,Token="${token}"`;
|
|
}
|
|
return val;
|
|
};
|
|
|
|
const getAuthInfo = async ({ server, user, password }: ServerCreds) => {
|
|
if (!tokenPromise) {
|
|
const url = `${server}/Users/authenticatebyname`;
|
|
console.log('URL: ', url);
|
|
const response = await fetch(url, {
|
|
method: 'POST',
|
|
headers: {
|
|
'Content-Type': 'application/json',
|
|
Authorization: getAuthHeaderValue(),
|
|
},
|
|
body: JSON.stringify({
|
|
Username: user,
|
|
Pw: password,
|
|
}),
|
|
});
|
|
if (!response.ok) {
|
|
console.error('Error authenticating to server: ', await response.text());
|
|
console.log('Exiting due unrecoverable error');
|
|
process.exit();
|
|
}
|
|
const authInfo = await response.json();
|
|
const token = authInfo.AccessToken;
|
|
const userId = authInfo.User.Id;
|
|
const authHeaderValue = getAuthHeaderValue(token);
|
|
tokenPromise = Promise.resolve({ token, authHeaderValue, userId });
|
|
}
|
|
return tokenPromise as Promise<AuthInfo>;
|
|
};
|
|
|
|
export const getAllViews = async (creds: ServerCreds): Promise<View[]> => {
|
|
const auth = await getAuthInfo(creds);
|
|
const url = `${creds.server}/UserViews?userId=${auth.userId}`;
|
|
|
|
const response = await fetch(url, { headers: { Authorization: auth.authHeaderValue } });
|
|
return (await response.json()).Items as View[];
|
|
};
|
|
|
|
export const getItemsByParent = async (creds: ServerCreds, parentId: string) => {
|
|
const auth = await getAuthInfo(creds);
|
|
const url = `${creds.server}/Items?userId=${auth.userId}&parentId=${parentId}`;
|
|
|
|
const response = await fetch(url, { headers: { Authorization: auth.authHeaderValue } });
|
|
return (await response.json()).Items;
|
|
};
|
|
|
|
export const getAllPlaylistMetas = async (creds: ServerCreds): Promise<Playlist[]> => {
|
|
const auth = await getAuthInfo(creds);
|
|
const views = await getAllViews(creds);
|
|
const musicViews = views.filter(c => c.CollectionType === 'music');
|
|
const playlistViews = views.filter(c => c.CollectionType === 'playlists');
|
|
const playlists: Playlist[] = (
|
|
await Promise.all(playlistViews.map(c => getItemsByParent(creds, c.Id)))
|
|
).flat(Infinity);
|
|
return playlists.filter(p => p.MediaType === 'Audio');
|
|
};
|
|
|
|
export const getSonglistForPlaylist = async (creds: ServerCreds, id: string) => {
|
|
const auth = await getAuthInfo(creds);
|
|
const response = await fetch(
|
|
`${creds.server}/Playlists/${id}/Items?userId=${auth.userId}&fields=Path`,
|
|
{
|
|
headers: { Authorization: auth.authHeaderValue },
|
|
},
|
|
);
|
|
return (await response.json()).Items as SongMeta[];
|
|
};
|
|
|
|
export const getSongFileBuffer = async (creds: ServerCreds, id: string) => {
|
|
const auth = await getAuthInfo(creds);
|
|
const response = await fetch(`${creds.server}/Items/${id}/File?userId=${auth.userId}`, {
|
|
headers: { Authorization: auth.authHeaderValue },
|
|
});
|
|
|
|
if (!response.body) {
|
|
throw new Error(
|
|
`Error, no response body from requesting song file buffer for song: ${id}`,
|
|
);
|
|
}
|
|
//Weird typing issue...
|
|
return Readable.fromWeb(response.body as any);
|
|
};
|
|
|
|
export async function getPlaylistSongs(
|
|
creds: ServerCreds,
|
|
playlistIds: string[],
|
|
playlistMetas: PlaylistMeta[],
|
|
) {
|
|
const playLists = await Promise.all(
|
|
playlistIds.map(async id => {
|
|
const playlistMeta = playlistMetas.find(pl => pl.Id === id);
|
|
if (!playlistMeta) {
|
|
throw new Error(`Unable to find selected playlist, somehow??? - ${id}`);
|
|
}
|
|
const playList: Playlist = {
|
|
...playlistMeta,
|
|
songList: await getSonglistForPlaylist(creds, id),
|
|
};
|
|
return playList;
|
|
}),
|
|
);
|
|
return playLists;
|
|
}
|