refactor: decouple Plex as a requirement for setting up Overseerr

pull/3105/head
Ryan Cohen 3 years ago
parent 30141f76e0
commit a231eba896

@ -145,7 +145,6 @@ describe('Discover', () => {
plexUsername: null,
username: '',
recoveryLinkExpirationDate: null,
userType: 2,
avatar:
'https://gravatar.com/avatar/c77fdc27cab83732b8623d2ea873d330?default=mm&size=200',
movieQuotaLimit: null,

@ -61,10 +61,6 @@ components:
plexUsername:
type: string
readOnly: true
userType:
type: integer
example: 1
readOnly: true
permissions:
type: number
example: 0
@ -83,6 +79,14 @@ components:
type: number
example: 5
readOnly: true
isPlexUser:
type: boolean
example: false
readOnly: true
isLocalUser:
type: boolean
example: true
readOnly: true
required:
- id
- email

@ -1,4 +0,0 @@
export enum UserType {
PLEX = 1,
LOCAL = 2,
}

@ -1,5 +1,4 @@
import { MediaRequestStatus, MediaType } from '@server/constants/media';
import { UserType } from '@server/constants/user';
import { getRepository } from '@server/datasource';
import type { QuotaResponse } from '@server/interfaces/api/userInterfaces';
import PreparedEmail from '@server/lib/email';
@ -35,14 +34,22 @@ export class User {
public static filterMany(
users: User[],
showFiltered?: boolean
): Partial<User>[] {
): Omit<User, keyof typeof User.filteredFields>[] {
return users.map((u) => u.filter(showFiltered));
}
static readonly filteredFields: string[] = ['email'];
// Fields that show only be shown to admins in user API responses
static readonly filteredFields: (keyof User)[] = ['email', 'plexId'];
// Fields that should never be shown in API responses
static readonly secureFields: (keyof User)[] = ['password'];
public displayName: string;
public isPlexUser: boolean;
public isLocalUser: boolean;
@PrimaryGeneratedColumn()
public id: number;
@ -61,7 +68,7 @@ export class User {
@Column({ nullable: true })
public username?: string;
@Column({ nullable: true, select: false })
@Column({ nullable: true })
public password?: string;
@Column({ nullable: true, select: false })
@ -70,10 +77,7 @@ export class User {
@Column({ type: 'date', nullable: true })
public recoveryLinkExpirationDate?: Date | null;
@Column({ type: 'integer', default: UserType.PLEX })
public userType: UserType;
@Column({ nullable: true, select: false })
@Column({ nullable: true })
public plexId?: number;
@Column({ nullable: true, select: false })
@ -126,13 +130,17 @@ export class User {
Object.assign(this, init);
}
public filter(showFiltered?: boolean): Partial<User> {
const filtered: Partial<User> = Object.assign(
{},
...(Object.keys(this) as (keyof User)[])
.filter((k) => showFiltered || !User.filteredFields.includes(k))
.map((k) => ({ [k]: this[k] }))
);
public filter(
showFiltered?: boolean
): Omit<User, keyof typeof User.filteredFields> {
const filtered: Omit<User, keyof typeof User.filteredFields> =
Object.assign(
{},
...(Object.keys(this) as (keyof User)[])
.filter((k) => showFiltered || !User.filteredFields.includes(k))
.filter((k) => !User.secureFields.includes(k))
.map((k) => ({ [k]: this[k] }))
);
return filtered;
}
@ -229,8 +237,10 @@ export class User {
}
@AfterLoad()
public setDisplayName(): void {
public setLocalProperties(): void {
this.displayName = this.username || this.plexUsername || this.email;
this.isPlexUser = !!this.plexId;
this.isLocalUser = !!this.password;
}
public async getQuota(): Promise<QuotaResponse> {

@ -70,6 +70,10 @@ class PlexScanner
return this.log('No admin configured. Plex scan skipped.', 'warn');
}
if (!admin.plexToken || !settings.plex.ip) {
return this.log('Plex server is not configured.', 'warn');
}
this.plexClient = new PlexAPI({ plexToken: admin.plexToken });
this.libraries = settings.plex.libraries.filter(

@ -1,5 +1,4 @@
import PlexTvAPI from '@server/api/plextv';
import { UserType } from '@server/constants/user';
import { getRepository } from '@server/datasource';
import { User } from '@server/entity/User';
import { Permission } from '@server/lib/permissions';
@ -7,6 +6,7 @@ import { getSettings } from '@server/lib/settings';
import logger from '@server/logger';
import { isAuthenticated } from '@server/middleware/auth';
import { Router } from 'express';
import gravatarUrl from 'gravatar-url';
const authRoutes = Router();
@ -41,14 +41,21 @@ authRoutes.post('/plex', async (req, res, next) => {
const plextv = new PlexTvAPI(body.authToken);
const account = await plextv.getUser();
// Next let's see if the user already exists
let user = await userRepository
.createQueryBuilder('user')
.where('user.plexId = :id', { id: account.id })
.orWhere('user.email = :email', {
email: account.email.toLowerCase(),
})
.getOne();
let user: User | null;
// If we are already logged in, we should just get the currently logged in user
// otherwise we will try to match to an existing users email or plex ID
if (req.user) {
user = await userRepository.findOneBy({ id: req.user.id });
} else {
user = await userRepository
.createQueryBuilder('user')
.where('user.plexId = :id', { id: account.id })
.orWhere('user.email = :email', {
email: account.email.toLowerCase(),
})
.getOne();
}
if (!user && !(await userRepository.count())) {
user = new User({
@ -58,7 +65,6 @@ authRoutes.post('/plex', async (req, res, next) => {
plexToken: account.authToken,
permissions: Permission.ADMIN,
avatar: account.thumb,
userType: UserType.PLEX,
});
await userRepository.save(user);
@ -71,12 +77,13 @@ authRoutes.post('/plex', async (req, res, next) => {
if (
account.id === mainUser.plexId ||
(user && user.id === 1 && !user.plexId) ||
(await mainPlexTv.checkUserAccess(account.id))
) {
if (user) {
if (!user.plexId) {
logger.info(
'Found matching Plex user; updating user with Plex data',
'Found matching Plex user; updating user with Plex data. Notice: Emails are no longer synced.',
{
label: 'API',
ip: req.ip,
@ -91,9 +98,7 @@ authRoutes.post('/plex', async (req, res, next) => {
user.plexToken = body.authToken;
user.plexId = account.id;
user.avatar = account.thumb;
user.email = account.email;
user.plexUsername = account.username;
user.userType = UserType.PLEX;
await userRepository.save(user);
} else if (!settings.main.newPlexLogin) {
@ -129,7 +134,6 @@ authRoutes.post('/plex', async (req, res, next) => {
plexToken: account.authToken,
permissions: settings.main.defaultPermissions,
avatar: account.thumb,
userType: UserType.PLEX,
});
await userRepository.save(user);
@ -184,13 +188,22 @@ authRoutes.post('/local', async (req, res, next) => {
});
}
try {
const user = await userRepository
let user = await userRepository
.createQueryBuilder('user')
.select(['user.id', 'user.email', 'user.password', 'user.plexId'])
.where('user.email = :email', { email: body.email.toLowerCase() })
.getOne();
if (!user || !(await user.passwordMatch(body.password))) {
if (!user && !(await userRepository.count())) {
const avatar = gravatarUrl(body.email, { default: 'mm', size: 200 });
user = new User({
email: body.email,
permissions: Permission.ADMIN,
avatar,
});
await user.setPassword(body.password);
await userRepository.save(user);
} else if (!user || !(await user.passwordMatch(body.password))) {
logger.warn('Failed sign-in attempt using invalid Overseerr password', {
label: 'API',
ip: req.ip,
@ -203,19 +216,19 @@ authRoutes.post('/local', async (req, res, next) => {
});
}
const mainUser = await userRepository.findOneOrFail({
const mainUser = await userRepository.findOne({
select: { id: true, plexToken: true, plexId: true },
where: { id: 1 },
});
const mainPlexTv = new PlexTvAPI(mainUser.plexToken ?? '');
const mainPlexTv = new PlexTvAPI(mainUser?.plexToken ?? '');
if (!user.plexId) {
if (!user.plexId && mainUser?.isPlexUser) {
try {
const plexUsersResponse = await mainPlexTv.getUsers();
const account = plexUsersResponse.MediaContainer.User.find(
(account) =>
account.$.email &&
account.$.email.toLowerCase() === user.email.toLowerCase()
account.$.email.toLowerCase() === user?.email.toLowerCase()
)?.$;
if (
@ -238,7 +251,6 @@ authRoutes.post('/local', async (req, res, next) => {
user.avatar = account.thumb;
user.email = account.email;
user.plexUsername = account.username;
user.userType = UserType.PLEX;
await userRepository.save(user);
}
@ -251,6 +263,7 @@ authRoutes.post('/local', async (req, res, next) => {
}
if (
mainUser?.isPlexUser &&
user.plexId &&
user.plexId !== mainUser.plexId &&
!(await mainPlexTv.checkUserAccess(user.plexId))

@ -16,7 +16,7 @@ import type { AvailableCacheIds } from '@server/lib/cache';
import cacheManager from '@server/lib/cache';
import { Permission } from '@server/lib/permissions';
import { plexFullScanner } from '@server/lib/scanners/plex';
import type { MainSettings } from '@server/lib/settings';
import type { MainSettings, PlexSettings } from '@server/lib/settings';
import { getSettings } from '@server/lib/settings';
import logger from '@server/logger';
import { isAuthenticated } from '@server/middleware/auth';
@ -82,10 +82,25 @@ settingsRoutes.post('/main/regenerate', (req, res, next) => {
return res.status(200).json(filteredMainSettings(req.user, main));
});
settingsRoutes.get('/plex', (_req, res) => {
type PlexSettingsResponse = PlexSettings & {
plexAvailable: boolean;
};
settingsRoutes.get<never, PlexSettingsResponse>('/plex', async (_req, res) => {
const settings = getSettings();
const userRepository = getRepository(User);
const admin = await userRepository.findOneOrFail({
select: { id: true, plexToken: true },
where: { id: 1 },
});
res.status(200).json(settings.plex);
const settingsResponse: PlexSettingsResponse = {
...settings.plex,
plexAvailable: !!admin.plexToken,
};
res.status(200).json(settingsResponse);
});
settingsRoutes.post('/plex', async (req, res, next) => {
@ -97,6 +112,12 @@ settingsRoutes.post('/plex', async (req, res, next) => {
where: { id: 1 },
});
if (!admin.plexToken) {
throw new Error(
'The administrator must have their account connected to Plex to be able to set up a Plex server.'
);
}
Object.assign(settings.plex, req.body);
const plexClient = new PlexAPI({ plexToken: admin.plexToken });

@ -1,7 +1,6 @@
import PlexTvAPI from '@server/api/plextv';
import TautulliAPI from '@server/api/tautulli';
import { MediaType } from '@server/constants/media';
import { UserType } from '@server/constants/user';
import { getRepository } from '@server/datasource';
import Media from '@server/entity/Media';
import { MediaRequest } from '@server/entity/MediaRequest';
@ -121,7 +120,6 @@ router.post(
password: body.password,
permissions: settings.main.defaultPermissions,
plexToken: '',
userType: UserType.LOCAL,
});
if (passedExplicitPassword) {
@ -434,12 +432,7 @@ router.post(
user.avatar = account.thumb;
user.email = account.email;
user.plexUsername = account.username;
// In case the user was previously a local account
if (user.userType === UserType.LOCAL) {
user.userType = UserType.PLEX;
user.plexId = parseInt(account.id);
}
user.plexId = parseInt(account.id);
await userRepository.save(user);
} else if (!body || body.plexIds.includes(account.id)) {
if (await mainPlexTv.checkUserAccess(parseInt(account.id))) {
@ -450,7 +443,6 @@ router.post(
plexId: parseInt(account.id),
plexToken: '',
avatar: account.thumb,
userType: UserType.PLEX,
});
await userRepository.save(newUser);
createdUsers.push(newUser);

@ -1,4 +1,3 @@
import { UserType } from '@server/constants/user';
import dataSource, { getRepository } from '@server/datasource';
import { User } from '@server/entity/User';
import { copyFileSync } from 'fs';
@ -43,7 +42,6 @@ const prepareDb = async () => {
user.plexUsername = 'admin';
user.username = 'admin';
user.email = 'admin@seerr.dev';
user.userType = UserType.PLEX;
await user.setPassword('test1234');
user.permissions = 2;
user.avatar = gravatarUrl('admin@seerr.dev', { default: 'mm', size: 200 });
@ -59,7 +57,6 @@ const prepareDb = async () => {
otherUser.plexUsername = 'friend';
otherUser.username = 'friend';
otherUser.email = 'friend@seerr.dev';
otherUser.userType = UserType.PLEX;
await otherUser.setPassword('test1234');
otherUser.permissions = 32;
otherUser.avatar = gravatarUrl('friend@seerr.dev', {

@ -1 +1,25 @@
<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 320.03 103.61"><defs><style>.cls-1{fill:#fff}.cls-2{fill:url(#a)}.cls-3{fill:#e5a00d}</style><radialGradient id="a" cx="258.33" cy="51.76" r="42.95" gradientUnits="userSpaceOnUse"><stop offset=".17" stop-color="#f9be03"/><stop offset=".51" stop-color="#e8a50b"/><stop offset="1" stop-color="#cc7c19"/></radialGradient></defs><polygon points="320.03 -.09 289.96 -.09 259.88 51.76 289.96 103.61 320.01 103.61 289.96 51.79" class="cls-1"/><polygon points="226.7 -.09 256.78 -.09 289.96 51.76 256.78 103.61 226.7 103.61 259.88 51.76" class="cls-2"/><polygon points="226.7 -.09 256.78 -.09 289.96 51.76 256.78 103.61 226.7 103.61 259.88 51.76" class="cls-3"/><path d="M216.32,103.61H156.49V-.09h59.83v18h-37.8V40.69H213.7v18H178.52V85.45h37.8Z" class="cls-1"/><path d="M82.07,103.61V-.09h22V85.45h42.07v18.16Z" class="cls-1"/><path d="M71.66,32.25Q71.66,49,61.2,57.87T31.44,66.73H22v36.88H0V-.09H33.14Q52-.09,61.83,8T71.66,32.25ZM22,48.71h7.24q10.15,0,15.18-4c3.37-2.66,5-6.56,5-11.67s-1.41-9-4.22-11.42S38,17.93,32,17.93H22Z" class="cls-1"/></svg>
<?xml version="1.0" encoding="utf-8"?>
<!-- Generator: Adobe Illustrator 26.2.1, SVG Export Plug-In . SVG Version: 6.00 Build 0) -->
<svg version="1.1" id="plex-logo" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px"
viewBox="0 0 148 68.2" style="enable-background:new 0 0 148 68.2;" xml:space="preserve">
<style type="text/css">
.st0{fill:#FFFFFF;}
.st1{fill:#EBAF00;}
</style>
<g>
<g>
<path class="st0" d="M24.3,12.2c-5.9,0-9.7,1.7-12.9,5.7v-4.4H0v54.2c0,0,0.2,0.1,0.8,0.2c0.8,0.2,5,1.1,8.1-1.5
c2.7-2.3,3.3-5,3.3-8v-7.8c3.3,3.5,7,5,12.2,5c11.2,0,19.8-9.1,19.8-21.2C44.2,21.3,35.9,12.2,24.3,12.2z M22.1,45.3
c-6.3,0-11.3-5.2-11.3-11.5c0-6.2,5.9-11.2,11.3-11.2c6.4,0,11.3,4.9,11.3,11.3C33.4,40.3,28.4,45.3,22.1,45.3z"/>
<path class="st0" d="M60.4,33.1c0,4.7,0.5,10.4,5.1,16.6c0.1,0.1,0.3,0.4,0.3,0.4c-1.9,3.2-4.2,5.4-7.3,5.4
c-2.4,0-4.8-1.3-6.8-3.5c-2.1-2.4-3.1-5.5-3.1-8.8l0-43.2h11.7L60.4,33.1z"/>
<polygon class="st1" points="118.3,54.2 104.1,54.2 117.9,33.9 104.1,13.5 118.3,13.5 132,33.9 "/>
<polygon class="st0" points="135.7,31.6 148,13.5 133.8,13.5 128.7,21 "/>
<path class="st0" d="M128.7,46.8c0,0,2.4,3.3,2.4,3.3c2.3,3.6,5.3,5.4,8.8,5.4c3.7-0.1,6.3-3.3,7.3-4.5c0,0-1.8-1.6-4.1-4.3
c-3.1-3.6-7.2-10.2-7.3-10.5L128.7,46.8z"/>
</g>
<path class="st0" d="M93.6,42.5c-2.4,2.2-4,3.4-7.3,3.4c-5.9,0-9.3-4.2-9.8-8.8h31.3c0.2-0.6,0.3-1.4,0.3-2.7
c0-12.7-9.3-22.2-21.5-22.2C75,12.2,65.5,21.9,65.5,34c0,12,9.5,21.5,21.4,21.5c8.3,0,15.5-4.7,19.4-13H93.6z M86.7,21.8
c5.2,0,9.1,3.4,10,7.9H76.9C77.9,25,81.6,21.8,86.7,21.8z"/>
</g>
</svg>

Before

Width:  |  Height:  |  Size: 1.1 KiB

After

Width:  |  Height:  |  Size: 1.6 KiB

@ -7,7 +7,7 @@ import MediaSlider from '@app/components/MediaSlider';
import RequestCard from '@app/components/RequestCard';
import Slider from '@app/components/Slider';
import TmdbTitleCard from '@app/components/TitleCard/TmdbTitleCard';
import { Permission, UserType, useUser } from '@app/hooks/useUser';
import { Permission, useUser } from '@app/hooks/useUser';
import { ArrowCircleRightIcon } from '@heroicons/react/outline';
import type { WatchlistItem } from '@server/interfaces/api/discoverInterfaces';
import type { MediaResultsResponse } from '@server/interfaces/api/mediaInterfaces';
@ -52,7 +52,7 @@ const Discover = () => {
totalPages: number;
totalResults: number;
results: WatchlistItem[];
}>(user?.userType === UserType.PLEX ? '/api/v1/discover/watchlist' : null, {
}>(user?.isPlexUser ? '/api/v1/discover/watchlist' : null, {
revalidateOnMount: true,
});
@ -108,7 +108,7 @@ const Discover = () => {
/>
</>
)}
{user?.userType === UserType.PLEX &&
{user?.isPlexUser &&
(!watchlistItems ||
!!watchlistItems.results.length ||
user.settings?.watchlistSyncMovies ||

@ -15,12 +15,14 @@ interface PlexLoginButtonProps {
onAuthToken: (authToken: string) => void;
isProcessing?: boolean;
onError?: (message: string) => void;
textOverride?: string;
}
const PlexLoginButton = ({
onAuthToken,
onError,
isProcessing,
textOverride,
}: PlexLoginButtonProps) => {
const intl = useIntl();
const [loading, setLoading] = useState(false);
@ -55,6 +57,8 @@ const PlexLoginButton = ({
? intl.formatMessage(globalMessages.loading)
: isProcessing
? intl.formatMessage(messages.signingin)
: textOverride
? textOverride
: intl.formatMessage(messages.signinwithplex)}
</span>
</button>

@ -6,6 +6,8 @@ import PageTitle from '@app/components/Common/PageTitle';
import SensitiveInput from '@app/components/Common/SensitiveInput';
import LibraryItem from '@app/components/Settings/LibraryItem';
import SettingsBadge from '@app/components/Settings/SettingsBadge';
import LoginWithPlex from '@app/components/Setup/LoginWithPlex';
import { useUser } from '@app/hooks/useUser';
import globalMessages from '@app/i18n/globalMessages';
import { SaveIcon } from '@heroicons/react/outline';
import { RefreshIcon, SearchIcon, XIcon } from '@heroicons/react/solid';
@ -106,6 +108,7 @@ interface SettingsPlexProps {
}
const SettingsPlex = ({ onComplete }: SettingsPlexProps) => {
const { user } = useUser();
const [isSyncing, setIsSyncing] = useState(false);
const [isRefreshingPresets, setIsRefreshingPresets] = useState(false);
const [availableServers, setAvailableServers] = useState<PlexDevice[] | null>(
@ -115,7 +118,11 @@ const SettingsPlex = ({ onComplete }: SettingsPlexProps) => {
data,
error,
mutate: revalidate,
} = useSWR<PlexSettings>('/api/v1/settings/plex');
} = useSWR<
PlexSettings & {
plexAvailable: boolean;
}
>('/api/v1/settings/plex');
const { data: dataTautulli, mutate: revalidateTautulli } =
useSWR<TautulliSettings>('/api/v1/settings/tautulli');
const { data: dataSync, mutate: revalidateSync } = useSWR<SyncStatus>(
@ -325,7 +332,8 @@ const SettingsPlex = ({ onComplete }: SettingsPlexProps) => {
if ((!data || !dataTautulli) && !error) {
return <LoadingSpinner />;
}
return (
const TitleContent = () => (
<>
<PageTitle
title={[
@ -338,7 +346,7 @@ const SettingsPlex = ({ onComplete }: SettingsPlexProps) => {
<p className="description">
{intl.formatMessage(messages.plexsettingsDescription)}
</p>
{!!onComplete && (
{!!onComplete && data?.plexAvailable && (
<div className="section">
<Alert
title={intl.formatMessage(messages.settingUpPlexDescription, {
@ -358,6 +366,39 @@ const SettingsPlex = ({ onComplete }: SettingsPlexProps) => {
</div>
)}
</div>
</>
);
if (!data?.plexAvailable && user?.id !== 1) {
return (
<>
<TitleContent />
<Alert type="info">
The owner account must first link their Plex server to be able to
access these settings.
</Alert>
</>
);
}
if (!data?.plexAvailable) {
return (
<>
<TitleContent />
<Alert type="info">
You must connect your Plex account to continue configuring a Plex
Media Server.
</Alert>
<div className="mx-auto mt-8 max-w-xl">
<LoginWithPlex onComplete={() => revalidate()} />
</div>
</>
);
}
return (
<>
<TitleContent />
<Formik
initialValues={{
hostname: data?.ip,

@ -0,0 +1,104 @@
import PlexLogo from '@app/assets/services/plex.svg';
import Badge from '@app/components/Common/Badge';
import Button from '@app/components/Common/Button';
import SettingsPlex from '@app/components/Settings/SettingsPlex';
import { CheckCircleIcon } from '@heroicons/react/solid';
import { useState } from 'react';
import { defineMessages, useIntl } from 'react-intl';
const messages = defineMessages({
continue: 'Continue',
goback: 'Go Back',
tip: 'Tip',
scanbackground:
'Scanning will run in the background. You can continue the setup process in the meantime.',
});
type ConfigureMediaServersProps = {
onComplete: () => void;
};
type ConfigureStatus = {
configuring?: 'plex';
};
const ConfigureMediaServers = ({ onComplete }: ConfigureMediaServersProps) => {
const intl = useIntl();
const [configureStatus, setConfigureStatus] = useState<ConfigureStatus>();
const [plexConfigured, setPlexConfigured] = useState(false);
return (
<>
{configureStatus?.configuring === 'plex' && (
<>
<SettingsPlex onComplete={() => setPlexConfigured(true)} />
<div className="mt-4 text-sm text-gray-500">
<span className="mr-2">
<Badge>{intl.formatMessage(messages.tip)}</Badge>
</span>
{intl.formatMessage(messages.scanbackground)}
</div>
<div className="actions">
<div className="flex flex-row-reverse justify-between">
<Button
buttonType="primary"
disabled={!plexConfigured}
onClick={() => {
setConfigureStatus({});
setPlexConfigured(true);
}}
>
{intl.formatMessage(messages.continue)}
</Button>
{!plexConfigured && (
<Button onClick={() => setConfigureStatus({})}>
{intl.formatMessage(messages.goback)}
</Button>
)}
</div>
</div>
</>
)}
{!configureStatus?.configuring && (
<>
<h3 className="heading">Configure Media Servers</h3>
<p className="description">
Select the media servers you would like to configure below.
</p>
<div className="mt-8 flex justify-center">
<div className="w-52 divide-y divide-gray-700 rounded border border-gray-700 bg-gray-800 bg-opacity-20">
<div className="flex items-center justify-center p-8">
<PlexLogo className="w-full" />
</div>
<div className="flex items-center justify-center space-x-2 p-2">
{plexConfigured ? (
<>
<CheckCircleIcon className="w-6 text-green-500" />
<span>Configured</span>
</>
) : (
<Button
className="w-full"
onClick={() => setConfigureStatus({ configuring: 'plex' })}
>
Configure Plex
</Button>
)}
</div>
</div>
</div>
<div className="actions">
<div className="flex justify-end">
<Button buttonType="primary" onClick={() => onComplete()}>
{plexConfigured
? 'Continue'
: 'Continue without a Media Server'}
</Button>
</div>
</div>
</>
)}
</>
);
};
export default ConfigureMediaServers;

@ -0,0 +1,155 @@
import Button from '@app/components/Common/Button';
import SensitiveInput from '@app/components/Common/SensitiveInput';
import LoginWithPlex from '@app/components/Setup/LoginWithPlex';
import { useUser } from '@app/hooks/useUser';
import { ArrowLeftIcon, UserIcon } from '@heroicons/react/solid';
import axios from 'axios';
import { Field, Form, Formik } from 'formik';
import { useState } from 'react';
import { defineMessages, useIntl } from 'react-intl';
import * as Yup from 'yup';
const messages = defineMessages({
welcometooverseerr: 'Welcome to Overseerr!',
getstarted:
"Let's get started! To begin, we will need to create your administrator account. You can either do this by logging in with your Plex account, or creating a local user.",
validationEmail: 'You must provide a valid email address',
validationpasswordminchars:
'Password is too short; should be a minimum of 8 characters',
});
type StepOneProps = {
onComplete: () => void;
};
const StepOne = ({ onComplete }: StepOneProps) => {
const { revalidate } = useUser();
const [showLocalCreateForm, setShowLocalCreateForm] = useState(false);
const intl = useIntl();
const CreateUserSchema = Yup.object().shape({
email: Yup.string()
.required(intl.formatMessage(messages.validationEmail))
.email(intl.formatMessage(messages.validationEmail)),
password: Yup.lazy((value) =>
!value
? Yup.string()
: Yup.string().min(
8,
intl.formatMessage(messages.validationpasswordminchars)
)
),
});
return (
<>
<h1 className="text-overseerr text-4xl font-bold">
{intl.formatMessage(messages.welcometooverseerr)}
</h1>
<p className="mt-4 mb-6">{intl.formatMessage(messages.getstarted)}</p>
<div className="mx-auto max-w-xl">
{showLocalCreateForm ? (
<Formik
initialValues={{
email: '',
password: '',
}}
onSubmit={async (values) => {
try {
await axios.post('/api/v1/auth/local', {
email: values.email,
password: values.password,
});
revalidate();
onComplete();
} catch (e) {
console.log(e.message);
}
}}
validationSchema={CreateUserSchema}
>
{({ isSubmitting, errors, touched, isValid }) => (
<Form>
<div>
<label htmlFor="email" className="text-label">
Email
</label>
<div className="mt-1 mb-2 sm:col-span-2 sm:mt-0">
<div className="form-input-field">
<Field
id="email"
name="email"
type="text"
inputMode="email"
data-testid="email"
/>
</div>
{errors.email &&
touched.email &&
typeof errors.email === 'string' && (
<div className="error">{errors.email}</div>
)}
</div>
<label htmlFor="password" className="text-label">
Password
</label>
<div className="mt-1 mb-2 sm:col-span-2 sm:mt-0">
<div className="form-input-field">
<SensitiveInput
as="field"
id="password"
name="password"
type="password"
autoComplete="current-password"
data-testid="password"
/>
</div>
{errors.password &&
touched.password &&
typeof errors.password === 'string' && (
<div className="error">{errors.password}</div>
)}
</div>
</div>
<div className="mt-8 border-t border-gray-700 pt-5">
<div className="flex flex-row-reverse justify-between">
<Button
buttonType="primary"
type="submit"
disabled={isSubmitting || !isValid}
data-testid="local-signin-button"
>
<UserIcon />
<span>
{isSubmitting
? 'Creating Account...'
: 'Create Account'}
</span>
</Button>
<Button onClick={() => setShowLocalCreateForm(false)}>
<ArrowLeftIcon />
<span>Go Back</span>
</Button>
</div>
</div>
</Form>
)}
</Formik>
) : (
<div className="flex flex-col space-y-2">
<LoginWithPlex onComplete={onComplete} />
<Button
buttonType="primary"
onClick={() => setShowLocalCreateForm(true)}
>
<UserIcon />
<span>Create Local Account</span>
</Button>
</div>
)}
</div>
</>
);
};
export default StepOne;

@ -5,8 +5,7 @@ import { useEffect, useState } from 'react';
import { defineMessages, useIntl } from 'react-intl';
const messages = defineMessages({
welcome: 'Welcome to Overseerr',
signinMessage: 'Get started by signing in with your Plex account',
signinwithplex: 'Sign In with Plex',
});
interface LoginWithPlexProps {
@ -45,14 +44,11 @@ const LoginWithPlex = ({ onComplete }: LoginWithPlexProps) => {
return (
<form>
<div className="mb-2 flex justify-center text-xl font-bold">
{intl.formatMessage(messages.welcome)}
</div>
<div className="mb-2 flex justify-center pb-6 text-sm">
{intl.formatMessage(messages.signinMessage)}
</div>
<div className="flex items-center justify-center">
<PlexLoginButton onAuthToken={(authToken) => setAuthToken(authToken)} />
<PlexLoginButton
onAuthToken={(authToken) => setAuthToken(authToken)}
textOverride={intl.formatMessage(messages.signinwithplex)}
/>
</div>
</form>
);

@ -1,12 +1,11 @@
import AppDataWarning from '@app/components/AppDataWarning';
import Badge from '@app/components/Common/Badge';
import Button from '@app/components/Common/Button';
import ImageFader from '@app/components/Common/ImageFader';
import PageTitle from '@app/components/Common/PageTitle';
import LanguagePicker from '@app/components/Layout/LanguagePicker';
import SettingsPlex from '@app/components/Settings/SettingsPlex';
import SettingsServices from '@app/components/Settings/SettingsServices';
import LoginWithPlex from '@app/components/Setup/LoginWithPlex';
import ConfigureMediaServers from '@app/components/Setup/ConfigureMediaServers';
import CreateAccount from '@app/components/Setup/CreateAccount';
import SetupSteps from '@app/components/Setup/SetupSteps';
import useLocale from '@app/hooks/useLocale';
import axios from 'axios';
@ -20,8 +19,8 @@ const messages = defineMessages({
finish: 'Finish Setup',
finishing: 'Finishing…',
continue: 'Continue',
loginwithplex: 'Sign in with Plex',
configureplex: 'Configure Plex',
loginwithplex: 'Create Admin Account',
configuremediaserver: 'Configure Media Server',
configureservices: 'Configure Services',
tip: 'Tip',
scanbackground:
@ -32,7 +31,6 @@ const Setup = () => {
const intl = useIntl();
const [isUpdating, setIsUpdating] = useState(false);
const [currentStep, setCurrentStep] = useState(1);
const [plexSettingsComplete, setPlexSettingsComplete] = useState(false);
const router = useRouter();
const { locale } = useLocale();
@ -70,7 +68,7 @@ const Setup = () => {
<div className="absolute top-4 right-4 z-50">
<LanguagePicker />
</div>
<div className="relative z-40 px-4 sm:mx-auto sm:w-full sm:max-w-4xl">
<div className="relative z-40 px-4 sm:mx-auto sm:w-full sm:max-w-7xl">
<img
src="/logo_stacked.svg"
className="mb-10 max-w-full sm:mx-auto sm:max-w-md"
@ -90,7 +88,7 @@ const Setup = () => {
/>
<SetupSteps
stepNumber={2}
description={intl.formatMessage(messages.configureplex)}
description={intl.formatMessage(messages.configuremediaserver)}
active={currentStep === 2}
completed={currentStep > 2}
/>
@ -104,31 +102,10 @@ const Setup = () => {
</nav>
<div className="mt-10 w-full rounded-md border border-gray-600 bg-gray-800 bg-opacity-50 p-4 text-white">
{currentStep === 1 && (
<LoginWithPlex onComplete={() => setCurrentStep(2)} />
<CreateAccount onComplete={() => setCurrentStep(2)} />
)}
{currentStep === 2 && (
<div>
<SettingsPlex onComplete={() => setPlexSettingsComplete(true)} />
<div className="mt-4 text-sm text-gray-500">
<span className="mr-2">
<Badge>{intl.formatMessage(messages.tip)}</Badge>
</span>
{intl.formatMessage(messages.scanbackground)}
</div>
<div className="actions">
<div className="flex justify-end">
<span className="ml-3 inline-flex rounded-md shadow-sm">
<Button
buttonType="primary"
disabled={!plexSettingsComplete}
onClick={() => setCurrentStep(3)}
>
{intl.formatMessage(messages.continue)}
</Button>
</span>
</div>
</div>
</div>
<ConfigureMediaServers onComplete={() => setCurrentStep(3)} />
)}
{currentStep === 3 && (
<div>

@ -12,7 +12,7 @@ import PlexImportModal from '@app/components/UserList/PlexImportModal';
import useSettings from '@app/hooks/useSettings';
import { useUpdateQueryParams } from '@app/hooks/useUpdateQueryParams';
import type { User } from '@app/hooks/useUser';
import { Permission, UserType, useUser } from '@app/hooks/useUser';
import { Permission, useUser } from '@app/hooks/useUser';
import globalMessages from '@app/i18n/globalMessages';
import { Transition } from '@headlessui/react';
import {
@ -621,7 +621,7 @@ const UserList = () => {
)}
</Table.TD>
<Table.TD>
{user.userType === UserType.PLEX ? (
{user.isPlexUser ? (
<Badge badgeType="warning">
{intl.formatMessage(messages.plexuser)}
</Badge>

@ -9,7 +9,7 @@ import type { AvailableLocale } from '@app/context/LanguageContext';
import { availableLanguages } from '@app/context/LanguageContext';
import useLocale from '@app/hooks/useLocale';
import useSettings from '@app/hooks/useSettings';
import { Permission, UserType, useUser } from '@app/hooks/useUser';
import { Permission, useUser } from '@app/hooks/useUser';
import globalMessages from '@app/i18n/globalMessages';
import Error from '@app/pages/_error';
import { SaveIcon } from '@heroicons/react/outline';
@ -190,7 +190,7 @@ const UserGeneralSettings = () => {
</label>
<div className="mb-1 text-sm font-medium leading-5 text-gray-400 sm:mt-2">
<div className="flex max-w-lg items-center">
{user?.userType === UserType.PLEX ? (
{user?.isPlexUser ? (
<Badge badgeType="warning">
{intl.formatMessage(messages.plexuser)}
</Badge>
@ -423,7 +423,7 @@ const UserGeneralSettings = () => {
[Permission.AUTO_REQUEST, Permission.AUTO_REQUEST_MOVIE],
{ type: 'or' }
) &&
user?.userType === UserType.PLEX && (
user?.isPlexUser && (
<div className="form-row">
<label
htmlFor="watchlistSyncMovies"
@ -471,7 +471,7 @@ const UserGeneralSettings = () => {
[Permission.AUTO_REQUEST, Permission.AUTO_REQUEST_TV],
{ type: 'or' }
) &&
user?.userType === UserType.PLEX && (
user?.isPlexUser && (
<div className="form-row">
<label htmlFor="watchlistSyncTv" className="checkbox-label">
<span>

@ -6,7 +6,7 @@ import RequestCard from '@app/components/RequestCard';
import Slider from '@app/components/Slider';
import TmdbTitleCard from '@app/components/TitleCard/TmdbTitleCard';
import ProfileHeader from '@app/components/UserProfile/ProfileHeader';
import { Permission, UserType, useUser } from '@app/hooks/useUser';
import { Permission, useUser } from '@app/hooks/useUser';
import Error from '@app/pages/_error';
import { ArrowCircleRightIcon } from '@heroicons/react/outline';
import type { WatchlistResponse } from '@server/interfaces/api/discoverInterfaces';
@ -73,14 +73,14 @@ const UserProfile = () => {
);
const { data: watchData, error: watchDataError } =
useSWR<UserWatchDataResponse>(
user?.userType === UserType.PLEX &&
user?.isPlexUser &&
(user.id === currentUser?.id || currentHasPermission(Permission.ADMIN))
? `/api/v1/user/${user.id}/watch_data`
: null
);
const { data: watchlistItems, error: watchlistError } =
useSWR<WatchlistResponse>(
user?.userType === UserType.PLEX &&
user?.isPlexUser &&
(user.id === currentUser?.id ||
currentHasPermission(
[Permission.MANAGE_REQUESTS, Permission.WATCHLIST_VIEW],
@ -309,7 +309,7 @@ const UserProfile = () => {
/>
</>
)}
{user.userType === UserType.PLEX &&
{user.isPlexUser &&
(user.id === currentUser?.id ||
currentHasPermission(
[Permission.MANAGE_REQUESTS, Permission.WATCHLIST_VIEW],
@ -363,7 +363,7 @@ const UserProfile = () => {
/>
</>
)}
{user.userType === UserType.PLEX &&
{user.isPlexUser &&
(user.id === currentUser?.id ||
currentHasPermission(Permission.ADMIN)) &&
(!watchData || !!watchData.recentlyWatched.length) &&

@ -1,11 +1,10 @@
import { UserType } from '@server/constants/user';
import type { PermissionCheckOptions } from '@server/lib/permissions';
import { hasPermission, Permission } from '@server/lib/permissions';
import type { NotificationAgentKey } from '@server/lib/settings';
import useSWR from 'swr';
import type { MutatorCallback } from 'swr/dist/types';
export { Permission, UserType };
export { Permission };
export type { PermissionCheckOptions };
export interface User {
@ -16,7 +15,8 @@ export interface User {
email: string;
avatar: string;
permissions: number;
userType: number;
isPlexUser: boolean;
isLocalUser: boolean;
createdAt: Date;
updatedAt: Date;
requestCount: number;

@ -861,7 +861,7 @@
"components.Setup.continue": "Continue",
"components.Setup.finish": "Finish Setup",
"components.Setup.finishing": "Finishing…",
"components.Setup.loginwithplex": "Sign in with Plex",
"components.Setup.loginwithplex": "Create Admin Account",
"components.Setup.scanbackground": "Scanning will run in the background. You can continue the setup process in the meantime.",
"components.Setup.setup": "Setup",
"components.Setup.signinMessage": "Get started by signing in with your Plex account",

Loading…
Cancel
Save