feat: add request media (#1811)
This commit is contained in:
@@ -2,8 +2,10 @@ import { TRPCError } from "@trpc/server";
|
|||||||
|
|
||||||
import { createId, eq, like, sql } from "@homarr/db";
|
import { createId, eq, like, sql } from "@homarr/db";
|
||||||
import { searchEngines } from "@homarr/db/schema";
|
import { searchEngines } from "@homarr/db/schema";
|
||||||
|
import { integrationCreator } from "@homarr/integrations";
|
||||||
import { validation } from "@homarr/validation";
|
import { validation } from "@homarr/validation";
|
||||||
|
|
||||||
|
import { createOneIntegrationMiddleware } from "../../middlewares/integration";
|
||||||
import { createTRPCRouter, permissionRequiredProcedure, protectedProcedure } from "../../trpc";
|
import { createTRPCRouter, permissionRequiredProcedure, protectedProcedure } from "../../trpc";
|
||||||
|
|
||||||
export const searchEngineRouter = createTRPCRouter({
|
export const searchEngineRouter = createTRPCRouter({
|
||||||
@@ -56,9 +58,32 @@ export const searchEngineRouter = createTRPCRouter({
|
|||||||
search: protectedProcedure.input(validation.common.search).query(async ({ ctx, input }) => {
|
search: protectedProcedure.input(validation.common.search).query(async ({ ctx, input }) => {
|
||||||
return await ctx.db.query.searchEngines.findMany({
|
return await ctx.db.query.searchEngines.findMany({
|
||||||
where: like(searchEngines.short, `${input.query.toLowerCase().trim()}%`),
|
where: like(searchEngines.short, `${input.query.toLowerCase().trim()}%`),
|
||||||
|
with: {
|
||||||
|
integration: {
|
||||||
|
columns: {
|
||||||
|
kind: true,
|
||||||
|
url: true,
|
||||||
|
id: true,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
limit: input.limit,
|
limit: input.limit,
|
||||||
});
|
});
|
||||||
}),
|
}),
|
||||||
|
getMediaRequestOptions: protectedProcedure
|
||||||
|
.unstable_concat(createOneIntegrationMiddleware("query", "jellyseerr", "overseerr"))
|
||||||
|
.input(validation.common.mediaRequestOptions)
|
||||||
|
.query(async ({ ctx, input }) => {
|
||||||
|
const integration = integrationCreator(ctx.integration);
|
||||||
|
return await integration.getSeriesInformationAsync(input.mediaType, input.mediaId);
|
||||||
|
}),
|
||||||
|
requestMedia: protectedProcedure
|
||||||
|
.unstable_concat(createOneIntegrationMiddleware("interact", "jellyseerr", "overseerr"))
|
||||||
|
.input(validation.common.requestMedia)
|
||||||
|
.mutation(async ({ ctx, input }) => {
|
||||||
|
const integration = integrationCreator(ctx.integration);
|
||||||
|
return await integration.requestMediaAsync(input.mediaType, input.mediaId, input.seasons);
|
||||||
|
}),
|
||||||
create: permissionRequiredProcedure
|
create: permissionRequiredProcedure
|
||||||
.requiresPermission("search-engine-create")
|
.requiresPermission("search-engine-create")
|
||||||
.input(validation.searchEngine.manage)
|
.input(validation.searchEngine.manage)
|
||||||
|
|||||||
@@ -90,6 +90,7 @@ export type HomarrDocumentationPath =
|
|||||||
| "/docs/tags/lists"
|
| "/docs/tags/lists"
|
||||||
| "/docs/tags/management"
|
| "/docs/tags/management"
|
||||||
| "/docs/tags/media"
|
| "/docs/tags/media"
|
||||||
|
| "/docs/tags/minecraft"
|
||||||
| "/docs/tags/monitoring"
|
| "/docs/tags/monitoring"
|
||||||
| "/docs/tags/news"
|
| "/docs/tags/news"
|
||||||
| "/docs/tags/notebook"
|
| "/docs/tags/notebook"
|
||||||
@@ -190,6 +191,7 @@ export type HomarrDocumentationPath =
|
|||||||
| "/docs/widgets/indexer-manager"
|
| "/docs/widgets/indexer-manager"
|
||||||
| "/docs/widgets/media-requests"
|
| "/docs/widgets/media-requests"
|
||||||
| "/docs/widgets/media-server"
|
| "/docs/widgets/media-server"
|
||||||
|
| "/docs/widgets/minecraft-server-status"
|
||||||
| "/docs/widgets/notebook"
|
| "/docs/widgets/notebook"
|
||||||
| "/docs/widgets/rss"
|
| "/docs/widgets/rss"
|
||||||
| "/docs/widgets/video"
|
| "/docs/widgets/video"
|
||||||
|
|||||||
@@ -1,3 +1,3 @@
|
|||||||
export interface ISearchableIntegration {
|
export interface ISearchableIntegration<TResult extends { image?: string; name: string; link: string }> {
|
||||||
searchAsync(query: string): Promise<{ image?: string; name: string; link: string }[]>;
|
searchAsync(query: string): Promise<TResult[]>;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -6,11 +6,20 @@ import type { ISearchableIntegration } from "../base/searchable-integration";
|
|||||||
import type { MediaRequest, RequestStats, RequestUser } from "../interfaces/media-requests/media-request";
|
import type { MediaRequest, RequestStats, RequestUser } from "../interfaces/media-requests/media-request";
|
||||||
import { MediaAvailability, MediaRequestStatus } from "../interfaces/media-requests/media-request";
|
import { MediaAvailability, MediaRequestStatus } from "../interfaces/media-requests/media-request";
|
||||||
|
|
||||||
|
interface OverseerrSearchResult {
|
||||||
|
id: number;
|
||||||
|
name: string;
|
||||||
|
link: string;
|
||||||
|
image?: string;
|
||||||
|
text?: string;
|
||||||
|
type: Exclude<z.infer<typeof searchSchema>["results"], undefined>[number]["mediaType"];
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Overseerr Integration. See https://api-docs.overseerr.dev
|
* Overseerr Integration. See https://api-docs.overseerr.dev
|
||||||
*/
|
*/
|
||||||
export class OverseerrIntegration extends Integration implements ISearchableIntegration {
|
export class OverseerrIntegration extends Integration implements ISearchableIntegration<OverseerrSearchResult> {
|
||||||
public async searchAsync(query: string): Promise<{ image?: string; name: string; link: string; text?: string }[]> {
|
public async searchAsync(query: string) {
|
||||||
const response = await fetch(this.url("/api/v1/search", { query }), {
|
const response = await fetch(this.url("/api/v1/search", { query }), {
|
||||||
headers: {
|
headers: {
|
||||||
"X-Api-Key": this.getSecretValue("apiKey"),
|
"X-Api-Key": this.getSecretValue("apiKey"),
|
||||||
@@ -23,13 +32,53 @@ export class OverseerrIntegration extends Integration implements ISearchableInte
|
|||||||
}
|
}
|
||||||
|
|
||||||
return schemaData.results.map((result) => ({
|
return schemaData.results.map((result) => ({
|
||||||
|
id: result.id,
|
||||||
name: "name" in result ? result.name : result.title,
|
name: "name" in result ? result.name : result.title,
|
||||||
link: this.url(`/${result.mediaType}/${result.id}`).toString(),
|
link: this.url(`/${result.mediaType}/${result.id}`).toString(),
|
||||||
image: constructSearchResultImage(result),
|
image: constructSearchResultImage(result),
|
||||||
text: "overview" in result ? result.overview : undefined,
|
text: "overview" in result ? result.overview : undefined,
|
||||||
|
type: result.mediaType,
|
||||||
|
inLibrary: result.mediaInfo !== undefined,
|
||||||
}));
|
}));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public async getSeriesInformationAsync(mediaType: "movie" | "tv", id: number) {
|
||||||
|
const url = mediaType === "tv" ? this.url(`/api/v1/tv/${id}`) : this.url(`/api/v1/movie/${id}`);
|
||||||
|
const response = await fetch(url, {
|
||||||
|
headers: {
|
||||||
|
"X-Api-Key": this.getSecretValue("apiKey"),
|
||||||
|
},
|
||||||
|
});
|
||||||
|
return await mediaInformationSchema.parseAsync(await response.json());
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Request a media. See https://api-docs.overseerr.dev/#/request/post_request
|
||||||
|
* @param mediaType The media type to request. Can be "movie" or "tv".
|
||||||
|
* @param id The Overseerr ID of the media to request.
|
||||||
|
* @param seasons A list of the seasons that should be requested.
|
||||||
|
*/
|
||||||
|
public async requestMediaAsync(mediaType: "movie" | "tv", id: number, seasons?: number[]): Promise<void> {
|
||||||
|
const url = this.url("/api/v1/request");
|
||||||
|
const response = await fetch(url, {
|
||||||
|
method: "POST",
|
||||||
|
body: JSON.stringify({
|
||||||
|
mediaType,
|
||||||
|
mediaId: id,
|
||||||
|
seasons,
|
||||||
|
}),
|
||||||
|
headers: {
|
||||||
|
"X-Api-Key": this.getSecretValue("apiKey"),
|
||||||
|
"Content-Type": "application/json",
|
||||||
|
},
|
||||||
|
});
|
||||||
|
if (response.status !== 201) {
|
||||||
|
throw new Error(
|
||||||
|
`Status code ${response.status} does not match the expected status code. The request was likely not created. Response: ${await response.text()}`,
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
public async testConnectionAsync(): Promise<void> {
|
public async testConnectionAsync(): Promise<void> {
|
||||||
const response = await fetch(this.url("/api/v1/auth/me"), {
|
const response = await fetch(this.url("/api/v1/auth/me"), {
|
||||||
headers: {
|
headers: {
|
||||||
@@ -220,6 +269,27 @@ interface MovieInformation {
|
|||||||
releaseDate: string;
|
releaseDate: string;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const mediaInformationSchema = z.union([
|
||||||
|
z.object({
|
||||||
|
id: z.number(),
|
||||||
|
overview: z.string(),
|
||||||
|
seasons: z.array(
|
||||||
|
z.object({
|
||||||
|
id: z.number(),
|
||||||
|
name: z.string().min(0),
|
||||||
|
episodeCount: z.number().min(0),
|
||||||
|
}),
|
||||||
|
),
|
||||||
|
numberOfSeasons: z.number(),
|
||||||
|
posterPath: z.string().startsWith("/"),
|
||||||
|
}),
|
||||||
|
z.object({
|
||||||
|
id: z.number(),
|
||||||
|
overview: z.string(),
|
||||||
|
posterPath: z.string().startsWith("/"),
|
||||||
|
}),
|
||||||
|
]);
|
||||||
|
|
||||||
const searchSchema = z.object({
|
const searchSchema = z.object({
|
||||||
results: z
|
results: z
|
||||||
.array(
|
.array(
|
||||||
@@ -230,6 +300,7 @@ const searchSchema = z.object({
|
|||||||
name: z.string(),
|
name: z.string(),
|
||||||
posterPath: z.string().startsWith("/").endsWith(".jpg").nullable(),
|
posterPath: z.string().startsWith("/").endsWith(".jpg").nullable(),
|
||||||
overview: z.string(),
|
overview: z.string(),
|
||||||
|
mediaInfo: z.object({}).optional(),
|
||||||
}),
|
}),
|
||||||
z.object({
|
z.object({
|
||||||
id: z.number(),
|
id: z.number(),
|
||||||
@@ -237,12 +308,14 @@ const searchSchema = z.object({
|
|||||||
title: z.string(),
|
title: z.string(),
|
||||||
posterPath: z.string().startsWith("/").endsWith(".jpg").nullable(),
|
posterPath: z.string().startsWith("/").endsWith(".jpg").nullable(),
|
||||||
overview: z.string(),
|
overview: z.string(),
|
||||||
|
mediaInfo: z.object({}).optional(),
|
||||||
}),
|
}),
|
||||||
z.object({
|
z.object({
|
||||||
id: z.number(),
|
id: z.number(),
|
||||||
mediaType: z.literal("person"),
|
mediaType: z.literal("person"),
|
||||||
name: z.string(),
|
name: z.string(),
|
||||||
profilePath: z.string().startsWith("/").endsWith(".jpg").nullable(),
|
profilePath: z.string().startsWith("/").endsWith(".jpg").nullable(),
|
||||||
|
mediaInfo: z.object({}).optional(),
|
||||||
}),
|
}),
|
||||||
]),
|
]),
|
||||||
)
|
)
|
||||||
|
|||||||
@@ -1,3 +1,4 @@
|
|||||||
export * from "./boards";
|
export * from "./boards";
|
||||||
export * from "./invites";
|
export * from "./invites";
|
||||||
export * from "./groups";
|
export * from "./groups";
|
||||||
|
export * from "./search-engines";
|
||||||
|
|||||||
1
packages/modals-collection/src/search-engines/index.ts
Normal file
1
packages/modals-collection/src/search-engines/index.ts
Normal file
@@ -0,0 +1 @@
|
|||||||
|
export { RequestMediaModal } from "./request-media-modal";
|
||||||
@@ -0,0 +1,119 @@
|
|||||||
|
import { useMemo } from "react";
|
||||||
|
import { Button, Group, Image, LoadingOverlay, Stack, Text } from "@mantine/core";
|
||||||
|
import type { MRT_ColumnDef } from "mantine-react-table";
|
||||||
|
import { MRT_Table } from "mantine-react-table";
|
||||||
|
|
||||||
|
import { clientApi } from "@homarr/api/client";
|
||||||
|
import { createModal } from "@homarr/modals";
|
||||||
|
import { showSuccessNotification } from "@homarr/notifications";
|
||||||
|
import { useI18n } from "@homarr/translation/client";
|
||||||
|
import { useTranslatedMantineReactTable } from "@homarr/ui/hooks";
|
||||||
|
|
||||||
|
interface RequestMediaModalProps {
|
||||||
|
integrationId: string;
|
||||||
|
mediaId: number;
|
||||||
|
mediaType: "movie" | "tv";
|
||||||
|
}
|
||||||
|
|
||||||
|
export const RequestMediaModal = createModal<RequestMediaModalProps>(({ actions, innerProps }) => {
|
||||||
|
const { data, isPending: isPendingQuery } = clientApi.searchEngine.getMediaRequestOptions.useQuery({
|
||||||
|
integrationId: innerProps.integrationId,
|
||||||
|
mediaId: innerProps.mediaId,
|
||||||
|
mediaType: innerProps.mediaType,
|
||||||
|
});
|
||||||
|
|
||||||
|
const { mutate, isPending: isPendingMutation } = clientApi.searchEngine.requestMedia.useMutation({
|
||||||
|
onSuccess() {
|
||||||
|
actions.closeModal();
|
||||||
|
showSuccessNotification({
|
||||||
|
message: t("common.notification.create.success"),
|
||||||
|
});
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const isPending = isPendingQuery || isPendingMutation;
|
||||||
|
const t = useI18n();
|
||||||
|
|
||||||
|
const columns = useMemo<MRT_ColumnDef<Season>[]>(
|
||||||
|
() => [
|
||||||
|
{
|
||||||
|
accessorKey: "name",
|
||||||
|
header: t("search.engine.media.request.modal.table.header.season"),
|
||||||
|
},
|
||||||
|
{
|
||||||
|
accessorKey: "episodeCount",
|
||||||
|
header: t("search.engine.media.request.modal.table.header.episodes"),
|
||||||
|
},
|
||||||
|
],
|
||||||
|
[],
|
||||||
|
);
|
||||||
|
|
||||||
|
const table = useTranslatedMantineReactTable({
|
||||||
|
columns,
|
||||||
|
data: data && "seasons" in data ? data.seasons : [],
|
||||||
|
enableColumnActions: false,
|
||||||
|
enableColumnFilters: false,
|
||||||
|
enablePagination: false,
|
||||||
|
enableSorting: false,
|
||||||
|
enableSelectAll: true,
|
||||||
|
enableRowSelection: true,
|
||||||
|
mantineTableProps: {
|
||||||
|
highlightOnHover: false,
|
||||||
|
striped: "odd",
|
||||||
|
withColumnBorders: true,
|
||||||
|
withRowBorders: true,
|
||||||
|
withTableBorder: true,
|
||||||
|
},
|
||||||
|
initialState: {
|
||||||
|
density: "xs",
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const anySelected = Object.keys(table.getState().rowSelection).length > 0;
|
||||||
|
|
||||||
|
const handleMutate = () => {
|
||||||
|
const selectedSeasons = table.getSelectedRowModel().rows.flatMap((row) => row.original.id);
|
||||||
|
mutate({
|
||||||
|
integrationId: innerProps.integrationId,
|
||||||
|
mediaId: innerProps.mediaId,
|
||||||
|
mediaType: innerProps.mediaType,
|
||||||
|
seasons: selectedSeasons,
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Stack>
|
||||||
|
<LoadingOverlay visible={isPending} zIndex={1000} overlayProps={{ radius: "sm", blur: 2 }} />
|
||||||
|
{data && (
|
||||||
|
<Group wrap="nowrap" align="start">
|
||||||
|
<Image
|
||||||
|
src={`https://image.tmdb.org/t/p/w600_and_h900_bestv2${data.posterPath}`}
|
||||||
|
alt="poster"
|
||||||
|
w={100}
|
||||||
|
radius="md"
|
||||||
|
/>
|
||||||
|
<Text c="dimmed" style={{ flex: "1" }}>
|
||||||
|
{data.overview}
|
||||||
|
</Text>
|
||||||
|
</Group>
|
||||||
|
)}
|
||||||
|
{innerProps.mediaType === "tv" && <MRT_Table table={table} />}
|
||||||
|
<Group justify="end">
|
||||||
|
<Button onClick={actions.closeModal} variant="light">
|
||||||
|
{t("common.action.cancel")}
|
||||||
|
</Button>
|
||||||
|
<Button onClick={handleMutate} disabled={!anySelected && innerProps.mediaType === "tv"}>
|
||||||
|
{t("search.engine.media.request.modal.button.send")}
|
||||||
|
</Button>
|
||||||
|
</Group>
|
||||||
|
</Stack>
|
||||||
|
);
|
||||||
|
}).withOptions({
|
||||||
|
size: "xl",
|
||||||
|
});
|
||||||
|
|
||||||
|
interface Season {
|
||||||
|
id: number;
|
||||||
|
name: string;
|
||||||
|
episodeCount: number;
|
||||||
|
}
|
||||||
@@ -4,14 +4,25 @@ import { ChildrenActionItem } from "./items/children-action-item";
|
|||||||
interface SpotlightChildrenActionsProps {
|
interface SpotlightChildrenActionsProps {
|
||||||
childrenOptions: inferSearchInteractionOptions<"children">;
|
childrenOptions: inferSearchInteractionOptions<"children">;
|
||||||
query: string;
|
query: string;
|
||||||
|
setChildrenOptions: (options: inferSearchInteractionOptions<"children">) => void;
|
||||||
}
|
}
|
||||||
|
|
||||||
export const SpotlightChildrenActions = ({ childrenOptions, query }: SpotlightChildrenActionsProps) => {
|
export const SpotlightChildrenActions = ({
|
||||||
|
childrenOptions,
|
||||||
|
query,
|
||||||
|
setChildrenOptions,
|
||||||
|
}: SpotlightChildrenActionsProps) => {
|
||||||
const actions = childrenOptions.useActions(childrenOptions.option, query);
|
const actions = childrenOptions.useActions(childrenOptions.option, query);
|
||||||
|
|
||||||
return actions
|
return actions
|
||||||
.filter((action) => (typeof action.hide === "function" ? !action.hide(childrenOptions.option) : !action.hide))
|
.filter((action) => (typeof action.hide === "function" ? !action.hide(childrenOptions.option) : !action.hide))
|
||||||
.map((action) => (
|
.map((action) => (
|
||||||
<ChildrenActionItem key={action.key} childrenOptions={childrenOptions} query={query} action={action} />
|
<ChildrenActionItem
|
||||||
|
key={action.key}
|
||||||
|
childrenOptions={childrenOptions}
|
||||||
|
query={query}
|
||||||
|
action={action}
|
||||||
|
setChildrenOptions={setChildrenOptions}
|
||||||
|
/>
|
||||||
));
|
));
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -8,9 +8,10 @@ interface ChildrenActionItemProps {
|
|||||||
childrenOptions: inferSearchInteractionOptions<"children">;
|
childrenOptions: inferSearchInteractionOptions<"children">;
|
||||||
query: string;
|
query: string;
|
||||||
action: ReturnType<inferSearchInteractionOptions<"children">["useActions"]>[number];
|
action: ReturnType<inferSearchInteractionOptions<"children">["useActions"]>[number];
|
||||||
|
setChildrenOptions: (options: inferSearchInteractionOptions<"children">) => void;
|
||||||
}
|
}
|
||||||
|
|
||||||
export const ChildrenActionItem = ({ childrenOptions, action, query }: ChildrenActionItemProps) => {
|
export const ChildrenActionItem = ({ childrenOptions, action, query, setChildrenOptions }: ChildrenActionItemProps) => {
|
||||||
const interaction = action.useInteraction(childrenOptions.option, query);
|
const interaction = action.useInteraction(childrenOptions.option, query);
|
||||||
|
|
||||||
const renderRoot =
|
const renderRoot =
|
||||||
@@ -20,10 +21,20 @@ export const ChildrenActionItem = ({ childrenOptions, action, query }: ChildrenA
|
|||||||
}
|
}
|
||||||
: undefined;
|
: undefined;
|
||||||
|
|
||||||
const onClick = interaction.type === "javaScript" ? interaction.onSelect : undefined;
|
const onClick =
|
||||||
|
interaction.type === "javaScript"
|
||||||
|
? interaction.onSelect
|
||||||
|
: interaction.type === "children"
|
||||||
|
? () => setChildrenOptions(interaction)
|
||||||
|
: undefined;
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<Spotlight.Action renderRoot={renderRoot} onClick={onClick} className={classes.spotlightAction}>
|
<Spotlight.Action
|
||||||
|
renderRoot={renderRoot}
|
||||||
|
onClick={onClick}
|
||||||
|
closeSpotlightOnTrigger={interaction.type !== "children"}
|
||||||
|
className={classes.spotlightAction}
|
||||||
|
>
|
||||||
<action.Component {...childrenOptions.option} />
|
<action.Component {...childrenOptions.option} />
|
||||||
</Spotlight.Action>
|
</Spotlight.Action>
|
||||||
);
|
);
|
||||||
|
|||||||
@@ -140,7 +140,11 @@ const SpotlightWithActiveMode = ({ modeState, activeMode, defaultMode }: Spotlig
|
|||||||
|
|
||||||
<MantineSpotlight.ActionsList>
|
<MantineSpotlight.ActionsList>
|
||||||
{childrenOptions ? (
|
{childrenOptions ? (
|
||||||
<SpotlightChildrenActions childrenOptions={childrenOptions} query={query} />
|
<SpotlightChildrenActions
|
||||||
|
childrenOptions={childrenOptions}
|
||||||
|
query={query}
|
||||||
|
setChildrenOptions={setChildrenOptions}
|
||||||
|
/>
|
||||||
) : (
|
) : (
|
||||||
<SpotlightActionGroups
|
<SpotlightActionGroups
|
||||||
setMode={(mode) => {
|
setMode={(mode) => {
|
||||||
|
|||||||
@@ -10,7 +10,10 @@ export interface CreateChildrenOptionsProps<TParentOptions extends Record<string
|
|||||||
export interface ChildrenAction<TParentOptions extends Record<string, unknown>> {
|
export interface ChildrenAction<TParentOptions extends Record<string, unknown>> {
|
||||||
key: string;
|
key: string;
|
||||||
Component: (option: TParentOptions) => JSX.Element;
|
Component: (option: TParentOptions) => JSX.Element;
|
||||||
useInteraction: (option: TParentOptions, query: string) => inferSearchInteractionDefinition<"link" | "javaScript">;
|
useInteraction: (
|
||||||
|
option: TParentOptions,
|
||||||
|
query: string,
|
||||||
|
) => inferSearchInteractionDefinition<"link" | "javaScript" | "children">;
|
||||||
hide?: boolean | ((option: TParentOptions) => boolean);
|
hide?: boolean | ((option: TParentOptions) => boolean);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@@ -1,8 +1,12 @@
|
|||||||
import { Group, Image, Kbd, Stack, Text } from "@mantine/core";
|
import { Group, Image, Kbd, Stack, Text } from "@mantine/core";
|
||||||
import { IconSearch } from "@tabler/icons-react";
|
import { IconDownload, IconSearch } from "@tabler/icons-react";
|
||||||
|
|
||||||
import type { RouterOutputs } from "@homarr/api";
|
import type { RouterOutputs } from "@homarr/api";
|
||||||
import { clientApi } from "@homarr/api/client";
|
import { clientApi } from "@homarr/api/client";
|
||||||
|
import type { IntegrationKind } from "@homarr/definitions";
|
||||||
|
import { getIntegrationKindsByCategory, getIntegrationName } from "@homarr/definitions";
|
||||||
|
import { useModalAction } from "@homarr/modals";
|
||||||
|
import { RequestMediaModal } from "@homarr/modals-collection";
|
||||||
import { useScopedI18n } from "@homarr/translation/client";
|
import { useScopedI18n } from "@homarr/translation/client";
|
||||||
|
|
||||||
import { createChildrenOptions } from "../../lib/children";
|
import { createChildrenOptions } from "../../lib/children";
|
||||||
@@ -11,6 +15,100 @@ import { interaction } from "../../lib/interaction";
|
|||||||
|
|
||||||
type SearchEngine = RouterOutputs["searchEngine"]["search"][number];
|
type SearchEngine = RouterOutputs["searchEngine"]["search"][number];
|
||||||
|
|
||||||
|
// eslint-disable-next-line @typescript-eslint/consistent-type-definitions
|
||||||
|
type MediaRequestChildrenProps = {
|
||||||
|
result: {
|
||||||
|
id: number;
|
||||||
|
image?: string;
|
||||||
|
name: string;
|
||||||
|
link: string;
|
||||||
|
text?: string;
|
||||||
|
type: "tv" | "movie";
|
||||||
|
inLibrary: boolean;
|
||||||
|
};
|
||||||
|
integration: {
|
||||||
|
kind: IntegrationKind;
|
||||||
|
url: string;
|
||||||
|
id: string;
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
const mediaRequestsChildrenOptions = createChildrenOptions<MediaRequestChildrenProps>({
|
||||||
|
useActions() {
|
||||||
|
const { openModal } = useModalAction(RequestMediaModal);
|
||||||
|
return [
|
||||||
|
{
|
||||||
|
key: "request",
|
||||||
|
hide: (option) => option.result.inLibrary,
|
||||||
|
Component(option) {
|
||||||
|
const t = useScopedI18n("search.mode.media");
|
||||||
|
return (
|
||||||
|
<Group mx="md" my="sm" wrap="nowrap">
|
||||||
|
<IconDownload stroke={1.5} />
|
||||||
|
{option.result.type === "tv" && <Text>{t("requestSeries")}</Text>}
|
||||||
|
{option.result.type === "movie" && <Text>{t("requestMovie")}</Text>}
|
||||||
|
</Group>
|
||||||
|
);
|
||||||
|
},
|
||||||
|
useInteraction: interaction.javaScript((option) => ({
|
||||||
|
onSelect() {
|
||||||
|
openModal(
|
||||||
|
{
|
||||||
|
integrationId: option.integration.id,
|
||||||
|
mediaId: option.result.id,
|
||||||
|
mediaType: option.result.type,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title(t) {
|
||||||
|
return t("search.engine.media.request.modal.title", { name: option.result.name });
|
||||||
|
},
|
||||||
|
},
|
||||||
|
);
|
||||||
|
},
|
||||||
|
})),
|
||||||
|
},
|
||||||
|
{
|
||||||
|
key: "open",
|
||||||
|
Component({ integration }) {
|
||||||
|
const tChildren = useScopedI18n("search.mode.media");
|
||||||
|
return (
|
||||||
|
<Group mx="md" my="sm" wrap="nowrap">
|
||||||
|
<IconSearch stroke={1.5} />
|
||||||
|
<Text>{tChildren("openIn", { kind: getIntegrationName(integration.kind) })}</Text>
|
||||||
|
</Group>
|
||||||
|
);
|
||||||
|
},
|
||||||
|
useInteraction({ result }) {
|
||||||
|
return {
|
||||||
|
type: "link",
|
||||||
|
href: result.link,
|
||||||
|
newTab: true,
|
||||||
|
};
|
||||||
|
},
|
||||||
|
},
|
||||||
|
];
|
||||||
|
},
|
||||||
|
DetailComponent({ options }) {
|
||||||
|
return (
|
||||||
|
<Group mx="md" my="sm" wrap="nowrap">
|
||||||
|
{options.result.image ? (
|
||||||
|
<Image src={options.result.image} w={35} h={50} fit="cover" radius={"md"} />
|
||||||
|
) : (
|
||||||
|
<IconSearch stroke={1.5} size={35} />
|
||||||
|
)}
|
||||||
|
<Stack gap={2}>
|
||||||
|
<Text>{options.result.name}</Text>
|
||||||
|
{options.result.text && (
|
||||||
|
<Text c="dimmed" size="sm" lineClamp={2}>
|
||||||
|
{options.result.text}
|
||||||
|
</Text>
|
||||||
|
)}
|
||||||
|
</Stack>
|
||||||
|
</Group>
|
||||||
|
);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
export const searchEnginesChildrenOptions = createChildrenOptions<SearchEngine>({
|
export const searchEnginesChildrenOptions = createChildrenOptions<SearchEngine>({
|
||||||
useActions: (searchEngine, query) => {
|
useActions: (searchEngine, query) => {
|
||||||
const { data } = clientApi.integration.searchInIntegration.useQuery(
|
const { data } = clientApi.integration.searchInIntegration.useQuery(
|
||||||
@@ -64,10 +162,48 @@ export const searchEnginesChildrenOptions = createChildrenOptions<SearchEngine>(
|
|||||||
</Group>
|
</Group>
|
||||||
);
|
);
|
||||||
},
|
},
|
||||||
useInteraction: interaction.link(() => ({
|
useInteraction(searchEngine) {
|
||||||
href: searchResult.link,
|
if (searchEngine.type !== "fromIntegration") {
|
||||||
newTab: true,
|
throw new Error("Invalid search engine type");
|
||||||
})),
|
}
|
||||||
|
|
||||||
|
if (!searchEngine.integration) {
|
||||||
|
throw new Error("Invalid search engine integration");
|
||||||
|
}
|
||||||
|
|
||||||
|
if (
|
||||||
|
getIntegrationKindsByCategory("mediaRequest").some(
|
||||||
|
(categoryKind) => categoryKind === searchEngine.integration?.kind,
|
||||||
|
) &&
|
||||||
|
"type" in searchResult
|
||||||
|
) {
|
||||||
|
const type = searchResult.type;
|
||||||
|
if (type === "person") {
|
||||||
|
return {
|
||||||
|
type: "link",
|
||||||
|
href: searchResult.link,
|
||||||
|
newTab: true,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
type: "children",
|
||||||
|
...mediaRequestsChildrenOptions({
|
||||||
|
result: {
|
||||||
|
...searchResult,
|
||||||
|
type,
|
||||||
|
},
|
||||||
|
integration: searchEngine.integration,
|
||||||
|
}),
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
type: "link",
|
||||||
|
href: searchResult.link,
|
||||||
|
newTab: true,
|
||||||
|
};
|
||||||
|
},
|
||||||
}));
|
}));
|
||||||
},
|
},
|
||||||
DetailComponent({ options }) {
|
DetailComponent({ options }) {
|
||||||
|
|||||||
@@ -2744,6 +2744,11 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"media": {
|
||||||
|
"requestMovie": "Request movie",
|
||||||
|
"requestSeries": "Request series",
|
||||||
|
"openIn": "Open in {kind}"
|
||||||
|
},
|
||||||
"external": {
|
"external": {
|
||||||
"help": "Use an external search engine",
|
"help": "Use an external search engine",
|
||||||
"group": {
|
"group": {
|
||||||
@@ -2984,6 +2989,22 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"media": {
|
||||||
|
"request": {
|
||||||
|
"modal": {
|
||||||
|
"title": "Request \"{name}\"",
|
||||||
|
"table": {
|
||||||
|
"header": {
|
||||||
|
"season": "Season",
|
||||||
|
"episodes": "Episodes"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"button": {
|
||||||
|
"send": "Send request"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -15,8 +15,21 @@ const searchSchema = z.object({
|
|||||||
limit: z.number().int().positive().default(10),
|
limit: z.number().int().positive().default(10),
|
||||||
});
|
});
|
||||||
|
|
||||||
|
const mediaRequestOptionsSchema = z.object({
|
||||||
|
mediaId: z.number(),
|
||||||
|
mediaType: z.enum(["tv", "movie"]),
|
||||||
|
});
|
||||||
|
|
||||||
|
const requestMediaSchema = z.object({
|
||||||
|
mediaType: z.enum(["tv", "movie"]),
|
||||||
|
mediaId: z.number(),
|
||||||
|
seasons: z.array(z.number().min(0)).optional(),
|
||||||
|
});
|
||||||
|
|
||||||
export const commonSchemas = {
|
export const commonSchemas = {
|
||||||
paginated: paginatedSchema,
|
paginated: paginatedSchema,
|
||||||
byId: byIdSchema,
|
byId: byIdSchema,
|
||||||
search: searchSchema,
|
search: searchSchema,
|
||||||
|
mediaRequestOptions: mediaRequestOptionsSchema,
|
||||||
|
requestMedia: requestMediaSchema,
|
||||||
};
|
};
|
||||||
|
|||||||
Reference in New Issue
Block a user