Compare commits

..

1 Commits

23 changed files with 258 additions and 478 deletions

View File

@@ -2,8 +2,5 @@ Dockerfile
.dockerignore .dockerignore
node_modules node_modules
npm-debug.log npm-debug.log
*.md README.md
.git .git
.github
LICENSE
docs/

View File

@@ -2,7 +2,7 @@ FROM node:16-alpine
WORKDIR /app WORKDIR /app
ENV NODE_ENV production ENV NODE_ENV production
COPY /next.config.js ./ COPY /next.config.js ./
COPY /public ./public COPY /public ./public
COPY /package.json ./package.json COPY /package.json ./package.json
# Automatically leverage output traces to reduce image size. https://nextjs.org/docs/advanced-features/output-file-tracing # Automatically leverage output traces to reduce image size. https://nextjs.org/docs/advanced-features/output-file-tracing
COPY /.next/standalone ./ COPY /.next/standalone ./

View File

@@ -33,7 +33,7 @@ Homarr is a simple and lightweight homepage for your server, that helps you easi
It integrates with the services you use to display information on the homepage (E.g. Show upcoming Sonarr/Radarr releases). It integrates with the services you use to display information on the homepage (E.g. Show upcoming Sonarr/Radarr releases).
For a full list of integrations look at: [wiki/integrations](https://github.com/ajnart/homarr/wiki/Integrations) For a full list of integrations look at: [wiki/integrations](#).
If you have any questions about Homarr or want to share information with us, please go to one of the following places: If you have any questions about Homarr or want to share information with us, please go to one of the following places:
@@ -198,4 +198,7 @@ SOFTWARE.
<i>Thank you for visiting! <b>For more information <a href="https://github.com/ajnart/homarr/wiki">read the wiki!</a></b></i> <i>Thank you for visiting! <b>For more information <a href="https://github.com/ajnart/homarr/wiki">read the wiki!</a></b></i>
<br/> <br/>
<br/> <br/>
<a href="https://trackgit.com">
<img src="https://us-central1-trackgit-analytics.cloudfunctions.net/token/ping/l3khzc3a3pexzw5w5whl" alt="trackgit-views" />
</a>
</p> </p>

View File

@@ -1,2 +1,2 @@
export const REPO_URL = 'ajnart/homarr'; export const REPO_URL = 'ajnart/homarr';
export const CURRENT_VERSION = 'v0.7.2'; export const CURRENT_VERSION = 'v0.7.0';

View File

@@ -1,6 +1,6 @@
{ {
"name": "homarr", "name": "homarr",
"version": "0.7.2", "version": "0.7.0",
"description": "Homarr - A homepage for your server.", "description": "Homarr - A homepage for your server.",
"repository": { "repository": {
"type": "git", "type": "git",

View File

@@ -12,10 +12,6 @@ import {
Title, Title,
Anchor, Anchor,
Text, Text,
Tabs,
MultiSelect,
ScrollArea,
Switch,
} from '@mantine/core'; } from '@mantine/core';
import { useForm } from '@mantine/form'; import { useForm } from '@mantine/form';
import { useEffect, useState } from 'react'; import { useEffect, useState } from 'react';
@@ -23,7 +19,7 @@ import { IconApps as Apps } from '@tabler/icons';
import { v4 as uuidv4 } from 'uuid'; import { v4 as uuidv4 } from 'uuid';
import { useDebouncedValue } from '@mantine/hooks'; import { useDebouncedValue } from '@mantine/hooks';
import { useConfig } from '../../tools/state'; import { useConfig } from '../../tools/state';
import { ServiceTypeList, StatusCodes } from '../../tools/types'; import { ServiceTypeList } from '../../tools/types';
export function AddItemShelfButton(props: any) { export function AddItemShelfButton(props: any) {
const [opened, setOpened] = useState(false); const [opened, setOpened] = useState(false);
@@ -117,15 +113,17 @@ export function AddAppShelfItemForm(props: { setOpened: (b: boolean) => void } &
username: props.username ?? (undefined as unknown as string), username: props.username ?? (undefined as unknown as string),
password: props.password ?? (undefined as unknown as string), password: props.password ?? (undefined as unknown as string),
openedUrl: props.openedUrl ?? (undefined as unknown as string), openedUrl: props.openedUrl ?? (undefined as unknown as string),
status: props.status ?? ['200'],
newTab: props.newTab ?? true,
}, },
validate: { validate: {
apiKey: () => null, apiKey: () => null,
// Validate icon with a regex // Validate icon with a regex
icon: (value: string) => icon: (value: string) => {
// Disable matching to allow any values // Regex to match everything that ends with and icon extension
null, if (!value.match(/\.(png|jpg|jpeg|gif|svg)$/)) {
return 'Please enter a valid icon URL';
}
return null;
},
// Validate url with a regex http/https // Validate url with a regex http/https
url: (value: string) => { url: (value: string) => {
try { try {
@@ -135,12 +133,6 @@ export function AddAppShelfItemForm(props: { setOpened: (b: boolean) => void } &
} }
return null; return null;
}, },
status: (value: string[]) => {
if (!value.length) {
return 'Please select a status code';
}
return null;
},
}, },
}); });
@@ -175,12 +167,6 @@ export function AddAppShelfItemForm(props: { setOpened: (b: boolean) => void } &
</Center> </Center>
<form <form
onSubmit={form.onSubmit(() => { onSubmit={form.onSubmit(() => {
if (JSON.stringify(form.values.status) === JSON.stringify(['200'])) {
form.values.status = undefined;
}
if (form.values.newTab === true) {
form.values.newTab = undefined;
}
// If service already exists, update it. // If service already exists, update it.
if (config.services && config.services.find((s) => s.id === form.values.id)) { if (config.services && config.services.find((s) => s.id === form.values.id)) {
setConfig({ setConfig({
@@ -205,178 +191,131 @@ export function AddAppShelfItemForm(props: { setOpened: (b: boolean) => void } &
form.reset(); form.reset();
})} })}
> >
<Tabs grow> <Group direction="column" grow>
<Tabs.Tab label="Options"> <TextInput
<ScrollArea style={{ height: 500 }} scrollbarSize={4}> required
<Group direction="column" grow> label="Service name"
<TextInput placeholder="Plex"
required {...form.getInputProps('name')}
label="Service name" />
placeholder="Plex"
{...form.getInputProps('name')}
/>
<TextInput <TextInput
required required
label="Icon URL" label="Icon URL"
placeholder="/favicon.svg" placeholder="/favicon.svg"
{...form.getInputProps('icon')} {...form.getInputProps('icon')}
/> />
<TextInput <TextInput
required required
label="Service URL" label="Service URL"
placeholder="http://localhost:7575" placeholder="http://localhost:7575"
{...form.getInputProps('url')} {...form.getInputProps('url')}
/> />
<TextInput <TextInput
label="On Click URL" label="New tab URL"
placeholder="http://sonarr.example.com" placeholder="http://sonarr.example.com"
{...form.getInputProps('openedUrl')} {...form.getInputProps('openedUrl')}
/> />
<Select <Select
label="Service type" label="Service type"
defaultValue="Other" defaultValue="Other"
placeholder="Pick one" placeholder="Pick one"
required required
searchable searchable
data={ServiceTypeList} data={ServiceTypeList}
{...form.getInputProps('type')} {...form.getInputProps('type')}
/> />
<Select <Select
label="Category" label="Category"
data={categoryList} data={categoryList}
placeholder="Select a category or create a new one" placeholder="Select a category or create a new one"
nothingFound="Nothing found" nothingFound="Nothing found"
searchable searchable
clearable clearable
creatable creatable
onClick={(e) => { onClick={(e) => {
e.preventDefault(); e.preventDefault();
}} }}
getCreateLabel={(query) => `+ Create "${query}"`} getCreateLabel={(query) => `+ Create "${query}"`}
onCreate={(query) => {}} onCreate={(query) => {}}
{...form.getInputProps('category')} {...form.getInputProps('category')}
/> />
<LoadingOverlay visible={isLoading} /> <LoadingOverlay visible={isLoading} />
{(form.values.type === 'Sonarr' || {(form.values.type === 'Sonarr' ||
form.values.type === 'Radarr' || form.values.type === 'Radarr' ||
form.values.type === 'Lidarr' || form.values.type === 'Lidarr' ||
form.values.type === 'Readarr') && ( form.values.type === 'Readarr') && (
<> <>
<TextInput <TextInput
required
label="API key"
placeholder="Your API key"
value={form.values.apiKey}
onChange={(event) => {
form.setFieldValue('apiKey', event.currentTarget.value);
}}
error={form.errors.apiKey && 'Invalid API key'}
/>
<Text
style={{
alignSelf: 'center',
fontSize: '0.75rem',
textAlign: 'center',
color: 'gray',
}}
>
Tip: Get your API key{' '}
<Anchor
target="_blank"
weight="bold"
style={{ fontStyle: 'inherit', fontSize: 'inherit' }}
href={`${hostname}/settings/general`}
>
here.
</Anchor>
</Text>
</>
)}
{form.values.type === 'qBittorrent' && (
<>
<TextInput
required
label="Username"
placeholder="admin"
value={form.values.username}
onChange={(event) => {
form.setFieldValue('username', event.currentTarget.value);
}}
error={form.errors.username && 'Invalid username'}
/>
<TextInput
required
label="Password"
placeholder="adminadmin"
value={form.values.password}
onChange={(event) => {
form.setFieldValue('password', event.currentTarget.value);
}}
error={form.errors.password && 'Invalid password'}
/>
</>
)}
{form.values.type === 'Deluge' && (
<>
<TextInput
label="Password"
placeholder="password"
value={form.values.password}
onChange={(event) => {
form.setFieldValue('password', event.currentTarget.value);
}}
error={form.errors.password && 'Invalid password'}
/>
</>
)}
{form.values.type === 'Transmission' && (
<>
<TextInput
label="Username"
placeholder="admin"
value={form.values.username}
onChange={(event) => {
form.setFieldValue('username', event.currentTarget.value);
}}
error={form.errors.username && 'Invalid username'}
/>
<TextInput
label="Password"
placeholder="adminadmin"
value={form.values.password}
onChange={(event) => {
form.setFieldValue('password', event.currentTarget.value);
}}
error={form.errors.password && 'Invalid password'}
/>
</>
)}
</Group>
</ScrollArea>
</Tabs.Tab>
<Tabs.Tab label="Advanced Options">
<Group direction="column" grow>
<MultiSelect
required required
label="HTTP Status Codes" label="API key"
data={StatusCodes} placeholder="Your API key"
placeholder="Select valid status codes" value={form.values.apiKey}
clearButtonLabel="Clear selection" onChange={(event) => {
nothingFound="Nothing found" form.setFieldValue('apiKey', event.currentTarget.value);
defaultValue={['200']} }}
clearable error={form.errors.apiKey && 'Invalid API key'}
searchable
{...form.getInputProps('status')}
/> />
<Switch <Text
label="Open service in new tab" style={{
defaultChecked={form.values.newTab} alignSelf: 'center',
{...form.getInputProps('newTab')} fontSize: '0.75rem',
textAlign: 'center',
color: 'gray',
}}
>
Tip: Get your API key{' '}
<Anchor
target="_blank"
weight="bold"
style={{ fontStyle: 'inherit', fontSize: 'inherit' }}
href={`${hostname}/settings/general`}
>
here.
</Anchor>
</Text>
</>
)}
{form.values.type === 'qBittorrent' && (
<>
<TextInput
required
label="Username"
placeholder="admin"
value={form.values.username}
onChange={(event) => {
form.setFieldValue('username', event.currentTarget.value);
}}
error={form.errors.username && 'Invalid username'}
/> />
</Group> <TextInput
</Tabs.Tab> required
</Tabs> label="Password"
placeholder="adminadmin"
value={form.values.password}
onChange={(event) => {
form.setFieldValue('password', event.currentTarget.value);
}}
error={form.errors.password && 'Invalid password'}
/>
</>
)}
{(form.values.type === 'Deluge' || form.values.type === 'Transmission') && (
<>
<TextInput
required
label="Password"
placeholder="password"
value={form.values.password}
onChange={(event) => {
form.setFieldValue('password', event.currentTarget.value);
}}
error={form.errors.password && 'Invalid password'}
/>
</>
)}
</Group>
<Group grow position="center" mt="xl"> <Group grow position="center" mt="xl">
<Button type="submit">{props.message ?? 'Add service'}</Button> <Button type="submit">{props.message ?? 'Add service'}</Button>
</Group> </Group>

View File

@@ -20,30 +20,15 @@ import DownloadComponent from '../modules/downloads/DownloadsModule';
const useStyles = createStyles((theme, _params) => ({ const useStyles = createStyles((theme, _params) => ({
item: { item: {
borderBottom: 0,
overflow: 'hidden', overflow: 'hidden',
borderLeft: '3px solid transparent', border: '1px solid transparent',
borderRight: '3px solid transparent', borderRadius: theme.radius.lg,
borderBottom: '3px solid transparent',
borderRadius: '20px',
borderColor: theme.colorScheme === 'dark' ? theme.colors.dark[5] : theme.colors.gray[1],
marginTop: theme.spacing.md, marginTop: theme.spacing.md,
}, },
control: { itemOpened: {
backgroundColor: theme.colorScheme === 'dark' ? theme.colors.dark[5] : theme.colors.gray[1], borderColor: theme.colorScheme === 'dark' ? theme.colors.dark[5] : theme.colors.gray[3],
borderRadius: theme.spacing.md,
'&:hover': {
backgroundColor: theme.colorScheme === 'dark' ? theme.colors.dark[5] : theme.colors.gray[1],
},
},
content: {
margin: theme.spacing.md,
},
label: {
overflow: 'visible',
}, },
})); }));
@@ -59,16 +44,11 @@ const AppShelf = (props: any) => {
const { colorScheme } = useMantineColorScheme(); const { colorScheme } = useMantineColorScheme();
const sensors = useSensors( const sensors = useSensors(
useSensor(TouchSensor, { useSensor(TouchSensor, {}),
activationConstraint: {
delay: 500,
tolerance: 5,
},
}),
useSensor(MouseSensor, { useSensor(MouseSensor, {
// Require the mouse to move by 10 pixels before activating // Require the mouse to move by 10 pixels before activating
activationConstraint: { activationConstraint: {
delay: 500, delay: 250,
tolerance: 5, tolerance: 5,
}, },
}) })
@@ -121,14 +101,7 @@ const AppShelf = (props: any) => {
<SortableContext items={config.services}> <SortableContext items={config.services}>
<Grid gutter="xl" align="center"> <Grid gutter="xl" align="center">
{filtered.map((service) => ( {filtered.map((service) => (
<Grid.Col <Grid.Col key={service.id} span={6} xl={2} xs={4} sm={3} md={3}>
key={service.id}
span={6}
xl={config.settings.appCardWidth || 2}
xs={4}
sm={3}
md={3}
>
<SortableAppShelfItem service={service} key={service.id} id={service.id} /> <SortableAppShelfItem service={service} key={service.id} id={service.id} />
</Grid.Col> </Grid.Col>
))} ))}
@@ -162,6 +135,11 @@ const AppShelf = (props: any) => {
order={2} order={2}
iconPosition="right" iconPosition="right"
multiple multiple
styles={{
item: {
borderRadius: '20px',
},
}}
initialState={toggledCategories} initialState={toggledCategories}
onChange={(idx) => settoggledCategories(idx)} onChange={(idx) => settoggledCategories(idx)}
> >

View File

@@ -83,8 +83,8 @@ export function AppShelfItem(props: any) {
> >
<Card.Section> <Card.Section>
<Anchor <Anchor
target={service.newTab === false ? '_top' : '_blank'} target="_blank"
href={service.openedUrl ? service.openedUrl : service.url} href={service.url}
style={{ color: 'inherit', fontStyle: 'inherit', fontSize: 'inherit' }} style={{ color: 'inherit', fontStyle: 'inherit', fontSize: 'inherit' }}
> >
<Text mt="sm" align="center" lineClamp={1} weight={550}> <Text mt="sm" align="center" lineClamp={1} weight={550}>
@@ -127,14 +127,13 @@ export function AppShelfItem(props: any) {
src={service.icon} src={service.icon}
fit="contain" fit="contain"
onClick={() => { onClick={() => {
if (service.openedUrl) { if (service.openedUrl) window.open(service.openedUrl, '_blank');
window.open(service.openedUrl, service.newTab === false ? '_top' : '_blank'); else window.open(service.url);
} else window.open(service.url, service.newTab === false ? '_top' : '_blank');
}} }}
/> />
</motion.i> </motion.i>
</AspectRatio> </AspectRatio>
<PingComponent url={service.url} status={service.status} /> <PingComponent url={service.url} />
</Card.Section> </Card.Section>
</Center> </Center>
</Card> </Card>

View File

@@ -20,7 +20,20 @@ export default function AppShelfMenu(props: any) {
onClose={() => setOpened(false)} onClose={() => setOpened(false)}
title="Modify a service" title="Modify a service"
> >
<AddAppShelfItemForm setOpened={setOpened} {...service} message="Save service" /> <AddAppShelfItemForm
setOpened={setOpened}
name={service.name}
id={service.id}
category={service.category}
type={service.type}
url={service.url}
icon={service.icon}
apiKey={service.apiKey}
username={service.username}
password={service.password}
openedUrl={service.openedUrl}
message="Save service"
/>
</Modal> </Modal>
<Menu <Menu
position="right" position="right"

View File

@@ -3,7 +3,6 @@ import { useForm } from '@mantine/form';
import { useConfig } from '../../tools/state'; import { useConfig } from '../../tools/state';
import { ColorSelector } from './ColorSelector'; import { ColorSelector } from './ColorSelector';
import { OpacitySelector } from './OpacitySelector'; import { OpacitySelector } from './OpacitySelector';
import { AppCardWidthSelector } from './AppCardWidthSelector';
import { ShadeSelector } from './ShadeSelector'; import { ShadeSelector } from './ShadeSelector';
export default function TitleChanger() { export default function TitleChanger() {
@@ -59,7 +58,6 @@ export default function TitleChanger() {
<ColorSelector type="secondary" /> <ColorSelector type="secondary" />
<ShadeSelector /> <ShadeSelector />
<OpacitySelector /> <OpacitySelector />
<AppCardWidthSelector />
</Group> </Group>
); );
} }

View File

@@ -1,32 +0,0 @@
import React from 'react';
import { Group, Text, Slider } from '@mantine/core';
import { useConfig } from '../../tools/state';
export function AppCardWidthSelector() {
const { config, setConfig } = useConfig();
const setappCardWidth = (appCardWidth: number) => {
setConfig({
...config,
settings: {
...config.settings,
appCardWidth,
},
});
};
return (
<Group direction="column" spacing="xs" grow>
<Text>App Width</Text>
<Slider
label={null}
defaultValue={config.settings.appCardWidth}
step={0.2}
min={0.8}
max={2}
styles={{ markLabel: { fontSize: 'xx-small' } }}
onChange={(value) => setappCardWidth(value)}
/>
</Group>
);
}

View File

@@ -1,6 +1,6 @@
import { ActionIcon, Group, Text, SegmentedControl, TextInput, Anchor } from '@mantine/core'; import { ActionIcon, Group, Text, SegmentedControl, TextInput, Anchor } from '@mantine/core';
import { useState } from 'react'; import { useState } from 'react';
import { IconBrandGithub as BrandGithub, IconBrandDiscord as BrandDiscord } from '@tabler/icons'; import { IconBrandGithub as BrandGithub } from '@tabler/icons';
import { CURRENT_VERSION } from '../../../data/constants'; import { CURRENT_VERSION } from '../../../data/constants';
import { useConfig } from '../../tools/state'; import { useConfig } from '../../tools/state';
import { ColorSchemeSwitch } from '../ColorSchemeToggle/ColorSchemeSwitch'; import { ColorSchemeSwitch } from '../ColorSchemeToggle/ColorSchemeSwitch';
@@ -28,15 +28,6 @@ export default function CommonSettings(args: any) {
<Group direction="column" grow> <Group direction="column" grow>
<Group grow direction="column" spacing={0}> <Group grow direction="column" spacing={0}>
<Text>Search engine</Text> <Text>Search engine</Text>
<Text
style={{
fontSize: '0.75rem',
color: 'gray',
marginBottom: '0.5rem',
}}
>
Tip: %s can be used as a placeholder for the query.
</Text>
<SegmentedControl <SegmentedControl
fullWidth fullWidth
title="Search engine" title="Search engine"
@@ -62,7 +53,7 @@ export default function CommonSettings(args: any) {
{searchUrl === 'Custom' && ( {searchUrl === 'Custom' && (
<TextInput <TextInput
label="Query URL" label="Query URL"
placeholder="Custom query URL" placeholder="Custom query url"
value={customSearchUrl} value={customSearchUrl}
onChange={(event) => { onChange={(event) => {
setCustomSearchUrl(event.currentTarget.value); setCustomSearchUrl(event.currentTarget.value);
@@ -107,26 +98,21 @@ export default function CommonSettings(args: any) {
{CURRENT_VERSION} {CURRENT_VERSION}
</Text> </Text>
</Group> </Group>
<Group spacing={1}> <Text
<Text style={{
style={{ fontSize: '0.90rem',
fontSize: '0.90rem', textAlign: 'center',
textAlign: 'center', color: 'gray',
color: 'gray', }}
}} >
Made with by @
<Anchor
href="https://github.com/ajnart"
style={{ color: 'inherit', fontStyle: 'inherit', fontSize: 'inherit' }}
> >
Made with by @ ajnart
<Anchor </Anchor>
href="https://github.com/ajnart" </Text>
style={{ color: 'inherit', fontStyle: 'inherit', fontSize: 'inherit' }}
>
ajnart
</Anchor>
</Text>
<ActionIcon<'a'> component="a" href="https://discord.gg/aCsmEV5RgA" size="lg">
<BrandDiscord size={18} />
</ActionIcon>
</Group>
</Group> </Group>
</Group> </Group>
); );

View File

@@ -78,7 +78,7 @@ export function Header(props: any) {
> >
{(styles) => ( {(styles) => (
<div style={styles}> <div style={styles}>
<ScrollArea offsetScrollbars style={{ height: '90vh' }}> <ScrollArea style={{ height: '90vh' }}>
<Group my="sm" grow direction="column" style={{ width: 300 }}> <Group my="sm" grow direction="column" style={{ width: 300 }}>
<ModuleWrapper module={CalendarModule} /> <ModuleWrapper module={CalendarModule} />
<ModuleWrapper module={TotalDownloadsModule} /> <ModuleWrapper module={TotalDownloadsModule} />

View File

@@ -29,12 +29,6 @@ export const CalendarModule: IModule = {
'A calendar module for displaying upcoming releases. It interacts with the Sonarr and Radarr API.', 'A calendar module for displaying upcoming releases. It interacts with the Sonarr and Radarr API.',
icon: CalendarIcon, icon: CalendarIcon,
component: CalendarComponent, component: CalendarComponent,
options: {
sundaystart: {
name: 'Start the week on Sunday',
value: false,
},
},
}; };
export default function CalendarComponent(props: any) { export default function CalendarComponent(props: any) {
@@ -68,69 +62,50 @@ export default function CalendarComponent(props: any) {
useEffect(() => { useEffect(() => {
// Create each Sonarr service and get the medias // Create each Sonarr service and get the medias
const currentSonarrMedias: any[] = []; const currentSonarrMedias: any[] = [...sonarrMedias];
Promise.all( Promise.all(
sonarrServices.map((service) => sonarrServices.map((service) =>
getMedias(service, 'sonarr') getMedias(service, 'sonarr').then((res) => {
.then((res) => { currentSonarrMedias.push(...res.data);
currentSonarrMedias.push(...res.data); })
})
.catch(() => {
currentSonarrMedias.push([]);
})
) )
).then(() => { ).then(() => {
setSonarrMedias(currentSonarrMedias); setSonarrMedias(currentSonarrMedias);
}); });
const currentRadarrMedias: any[] = []; const currentRadarrMedias: any[] = [...radarrMedias];
Promise.all( Promise.all(
radarrServices.map((service) => radarrServices.map((service) =>
getMedias(service, 'radarr') getMedias(service, 'radarr').then((res) => {
.then((res) => { currentRadarrMedias.push(...res.data);
currentRadarrMedias.push(...res.data); })
})
.catch(() => {
currentRadarrMedias.push([]);
})
) )
).then(() => { ).then(() => {
setRadarrMedias(currentRadarrMedias); setRadarrMedias(currentRadarrMedias);
}); });
const currentLidarrMedias: any[] = []; const currentLidarrMedias: any[] = [...lidarrMedias];
Promise.all( Promise.all(
lidarrServices.map((service) => lidarrServices.map((service) =>
getMedias(service, 'lidarr') getMedias(service, 'lidarr').then((res) => {
.then((res) => { currentLidarrMedias.push(...res.data);
currentLidarrMedias.push(...res.data); })
})
.catch(() => {
currentLidarrMedias.push([]);
})
) )
).then(() => { ).then(() => {
setLidarrMedias(currentLidarrMedias); setLidarrMedias(currentLidarrMedias);
}); });
const currentReadarrMedias: any[] = []; const currentReadarrMedias: any[] = [...readarrMedias];
Promise.all( Promise.all(
readarrServices.map((service) => readarrServices.map((service) =>
getMedias(service, 'readarr') getMedias(service, 'readarr').then((res) => {
.then((res) => { currentReadarrMedias.push(...res.data);
currentReadarrMedias.push(...res.data); })
})
.catch(() => {
currentReadarrMedias.push([]);
})
) )
).then(() => { ).then(() => {
setReadarrMedias(currentReadarrMedias); setReadarrMedias(currentReadarrMedias);
}); });
}, [config.services]); }, [config.services]);
const weekStartsAtSunday =
(config?.modules?.[CalendarModule.title]?.options?.sundaystart?.value as boolean) ?? false;
return ( return (
<Calendar <Calendar
firstDayOfWeek={weekStartsAtSunday ? 'sunday' : 'monday'}
onChange={(day: any) => {}} onChange={(day: any) => {}}
dayStyle={(date) => dayStyle={(date) =>
date.getDay() === today.getDay() && date.getDate() === today.getDate() date.getDay() === today.getDay() && date.getDate() === today.getDate()
@@ -140,13 +115,6 @@ export default function CalendarComponent(props: any) {
} }
: {} : {}
} }
styles={{
calendarHeader: {
marginRight: 15,
marginLeft: 15,
},
}}
allowLevelChange={false}
dayClassName={(date, modifiers) => cx({ [classes.weekend]: modifiers.weekend })} dayClassName={(date, modifiers) => cx({ [classes.weekend]: modifiers.weekend })}
renderDay={(renderdate) => ( renderDay={(renderdate) => (
<DayComponent <DayComponent

View File

@@ -59,7 +59,7 @@ export default function DownloadComponent() {
setIsLoading(false); setIsLoading(false);
}); });
}, 5000); }, 5000);
}, []); }, [config.services]);
if (downloadServices.length === 0) { if (downloadServices.length === 0) {
return ( return (
@@ -158,7 +158,7 @@ export default function DownloadComponent() {
<Progress <Progress
radius="lg" radius="lg"
color={ color={
torrent.progress === 1 ? 'green' : torrent.state === 'paused' ? 'yellow' : 'blue' torrent.state === 'paused' ? 'yellow' : torrent.progress === 1 ? 'green' : 'blue'
} }
value={torrent.progress * 100} value={torrent.progress * 100}
size="lg" size="lg"

View File

@@ -120,8 +120,8 @@ export function ModuleWrapper(props: any) {
styles={{ styles={{
root: { root: {
position: 'absolute', position: 'absolute',
top: 12, top: 15,
right: 12, right: 15,
}, },
}} }}
/> />

View File

@@ -11,8 +11,6 @@ const service: serviceItem = {
name: 'YouTube', name: 'YouTube',
icon: 'https://cdn.jsdelivr.net/gh/walkxhub/dashboard-icons/png/youtube.png', icon: 'https://cdn.jsdelivr.net/gh/walkxhub/dashboard-icons/png/youtube.png',
url: 'https://youtube.com/', url: 'https://youtube.com/',
status: ['200'],
newTab: false,
}; };
export const Default = (args: any) => <PingComponent service={service} />; export const Default = (args: any) => <PingComponent service={service} />;

View File

@@ -1,5 +1,5 @@
import { Indicator, Tooltip } from '@mantine/core'; import { Indicator, Tooltip } from '@mantine/core';
import axios, { AxiosResponse } from 'axios'; import axios from 'axios';
import { motion } from 'framer-motion'; import { motion } from 'framer-motion';
import { useEffect, useState } from 'react'; import { useEffect, useState } from 'react';
import { IconPlug as Plug } from '@tabler/icons'; import { IconPlug as Plug } from '@tabler/icons';
@@ -19,37 +19,18 @@ export default function PingComponent(props: any) {
const { url }: { url: string } = props; const { url }: { url: string } = props;
const [isOnline, setOnline] = useState<State>('loading'); const [isOnline, setOnline] = useState<State>('loading');
const [response, setResponse] = useState(500);
const exists = config.modules?.[PingModule.title]?.enabled ?? false; const exists = config.modules?.[PingModule.title]?.enabled ?? false;
function statusCheck(response: AxiosResponse) {
const { status }: { status: string[] } = props;
//Default Status
let acceptableStatus = ['200'];
if (status !== undefined && status.length) {
acceptableStatus = status;
}
// Checks if reported status is in acceptable status array
if (acceptableStatus.indexOf(response.status.toString()) >= 0) {
setOnline('online');
setResponse(response.status);
} else {
setOnline('down');
setResponse(response.status);
}
}
useEffect(() => { useEffect(() => {
if (!exists) { if (!exists) {
return; return;
} }
axios axios
.get('/api/modules/ping', { params: { url } }) .get('/api/modules/ping', { params: { url } })
.then((response) => { .then(() => {
statusCheck(response); setOnline('online');
}) })
.catch((error) => { .catch(() => {
statusCheck(error.response); setOnline('down');
}); });
}, [config.modules?.[PingModule.title]?.enabled]); }, [config.modules?.[PingModule.title]?.enabled]);
if (!exists) { if (!exists) {
@@ -59,13 +40,7 @@ export default function PingComponent(props: any) {
<Tooltip <Tooltip
radius="lg" radius="lg"
style={{ position: 'absolute', bottom: 20, right: 20 }} style={{ position: 'absolute', bottom: 20, right: 20 }}
label={ label={isOnline === 'loading' ? 'Loading...' : isOnline === 'online' ? 'Online' : 'Offline'}
isOnline === 'loading'
? 'Loading...'
: isOnline === 'online'
? `Online - ${response}`
: `Offline - ${response}`
}
> >
<motion.div <motion.div
animate={{ animate={{

View File

@@ -96,13 +96,7 @@ export default function SearchBar(props: any) {
} else if (isTorrent) { } else if (isTorrent) {
window.open(`https://bitsearch.to/search?q=${query.substring(3)}`); window.open(`https://bitsearch.to/search?q=${query.substring(3)}`);
} else { } else {
window.open( window.open(`${queryUrl}${values.query}`);
`${
queryUrl.includes('%s')
? queryUrl.replace('%s', values.query)
: queryUrl + values.query
}`
);
} }
}, 20); }, 20);
})} })}
@@ -120,7 +114,6 @@ export default function SearchBar(props: any) {
onBlurCapture={() => setOpened(false)} onBlurCapture={() => setOpened(false)}
target={ target={
<Autocomplete <Autocomplete
autoFocus
variant="filled" variant="filled"
data={autocompleteData} data={autocompleteData}
icon={icon} icon={icon}

View File

@@ -44,10 +44,7 @@ async function Post(req: NextApiRequest, res: NextApiResponse) {
}); });
} }
// Get the origin URL // Get the origin URL
let { href: origin } = new URL(service.url); const { origin } = new URL(service.url);
if (origin.endsWith('/')) {
origin = origin.slice(0, -1);
}
const pined = `${origin}${url?.url}?apiKey=${service.apiKey}&end=${nextMonth}&start=${lastMonth}`; const pined = `${origin}${url?.url}?apiKey=${service.apiKey}&end=${nextMonth}&start=${lastMonth}`;
const data = await axios.get( const data = await axios.get(
`${origin}${url?.url}?apiKey=${service.apiKey}&end=${nextMonth}&start=${lastMonth}` `${origin}${url?.url}?apiKey=${service.apiKey}&end=${nextMonth}&start=${lastMonth}`

View File

@@ -7,52 +7,53 @@ import { Config } from '../../../tools/types';
async function Post(req: NextApiRequest, res: NextApiResponse) { async function Post(req: NextApiRequest, res: NextApiResponse) {
// Get the type of service from the request url // Get the type of service from the request url
const { config }: { config: Config } = req.body;
const qBittorrentServices = config.services.filter((service) => service.type === 'qBittorrent');
const delugeServices = config.services.filter((service) => service.type === 'Deluge');
const transmissionServices = config.services.filter((service) => service.type === 'Transmission');
const torrents: NormalizedTorrent[] = []; const torrents: NormalizedTorrent[] = [];
const { config }: { config: Config } = req.body;
if (!qBittorrentServices && !delugeServices && !transmissionServices) { const qBittorrentService = config.services
.filter((service) => service.type === 'qBittorrent')
.at(0);
const delugeService = config.services.filter((service) => service.type === 'Deluge').at(0);
const transmissionService = config.services
.filter((service) => service.type === 'Transmission')
.at(0);
if (!qBittorrentService && !delugeService && !transmissionService) {
return res.status(500).json({ return res.status(500).json({
statusCode: 500, statusCode: 500,
message: 'Missing services', message: 'Missing service',
}); });
} }
await Promise.all( if (qBittorrentService) {
qBittorrentServices.map((service) => torrents.push(
new QBittorrent({ ...(
baseUrl: service.url, await new QBittorrent({
username: service.username, baseUrl: qBittorrentService.url,
password: service.password, username: qBittorrentService.username,
}) password: qBittorrentService.password,
.getAllData() }).getAllData()
.then((e) => torrents.push(...e.torrents)) ).torrents
) );
); }
await Promise.all( if (delugeService) {
delugeServices.map((service) => torrents.push(
new Deluge({ ...(
baseUrl: service.url, await new Deluge({
password: 'password' in service ? service.password : '', baseUrl: delugeService.url,
}) password: delugeService.password,
.getAllData() }).getAllData()
.then((e) => torrents.push(...e.torrents)) ).torrents
) );
); }
// Map transmissionServices if (transmissionService) {
await Promise.all( torrents.push(
transmissionServices.map((service) => ...(
new Transmission({ await new Transmission({
baseUrl: service.url, baseUrl: transmissionService.url,
username: 'username' in service ? service.username : '', username: transmissionService.username,
password: 'password' in service ? service.password : '', password: transmissionService.password,
}) }).getAllData()
.getAllData() ).torrents
.then((e) => torrents.push(...e.torrents)) );
) }
);
res.status(200).json(torrents); res.status(200).json(torrents);
} }

View File

@@ -7,14 +7,10 @@ async function Get(req: NextApiRequest, res: NextApiResponse) {
await axios await axios
.get(url as string) .get(url as string)
.then((response) => { .then((response) => {
res.status(response.status).json(response.statusText); res.status(200).json(response.data);
}) })
.catch((error) => { .catch((error) => {
if (error.response) { res.status(500).json(error);
res.status(error.response.status).json(error.response.statusText);
} else {
res.status(500).json('Server Error');
}
}); });
// // Make a request to the URL // // Make a request to the URL
// const response = await axios.get(url); // const response = await axios.get(url);

View File

@@ -12,7 +12,6 @@ export interface Settings {
background?: string; background?: string;
appOpacity?: number; appOpacity?: number;
widgetPosition?: string; widgetPosition?: string;
appCardWidth?: number;
} }
export interface Config { export interface Config {
@@ -32,32 +31,6 @@ interface ConfigModule {
}; };
} }
export const StatusCodes = [
{ value: '200', label: '200 - OK', group: 'Sucessful responses' },
{ value: '204', label: '204 - No Content', group: 'Sucessful responses' },
{ value: '301', label: '301 - Moved Permanently', group: 'Redirection responses' },
{ value: '302', label: '302 - Found / Moved Temporarily', group: 'Redirection responses' },
{ value: '304', label: '304 - Not Modified', group: 'Redirection responses' },
{ value: '307', label: '307 - Temporary Redirect', group: 'Redirection responses' },
{ value: '308', label: '308 - Permanent Redirect', group: 'Redirection responses' },
{ value: '400', label: '400 - Bad Request', group: 'Client error responses' },
{ value: '401', label: '401 - Unauthorized', group: 'Client error responses' },
{ value: '403', label: '403 - Forbidden', group: 'Client error responses' },
{ value: '404', label: '404 - Not Found', group: 'Client error responses' },
{ value: '408', label: '408 - Request Timeout', group: 'Client error responses' },
{ value: '410', label: '410 - Gone', group: 'Client error responses' },
{ value: '429', label: '429 - Too Many Requests', group: 'Client error responses' },
{ value: '500', label: '500 - Internal Server Error', group: 'Server error responses' },
{ value: '502', label: '502 - Bad Gateway', group: 'Server error responses' },
{ value: '503', label: '503 - Service Unavailable', group: 'Server error responses' },
{ value: '054', label: '504 - Gateway Timeout Error', group: 'Server error responses' },
];
export const Targets = [
{ value: '_blank', label: 'New Tab' },
{ value: '_top', label: 'Same Window' },
];
export const ServiceTypeList = [ export const ServiceTypeList = [
'Other', 'Other',
'Emby', 'Emby',
@@ -93,6 +66,4 @@ export interface serviceItem {
password?: string; password?: string;
username?: string; username?: string;
openedUrl?: string; openedUrl?: string;
newTab?: boolean;
status?: string[];
} }