Refactor proxy codebase

This commit is contained in:
Gregory Schier
2026-03-12 08:31:05 -07:00
parent 4968237ece
commit 5e3ef70d93
21 changed files with 437 additions and 408 deletions

View File

@@ -1,4 +1,4 @@
import { useTimedBoolean } from '../hooks/useTimedBoolean'; import { useTimedBoolean } from '@yaakapp-internal/ui';
import { copyToClipboard } from '../lib/copy'; import { copyToClipboard } from '../lib/copy';
import { showToast } from '../lib/toast'; import { showToast } from '../lib/toast';
import type { ButtonProps } from './core/Button'; import type { ButtonProps } from './core/Button';

View File

@@ -1,8 +1,6 @@
import { useTimedBoolean } from '../hooks/useTimedBoolean'; import { IconButton, type IconButtonProps, useTimedBoolean } from '@yaakapp-internal/ui';
import { copyToClipboard } from '../lib/copy'; import { copyToClipboard } from '../lib/copy';
import { showToast } from '../lib/toast'; import { showToast } from '../lib/toast';
import type { IconButtonProps } from './core/IconButton';
import { IconButton } from './core/IconButton';
interface Props extends Omit<IconButtonProps, 'onClick' | 'icon'> { interface Props extends Omit<IconButtonProps, 'onClick' | 'icon'> {
text: string | (() => Promise<string | null>); text: string | (() => Promise<string | null>);

View File

@@ -1,93 +1,37 @@
import classNames from 'classnames'; import {
import type { MouseEvent } from 'react'; IconButton as BaseIconButton,
import { forwardRef, useCallback } from 'react'; type IconButtonProps as BaseIconButtonProps,
import { useTimedBoolean } from '../../hooks/useTimedBoolean'; } from '@yaakapp-internal/ui';
import type { ButtonProps } from './Button'; import { forwardRef, useImperativeHandle, useRef } from 'react';
import { Button } from './Button'; import type { HotkeyAction } from '../../hooks/useHotKey';
import { Icon, LoadingIcon, type IconProps } from '@yaakapp-internal/ui'; import { useFormattedHotkey, useHotKey } from '../../hooks/useHotKey';
export type IconButtonProps = IconProps & export type IconButtonProps = BaseIconButtonProps & {
ButtonProps & { hotkeyAction?: HotkeyAction;
showConfirm?: boolean; hotkeyLabelOnly?: boolean;
iconClassName?: string; hotkeyPriority?: number;
iconSize?: IconProps['size']; };
iconColor?: IconProps['color'];
title: string;
showBadge?: boolean;
};
export const IconButton = forwardRef<HTMLButtonElement, IconButtonProps>(function IconButton( export const IconButton = forwardRef<HTMLButtonElement, IconButtonProps>(function IconButton(
{ { hotkeyAction, hotkeyPriority, hotkeyLabelOnly, title, ...props }: IconButtonProps,
showConfirm,
icon,
color = 'default',
spin,
onClick,
className,
iconClassName,
tabIndex,
size = 'md',
iconSize,
showBadge,
iconColor,
isLoading,
type = 'button',
...props
}: IconButtonProps,
ref, ref,
) { ) {
const [confirmed, setConfirmed] = useTimedBoolean(); const hotkeyTrigger = useFormattedHotkey(hotkeyAction ?? null)?.join('');
const handleClick = useCallback( const fullTitle = hotkeyTrigger ? `${title ?? ''} ${hotkeyTrigger}`.trim() : title;
(e: MouseEvent<HTMLButtonElement>) => {
if (showConfirm) setConfirmed(); const buttonRef = useRef<HTMLButtonElement>(null);
onClick?.(e); useImperativeHandle<HTMLButtonElement | null, HTMLButtonElement | null>(
}, ref,
[onClick, setConfirmed, showConfirm], () => buttonRef.current,
); );
return ( useHotKey(
<Button hotkeyAction ?? null,
ref={ref} () => {
aria-hidden={icon === 'empty'} buttonRef.current?.click();
disabled={icon === 'empty'} },
tabIndex={(tabIndex ?? icon === 'empty') ? -1 : undefined} { priority: hotkeyPriority, enable: !hotkeyLabelOnly },
onClick={handleClick}
innerClassName="flex items-center justify-center"
size={size}
color={color}
type={type}
className={classNames(
className,
'group/button relative flex-shrink-0',
'!px-0',
size === 'md' && 'w-md',
size === 'sm' && 'w-sm',
size === 'xs' && 'w-xs',
size === '2xs' && 'w-5',
)}
{...props}
>
{showBadge && (
<div className="absolute top-0 right-0 w-1/2 h-1/2 flex items-center justify-center">
<div className="w-2.5 h-2.5 bg-pink-500 rounded-full" />
</div>
)}
{isLoading ? (
<LoadingIcon size={iconSize} className={iconClassName} />
) : (
<Icon
size={iconSize}
icon={confirmed ? 'check' : icon}
spin={spin}
color={iconColor}
className={classNames(
iconClassName,
'group-hover/button:text-text',
confirmed && '!text-success', // Don't use Icon.color here because it won't override the hover color
props.disabled && 'opacity-70',
)}
/>
)}
</Button>
); );
return <BaseIconButton ref={buttonRef} title={fullTitle} {...props} />;
}); });

View File

@@ -1,8 +1,8 @@
import type { ActionInvocation } from '@yaakapp-internal/proxy-lib'; import type { ActionInvocation } from '@yaakapp-internal/proxy-lib';
import { Button, type ButtonProps } from '@yaakapp-internal/ui'; import { Button, type ButtonProps } from '@yaakapp-internal/ui';
import { useCallback } from 'react'; import { useCallback } from 'react';
import { useActionMetadata } from './hooks'; import { useRpcMutation } from '../hooks/useRpcMutation';
import { useRpcMutation } from './rpc-hooks'; import { useActionMetadata } from '../hooks/useActionMetadata';
type ActionButtonProps = Omit<ButtonProps, 'onClick' | 'children'> & { type ActionButtonProps = Omit<ButtonProps, 'onClick' | 'children'> & {
action: ActionInvocation; action: ActionInvocation;

View File

@@ -0,0 +1,133 @@
import { type } from '@tauri-apps/plugin-os';
import type { ProxyHeader } from '@yaakapp-internal/proxy-lib';
import {
HeaderSize,
IconButton,
Table,
TableBody,
TableCell,
TableHead,
TableHeaderCell,
TableRow,
TruncatedWideTableCell,
} from '@yaakapp-internal/ui';
import classNames from 'classnames';
import { useAtomValue } from 'jotai';
import { useRpcQueryWithEvent } from '../hooks/useRpcQueryWithEvent';
import { ActionButton } from './ActionButton';
import { filteredExchangesAtom, Sidebar } from './Sidebar';
export function ProxyLayout() {
const osType = type();
const exchanges = useAtomValue(filteredExchangesAtom);
const { data: proxyState } = useRpcQueryWithEvent('get_proxy_state', {}, 'proxy_state_changed');
const isRunning = proxyState?.state === 'running';
return (
<div
className={classNames(
'h-full w-full grid grid-rows-[auto_1fr]',
osType === 'linux' && 'border border-border-subtle',
)}
>
<HeaderSize
size="lg"
osType={osType}
hideWindowControls={false}
useNativeTitlebar={false}
interfaceScale={1}
className="x-theme-appHeader bg-surface"
>
<div className="grid grid-cols-[minmax(0,1fr)_auto]">
<div data-tauri-drag-region className="flex items-center text-sm px-2">
Yaak Proxy
</div>
<div>
<IconButton icon="alarm_clock" title="Yo" />
</div>
</div>
</HeaderSize>
<div className="grid grid-cols-[auto_1fr] min-h-0">
<Sidebar />
<main className="overflow-auto p-4">
<div className="flex items-center gap-3 mb-4">
<ActionButton
action={{ scope: 'global', action: 'proxy_start' }}
size="sm"
tone="primary"
disabled={isRunning}
/>
<ActionButton
action={{ scope: 'global', action: 'proxy_stop' }}
size="sm"
variant="border"
disabled={!isRunning}
/>
<span
className={classNames(
'text-xs font-medium',
isRunning ? 'text-success' : 'text-text-subtlest',
)}
>
{isRunning ? 'Running on :9090' : 'Stopped'}
</span>
</div>
{exchanges.length === 0 ? (
<p className="text-text-subtlest text-sm">No traffic yet</p>
) : (
<Table scrollable>
<TableHead>
<TableRow>
<TableHeaderCell>Method</TableHeaderCell>
<TableHeaderCell>URL</TableHeaderCell>
<TableHeaderCell>Status</TableHeaderCell>
<TableHeaderCell>Type</TableHeaderCell>
</TableRow>
</TableHead>
<TableBody>
{exchanges.map((ex) => (
<TableRow key={ex.id}>
<TableCell className="font-mono text-2xs">{ex.method}</TableCell>
<TruncatedWideTableCell className="font-mono text-2xs">
{ex.url}
</TruncatedWideTableCell>
<TableCell>
<StatusBadge status={ex.resStatus} error={ex.error} />
</TableCell>
<TableCell className="text-text-subtle text-xs">
{getContentType(ex.resHeaders)}
</TableCell>
</TableRow>
))}
</TableBody>
</Table>
)}
</main>
</div>
</div>
);
}
function StatusBadge({ status, error }: { status: number | null; error: string | null }) {
if (error) return <span className="text-xs text-danger">Error</span>;
if (status == null) return <span className="text-xs text-text-subtlest"></span>;
const color =
status >= 500
? 'text-danger'
: status >= 400
? 'text-warning'
: status >= 300
? 'text-notice'
: 'text-success';
return <span className={classNames('text-xs font-mono', color)}>{status}</span>;
}
function getContentType(headers: ProxyHeader[]): string {
const ct = headers.find((h) => h.name.toLowerCase() === 'content-type')?.value;
if (ct == null) return '—';
// Strip parameters (e.g. "; charset=utf-8")
return ct.split(';')[0]?.trim() ?? ct;
}

View File

@@ -1,10 +1,10 @@
import type { HttpExchange } from "@yaakapp-internal/proxy-lib"; import type { HttpExchange } from '@yaakapp-internal/proxy-lib';
import { selectedIdsFamily, Tree } from "@yaakapp-internal/ui"; import type { TreeNode } from '@yaakapp-internal/ui';
import type { TreeNode } from "@yaakapp-internal/ui"; import { selectedIdsFamily, Tree } from '@yaakapp-internal/ui';
import { atom, useAtomValue } from "jotai"; import { atom, useAtomValue } from 'jotai';
import { atomFamily } from "jotai/utils"; import { atomFamily } from 'jotai/utils';
import { useCallback } from "react"; import { useCallback } from 'react';
import { httpExchangesAtom } from "./store"; import { httpExchangesAtom } from '../lib/store';
/** A node in the sidebar tree — either a domain or a path segment. */ /** A node in the sidebar tree — either a domain or a path segment. */
export type SidebarItem = { export type SidebarItem = {
@@ -13,11 +13,9 @@ export type SidebarItem = {
exchangeIds: string[]; exchangeIds: string[];
}; };
const collapsedAtom = atomFamily((treeId: string) => const collapsedAtom = atomFamily((_treeId: string) => atom<Record<string, boolean>>({}));
atom<Record<string, boolean>>({}),
);
export const SIDEBAR_TREE_ID = "proxy-sidebar"; export const SIDEBAR_TREE_ID = 'proxy-sidebar';
const sidebarTreeAtom = atom<TreeNode<SidebarItem>>((get) => { const sidebarTreeAtom = atom<TreeNode<SidebarItem>>((get) => {
const exchanges = get(httpExchangesAtom); const exchanges = get(httpExchangesAtom);
@@ -31,7 +29,7 @@ export const filteredExchangesAtom = atom((get) => {
const selectedIds = get(selectedIdsFamily(SIDEBAR_TREE_ID)); const selectedIds = get(selectedIdsFamily(SIDEBAR_TREE_ID));
// Nothing selected or root selected → show all // Nothing selected or root selected → show all
if (selectedIds.length === 0 || selectedIds.includes("root")) { if (selectedIds.length === 0 || selectedIds.includes('root')) {
return exchanges; return exchanges;
} }
@@ -75,7 +73,7 @@ function collectNodes(node: TreeNode<SidebarItem>, map: Map<string, SidebarItem>
* /orders * /orders
*/ */
function buildTree(exchanges: HttpExchange[]): TreeNode<SidebarItem> { function buildTree(exchanges: HttpExchange[]): TreeNode<SidebarItem> {
const root: SidebarItem = { id: "root", label: "All Traffic", exchangeIds: [] }; const root: SidebarItem = { id: 'root', label: 'All Traffic', exchangeIds: [] };
const rootNode: TreeNode<SidebarItem> = { const rootNode: TreeNode<SidebarItem> = {
item: root, item: root,
parent: null, parent: null,
@@ -100,7 +98,7 @@ function buildTree(exchanges: HttpExchange[]): TreeNode<SidebarItem> {
try { try {
const url = new URL(ex.url); const url = new URL(ex.url);
hostname = url.host; hostname = url.host;
segments = url.pathname.split("/").filter(Boolean); segments = url.pathname.split('/').filter(Boolean);
} catch { } catch {
hostname = ex.url; hostname = ex.url;
segments = []; segments = [];
@@ -127,7 +125,7 @@ function buildTree(exchanges: HttpExchange[]): TreeNode<SidebarItem> {
let child = current.children.get(seg); let child = current.children.get(seg);
if (!child) { if (!child) {
child = { child = {
id: `path:${hostname}/${pathSoFar.join("/")}`, id: `path:${hostname}/${pathSoFar.join('/')}`,
label: `/${seg}`, label: `/${seg}`,
exchangeIds: [], exchangeIds: [],
children: new Map(), children: new Map(),
@@ -157,7 +155,7 @@ function buildTree(exchanges: HttpExchange[]): TreeNode<SidebarItem> {
draggable: false, draggable: false,
}; };
for (const child of trie.children.values()) { for (const child of trie.children.values()) {
node.children!.push(toTreeNode(child, node, depth + 1)); node.children?.push(toTreeNode(child, node, depth + 1));
} }
return node; return node;
} }
@@ -165,21 +163,19 @@ function buildTree(exchanges: HttpExchange[]): TreeNode<SidebarItem> {
// Add a "Domains" folder between root and domain nodes // Add a "Domains" folder between root and domain nodes
const allExchangeIds = exchanges.map((ex) => ex.id); const allExchangeIds = exchanges.map((ex) => ex.id);
const domainsFolder: TreeNode<SidebarItem> = { const domainsFolder: TreeNode<SidebarItem> = {
item: { id: "domains", label: "Domains", exchangeIds: allExchangeIds }, item: { id: 'domains', label: 'Domains', exchangeIds: allExchangeIds },
parent: rootNode, parent: rootNode,
depth: 1, depth: 1,
children: [], children: [],
draggable: false, draggable: false,
}; };
const sortedDomains = [...domainMap.values()].sort((a, b) => const sortedDomains = [...domainMap.values()].sort((a, b) => a.label.localeCompare(b.label));
a.label.localeCompare(b.label),
);
for (const domain of sortedDomains) { for (const domain of sortedDomains) {
domainsFolder.children!.push(toTreeNode(domain, domainsFolder, 2)); domainsFolder.children?.push(toTreeNode(domain, domainsFolder, 2));
} }
rootNode.children!.push(domainsFolder); rootNode.children?.push(domainsFolder);
return rootNode; return rootNode;
} }
@@ -189,9 +185,7 @@ function ItemInner({ item }: { item: SidebarItem }) {
return ( return (
<div className="flex items-center gap-2 w-full min-w-0"> <div className="flex items-center gap-2 w-full min-w-0">
<span className="truncate">{item.label}</span> <span className="truncate">{item.label}</span>
{count > 0 && ( {count > 0 && <span className="text-text-subtlest text-2xs shrink-0">{count}</span>}
<span className="text-text-subtlest text-2xs shrink-0">{count}</span>
)}
</div> </div>
); );
} }
@@ -203,7 +197,7 @@ export function Sidebar() {
const getItemKey = useCallback((item: SidebarItem) => item.id, []); const getItemKey = useCallback((item: SidebarItem) => item.id, []);
return ( return (
<aside className="x-theme-sidebar h-full w-[250px] min-w-0 overflow-y-auto border-r border-border-subtle"> <aside className="x-theme-sidebar bg-surface h-full w-[250px] min-w-0 overflow-y-auto border-r border-border-subtle">
<div className="pt-2 text-xs"> <div className="pt-2 text-xs">
<Tree <Tree
treeId={treeId} treeId={treeId}

View File

@@ -1,25 +1,9 @@
import { useEffect, useState } from "react"; import type { ActionInvocation, ActionMetadata } from '@yaakapp-internal/proxy-lib';
import type { import { useEffect, useState } from 'react';
ActionInvocation, import { rpc } from '../lib/rpc';
ActionMetadata,
} from "@yaakapp-internal/proxy-lib";
import { rpc } from "./rpc";
let cachedActions: [ActionInvocation, ActionMetadata][] | null = null;
/** Fetch and cache all action metadata. */
async function getActions(): Promise<[ActionInvocation, ActionMetadata][]> {
if (!cachedActions) {
const { actions } = await rpc("list_actions", {});
cachedActions = actions;
}
return cachedActions;
}
/** Look up metadata for a specific action invocation. */ /** Look up metadata for a specific action invocation. */
export function useActionMetadata( export function useActionMetadata(action: ActionInvocation): ActionMetadata | null {
action: ActionInvocation,
): ActionMetadata | null {
const [meta, setMeta] = useState<ActionMetadata | null>(null); const [meta, setMeta] = useState<ActionMetadata | null>(null);
useEffect(() => { useEffect(() => {
@@ -33,3 +17,14 @@ export function useActionMetadata(
return meta; return meta;
} }
let cachedActions: [ActionInvocation, ActionMetadata][] | null = null;
/** Fetch and cache all action metadata. */
async function getActions(): Promise<[ActionInvocation, ActionMetadata][]> {
if (!cachedActions) {
const { actions } = await rpc('list_actions', {});
cachedActions = actions;
}
return cachedActions;
}

View File

@@ -0,0 +1,15 @@
import type { RpcEventSchema } from '@yaakapp-internal/proxy-lib';
import { useEffect } from 'react';
import { listen } from '../lib/rpc';
/**
* Subscribe to an RPC event. Cleans up automatically on unmount.
*/
export function useRpcEvent<K extends keyof RpcEventSchema>(
event: K & string,
callback: (payload: RpcEventSchema[K]) => void,
) {
useEffect(() => {
return listen(event, callback);
}, [event, callback]);
}

View File

@@ -0,0 +1,18 @@
import { type UseMutationOptions, useMutation } from '@tanstack/react-query';
import type { RpcSchema } from '@yaakapp-internal/proxy-lib';
import { minPromiseMillis } from '@yaakapp-internal/ui';
import type { Req, Res } from '../lib/rpc';
import { rpc } from '../lib/rpc';
/**
* React Query mutation wrapper for RPC commands.
*/
export function useRpcMutation<K extends keyof RpcSchema>(
cmd: K,
opts?: Omit<UseMutationOptions<Res<K>, Error, Req<K>>, 'mutationFn'>,
) {
return useMutation<Res<K>, Error, Req<K>>({
mutationFn: (payload) => minPromiseMillis(rpc(cmd, payload)),
...opts,
});
}

View File

@@ -0,0 +1,20 @@
import { type UseQueryOptions, useQuery } from '@tanstack/react-query';
import type { RpcSchema } from '@yaakapp-internal/proxy-lib';
import type { Req, Res } from '../lib/rpc';
import { rpc } from '../lib/rpc';
/**
* React Query wrapper for RPC commands.
* Automatically caches by [cmd, payload] and supports all useQuery options.
*/
export function useRpcQuery<K extends keyof RpcSchema>(
cmd: K,
payload: Req<K>,
opts?: Omit<UseQueryOptions<Res<K>>, 'queryKey' | 'queryFn'>,
) {
return useQuery<Res<K>>({
queryKey: [cmd, payload],
queryFn: () => rpc(cmd, payload),
...opts,
});
}

View File

@@ -0,0 +1,23 @@
import { type UseQueryOptions, useQueryClient } from '@tanstack/react-query';
import type { RpcEventSchema, RpcSchema } from '@yaakapp-internal/proxy-lib';
import type { Req, Res } from '../lib/rpc';
import { useRpcEvent } from './useRpcEvent';
import { useRpcQuery } from './useRpcQuery';
/**
* Combines useRpcQuery with an event listener that invalidates the query
* whenever the specified event fires, keeping data fresh automatically.
*/
export function useRpcQueryWithEvent<
K extends keyof RpcSchema,
E extends keyof RpcEventSchema & string,
>(cmd: K, payload: Req<K>, event: E, opts?: Omit<UseQueryOptions<Res<K>>, 'queryKey' | 'queryFn'>) {
const queryClient = useQueryClient();
const query = useRpcQuery(cmd, payload, opts);
useRpcEvent(event, () => {
queryClient.invalidateQueries({ queryKey: [cmd, payload] });
});
return query;
}

View File

@@ -1,8 +1,5 @@
import type { import type { ActionInvocation, ActionMetadata } from '@yaakapp-internal/proxy-lib';
ActionInvocation, import { rpc } from './rpc';
ActionMetadata,
} from "@yaakapp-internal/proxy-lib";
import { rpc } from "./rpc";
type ActionBinding = { type ActionBinding = {
invocation: ActionInvocation; invocation: ActionInvocation;
@@ -11,20 +8,21 @@ type ActionBinding = {
}; };
/** Parse a hotkey string like "Ctrl+Shift+P" into its parts. */ /** Parse a hotkey string like "Ctrl+Shift+P" into its parts. */
function parseHotkey(hotkey: string): ActionBinding["keys"] { function parseHotkey(hotkey: string): ActionBinding['keys'] {
const parts = hotkey.split("+").map((p) => p.trim().toLowerCase()); const parts = hotkey.split('+').map((p) => p.trim().toLowerCase());
return { return {
ctrl: parts.includes("ctrl") || parts.includes("control"), ctrl: parts.includes('ctrl') || parts.includes('control'),
shift: parts.includes("shift"), shift: parts.includes('shift'),
alt: parts.includes("alt"), alt: parts.includes('alt'),
meta: parts.includes("meta") || parts.includes("cmd") || parts.includes("command"), meta: parts.includes('meta') || parts.includes('cmd') || parts.includes('command'),
key: parts.filter( key:
(p) => !["ctrl", "control", "shift", "alt", "meta", "cmd", "command"].includes(p), parts.filter(
)[0] ?? "", (p) => !['ctrl', 'control', 'shift', 'alt', 'meta', 'cmd', 'command'].includes(p),
)[0] ?? '',
}; };
} }
function matchesEvent(binding: ActionBinding["keys"], e: KeyboardEvent): boolean { function matchesEvent(binding: ActionBinding['keys'], e: KeyboardEvent): boolean {
return ( return (
e.ctrlKey === binding.ctrl && e.ctrlKey === binding.ctrl &&
e.shiftKey === binding.shift && e.shiftKey === binding.shift &&
@@ -36,7 +34,7 @@ function matchesEvent(binding: ActionBinding["keys"], e: KeyboardEvent): boolean
/** Fetch all actions from Rust and register a global keydown listener. */ /** Fetch all actions from Rust and register a global keydown listener. */
export async function initHotkeys(): Promise<() => void> { export async function initHotkeys(): Promise<() => void> {
const { actions } = await rpc("list_actions", {}); const { actions } = await rpc('list_actions', {});
const bindings: ActionBinding[] = actions const bindings: ActionBinding[] = actions
.filter( .filter(
@@ -53,12 +51,12 @@ export async function initHotkeys(): Promise<() => void> {
for (const binding of bindings) { for (const binding of bindings) {
if (matchesEvent(binding.keys, e)) { if (matchesEvent(binding.keys, e)) {
e.preventDefault(); e.preventDefault();
rpc("execute_action", binding.invocation); rpc('execute_action', binding.invocation);
return; return;
} }
} }
} }
window.addEventListener("keydown", onKeyDown); window.addEventListener('keydown', onKeyDown);
return () => window.removeEventListener("keydown", onKeyDown); return () => window.removeEventListener('keydown', onKeyDown);
} }

View File

@@ -0,0 +1,24 @@
import { invoke } from '@tauri-apps/api/core';
import { listen as tauriListen } from '@tauri-apps/api/event';
import type { RpcEventSchema, RpcSchema } from '@yaakapp-internal/proxy-lib';
export type Req<K extends keyof RpcSchema> = RpcSchema[K][0];
export type Res<K extends keyof RpcSchema> = RpcSchema[K][1];
export async function rpc<K extends keyof RpcSchema>(cmd: K, payload: Req<K>): Promise<Res<K>> {
return invoke('rpc', { cmd, payload }) as Promise<Res<K>>;
}
/** Subscribe to a backend event. Returns an unsubscribe function. */
export function listen<K extends keyof RpcEventSchema>(
event: K & string,
callback: (payload: RpcEventSchema[K]) => void,
): () => void {
let unsub: (() => void) | null = null;
tauriListen<RpcEventSchema[K]>(event, (e) => callback(e.payload))
.then((fn) => {
unsub = fn;
})
.catch(console.error);
return () => unsub?.();
}

View File

@@ -11,20 +11,22 @@ import {
type Appearance, type Appearance,
} from "@yaakapp-internal/theme"; } from "@yaakapp-internal/theme";
setPlatformOnDocument(platformFromUserAgent(navigator.userAgent)); export function initTheme() {
setPlatformOnDocument(platformFromUserAgent(navigator.userAgent));
// Apply a quick initial theme based on CSS media query // Apply a quick initial theme based on CSS media query
let preferredAppearance: Appearance = getCSSAppearance(); let preferredAppearance: Appearance = getCSSAppearance();
applyTheme(preferredAppearance);
// Then subscribe to accurate OS appearance detection and changes
subscribeToPreferredAppearance((a) => {
preferredAppearance = a;
applyTheme(preferredAppearance); applyTheme(preferredAppearance);
});
// Show window after initial theme is applied (window starts hidden to prevent flash) // Then subscribe to accurate OS appearance detection and changes
getCurrentWebviewWindow().show().catch(console.error); subscribeToPreferredAppearance((a) => {
preferredAppearance = a;
applyTheme(preferredAppearance);
});
// Show window after initial theme is applied (window starts hidden to prevent flash)
getCurrentWebviewWindow().show().catch(console.error);
}
function applyTheme(appearance: Appearance) { function applyTheme(appearance: Appearance) {
const theme = appearance === "dark" ? defaultDarkTheme : defaultLightTheme; const theme = appearance === "dark" ? defaultDarkTheme : defaultLightTheme;

View File

@@ -1,27 +1,15 @@
import { QueryClient, QueryClientProvider } from '@tanstack/react-query'; import { QueryClient, QueryClientProvider } from '@tanstack/react-query';
import { type } from '@tauri-apps/plugin-os'; import { createStore, Provider } from 'jotai';
import {
HeaderSize,
Table,
TableBody,
TableCell,
TableHead,
TableHeaderCell,
TableRow,
TruncatedWideTableCell,
} from '@yaakapp-internal/ui';
import classNames from 'classnames';
import { createStore, Provider, useAtomValue } from 'jotai';
import { StrictMode } from 'react'; import { StrictMode } from 'react';
import { createRoot } from 'react-dom/client'; import { createRoot } from 'react-dom/client';
import { ActionButton } from './ActionButton'; import { ProxyLayout } from './components/ProxyLayout';
import { filteredExchangesAtom, Sidebar } from './Sidebar'; import { listen, rpc } from './lib/rpc';
import { initHotkeys } from './lib/hotkeys';
import { applyChange, dataAtom, replaceAll } from './lib/store';
import { initTheme } from './lib/theme';
import './main.css'; import './main.css';
import type { ProxyHeader } from '@yaakapp-internal/proxy-lib';
import { initHotkeys } from './hotkeys'; initTheme();
import { listen, rpc } from './rpc';
import { useRpcQueryWithEvent } from './rpc-hooks';
import { applyChange, dataAtom, replaceAll } from './store';
const queryClient = new QueryClient(); const queryClient = new QueryClient();
const jotaiStore = createStore(); const jotaiStore = createStore();
@@ -41,124 +29,11 @@ listen('model_write', (payload) => {
); );
}); });
function App() {
const osType = type();
const exchanges = useAtomValue(filteredExchangesAtom);
const { data: proxyState } = useRpcQueryWithEvent('get_proxy_state', {}, 'proxy_state_changed');
const isRunning = proxyState?.state === 'running';
return (
<div
className={classNames(
'h-full w-full grid grid-rows-[auto_1fr]',
osType === 'linux' && 'border border-border-subtle',
)}
>
<HeaderSize
size="lg"
osType={osType}
hideWindowControls={false}
useNativeTitlebar={false}
interfaceScale={1}
className="x-theme-appHeader bg-surface"
>
<div
data-tauri-drag-region
className="flex items-center px-2 text-sm font-semibold text-text-subtle"
>
Yaak Proxy
</div>
</HeaderSize>
<div className="grid grid-cols-[auto_1fr] min-h-0">
<Sidebar />
<main className="overflow-auto p-4">
<div className="flex items-center gap-3 mb-4">
<ActionButton
action={{ scope: 'global', action: 'proxy_start' }}
size="sm"
tone="primary"
disabled={isRunning}
/>
<ActionButton
action={{ scope: 'global', action: 'proxy_stop' }}
size="sm"
variant="border"
disabled={!isRunning}
/>
<span
className={classNames(
'text-xs font-medium',
isRunning ? 'text-success' : 'text-text-subtlest',
)}
>
{isRunning ? 'Running on :9090' : 'Stopped'}
</span>
</div>
{exchanges.length === 0 ? (
<p className="text-text-subtlest text-sm">No traffic yet</p>
) : (
<Table scrollable>
<TableHead>
<TableRow>
<TableHeaderCell>Method</TableHeaderCell>
<TableHeaderCell>URL</TableHeaderCell>
<TableHeaderCell>Status</TableHeaderCell>
<TableHeaderCell>Type</TableHeaderCell>
</TableRow>
</TableHead>
<TableBody>
{exchanges.map((ex) => (
<TableRow key={ex.id}>
<TableCell className="font-mono text-2xs">{ex.method}</TableCell>
<TruncatedWideTableCell className="font-mono text-2xs">
{ex.url}
</TruncatedWideTableCell>
<TableCell>
<StatusBadge status={ex.resStatus} error={ex.error} />
</TableCell>
<TableCell className="text-text-subtle text-xs">
{getContentType(ex.resHeaders)}
</TableCell>
</TableRow>
))}
</TableBody>
</Table>
)}
</main>
</div>
</div>
);
}
function StatusBadge({ status, error }: { status: number | null; error: string | null }) {
if (error) return <span className="text-xs text-danger">Error</span>;
if (status == null) return <span className="text-xs text-text-subtlest"></span>;
const color =
status >= 500
? 'text-danger'
: status >= 400
? 'text-warning'
: status >= 300
? 'text-notice'
: 'text-success';
return <span className={classNames('text-xs font-mono', color)}>{status}</span>;
}
function getContentType(headers: ProxyHeader[]): string {
const ct = headers.find((h) => h.name.toLowerCase() === 'content-type')?.value;
if (ct == null) return '—';
// Strip parameters (e.g. "; charset=utf-8")
return ct.split(';')[0]?.trim() ?? ct;
}
createRoot(document.getElementById('root') as HTMLElement).render( createRoot(document.getElementById('root') as HTMLElement).render(
<StrictMode> <StrictMode>
<QueryClientProvider client={queryClient}> <QueryClientProvider client={queryClient}>
<Provider store={jotaiStore}> <Provider store={jotaiStore}>
<App /> <ProxyLayout />
</Provider> </Provider>
</QueryClientProvider> </QueryClientProvider>
</StrictMode>, </StrictMode>,

View File

@@ -1,78 +0,0 @@
import {
useQuery,
useQueryClient,
useMutation,
type UseQueryOptions,
type UseMutationOptions,
} from "@tanstack/react-query";
import { useEffect } from "react";
import type { RpcEventSchema, RpcSchema } from "@yaakapp-internal/proxy-lib";
import { minPromiseMillis } from "@yaakapp-internal/ui";
import { listen, rpc } from "./rpc";
type Req<K extends keyof RpcSchema> = RpcSchema[K][0];
type Res<K extends keyof RpcSchema> = RpcSchema[K][1];
/**
* React Query wrapper for RPC commands.
* Automatically caches by [cmd, payload] and supports all useQuery options.
*/
export function useRpcQuery<K extends keyof RpcSchema>(
cmd: K,
payload: Req<K>,
opts?: Omit<UseQueryOptions<Res<K>>, "queryKey" | "queryFn">,
) {
return useQuery<Res<K>>({
queryKey: [cmd, payload],
queryFn: () => rpc(cmd, payload),
...opts,
});
}
/**
* React Query mutation wrapper for RPC commands.
*/
export function useRpcMutation<K extends keyof RpcSchema>(
cmd: K,
opts?: Omit<UseMutationOptions<Res<K>, Error, Req<K>>, "mutationFn">,
) {
return useMutation<Res<K>, Error, Req<K>>({
mutationFn: (payload) => minPromiseMillis(rpc(cmd, payload)),
...opts,
});
}
/**
* Subscribe to an RPC event. Cleans up automatically on unmount.
*/
export function useRpcEvent<K extends keyof RpcEventSchema>(
event: K & string,
callback: (payload: RpcEventSchema[K]) => void,
) {
useEffect(() => {
return listen(event, callback);
}, [event, callback]);
}
/**
* Combines useRpcQuery with an event listener that invalidates the query
* whenever the specified event fires, keeping data fresh automatically.
*/
export function useRpcQueryWithEvent<
K extends keyof RpcSchema,
E extends keyof RpcEventSchema & string,
>(
cmd: K,
payload: Req<K>,
event: E,
opts?: Omit<UseQueryOptions<Res<K>>, "queryKey" | "queryFn">,
) {
const queryClient = useQueryClient();
const query = useRpcQuery(cmd, payload, opts);
useRpcEvent(event, () => {
queryClient.invalidateQueries({ queryKey: [cmd, payload] });
});
return query;
}

View File

@@ -1,30 +0,0 @@
import { invoke } from "@tauri-apps/api/core";
import { listen as tauriListen } from "@tauri-apps/api/event";
import type {
RpcEventSchema,
RpcSchema,
} from "@yaakapp-internal/proxy-lib";
type Req<K extends keyof RpcSchema> = RpcSchema[K][0];
type Res<K extends keyof RpcSchema> = RpcSchema[K][1];
export async function rpc<K extends keyof RpcSchema>(
cmd: K,
payload: Req<K>,
): Promise<Res<K>> {
return invoke("rpc", { cmd, payload }) as Promise<Res<K>>;
}
/** Subscribe to a backend event. Returns an unsubscribe function. */
export function listen<K extends keyof RpcEventSchema>(
event: K & string,
callback: (payload: RpcEventSchema[K]) => void,
): () => void {
let unsub: (() => void) | null = null;
tauriListen<RpcEventSchema[K]>(event, (e) => callback(e.payload))
.then((fn) => {
unsub = fn;
})
.catch(console.error);
return () => unsub?.();
}

View File

@@ -0,0 +1,95 @@
import classNames from "classnames";
import type { MouseEvent } from "react";
import { forwardRef, useCallback } from "react";
import { useTimedBoolean } from "../hooks/useTimedBoolean";
import type { ButtonProps } from "./Button";
import { Button } from "./Button";
import type { IconProps } from "./Icon";
import { Icon } from "./Icon";
import { LoadingIcon } from "./LoadingIcon";
export type IconButtonProps = IconProps &
ButtonProps & {
showConfirm?: boolean;
iconClassName?: string;
iconSize?: IconProps["size"];
iconColor?: IconProps["color"];
title: string;
showBadge?: boolean;
};
export const IconButton = forwardRef<HTMLButtonElement, IconButtonProps>(function IconButton(
{
showConfirm,
icon,
color = "default",
spin,
onClick,
className,
iconClassName,
tabIndex,
size = "md",
iconSize,
showBadge,
iconColor,
isLoading,
type = "button",
...props
}: IconButtonProps,
ref,
) {
const [confirmed, setConfirmed] = useTimedBoolean();
const handleClick = useCallback(
(e: MouseEvent<HTMLButtonElement>) => {
if (showConfirm) setConfirmed();
onClick?.(e);
},
[onClick, setConfirmed, showConfirm],
);
return (
<Button
ref={ref}
aria-hidden={icon === "empty"}
disabled={icon === "empty"}
tabIndex={(tabIndex ?? icon === "empty") ? -1 : undefined}
onClick={handleClick}
innerClassName="flex items-center justify-center"
size={size}
color={color}
type={type}
className={classNames(
className,
"group/button relative flex-shrink-0",
"!px-0",
size === "md" && "w-md",
size === "sm" && "w-sm",
size === "xs" && "w-xs",
size === "2xs" && "w-5",
)}
{...props}
>
{showBadge && (
<div className="absolute top-0 right-0 w-1/2 h-1/2 flex items-center justify-center">
<div className="w-2.5 h-2.5 bg-pink-500 rounded-full" />
</div>
)}
{isLoading ? (
<LoadingIcon size={iconSize} className={iconClassName} />
) : (
<Icon
size={iconSize}
icon={confirmed ? "check" : icon}
spin={spin}
color={iconColor}
className={classNames(
iconClassName,
"group-hover/button:text-text",
confirmed && "!text-success",
props.disabled && "opacity-70",
)}
/>
)}
</Button>
);
});

View File

@@ -3,7 +3,10 @@ export type { ButtonProps } from "./components/Button";
export { HeaderSize } from "./components/HeaderSize"; export { HeaderSize } from "./components/HeaderSize";
export { Icon } from "./components/Icon"; export { Icon } from "./components/Icon";
export type { IconProps } from "./components/Icon"; export type { IconProps } from "./components/Icon";
export { IconButton } from "./components/IconButton";
export type { IconButtonProps } from "./components/IconButton";
export { LoadingIcon } from "./components/LoadingIcon"; export { LoadingIcon } from "./components/LoadingIcon";
export { useTimedBoolean } from "./hooks/useTimedBoolean";
export { WindowControls } from "./components/WindowControls"; export { WindowControls } from "./components/WindowControls";
export { useIsFullscreen } from "./hooks/useIsFullscreen"; export { useIsFullscreen } from "./hooks/useIsFullscreen";
export { useDebouncedValue } from "./hooks/useDebouncedValue"; export { useDebouncedValue } from "./hooks/useDebouncedValue";