UI: Init modules list view, details view

This commit is contained in:
Johannes Kirschbauer
2024-10-17 10:27:39 +02:00
parent c6eb7545bb
commit f05268cda8
8 changed files with 1483 additions and 9 deletions

File diff suppressed because it is too large Load Diff

View File

@@ -45,6 +45,7 @@
"material-icons": "^1.13.12",
"nanoid": "^5.0.7",
"solid-js": "^1.8.11",
"solid-markdown": "^2.0.13",
"solid-toast": "^0.5.0"
}
}

View File

@@ -6,7 +6,7 @@ import { A, RouteSectionProps } from "@solidjs/router";
import { AppRoute, routes } from "./index";
export const Sidebar = (props: RouteSectionProps) => {
const query = createQuery(() => ({
const clanQuery = createQuery(() => ({
queryKey: [activeURI(), "meta"],
queryFn: async () => {
const curr = activeURI();
@@ -21,8 +21,8 @@ export const Sidebar = (props: RouteSectionProps) => {
return (
<aside class="w-80 rounded-xl border border-slate-900 bg-slate-800 pb-10">
<div class="m-4 flex flex-col text-center capitalize text-white">
<span class="text-lg">{query.data?.name}</span>
<span class="text-sm">{query.data?.description}</span>
<span class="text-lg">{clanQuery.data?.name}</span>
<span class="text-sm">{clanQuery.data?.description}</span>
<RouteMenu class="menu px-4 py-2" routes={routes} />
</div>
</aside>

View File

@@ -150,14 +150,13 @@ export const callApi = <K extends OperationNames>(
const deserialize =
<T>(fn: (response: T) => void) =>
(str: string) => {
(r: unknown) => {
try {
const r = JSON.parse(str) as T;
fn(r);
fn(r as T);
} catch (e) {
console.log("Error parsing JSON: ", e);
window.localStorage.setItem("error", str);
console.error(str);
console.error("Error parsing JSON: ", e);
window.localStorage.setItem("error", JSON.stringify(r));
console.error(r);
console.error("See localStorage 'error'");
alert(`Error parsing JSON: ${e}`);
}

View File

@@ -15,6 +15,8 @@ import { Flash } from "./routes/flash/view";
import { HostList } from "./routes/hosts/view";
import { Welcome } from "./routes/welcome";
import { Toaster } from "solid-toast";
import { ModuleList } from "./routes/modules/list";
import { ModuleDetails } from "./routes/modules/details";
export const client = new QueryClient();
@@ -88,6 +90,24 @@ export const routes: AppRoute[] = [
},
],
},
{
path: "/modules",
label: "Modules",
icon: "apps",
children: [
{
path: "/",
label: "App Store",
component: () => <ModuleList />,
},
{
path: "/:id",
label: "Details",
hidden: true,
component: () => <ModuleDetails />,
},
],
},
{
path: "/tools",
label: "Tools",

View File

@@ -0,0 +1,25 @@
import { createQuery } from "@tanstack/solid-query";
import { callApi } from "../api";
import toast from "solid-toast";
export const createModulesQuery = (uri: string | null) =>
createQuery(() => ({
queryKey: [uri, "list_modules"],
placeholderData: [],
enabled: !!uri,
queryFn: async () => {
console.log({ uri });
if (uri) {
const response = await callApi("list_modules", {
base_path: uri,
});
console.log({ response });
if (response.status === "error") {
toast.error("Failed to fetch data");
} else {
return Object.entries(response.data);
}
}
return [];
},
}));

View File

@@ -0,0 +1,109 @@
import { callApi, SuccessData } from "@/src/api";
import { activeURI } from "@/src/App";
import { BackButton } from "@/src/components/BackButton";
import { createModulesQuery } from "@/src/queries";
import { useParams } from "@solidjs/router";
import { For, Match, Switch } from "solid-js";
import { SolidMarkdown } from "solid-markdown";
import toast from "solid-toast";
import { ModuleInfo } from "./list";
export const ModuleDetails = () => {
const params = useParams();
const modulesQuery = createModulesQuery(activeURI());
return (
<div class="p-1">
<BackButton />
<div class="p-2">
<h3 class="text-2xl">{params.id}</h3>
<Switch>
<Match when={modulesQuery.data?.find((i) => i[0] === params.id)}>
{(d) => <Details data={d()[1]} id={d()[0]} />}
</Match>
</Switch>
</div>
</div>
);
};
function deepMerge(
// eslint-disable-next-line @typescript-eslint/no-explicit-any
obj1: Record<string, any>,
// eslint-disable-next-line @typescript-eslint/no-explicit-any
obj2: Record<string, any>,
) {
const result = { ...obj1 };
for (const key in obj2) {
if (Object.prototype.hasOwnProperty.call(obj2, key)) {
if (obj2[key] instanceof Object && obj1[key] instanceof Object) {
result[key] = deepMerge(obj1[key], obj2[key]);
} else {
result[key] = obj2[key];
}
}
}
return result;
}
interface DetailsProps {
data: ModuleInfo;
id: string;
}
const Details = (props: DetailsProps) => {
return (
<div class="flex w-full flex-col gap-2">
<article class="prose">{props.data.description}</article>
<span class="label-text">Categories</span>
<div>
<For each={props.data.categories}>
{(c) => <div class="badge badge-primary m-1">{c}</div>}
</For>
</div>
<span class="label-text">Roles</span>
<div>
<For each={props.data.roles}>
{(r) => <div class="badge badge-secondary m-1">{r}</div>}
</For>
</div>
<div class="p-2">
<SolidMarkdown>{props.data.readme}</SolidMarkdown>
</div>
<div class="my-2 flex w-full gap-2">
<button
class="btn btn-primary"
onClick={async () => {
const uri = activeURI();
if (!uri) return;
const res = await callApi("get_inventory", { base_path: uri });
if (res.status === "error") {
toast.error("Failed to fetch inventory");
return;
}
const inventory = res.data;
const newInventory = deepMerge(inventory, {
services: {
[props.id]: {
default: {
enabled: false,
},
},
},
});
callApi("set_inventory", {
flake_dir: uri,
inventory: newInventory,
message: `Add module: ${props.id} in 'default' instance`,
});
}}
>
<span class="material-icons ">add</span>
Add to Clan
</button>
</div>
</div>
);
};

View File

@@ -0,0 +1,45 @@
import { callApi, SuccessData } from "@/src/api";
import { activeURI } from "@/src/App";
import { createModulesQuery } from "@/src/queries";
import { A, useNavigate } from "@solidjs/router";
import { createQuery, useQueryClient } from "@tanstack/solid-query";
import { createEffect, For, Match, Switch } from "solid-js";
import { SolidMarkdown } from "solid-markdown";
export type ModuleInfo = SuccessData<"list_modules">[string];
const ModuleListItem = (props: { name: string; info: ModuleInfo }) => {
const { name, info } = props;
const navigate = useNavigate();
return (
<div class="stat">
<div class="stat-figure text-primary">
<div class="join">more</div>
</div>
<A href={`/modules/${name}`}>
<div class="stat-value underline">{name}</div>
</A>
<div>{info.description}</div>
</div>
);
};
export const ModuleList = () => {
const modulesQuery = createModulesQuery(activeURI());
return (
<Switch fallback="Shit">
<Match when={modulesQuery.isLoading}>Loading....</Match>
<Match when={modulesQuery.data}>
<div>
Show Modules
<For each={modulesQuery.data}>
{([k, v]) => <ModuleListItem info={v} name={k} />}
</For>
</div>
</Match>
</Switch>
);
};