Feature: Headless Command (#44)

* chore: add check-types

* refactor: api package file structure update

* feat: add headless worker extension API

* feat: add HeadlessCmd to manifest schema

* feat: make each type of cmds optional in manifest

There may be more types of cmds in the future, this makes backward compatibility easier.

* feat: implement headless extension command in app

A demo cmd implemented as well.

* refactor: move api package's API server files

* refactor: reformat all
This commit is contained in:
Huakun Shen 2025-01-05 21:12:56 -05:00 committed by GitHub
parent d3f18e6618
commit f89cf8fe6a
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
51 changed files with 698 additions and 604 deletions

View File

@ -2,13 +2,17 @@ import { appState } from "@/stores"
import { winExtMap } from "@/stores/winExtMap" import { winExtMap } from "@/stores/winExtMap"
import { trimSlash } from "@/utils/url" import { trimSlash } from "@/utils/url"
import { constructExtensionSupportDir } from "@kksh/api" import { constructExtensionSupportDir } from "@kksh/api"
import { spawnExtensionFileServer } from "@kksh/api/commands" import { db, spawnExtensionFileServer } from "@kksh/api/commands"
import { CustomUiCmd, ExtPackageJsonExtra, TemplateUiCmd } from "@kksh/api/models" import { HeadlessWorkerExtension } from "@kksh/api/headless"
import { launchNewExtWindow } from "@kksh/extension" import { CustomUiCmd, ExtPackageJsonExtra, HeadlessCmd, TemplateUiCmd } from "@kksh/api/models"
import { constructJarvisServerAPIWithPermissions, type IApp } from "@kksh/api/ui"
import { launchNewExtWindow, loadExtensionManifestFromDisk } from "@kksh/extension"
import { convertFileSrc } from "@tauri-apps/api/core" import { convertFileSrc } from "@tauri-apps/api/core"
import * as path from "@tauri-apps/api/path"
import * as fs from "@tauri-apps/plugin-fs" import * as fs from "@tauri-apps/plugin-fs"
import { platform } from "@tauri-apps/plugin-os" import { platform } from "@tauri-apps/plugin-os"
import { goto } from "$app/navigation" import { goto } from "$app/navigation"
import { RPCChannel, WorkerParentIO } from "kkrpc/browser"
export async function createExtSupportDir(extPath: string) { export async function createExtSupportDir(extPath: string) {
const extSupportDir = await constructExtensionSupportDir(extPath) const extSupportDir = await constructExtensionSupportDir(extPath)
@ -38,6 +42,44 @@ export async function onTemplateUiCmdSelect(
} }
} }
export async function onHeadlessCmdSelect(
ext: ExtPackageJsonExtra,
cmd: HeadlessCmd,
{ isDev, hmr }: { isDev: boolean; hmr: boolean }
) {
await createExtSupportDir(ext.extPath)
// load the script in Web Worker
const loadedExt = await loadExtensionManifestFromDisk(
await path.join(ext.extPath, "package.json")
)
const scriptPath = await path.join(loadedExt.extPath, cmd.main)
const workerScript = await fs.readTextFile(scriptPath)
const blob = new Blob([workerScript], { type: "application/javascript" })
const blobURL = URL.createObjectURL(blob)
const worker = new Worker(blobURL)
const extInfoInDB = await db.getUniqueExtensionByPath(loadedExt.extPath)
if (!extInfoInDB) {
return
}
const serverAPI: Record<string, any> = constructJarvisServerAPIWithPermissions(
loadedExt.kunkun.permissions,
loadedExt.extPath
)
serverAPI.iframeUi = undefined
serverAPI.workerUi = undefined
serverAPI.db = new db.JarvisExtDB(extInfoInDB.extId)
serverAPI.kv = new db.KV(extInfoInDB.extId)
serverAPI.app = {
language: () => Promise.resolve("en")
} satisfies IApp
const io = new WorkerParentIO(worker)
const rpc = new RPCChannel<typeof serverAPI, HeadlessWorkerExtension>(io, {
expose: serverAPI
})
const workerAPI = rpc.getAPI()
await workerAPI.load()
}
export async function onCustomUiCmdSelect( export async function onCustomUiCmdSelect(
ext: ExtPackageJsonExtra, ext: ExtPackageJsonExtra,
cmd: CustomUiCmd, cmd: CustomUiCmd,

View File

@ -1,7 +1,13 @@
import { CmdTypeEnum, CustomUiCmd, ExtPackageJsonExtra, TemplateUiCmd } from "@kksh/api/models" import {
CmdTypeEnum,
CustomUiCmd,
ExtPackageJsonExtra,
HeadlessCmd,
TemplateUiCmd
} from "@kksh/api/models"
import type { CommandLaunchers, OnExtCmdSelect } from "@kksh/ui/types" import type { CommandLaunchers, OnExtCmdSelect } from "@kksh/ui/types"
import * as v from "valibot" import * as v from "valibot"
import { onCustomUiCmdSelect, onTemplateUiCmdSelect } from "./ext" import { onCustomUiCmdSelect, onHeadlessCmdSelect, onTemplateUiCmdSelect } from "./ext"
import { onQuickLinkSelect } from "./quick-links" import { onQuickLinkSelect } from "./quick-links"
const onExtCmdSelect: OnExtCmdSelect = ( const onExtCmdSelect: OnExtCmdSelect = (
@ -16,6 +22,9 @@ const onExtCmdSelect: OnExtCmdSelect = (
case CmdTypeEnum.UiWorker: case CmdTypeEnum.UiWorker:
onTemplateUiCmdSelect(ext, v.parse(TemplateUiCmd, cmd), { isDev, hmr }) onTemplateUiCmdSelect(ext, v.parse(TemplateUiCmd, cmd), { isDev, hmr })
break break
case CmdTypeEnum.HeadlessWorker:
onHeadlessCmdSelect(ext, v.parse(HeadlessCmd, cmd), { isDev, hmr })
break
default: default:
console.error("Unknown command type", cmd.type) console.error("Unknown command type", cmd.type)
} }

View File

@ -25,8 +25,6 @@
import { ArrowBigUpIcon, CircleXIcon, EllipsisVerticalIcon, RefreshCcwIcon } from "lucide-svelte" import { ArrowBigUpIcon, CircleXIcon, EllipsisVerticalIcon, RefreshCcwIcon } from "lucide-svelte"
import { onMount } from "svelte" import { onMount } from "svelte"
const kv = new db.KV(1)
let inputEle: HTMLInputElement | null = $state(null) let inputEle: HTMLInputElement | null = $state(null)
function onKeyDown(event: KeyboardEvent) { function onKeyDown(event: KeyboardEvent) {
if (event.key === "Escape") { if (event.key === "Escape") {

View File

@ -21,7 +21,6 @@
import { IframeParentIO, RPCChannel } from "kkrpc/browser" import { IframeParentIO, RPCChannel } from "kkrpc/browser"
import { ArrowLeftIcon, MoveIcon, RefreshCcwIcon, XIcon } from "lucide-svelte" import { ArrowLeftIcon, MoveIcon, RefreshCcwIcon, XIcon } from "lucide-svelte"
import { onDestroy, onMount } from "svelte" import { onDestroy, onMount } from "svelte"
import * as v from "valibot"
import type { PageData } from "./$types" import type { PageData } from "./$types"
let { data }: { data: PageData } = $props() let { data }: { data: PageData } = $props()

View File

@ -25,19 +25,15 @@
type IComponent, type IComponent,
type WorkerExtension type WorkerExtension
} from "@kksh/api/ui/worker" } from "@kksh/api/ui/worker"
import { Button } from "@kksh/svelte5"
import { LoadingBar } from "@kksh/ui" import { LoadingBar } from "@kksh/ui"
import { Templates } from "@kksh/ui/extension" import { Templates } from "@kksh/ui/extension"
import { GlobalCommandPaletteFooter } from "@kksh/ui/main" import { GlobalCommandPaletteFooter } from "@kksh/ui/main"
import type { UnlistenFn } from "@tauri-apps/api/event" import type { UnlistenFn } from "@tauri-apps/api/event"
import { getCurrentWebviewWindow } from "@tauri-apps/api/webviewWindow" import { getCurrentWebviewWindow } from "@tauri-apps/api/webviewWindow"
import { readTextFile } from "@tauri-apps/plugin-fs" import { readTextFile } from "@tauri-apps/plugin-fs"
import { fetch } from "@tauri-apps/plugin-http"
import { debug } from "@tauri-apps/plugin-log" import { debug } from "@tauri-apps/plugin-log"
import { goto } from "$app/navigation" import { goto } from "$app/navigation"
import { RPCChannel, WorkerParentIO } from "kkrpc/browser" import { RPCChannel, WorkerParentIO } from "kkrpc/browser"
// import { RPCChannel, WorkerParentIO } from "kkrpc/worker"
import { ArrowLeftIcon } from "lucide-svelte"
import { onDestroy, onMount } from "svelte" import { onDestroy, onMount } from "svelte"
import * as v from "valibot" import * as v from "valibot"
@ -282,10 +278,10 @@
onListItemSelected={(value: string) => { onListItemSelected={(value: string) => {
workerAPI?.onListItemSelected(value) workerAPI?.onListItemSelected(value)
}} }}
onSearchTermChange={(searchTerm) => { onSearchTermChange={(searchTerm: string) => {
workerAPI?.onSearchTermChange(searchTerm) workerAPI?.onSearchTermChange(searchTerm)
}} }}
onHighlightedItemChanged={(value) => { onHighlightedItemChanged={(value: string) => {
workerAPI?.onHighlightedListItemChanged(value) workerAPI?.onHighlightedListItemChanged(value)
if (listViewContent?.defaultAction) { if (listViewContent?.defaultAction) {
appState.setDefaultAction(listViewContent.defaultAction) appState.setDefaultAction(listViewContent.defaultAction)
@ -302,7 +298,7 @@
onDefaultActionSelected={() => { onDefaultActionSelected={() => {
workerAPI?.onEnterPressedOnSearchBar() workerAPI?.onEnterPressedOnSearchBar()
}} }}
onActionSelected={(value) => { onActionSelected={(value: string) => {
workerAPI?.onActionSelected(value) workerAPI?.onActionSelected(value)
}} }}
/> />

View File

@ -56,7 +56,7 @@ export const load: PageLoad = async ({ url }) => {
sbError(404, `Extension package.json not found at ${pkgJsonPath}`) sbError(404, `Extension package.json not found at ${pkgJsonPath}`)
} }
const cmd = loadedExt.kunkun.templateUiCmds.find((cmd) => cmd.name === cmdName) const cmd = loadedExt.kunkun.templateUiCmds?.find((cmd) => cmd.name === cmdName)
if (!cmd) { if (!cmd) {
sbError(404, `Command ${cmdName} not found in extension ${loadedExt.kunkun.identifier}`) sbError(404, `Command ${cmdName} not found in extension ${loadedExt.kunkun.identifier}`)
} }

View File

@ -4,6 +4,7 @@
"scripts": { "scripts": {
"build": "turbo build", "build": "turbo build",
"dev": "turbo dev", "dev": "turbo dev",
"check-types": "turbo check-types",
"test": "turbo run test", "test": "turbo run test",
"prepare": "turbo run prepare", "prepare": "turbo run prepare",
"lint": "turbo lint", "lint": "turbo lint",

View File

@ -18,3 +18,4 @@ if (!schemaFile.exists()) {
} }
await $`bun patch-version.ts` await $`bun patch-version.ts`
await $`bun run check-types`

View File

@ -7,6 +7,7 @@
"./ui": "./src/ui/index.ts", "./ui": "./src/ui/index.ts",
"./ui/iframe": "./src/ui/iframe/index.ts", "./ui/iframe": "./src/ui/iframe/index.ts",
"./ui/worker": "./src/ui/worker/index.ts", "./ui/worker": "./src/ui/worker/index.ts",
"./headless": "./src/headless/index.ts",
"./models": "./src/models/index.ts", "./models": "./src/models/index.ts",
"./commands": "./src/commands/index.ts", "./commands": "./src/commands/index.ts",
"./runtime/deno": "./src/runtime/deno.ts", "./runtime/deno": "./src/runtime/deno.ts",
@ -22,6 +23,7 @@
"test": "bun test --coverage", "test": "bun test --coverage",
"gen:deno:types": "deno types > deno.d.ts", "gen:deno:types": "deno types > deno.d.ts",
"build:docs": "npx typedoc", "build:docs": "npx typedoc",
"check-types": "tsc --noEmit",
"dev": "bun --watch build.ts", "dev": "bun --watch build.ts",
"build": "bun build.ts", "build": "bun build.ts",
"prepare": "bun setup.ts", "prepare": "bun setup.ts",

View File

@ -0,0 +1,299 @@
import type {
copyFile,
create,
exists,
lstat,
mkdir,
readDir,
readFile,
readTextFile,
remove,
rename,
stat,
truncate,
writeFile,
writeTextFile
} from "@tauri-apps/plugin-fs"
import type { IShell as IShell1, IPath as ITauriPath } from "tauri-api-adapter"
import type {
Child,
ChildProcess,
CommandEvents,
hasCommand,
InternalSpawnOptions,
IOPayload,
likelyOnWindows,
OutputEvents,
SpawnOptions
} from "tauri-plugin-shellx-api"
import { EventEmitter, open as shellxOpen } from "tauri-plugin-shellx-api"
import * as v from "valibot"
import { KV, type JarvisExtDB } from "../commands/db"
import type { fileSearch } from "../commands/fileSearch"
import { type AppInfo } from "../models/apps"
import type { LightMode, Position, Radius, ThemeColor } from "../models/styles"
import type { DenoSysOptions } from "../permissions/schema"
type PromiseWrap<T extends (...args: any[]) => any> = (
...args: Parameters<T>
) => Promise<ReturnType<T>>
export type IPath = ITauriPath & {
extensionDir: () => Promise<string>
extensionSupportDir: () => Promise<string>
}
export interface IPlist {
// build: PromiseWrap<typeof plist.build>
parse: (plistContent: string) => Promise<any>
}
export interface IUtils {
plist: IPlist
}
export interface ISystem {
openTrash(): Promise<void>
emptyTrash(): Promise<void>
shutdown(): Promise<void>
reboot(): Promise<void>
sleep(): Promise<void>
toggleSystemAppearance(): Promise<void>
showDesktop(): Promise<void>
quitAllApps(): Promise<void>
sleepDisplays(): Promise<void>
setVolume(percentage: number): Promise<void>
setVolumeTo0(): Promise<void>
setVolumeTo25(): Promise<void>
setVolumeTo50(): Promise<void>
setVolumeTo75(): Promise<void>
setVolumeTo100(): Promise<void>
turnVolumeUp(): Promise<void>
turnVolumeDown(): Promise<void>
toggleStageManager(): Promise<void>
toggleBluetooth(): Promise<void>
toggleHiddenFiles(): Promise<void>
ejectAllDisks(): Promise<void>
logoutUser(): Promise<void>
toggleMute(): Promise<void>
mute(): Promise<void>
unmute(): Promise<void>
getFrontmostApp(): Promise<AppInfo>
hideAllAppsExceptFrontmost(): Promise<void>
getSelectedFilesInFileExplorer(): Promise<string[]>
}
export type GeneralToastParams = {
description?: string
duration?: number
closeButton?: boolean
position?:
| "top-left"
| "top-right"
| "bottom-left"
| "bottom-right"
| "top-center"
| "bottom-center"
actionLabel?: string
}
export type GeneralToast = (
message: string,
options?: GeneralToastParams,
action?: () => void
) => Promise<void>
export interface IToast {
message: GeneralToast
info: GeneralToast
success: GeneralToast
warning: GeneralToast
error: GeneralToast
}
export interface IUiIframe {
// goHome: () => Promise<void>
goBack: () => Promise<void>
hideBackButton: () => Promise<void>
hideMoveButton: () => Promise<void>
hideRefreshButton: () => Promise<void>
/**
* position can be "top-left" | "top-right" | "bottom-left" | "bottom-right" | CustomPosition
* `CustomPosition` is an object with optional `top`, `right`, `bottom`, `left` properties
* Each property is a number, with `rem` unit, and will be applied to css `top`, `right`, `bottom`, `left` properties
* @param position "top-left" | "top-right" | "bottom-left" | "bottom-right" | CustomPosition
* @example
* ```ts
* ui.showBackButton({ top: 2, left: 2 })
* ui.showBackButton('top-right')
* ```
* @returns
*/
showBackButton: (position?: Position) => Promise<void>
/**
* position can be "top-left" | "top-right" | "bottom-left" | "bottom-right" | CustomPosition
* `CustomPosition` is an object with optional `top`, `right`, `bottom`, `left` properties
* Each property is a number, with `rem` unit, and will be applied to css `top`, `right`, `bottom`, `left` properties
* @param position "top-left" | "top-right" | "bottom-left" | "bottom-right" | CustomPosition
* @example
* ```ts
* ui.showBackButton({ top: 2, left: 2 })
* ui.showBackButton('top-right')
* ```
* @returns
*/
showMoveButton: (position?: Position) => Promise<void>
showRefreshButton: (position?: Position) => Promise<void>
getTheme: () => Promise<{
theme: ThemeColor
radius: Radius
lightMode: LightMode
}>
reloadPage: () => Promise<void>
startDragging: () => Promise<void>
toggleMaximize: () => Promise<void>
internalToggleMaximize: () => Promise<void>
setTransparentWindowBackground: (transparent: boolean) => Promise<void>
registerDragRegion: () => Promise<void>
}
export interface IDb {
add: typeof JarvisExtDB.prototype.add
delete: typeof JarvisExtDB.prototype.delete
search: typeof JarvisExtDB.prototype.search
retrieveAll: typeof JarvisExtDB.prototype.retrieveAll
retrieveAllByType: typeof JarvisExtDB.prototype.retrieveAllByType
deleteAll: typeof JarvisExtDB.prototype.deleteAll
update: typeof JarvisExtDB.prototype.update
}
export interface IKV {
get: typeof KV.prototype.get
set: typeof KV.prototype.set
exists: typeof KV.prototype.exists
delete: typeof KV.prototype.delete
}
export interface IFs {
readDir: typeof readDir
readFile: typeof readFile
readTextFile: typeof readTextFile
stat: typeof stat
lstat: typeof lstat
exists: typeof exists
mkdir: typeof mkdir
create: typeof create
copyFile: typeof copyFile
remove: typeof remove
rename: typeof rename
truncate: typeof truncate
writeFile: typeof writeFile
writeTextFile: typeof writeTextFile
fileSearch: typeof fileSearch
}
export interface IOpen {
url: (url: string) => Promise<void>
file: (path: string) => Promise<void>
folder: (path: string) => Promise<void>
}
/* -------------------------------------------------------------------------- */
/* Event API */
/* -------------------------------------------------------------------------- */
export type DragDropPayload = {
paths: string[]
position: { x: number; y: number }
}
export type DragEnterPayload = DragDropPayload
export type DragOverPayload = {
position: { x: number; y: number }
}
export interface IEvent {
/**
* Get files dropped on the window
*/
onDragDrop: (callback: (payload: DragDropPayload) => void) => void
/**
* Listen to drag enter event, when mouse drag enters the window
*/
onDragEnter: (callback: (payload: DragEnterPayload) => void) => void
/**
* Listen to drag leave event, when mouse drag leaves the window
*/
onDragLeave: (callback: () => void) => void
/**
* Get the position of the dragged item
*/
onDragOver: (callback: (payload: DragOverPayload) => void) => void
/**
* Listen to window blur (defocus) event
*/
onWindowBlur: (callback: () => void) => void
/**
* Listen to window close request event
*/
onWindowCloseRequested: (callback: () => void) => void
/**
* Listen to window on focus event
*/
onWindowFocus: (callback: () => void) => void
}
/**
* https://docs.deno.com/runtime/fundamentals/security/
*/
export interface DenoRunConfig {
allowNet?: string[]
allowAllNet?: boolean
allowRead?: string[]
allowAllRead?: boolean
allowWrite?: string[]
allowAllWrite?: boolean
allowRun?: string[]
allowAllRun?: boolean
allowEnv?: string[]
allowAllEnv?: boolean
allowFfi?: string[]
allowAllFfi?: boolean
allowSys?: DenoSysOptions[]
allowAllSys?: boolean
denyNet?: string[]
denyAllNet?: boolean
denyRead?: string[]
denyAllRead?: boolean
denyWrite?: string[]
denyAllWrite?: boolean
denyRun?: string[]
denyAllRun?: boolean
denyEnv?: string[]
denyAllEnv?: boolean
denyFfi?: string[]
denyAllFfi?: boolean
denySys?: DenoSysOptions[]
denyAllSys?: boolean
}
export interface IApp {
language: () => Promise<"en" | "zh">
}
export const MacSecurityOptions = v.union([
v.literal("ScreenCapture"),
v.literal("Camera"),
v.literal("Microphone"),
v.literal("Accessibility"),
v.literal("AllFiles")
])
export type MacSecurityOptions = v.InferOutput<typeof MacSecurityOptions>
export interface ISecurity {
mac: {
revealSecurityPane: (privacyOption?: MacSecurityOptions) => Promise<void>
resetPermission: (privacyOption: MacSecurityOptions) => Promise<void>
verifyFingerprint: () => Promise<boolean>
requestScreenCapturePermission: () => Promise<boolean>
checkScreenCapturePermission: () => Promise<boolean>
}
}

View File

@ -0,0 +1,2 @@
import type { DenoSysOptions } from "../permissions/schema"
import type { DenoRunConfig } from "./client"

View File

@ -1,5 +1,5 @@
// import { proxy, type Remote } from "@huakunshen/comlink" // import { proxy, type Remote } from "@huakunshen/comlink"
import type { DragDropPayload, DragEnterPayload, DragOverPayload, IEvent } from "../client" import type { DragDropPayload, DragEnterPayload, DragOverPayload, IEvent } from "./client"
// event API listens for events, event callback functions are proxied with comlink, thus I have to provide this constructor function // event API listens for events, event callback functions are proxied with comlink, thus I have to provide this constructor function
export function constructEventAPI(api: IEvent): IEvent { export function constructEventAPI(api: IEvent): IEvent {

View File

@ -1,6 +1,6 @@
// import type { Remote } from "@huakunshen/comlink" // import type { Remote } from "@huakunshen/comlink"
import type { IOs } from "tauri-api-adapter/client" import type { IOs } from "tauri-api-adapter/client"
import { type IUiIframe } from "../client" import { type IUiIframe } from "./client"
export const KK_DRAG_REGION_ATTR = "data-kunkun-drag-region" export const KK_DRAG_REGION_ATTR = "data-kunkun-drag-region"

View File

@ -1,6 +1,6 @@
// import type { Remote } from "@huakunshen/comlink" // import type { Remote } from "@huakunshen/comlink"
import { BaseDirectory } from "@tauri-apps/api/path" import { BaseDirectory } from "@tauri-apps/api/path"
import type { IPath } from "../client" import type { IPath } from "./client"
export function constructPathAPI(api: IPath): IPath { export function constructPathAPI(api: IPath): IPath {
return { return {

View File

@ -1,5 +1,3 @@
// import type { IEvent, IFs, ISystem } from "../client"
import { type IShellServer as IShellServer1 } from "tauri-api-adapter" import { type IShellServer as IShellServer1 } from "tauri-api-adapter"
import type { import type {
ChildProcess, ChildProcess,
@ -8,7 +6,7 @@ import type {
IOPayload, IOPayload,
SpawnOptions SpawnOptions
} from "tauri-plugin-shellx-api" } from "tauri-plugin-shellx-api"
import type { DenoRunConfig, IUiIframe } from "../client" import type { DenoRunConfig, IUiIframe } from "./client"
export type IShellServer = IShellServer1 & { export type IShellServer = IShellServer1 & {
denoExecute( denoExecute(

View File

@ -1,8 +1,8 @@
import { join } from "@tauri-apps/api/path" import { join } from "@tauri-apps/api/path"
import { exists } from "@tauri-apps/plugin-fs" import { exists } from "@tauri-apps/plugin-fs"
import { difference } from "lodash"
import type { InternalSpawnOptions, SpawnOptions } from "tauri-plugin-shellx-api" import type { InternalSpawnOptions, SpawnOptions } from "tauri-plugin-shellx-api"
import { safeParse } from "valibot" import { safeParse } from "valibot"
import { type DenoRunConfig } from "../../api/client"
import { import {
PermissionScopeSchema, PermissionScopeSchema,
ShellPermissionScopedSchema, ShellPermissionScopedSchema,
@ -15,7 +15,6 @@ import {
pathStartsWithAlias, pathStartsWithAlias,
translateScopeToPath translateScopeToPath
} from "../../utils/path" } from "../../utils/path"
import { type DenoRunConfig } from "../client"
/** /**
* *

View File

@ -5,10 +5,10 @@
* only exposes a limited set of events. * only exposes a limited set of events.
*/ */
import { listen, TauriEvent } from "@tauri-apps/api/event" import { listen, TauriEvent } from "@tauri-apps/api/event"
import type { DragDropPayload, DragEnterPayload, DragOverPayload, IEvent } from "../../api/client"
import { type EventPermission } from "../../permissions" import { type EventPermission } from "../../permissions"
import { EventPermissionMap } from "../../permissions/permission-map" import { EventPermissionMap } from "../../permissions/permission-map"
import { checkPermission } from "../../utils/permission-check" import { checkPermission } from "../../utils/permission-check"
import type { DragDropPayload, DragEnterPayload, DragOverPayload, IEvent } from "../client"
export function constructEventApi(permissions: EventPermission[]): IEvent { export function constructEventApi(permissions: EventPermission[]): IEvent {
return { return {

View File

@ -26,6 +26,7 @@ import {
type TruncateOptions, type TruncateOptions,
type WriteFileOptions type WriteFileOptions
} from "@tauri-apps/plugin-fs" } from "@tauri-apps/plugin-fs"
import type { IFs } from "../../api/client"
import { fileSearch, FileSearchParams } from "../../commands/fileSearch" import { fileSearch, FileSearchParams } from "../../commands/fileSearch"
import { FsPermissionMap } from "../../permissions/permission-map" import { FsPermissionMap } from "../../permissions/permission-map"
import { import {
@ -39,7 +40,6 @@ import {
matchPathAndScope, matchPathAndScope,
verifyGeneralPathScopedPermission verifyGeneralPathScopedPermission
} from "../../utils/path" } from "../../utils/path"
import type { IFs } from "../client"
/** /**
* `tauri-api-adapter` provides fs API * `tauri-api-adapter` provides fs API

View File

@ -37,6 +37,8 @@ import {
type SystemInfoPermission, type SystemInfoPermission,
type UpdownloadPermission type UpdownloadPermission
} from "tauri-api-adapter/permissions" } from "tauri-api-adapter/permissions"
import type { IEvent, IFs, IOpen, ISecurity, ISystem, IToast, IUtils } from "../../api/client"
import type { IUiIframeServer1 } from "../../api/server-types"
import { import {
AllKunkunPermission, AllKunkunPermission,
type EventPermission, type EventPermission,
@ -48,14 +50,12 @@ import {
type ShellPermissionScoped, type ShellPermissionScoped,
type SystemPermission type SystemPermission
} from "../../permissions" } from "../../permissions"
import type { IEvent, IFs, IOpen, ISecurity, ISystem, IToast, IUtils } from "../client"
// import type { IDbServer } from "./db" // import type { IDbServer } from "./db"
import { constructEventApi } from "./event" import { constructEventApi } from "./event"
import { constructFsApi } from "./fs" import { constructFsApi } from "./fs"
import { constructOpenApi } from "./open" import { constructOpenApi } from "./open"
import { constructPathApi } from "./path" import { constructPathApi } from "./path"
import { constructSecurityAPI } from "./security" import { constructSecurityAPI } from "./security"
import type { IUiIframeServer1 } from "./server-types"
// import type { IFsServer, ISystemServer } from "./server-types" // import type { IFsServer, ISystemServer } from "./server-types"
import { constructShellApi } from "./shell" import { constructShellApi } from "./shell"
import { constructSystemApi } from "./system" import { constructSystemApi } from "./system"

View File

@ -2,6 +2,7 @@ import { exists, stat } from "@tauri-apps/plugin-fs"
import { minimatch } from "minimatch" import { minimatch } from "minimatch"
import { open } from "tauri-plugin-shellx-api" import { open } from "tauri-plugin-shellx-api"
import { flatten, parse, pipe, safeParse, string, url, type InferOutput } from "valibot" import { flatten, parse, pipe, safeParse, string, url, type InferOutput } from "valibot"
import type { IOpen } from "../../api/client"
import type { OpenPermissionScoped } from "../../permissions" import type { OpenPermissionScoped } from "../../permissions"
import { import {
combinePathAndBaseDir, combinePathAndBaseDir,
@ -10,7 +11,6 @@ import {
translateScopeToPath, translateScopeToPath,
verifyScopedPermission verifyScopedPermission
} from "../../utils/path" } from "../../utils/path"
import type { IOpen } from "../client"
const UrlSchema = pipe(string("A URL must be string."), url("The URL is badly formatted.")) const UrlSchema = pipe(string("A URL must be string."), url("The URL is badly formatted."))

View File

@ -1,7 +1,7 @@
import * as path from "@tauri-apps/api/path" import * as path from "@tauri-apps/api/path"
import { exists, mkdir } from "@tauri-apps/plugin-fs" import { exists, mkdir } from "@tauri-apps/plugin-fs"
import { constructPathApi as constructTauriPathApi } from "tauri-api-adapter" import { constructPathApi as constructTauriPathApi } from "tauri-api-adapter"
import type { IPath } from "../client" import type { IPath } from "../../api/client"
export async function constructExtensionSupportDir(extPath: string) { export async function constructExtensionSupportDir(extPath: string) {
const appDataDir = await path.appDataDir() const appDataDir = await path.appDataDir()

View File

@ -1,9 +1,9 @@
import { Command, open } from "tauri-plugin-shellx-api" import { Command, open } from "tauri-plugin-shellx-api"
import * as v from "valibot" import * as v from "valibot"
import { MacSecurityOptions, type ISecurity } from "../../api/client"
import { macSecurity } from "../../commands" import { macSecurity } from "../../commands"
import { SecurityPermissionMap, type SecurityPermission } from "../../permissions" import { SecurityPermissionMap, type SecurityPermission } from "../../permissions"
import { checkPermission } from "../../utils/permission-check" import { checkPermission } from "../../utils/permission-check"
import { MacSecurityOptions, type ISecurity } from "../client"
export function constructSecurityAPI(permissions: SecurityPermission[]): ISecurity { export function constructSecurityAPI(permissions: SecurityPermission[]): ISecurity {
return { return {

View File

@ -10,13 +10,13 @@ import {
type InternalSpawnOptions, type InternalSpawnOptions,
type IOPayload type IOPayload
} from "tauri-plugin-shellx-api" } from "tauri-plugin-shellx-api"
import type { DenoRunConfig } from "../../api/client"
import type { IShellServer } from "../../api/server-types"
import { RECORD_EXTENSION_PROCESS_EVENT, type IRecordExtensionProcessEvent } from "../../events" import { RECORD_EXTENSION_PROCESS_EVENT, type IRecordExtensionProcessEvent } from "../../events"
import { ShellPermissionMap } from "../../permissions/permission-map" import { ShellPermissionMap } from "../../permissions/permission-map"
import { type ShellPermission, type ShellPermissionScoped } from "../../permissions/schema" import { type ShellPermission, type ShellPermissionScoped } from "../../permissions/schema"
import { verifyScopedPermission } from "../../utils/path" import { verifyScopedPermission } from "../../utils/path"
import type { DenoRunConfig } from "../client"
import { translateDenoCommand, verifyDenoCmdPermission } from "./deno" import { translateDenoCommand, verifyDenoCmdPermission } from "./deno"
import type { IShellServer } from "./server-types"
function matchRegexArgs(args: string[], regexes: string[]): boolean { function matchRegexArgs(args: string[], regexes: string[]): boolean {
if (args.length !== regexes.length) { if (args.length !== regexes.length) {

View File

@ -1,4 +1,5 @@
import { checkPermission } from "tauri-api-adapter/permissions" import { checkPermission } from "tauri-api-adapter/permissions"
import type { ISystem } from "../../api/client"
import { import {
ejectAllDisks, ejectAllDisks,
emptyTrash, emptyTrash,
@ -36,7 +37,6 @@ import {
type SystemPermission type SystemPermission
} from "../../permissions" } from "../../permissions"
import { SystemPermissionMap } from "../../permissions/permission-map" import { SystemPermissionMap } from "../../permissions/permission-map"
import type { ISystem } from "../client"
export function constructSystemApi(permissions: SystemPermission[]): ISystem { export function constructSystemApi(permissions: SystemPermission[]): ISystem {
return { return {

View File

@ -1,14 +1,5 @@
import { toast } from "svelte-sonner" import { toast } from "svelte-sonner"
import type { import type { GeneralToastParams, IToast } from "../../api/client"
GeneralToast,
GeneralToastParams,
IDb,
IFs,
ISystem,
IToast,
IUiIframe,
IUiWorker
} from "../client"
async function constructToast( async function constructToast(
fn: fn:

View File

@ -1,6 +1,6 @@
import { invoke } from "@tauri-apps/api/core" import { invoke } from "@tauri-apps/api/core"
import { getCurrentWindow } from "@tauri-apps/api/window" import { getCurrentWindow } from "@tauri-apps/api/window"
import type { IUiIframeServer1 } from "./server-types" import type { IUiIframeServer1 } from "../../api/server-types"
/** /**
* Other APIs will be constructed in main window as they are used to manipulate UI directly * Other APIs will be constructed in main window as they are used to manipulate UI directly

View File

@ -1,5 +1,5 @@
import type { IUtils } from "../../api/client"
import { plistToJson } from "../../commands/utils" import { plistToJson } from "../../commands/utils"
import type { IUtils } from "../client"
export function constructUtilsApi(): IUtils { export function constructUtilsApi(): IUtils {
return { return {

View File

@ -15,8 +15,8 @@ import {
type OutputEvents, type OutputEvents,
type SpawnOptions type SpawnOptions
} from "tauri-plugin-shellx-api" } from "tauri-plugin-shellx-api"
import { type DenoRunConfig } from "../client.ts" import { type DenoRunConfig } from "./client.ts"
import type { IShellServer } from "../server/server-types.ts" import type { IShellServer } from "./server-types.ts"
export class Child { export class Child {
/** The child process `pid`. */ /** The child process `pid`. */

View File

@ -1,5 +1,5 @@
// import { proxy as comlinkProxy, type Remote } from "@huakunshen/comlink" // import { proxy as comlinkProxy, type Remote } from "@huakunshen/comlink"
import type { GeneralToastParams, IToast } from "../client" import type { GeneralToastParams, IToast } from "./client"
export function constructToastAPI(api: IToast) { export function constructToastAPI(api: IToast) {
return { return {

View File

@ -0,0 +1,7 @@
export abstract class HeadlessWorkerExtension {
/**
* Load the extension. Initialize the extension.
* Will be called once when the extension is first loaded.
*/
abstract load(): Promise<void>
}

View File

@ -0,0 +1,117 @@
import { RPCChannel, WorkerChildIO, type DestroyableIoInterface } from "kkrpc/browser"
import type {
IClipboard,
IDialog,
// IEventInternal,
IFetchInternal,
// IFs,
ILogger,
INetwork,
INotification,
IOs,
// IPath,
IShellInternal,
ISystemInfo,
IUpdownload
} from "tauri-api-adapter"
import { constructFetchAPI, constructUpdownloadAPI } from "tauri-api-adapter/client"
import type {
IApp,
IDb,
IEvent,
IFs,
IKV,
IOpen,
IPath,
ISecurity,
ISystem,
IToast,
IUtils
} from "../api/client"
import { constructEventAPI } from "../api/event"
import { constructPathAPI } from "../api/path"
import type { IShellServer } from "../api/server-types"
import { constructShellAPI } from "../api/shell"
import { constructToastAPI } from "../api/toast"
import type { HeadlessWorkerExtension } from "./ext"
/* -------------------------------------------------------------------------- */
/* API Interfaces */
/* -------------------------------------------------------------------------- */
export type {
IClipboard,
IDialog,
ILogger,
INetwork,
INotification,
IOs,
IPath,
// IShell,
ISystemInfo,
IUpdownload,
IFetch
} from "tauri-api-adapter"
export type { ISystem, IToast, IUiIframe, IDb, IKV, IFs, IOpen, IEvent } from "../api/client"
export type { IShell } from "../api/shell"
export { HeadlessWorkerExtension } from "./ext"
/* -------------------------------------------------------------------------- */
/* RPC */
/* -------------------------------------------------------------------------- */
/**
* For the APIs annotated with "inherit from tauri-api-adapter", they inherit the client API completely from tauri-api-adapter
* There may be server API changes for them, but the client API can be inherited
*/
type API = {
db: IDb // for kunkun
kv: IKV // for kunkun
system: ISystem // for kunkun
open: IOpen // for kunkun
clipboard: IClipboard // inherit from tauri-api-adapter
dialog: IDialog // inherit from tauri-api-adapter
fetch: IFetchInternal // inherit from tauri-api-adapter
event: IEvent // for kunkun, override tauri-api-adapter's event API, expose only specified event, disallow, emit and listen
fs: IFs // customized for kunkun, add file search API on top of tauri-api-adapter's fs API
log: ILogger // inherit from tauri-api-adapter
notification: INotification // inherit from tauri-api-adapter
toast: IToast // for kunkun
os: IOs // inherit from tauri-api-adapter
path: IPath // inherit from tauri-api-adapter
shell: IShellServer // inherit from tauri-api-adapter
updownload: IUpdownload // inherit from tauri-api-adapter
sysInfo: ISystemInfo // inherit from tauri-api-adapter
network: INetwork // inherit from tauri-api-adapter
security: ISecurity // for kunkun
utils: IUtils // for kunkun
app: IApp
}
const io = new WorkerChildIO()
const rpc = new RPCChannel<{}, API, DestroyableIoInterface>(io, {})
export const api = rpc.getAPI()
export function expose(api: HeadlessWorkerExtension) {
rpc.expose(api)
}
export const event = constructEventAPI(api.event) // this is different from event api from tauri-api-adapter
export const fetch = constructFetchAPI(api.fetch)
export const path = constructPathAPI(api.path)
export const shell = constructShellAPI(api.shell)
export const toast = constructToastAPI(api.toast)
export const updownload = constructUpdownloadAPI(api.updownload)
export const {
db,
kv,
os,
clipboard,
dialog,
fs,
log,
notification,
sysInfo,
network,
system,
open,
utils,
app,
security
} = api
export { Child, RPCChannel, Command, DenoCommand } from "../api/shell"

View File

@ -4,6 +4,7 @@ export {
isVersionBetween, isVersionBetween,
isCompatible isCompatible
} from "./version" } from "./version"
export { constructExtensionSupportDir } from "./ui/server/path" export { constructExtensionSupportDir } from "./api/server/path"
export { constructJarvisServerAPIWithPermissions } from "./api/server"
export * from "./constants" export * from "./constants"
export { TauriShellStdio } from "./ui/api/shell" export { TauriShellStdio } from "./api/shell"

View File

@ -1,17 +1,5 @@
import { FsPermissionSchema } from "tauri-api-adapter/permissions" import { FsPermissionSchema } from "tauri-api-adapter/permissions"
import { import * as v from "valibot"
array,
boolean,
enum_,
literal,
nullable,
number,
object,
optional,
string,
union,
type InferOutput
} from "valibot"
import { import {
AllKunkunPermission, AllKunkunPermission,
FsPermissionScopedSchema, FsPermissionScopedSchema,
@ -29,159 +17,159 @@ export enum OSPlatformEnum {
windows = "windows" windows = "windows"
} }
export const OSPlatform = enum_(OSPlatformEnum) export const OSPlatform = v.enum_(OSPlatformEnum)
export type OSPlatform = InferOutput<typeof OSPlatform> export type OSPlatform = v.InferOutput<typeof OSPlatform>
const allPlatforms = Object.values(OSPlatformEnum) const allPlatforms = Object.values(OSPlatformEnum)
export const TriggerCmd = object({ export const TriggerCmd = v.object({
type: union([literal("text"), literal("regex")]), type: v.union([v.literal("text"), v.literal("regex")]),
value: string() value: v.string()
}) })
export type TriggerCmd = InferOutput<typeof TriggerCmd> export type TriggerCmd = v.InferOutput<typeof TriggerCmd>
export enum TitleBarStyleEnum { export enum TitleBarStyleEnum {
"visible" = "visible", "visible" = "visible",
"transparent" = "transparent", "transparent" = "transparent",
"overlay" = "overlay" "overlay" = "overlay"
} }
export const TitleBarStyle = enum_(TitleBarStyleEnum) export const TitleBarStyle = v.enum_(TitleBarStyleEnum)
// JS new WebViewWindow only accepts lowercase, while manifest loaded from Rust is capitalized. I run toLowerCase() on the value before passing it to the WebViewWindow. // JS new WebViewWindow only accepts lowercase, while manifest loaded from Rust is capitalized. I run toLowerCase() on the value before passing it to the WebViewWindow.
// This lowercase title bar style schema is used to validate and set the type so TypeScript won't complaint // This lowercase title bar style schema is used to validate and set the type so TypeScript won't complaint
// export const TitleBarStyleAllLower = z.enum(["visible", "transparent", "overlay"]); // export const TitleBarStyleAllLower = z.enum(["visible", "transparent", "overlay"]);
// export type TitleBarStyleAllLower = z.infer<typeof TitleBarStyleAllLower>; // export type TitleBarStyleAllLower = z.infer<typeof TitleBarStyleAllLower>;
export const WindowConfig = object({ export const WindowConfig = v.object({
center: optional(nullable(boolean())), center: v.optional(v.nullable(v.boolean())),
x: optional(nullable(number())), x: v.optional(v.nullable(v.number())),
y: optional(nullable(number())), y: v.optional(v.nullable(v.number())),
width: optional(nullable(number())), width: v.optional(v.nullable(v.number())),
height: optional(nullable(number())), height: v.optional(v.nullable(v.number())),
minWidth: optional(nullable(number())), minWidth: v.optional(v.nullable(v.number())),
minHeight: optional(nullable(number())), minHeight: v.optional(v.nullable(v.number())),
maxWidth: optional(nullable(number())), maxWidth: v.optional(v.nullable(v.number())),
maxHeight: optional(nullable(number())), maxHeight: v.optional(v.nullable(v.number())),
resizable: optional(nullable(boolean())), resizable: v.optional(v.nullable(v.boolean())),
title: optional(nullable(string())), title: v.optional(v.nullable(v.string())),
fullscreen: optional(nullable(boolean())), fullscreen: v.optional(v.nullable(v.boolean())),
focus: optional(nullable(boolean())), focus: v.optional(v.nullable(v.boolean())),
transparent: optional(nullable(boolean())), transparent: v.optional(v.nullable(v.boolean())),
maximized: optional(nullable(boolean())), maximized: v.optional(v.nullable(v.boolean())),
visible: optional(nullable(boolean())), visible: v.optional(v.nullable(v.boolean())),
decorations: optional(nullable(boolean())), decorations: v.optional(v.nullable(v.boolean())),
alwaysOnTop: optional(nullable(boolean())), alwaysOnTop: v.optional(v.nullable(v.boolean())),
alwaysOnBottom: optional(nullable(boolean())), alwaysOnBottom: v.optional(v.nullable(v.boolean())),
contentProtected: optional(nullable(boolean())), contentProtected: v.optional(v.nullable(v.boolean())),
skipTaskbar: optional(nullable(boolean())), skipTaskbar: v.optional(v.nullable(v.boolean())),
shadow: optional(nullable(boolean())), shadow: v.optional(v.nullable(v.boolean())),
// theme: optional(nullable(union([literal("light"), literal("dark")]))), // changing theme of one window will change theme of all windows // theme: optional(nullable(union([literal("light"), literal("dark")]))), // changing theme of one window will change theme of all windows
titleBarStyle: optional(nullable(TitleBarStyle)), titleBarStyle: v.optional(v.nullable(TitleBarStyle)),
hiddenTitle: optional(nullable(boolean())), hiddenTitle: v.optional(v.nullable(v.boolean())),
tabbingIdentifier: optional(nullable(string())), tabbingIdentifier: v.optional(v.nullable(v.string())),
maximizable: optional(nullable(boolean())), maximizable: v.optional(v.nullable(v.boolean())),
minimizable: optional(nullable(boolean())), minimizable: v.optional(v.nullable(v.boolean())),
closable: optional(nullable(boolean())), closable: v.optional(v.nullable(v.boolean())),
parent: optional(nullable(string())), parent: v.optional(v.nullable(v.string())),
visibleOnAllWorkspaces: optional(nullable(boolean())) visibleOnAllWorkspaces: v.optional(v.nullable(v.boolean()))
}) })
export type WindowConfig = InferOutput<typeof WindowConfig> export type WindowConfig = v.InferOutput<typeof WindowConfig>
export const CustomUiCmd = object({ export const BaseCmd = v.object({
type: optional(CmdType, CmdType.enum.UiIframe), main: v.string("HTML file to load, e.g. dist/index.html"),
main: string("HTML file to load, e.g. dist/index.html"), description: v.optional(v.nullable(v.string("Description of the Command"), ""), ""),
dist: string("Dist folder to load, e.g. dist, build, out"), name: v.string("Name of the command"),
description: optional(nullable(string("Description of the Command"), ""), ""), cmds: v.array(TriggerCmd, "Commands to trigger the UI"),
devMain: string("URL to load in development to support live reload, e.g. http://localhost:5173/"), icon: v.optional(Icon),
name: string("Name of the command"), platforms: v.optional(
window: optional(nullable(WindowConfig)), v.nullable(
cmds: array(TriggerCmd, "Commands to trigger the UI"), v.array(OSPlatform, "Platforms available on. Leave empty for all platforms."),
icon: optional(Icon),
platforms: optional(
nullable(
array(OSPlatform, "Platforms available on. Leave empty for all platforms."),
allPlatforms allPlatforms
), ),
allPlatforms allPlatforms
) )
}) })
export type CustomUiCmd = InferOutput<typeof CustomUiCmd> export const CustomUiCmd = v.object({
...BaseCmd.entries,
type: v.optional(CmdType, CmdType.enum.UiIframe),
dist: v.string("Dist folder to load, e.g. dist, build, out"),
devMain: v.string(
"URL to load in development to support live reload, e.g. http://localhost:5173/"
),
window: v.optional(v.nullable(WindowConfig))
})
export type CustomUiCmd = v.InferOutput<typeof CustomUiCmd>
export const TemplateUiCmd = object({ export const TemplateUiCmd = v.object({
type: optional(CmdType, CmdType.enum.UiWorker), ...BaseCmd.entries,
main: string(), type: v.optional(CmdType, CmdType.enum.UiWorker),
name: string(), window: v.optional(v.nullable(WindowConfig))
description: optional(nullable(string("Description of the Command"), ""), ""),
window: optional(nullable(WindowConfig)),
cmds: array(TriggerCmd),
icon: optional(Icon),
platforms: optional(
nullable(
array(OSPlatform, "Platforms available on. Leave empty for all platforms."),
allPlatforms
),
allPlatforms
)
}) })
export type TemplateUiCmd = InferOutput<typeof TemplateUiCmd> export const HeadlessCmd = v.object({
export const PermissionUnion = union([ ...BaseCmd.entries,
type: v.optional(CmdType, CmdType.enum.HeadlessWorker)
})
export type HeadlessCmd = v.InferOutput<typeof HeadlessCmd>
export type TemplateUiCmd = v.InferOutput<typeof TemplateUiCmd>
export const PermissionUnion = v.union([
KunkunManifestPermission, KunkunManifestPermission,
FsPermissionScopedSchema, FsPermissionScopedSchema,
OpenPermissionScopedSchema, OpenPermissionScopedSchema,
ShellPermissionScopedSchema ShellPermissionScopedSchema
]) ])
export type PermissionUnion = InferOutput<typeof PermissionUnion> export type PermissionUnion = v.InferOutput<typeof PermissionUnion>
export const KunkunExtManifest = object({ export const KunkunExtManifest = v.object({
name: string("Name of the extension (Human Readable)"), name: v.string("Name of the extension (Human Readable)"),
shortDescription: string("Description of the extension (Will be displayed in store)"), shortDescription: v.string("Description of the extension (Will be displayed in store)"),
longDescription: string("Long description of the extension (Will be displayed in store)"), longDescription: v.string("Long description of the extension (Will be displayed in store)"),
identifier: string( identifier: v.string(
"Unique identifier for the extension, must be the same as extension folder name" "Unique identifier for the extension, must be the same as extension folder name"
), ),
icon: Icon, icon: Icon,
permissions: array( permissions: v.array(
PermissionUnion, PermissionUnion,
"Permissions Declared by the extension. e.g. clipboard-all. Not declared APIs will be blocked." "Permissions Declared by the extension. e.g. clipboard-all. Not declared APIs will be blocked."
), ),
demoImages: array(string("Demo images for the extension")), demoImages: v.array(v.string("Demo images for the extension")),
customUiCmds: array(CustomUiCmd, "Custom UI Commands"), customUiCmds: v.optional(v.array(CustomUiCmd, "Custom UI Commands")),
templateUiCmds: array(TemplateUiCmd, "Template UI Commands") templateUiCmds: v.optional(v.array(TemplateUiCmd, "Template UI Commands")),
headlessCmds: v.optional(v.array(HeadlessCmd, "Headless Commands"))
}) })
export type KunkunExtManifest = InferOutput<typeof KunkunExtManifest> export type KunkunExtManifest = v.InferOutput<typeof KunkunExtManifest>
const Person = union([ const Person = v.union([
object({ v.object({
name: string("GitHub Username"), name: v.string("GitHub Username"),
email: string("Email of the person"), email: v.string("Email of the person"),
url: optional(nullable(string("URL of the person"))) url: v.optional(v.nullable(v.string("URL of the person")))
}), }),
string("GitHub Username") v.string("GitHub Username")
]) ])
export const ExtPackageJson = object({ export const ExtPackageJson = v.object({
name: string("Package name for the extension (just a regular npm package name)"), name: v.string("Package name for the extension (just a regular npm package name)"),
version: string("Version of the extension"), version: v.string("Version of the extension"),
author: optional(Person), author: v.optional(Person),
draft: optional(boolean("Whether the extension is a draft, draft will not be published")), draft: v.optional(v.boolean("Whether the extension is a draft, draft will not be published")),
contributors: optional(array(Person, "Contributors of the extension")), contributors: v.optional(v.array(Person, "Contributors of the extension")),
repository: optional( repository: v.optional(
union([ v.union([
string("URL of the repository"), v.string("URL of the repository"),
object({ v.object({
type: string("Type of the repository"), type: v.string("Type of the repository"),
url: string("URL of the repository"), url: v.string("URL of the repository"),
directory: string("Directory of the repository") directory: v.string("Directory of the repository")
}) })
]) ])
), ),
kunkun: KunkunExtManifest, kunkun: KunkunExtManifest,
files: array(string("Files to include in the extension. e.g. ['dist']")) files: v.array(v.string("Files to include in the extension. e.g. ['dist']"))
}) })
export type ExtPackageJson = InferOutput<typeof ExtPackageJson> export type ExtPackageJson = v.InferOutput<typeof ExtPackageJson>
/** /**
* Extra fields for ExtPackageJson * Extra fields for ExtPackageJson
* e.g. path to the extension * e.g. path to the extension
*/ */
export const ExtPackageJsonExtra = object({ export const ExtPackageJsonExtra = v.object({
...ExtPackageJson.entries, ...ExtPackageJson.entries,
...{ ...{
extPath: string(), extPath: v.string(),
extFolderName: string() extFolderName: v.string()
} }
}) })
export type ExtPackageJsonExtra = InferOutput<typeof ExtPackageJsonExtra> export type ExtPackageJsonExtra = v.InferOutput<typeof ExtPackageJsonExtra>

View File

@ -1,6 +1,6 @@
import type { IShellServer } from "tauri-api-adapter" import type { IShellServer } from "tauri-api-adapter"
// import type { IEventServer, IFsServer, ISystemServer } from "../ui/server/server-types" // import type { IEventServer, IFsServer, ISystemServer } from "../ui/server/server-types"
import type { IEvent, IFs, ISecurity, ISystem } from "../ui/client" import type { IEvent, IFs, ISecurity, ISystem } from "../api/client"
import type { import type {
EventPermission, EventPermission,
KunkunFsPermission, KunkunFsPermission,

View File

@ -1,2 +0,0 @@
import type { DenoSysOptions } from "../../permissions/schema"
import type { DenoRunConfig } from "../client"

View File

@ -1,314 +0,0 @@
import type {
copyFile,
create,
exists,
lstat,
mkdir,
readDir,
readFile,
readTextFile,
remove,
rename,
stat,
truncate,
writeFile,
writeTextFile
} from "@tauri-apps/plugin-fs"
import type { IShell as IShell1, IPath as ITauriPath } from "tauri-api-adapter"
import type {
Child,
ChildProcess,
CommandEvents,
hasCommand,
InternalSpawnOptions,
IOPayload,
likelyOnWindows,
OutputEvents,
SpawnOptions
} from "tauri-plugin-shellx-api"
import { EventEmitter, open as shellxOpen } from "tauri-plugin-shellx-api"
import * as v from "valibot"
import { KV, type JarvisExtDB } from "../commands/db"
import type { fileSearch } from "../commands/fileSearch"
import { type AppInfo } from "../models/apps"
import type { LightMode, Position, Radius, ThemeColor } from "../models/styles"
import type { DenoSysOptions } from "../permissions/schema"
import type { MarkdownSchema } from "./worker"
import { type IComponent } from "./worker/components/interfaces"
import type { Markdown } from "./worker/components/markdown"
import * as FormSchema from "./worker/schema/form"
import * as ListSchema from "./worker/schema/list"
type PromiseWrap<T extends (...args: any[]) => any> = (
...args: Parameters<T>
) => Promise<ReturnType<T>>
export type IPath = ITauriPath & {
extensionDir: () => Promise<string>
extensionSupportDir: () => Promise<string>
}
export interface IPlist {
// build: PromiseWrap<typeof plist.build>
parse: (plistContent: string) => Promise<any>
}
export interface IUtils {
plist: IPlist
}
export interface ISystem {
openTrash(): Promise<void>
emptyTrash(): Promise<void>
shutdown(): Promise<void>
reboot(): Promise<void>
sleep(): Promise<void>
toggleSystemAppearance(): Promise<void>
showDesktop(): Promise<void>
quitAllApps(): Promise<void>
sleepDisplays(): Promise<void>
setVolume(percentage: number): Promise<void>
setVolumeTo0(): Promise<void>
setVolumeTo25(): Promise<void>
setVolumeTo50(): Promise<void>
setVolumeTo75(): Promise<void>
setVolumeTo100(): Promise<void>
turnVolumeUp(): Promise<void>
turnVolumeDown(): Promise<void>
toggleStageManager(): Promise<void>
toggleBluetooth(): Promise<void>
toggleHiddenFiles(): Promise<void>
ejectAllDisks(): Promise<void>
logoutUser(): Promise<void>
toggleMute(): Promise<void>
mute(): Promise<void>
unmute(): Promise<void>
getFrontmostApp(): Promise<AppInfo>
hideAllAppsExceptFrontmost(): Promise<void>
getSelectedFilesInFileExplorer(): Promise<string[]>
}
export type GeneralToastParams = {
description?: string
duration?: number
closeButton?: boolean
position?:
| "top-left"
| "top-right"
| "bottom-left"
| "bottom-right"
| "top-center"
| "bottom-center"
actionLabel?: string
}
export type GeneralToast = (
message: string,
options?: GeneralToastParams,
action?: () => void
) => Promise<void>
export interface IToast {
message: GeneralToast
info: GeneralToast
success: GeneralToast
warning: GeneralToast
error: GeneralToast
}
export interface IUiWorker {
render: (view: IComponent<ListSchema.List | FormSchema.Form | MarkdownSchema>) => Promise<void>
goBack: () => Promise<void>
showLoadingBar: (loading: boolean) => Promise<void>
setScrollLoading: (loading: boolean) => Promise<void>
setSearchTerm: (term: string) => Promise<void>
setSearchBarPlaceholder: (placeholder: string) => Promise<void>
setProgressBar: (progress: number | null) => Promise<void>
}
export interface IUiIframe {
// goHome: () => Promise<void>
goBack: () => Promise<void>
hideBackButton: () => Promise<void>
hideMoveButton: () => Promise<void>
hideRefreshButton: () => Promise<void>
/**
* position can be "top-left" | "top-right" | "bottom-left" | "bottom-right" | CustomPosition
* `CustomPosition` is an object with optional `top`, `right`, `bottom`, `left` properties
* Each property is a number, with `rem` unit, and will be applied to css `top`, `right`, `bottom`, `left` properties
* @param position "top-left" | "top-right" | "bottom-left" | "bottom-right" | CustomPosition
* @example
* ```ts
* ui.showBackButton({ top: 2, left: 2 })
* ui.showBackButton('top-right')
* ```
* @returns
*/
showBackButton: (position?: Position) => Promise<void>
/**
* position can be "top-left" | "top-right" | "bottom-left" | "bottom-right" | CustomPosition
* `CustomPosition` is an object with optional `top`, `right`, `bottom`, `left` properties
* Each property is a number, with `rem` unit, and will be applied to css `top`, `right`, `bottom`, `left` properties
* @param position "top-left" | "top-right" | "bottom-left" | "bottom-right" | CustomPosition
* @example
* ```ts
* ui.showBackButton({ top: 2, left: 2 })
* ui.showBackButton('top-right')
* ```
* @returns
*/
showMoveButton: (position?: Position) => Promise<void>
showRefreshButton: (position?: Position) => Promise<void>
getTheme: () => Promise<{
theme: ThemeColor
radius: Radius
lightMode: LightMode
}>
reloadPage: () => Promise<void>
startDragging: () => Promise<void>
toggleMaximize: () => Promise<void>
internalToggleMaximize: () => Promise<void>
setTransparentWindowBackground: (transparent: boolean) => Promise<void>
registerDragRegion: () => Promise<void>
}
export interface IDb {
add: typeof JarvisExtDB.prototype.add
delete: typeof JarvisExtDB.prototype.delete
search: typeof JarvisExtDB.prototype.search
retrieveAll: typeof JarvisExtDB.prototype.retrieveAll
retrieveAllByType: typeof JarvisExtDB.prototype.retrieveAllByType
deleteAll: typeof JarvisExtDB.prototype.deleteAll
update: typeof JarvisExtDB.prototype.update
}
export interface IKV {
get: typeof KV.prototype.get
set: typeof KV.prototype.set
exists: typeof KV.prototype.exists
delete: typeof KV.prototype.delete
}
export interface IFs {
readDir: typeof readDir
readFile: typeof readFile
readTextFile: typeof readTextFile
stat: typeof stat
lstat: typeof lstat
exists: typeof exists
mkdir: typeof mkdir
create: typeof create
copyFile: typeof copyFile
remove: typeof remove
rename: typeof rename
truncate: typeof truncate
writeFile: typeof writeFile
writeTextFile: typeof writeTextFile
fileSearch: typeof fileSearch
}
export interface IOpen {
url: (url: string) => Promise<void>
file: (path: string) => Promise<void>
folder: (path: string) => Promise<void>
}
/* -------------------------------------------------------------------------- */
/* Event API */
/* -------------------------------------------------------------------------- */
export type DragDropPayload = {
paths: string[]
position: { x: number; y: number }
}
export type DragEnterPayload = DragDropPayload
export type DragOverPayload = {
position: { x: number; y: number }
}
export interface IEvent {
/**
* Get files dropped on the window
*/
onDragDrop: (callback: (payload: DragDropPayload) => void) => void
/**
* Listen to drag enter event, when mouse drag enters the window
*/
onDragEnter: (callback: (payload: DragEnterPayload) => void) => void
/**
* Listen to drag leave event, when mouse drag leaves the window
*/
onDragLeave: (callback: () => void) => void
/**
* Get the position of the dragged item
*/
onDragOver: (callback: (payload: DragOverPayload) => void) => void
/**
* Listen to window blur (defocus) event
*/
onWindowBlur: (callback: () => void) => void
/**
* Listen to window close request event
*/
onWindowCloseRequested: (callback: () => void) => void
/**
* Listen to window on focus event
*/
onWindowFocus: (callback: () => void) => void
}
/**
* https://docs.deno.com/runtime/fundamentals/security/
*/
export interface DenoRunConfig {
allowNet?: string[]
allowAllNet?: boolean
allowRead?: string[]
allowAllRead?: boolean
allowWrite?: string[]
allowAllWrite?: boolean
allowRun?: string[]
allowAllRun?: boolean
allowEnv?: string[]
allowAllEnv?: boolean
allowFfi?: string[]
allowAllFfi?: boolean
allowSys?: DenoSysOptions[]
allowAllSys?: boolean
denyNet?: string[]
denyAllNet?: boolean
denyRead?: string[]
denyAllRead?: boolean
denyWrite?: string[]
denyAllWrite?: boolean
denyRun?: string[]
denyAllRun?: boolean
denyEnv?: string[]
denyAllEnv?: boolean
denyFfi?: string[]
denyAllFfi?: boolean
denySys?: DenoSysOptions[]
denyAllSys?: boolean
}
export interface IApp {
language: () => Promise<"en" | "zh">
}
export const MacSecurityOptions = v.union([
v.literal("ScreenCapture"),
v.literal("Camera"),
v.literal("Microphone"),
v.literal("Accessibility"),
v.literal("AllFiles")
])
export type MacSecurityOptions = v.InferOutput<typeof MacSecurityOptions>
export interface ISecurity {
mac: {
revealSecurityPane: (privacyOption?: MacSecurityOptions) => Promise<void>
resetPermission: (privacyOption: MacSecurityOptions) => Promise<void>
verifyFingerprint: () => Promise<boolean>
requestScreenCapturePermission: () => Promise<boolean>
checkScreenCapturePermission: () => Promise<boolean>
}
}

View File

@ -20,10 +20,6 @@ import {
// constructPathAPI, // constructPathAPI,
constructUpdownloadAPI constructUpdownloadAPI
} from "tauri-api-adapter/client" } from "tauri-api-adapter/client"
import { constructEventAPI } from "../api/event"
import { constructIframeUiAPI } from "../api/iframe-ui"
import { constructPathAPI } from "../api/path"
import { constructShellAPI } from "../api/shell"
import type { import type {
IApp, IApp,
IDb, IDb,
@ -36,13 +32,17 @@ import type {
IToast, IToast,
IUiIframe, IUiIframe,
IUtils IUtils
} from "../client" } from "../../api/client"
import type { IShellServer } from "../server/server-types" import { constructEventAPI } from "../../api/event"
import { constructIframeUiAPI } from "../../api/iframe-ui"
import { constructPathAPI } from "../../api/path"
import type { IShellServer } from "../../api/server-types"
import { constructShellAPI } from "../../api/shell"
export { type IUiIframe } from "../client" export { type IUiIframe } from "../../api/client"
// export { expose, wrap } from "@huakunshen/comlink" // export { expose, wrap } from "@huakunshen/comlink"
// export { type IDbServer } from "../server/db" // export { type IDbServer } from "../server/db"
export { type IUiIframeServer2, type IUiIframeServer1 } from "../server/server-types" export { type IUiIframeServer2, type IUiIframeServer1 } from "../../api/server-types"
/** /**
* For the APIs annotated with "inherit from tauri-api-adapter", they inherit the client API completely from tauri-api-adapter * For the APIs annotated with "inherit from tauri-api-adapter", they inherit the client API completely from tauri-api-adapter
@ -98,4 +98,4 @@ export const {
open, open,
app app
} = api } = api
export { Child, RPCChannel, Command, DenoCommand } from "../api/shell" export { Child, RPCChannel, Command, DenoCommand } from "../../api/shell"

View File

@ -16,9 +16,9 @@
// updownload, // updownload,
// fetch // fetch
// } from "tauri-api-adapter" // } from "tauri-api-adapter"
export { constructJarvisServerAPIWithPermissions } from "./server" export { constructJarvisServerAPIWithPermissions } from "../api/server"
// export { type IUiWorkerServer, type IUiIframeServer } from "./server/ui" // export { type IUiWorkerServer, type IUiIframeServer } from "./server/ui"
export * from "./client" // all client types export * from "../api/client" // all client types
// export { expose, wrap } from "@huakunshen/comlink" // export { expose, wrap } from "@huakunshen/comlink"
// export { getWorkerApiClient, exposeApiToWorker, exposeApiToWindow } from "tauri-api-adapter" // export { getWorkerApiClient, exposeApiToWorker, exposeApiToWindow } from "tauri-api-adapter"
@ -38,15 +38,6 @@ export type {
IUpdownload, IUpdownload,
IFetch IFetch
} from "tauri-api-adapter" } from "tauri-api-adapter"
export type { export type { ISystem, IToast, IUiIframe, IDb, IKV, IFs, IOpen, IEvent } from "../api/client"
ISystem, export type { IUiWorker } from "./worker"
IToast, export type { IShell } from "../api/shell"
IUiWorker,
IUiIframe,
IDb,
IKV,
IFs,
IOpen,
IEvent
} from "../ui/client"
export type { IShell } from "./api/shell"

View File

@ -1,9 +0,0 @@
import { describe, expect, test } from "bun:test"
import { minimatch } from "minimatch"
import { translateScopeToPath } from "../../../utils/path"
test("minimatch", () => {
// console.log(minimatch("/desktop/newbi/bar.foo", "/desktop/**/*.foo"))
// console.log("$DESKTOP/newbi/bar.foo".split("/"))
// find the first slash of "$DESKTOP/newbi/bar.foo"
})

View File

@ -1,36 +0,0 @@
import { mockIPC } from "@tauri-apps/api/mocks"
import { describe, expect, test } from "bun:test"
import { translateDenoCommand } from "../deno"
// can't run this because it relies on Tauri API, I can't run it without Tauri app env, may need to mock the API
// test("translateDenoCommand", async () => {
// // mockIPC((cmd, args) => {
// // // simulated rust command called "add" that just adds two numbers
// // console.log("cmd and args", cmd, args);
// // // if (cmd === "add") {
// // // return (args.a as number) + (args.b as number)
// // // }
// // })
// const cmdOptions = await translateDenoCommand(
// "$EXTENSION/src/test.ts",
// {
// allowAllEnv: false,
// allowEnv: ["PATH"],
// allowAllNet: true,
// allowNet: [],
// denyAllRead: true
// },
// [],
// "/extensions/ext"
// )
// expect(cmdOptions.args).toEqual([
// "run",
// "--allow-env=PATH",
// "--allow-net",
// "--deny-read",
// "/extensions/ext/src/test.ts"
// ])
// console.log(cmdOptions)
// })

View File

@ -1,19 +0,0 @@
/**
* The server-side API for the database will not be implemented in this file/package
* It will be constructed with JarvisExtDB in the main thread and exposed to the extension
* We don't know extension ID here, so we can't construct the API here
*/
import type { JarvisExtDB } from "../../commands"
import type { IDb, IFs, ISystem, IToast, IUiIframe, IUiWorker } from "../client"
// export function constructJarvisExtDBToServerDbAPI(db: JarvisExtDB): IDb {
// return {
// add: (data) => db.add(data),
// delete: (dataId) => db.delete(dataId),
// search: (searchParams) => db.search(searchParams),
// retrieveAll: (options) => db.retrieveAll(options),
// retrieveAllByType: (dataType) => db.retrieveAllByType(dataType),
// deleteAll: () => db.deleteAll(),
// update: (data) => db.update(data)
// }
// }

View File

@ -25,10 +25,6 @@ import {
// constructShellAPI, // constructShellAPI,
constructUpdownloadAPI constructUpdownloadAPI
} from "tauri-api-adapter/client" } from "tauri-api-adapter/client"
import { constructEventAPI } from "../api/event"
import { constructPathAPI } from "../api/path"
import { constructShellAPI } from "../api/shell"
import { constructToastAPI } from "../api/toast"
import type { import type {
IApp, IApp,
IDb, IDb,
@ -40,12 +36,27 @@ import type {
ISecurity, ISecurity,
ISystem, ISystem,
IToast, IToast,
IUiWorker,
IUtils IUtils
} from "../client" } from "../../api/client"
import type { IShellServer } from "../server/server-types" import { constructEventAPI } from "../../api/event"
import { constructPathAPI } from "../../api/path"
import type { IShellServer } from "../../api/server-types"
import { constructShellAPI } from "../../api/shell"
import { constructToastAPI } from "../../api/toast"
import type { FormSchema, ListSchema, MarkdownSchema } from "../../models"
import type { IComponent } from "./components"
import type { WorkerExtension } from "./ext" import type { WorkerExtension } from "./ext"
export interface IUiWorker {
render: (view: IComponent<ListSchema.List | FormSchema.Form | MarkdownSchema>) => Promise<void>
goBack: () => Promise<void>
showLoadingBar: (loading: boolean) => Promise<void>
setScrollLoading: (loading: boolean) => Promise<void>
setSearchTerm: (term: string) => Promise<void>
setSearchBarPlaceholder: (placeholder: string) => Promise<void>
setProgressBar: (progress: number | null) => Promise<void>
}
// export { expose, wrap } from "@huakunshen/comlink" // export { expose, wrap } from "@huakunshen/comlink"
export { WorkerExtension } from "./ext" export { WorkerExtension } from "./ext"
/** /**
@ -77,7 +88,9 @@ type API = {
app: IApp app: IApp
} }
// const _api = wrap(globalThis as Endpoint) as unknown as API /* -------------------------------------------------------------------------- */
/* Expose */
/* -------------------------------------------------------------------------- */
const io = new WorkerChildIO() const io = new WorkerChildIO()
const rpc = new RPCChannel<{}, API, DestroyableIoInterface>(io, {}) const rpc = new RPCChannel<{}, API, DestroyableIoInterface>(io, {})
export const api = rpc.getAPI() export const api = rpc.getAPI()
@ -110,7 +123,7 @@ export const {
security, security,
workerUi: ui workerUi: ui
} = api } = api
export { Child, RPCChannel, Command, DenoCommand } from "../api/shell" export { Child, RPCChannel, Command, DenoCommand } from "../../api/shell"
/* -------------------------------------------------------------------------- */ /* -------------------------------------------------------------------------- */
/* UI Component Schema */ /* UI Component Schema */
/* -------------------------------------------------------------------------- */ /* -------------------------------------------------------------------------- */
@ -125,14 +138,3 @@ export { Icon } from "./components/icon"
export { IconEnum, IconType, IconNode } from "../../models/icon" export { IconEnum, IconType, IconNode } from "../../models/icon"
export * as schema from "./schema" export * as schema from "./schema"
export { NodeName, NodeNameEnum, FormNodeName, FormNodeNameEnum } from "../../models/constants" export { NodeName, NodeNameEnum, FormNodeName, FormNodeNameEnum } from "../../models/constants"
/* -------------------------------------------------------------------------- */
/* Expose */
/* -------------------------------------------------------------------------- */
// export function expose(api: WorkerExtension) {
// const io = new WorkerChildIO()
// const rpc = new RPCChannel(io, {
// expose: api
// })
// return rpc.getAPI()
// }

View File

@ -21,7 +21,7 @@ export const breakingChangesVersionCheckpoints = [
const checkpointVersions = breakingChangesVersionCheckpoints.map((c) => c.version) const checkpointVersions = breakingChangesVersionCheckpoints.map((c) => c.version)
const sortedCheckpointVersions = sort(checkpointVersions) const sortedCheckpointVersions = sort(checkpointVersions)
export const version = "0.0.46" export const version = "0.0.47"
export function isVersionBetween(v: string, start: string, end: string) { export function isVersionBetween(v: string, start: string, end: string) {
const vCleaned = clean(v) const vCleaned = clean(v)

View File

@ -7,7 +7,7 @@ async function build() {
try { try {
// await $`bun build --minify --target=browser --outdir=./dist ./src/index.ts` // await $`bun build --minify --target=browser --outdir=./dist ./src/index.ts`
const output = await Bun.build({ const output = await Bun.build({
entrypoints: ["./src/index.ts"], entrypoints: ["./src/index.ts", "./src/headless.ts"],
outdir: "./dist", outdir: "./dist",
minify: true, minify: true,
target: "browser" target: "browser"

View File

@ -80,6 +80,17 @@
"main": "dist/index.js", "main": "dist/index.js",
"cmds": [] "cmds": []
} }
],
"headlessCmds": [
{
"name": "Demo Headless Command",
"main": "dist/headless.js",
"cmds": [],
"icon": {
"type": "iconify",
"value": "mdi:head-remove-outline"
}
}
] ]
}, },
"scripts": { "scripts": {

View File

@ -0,0 +1,10 @@
import { expose, HeadlessWorkerExtension, toast } from "@kksh/api/headless"
class DemoHeadlessExt extends HeadlessWorkerExtension {
load(): Promise<void> {
console.log("Demo Headless Extension Loaded")
toast.info("Demo Headless Extension Loaded")
return Promise.resolve()
}
}
expose(new DemoHeadlessExt())

View File

@ -1,4 +1,3 @@
## Permission Table ## Permission Table
<table> <table>
@ -7,7 +6,6 @@
<th>Description</th> <th>Description</th>
</tr> </tr>
<tr> <tr>
<td> <td>

View File

@ -1,7 +1,13 @@
<!-- This file renders a group of extension commands --> <!-- This file renders a group of extension commands -->
<!-- Input props to this component is an array of ExtPackageJsonExtra[] --> <!-- Input props to this component is an array of ExtPackageJsonExtra[] -->
<script lang="ts"> <script lang="ts">
import { CmdTypeEnum, CustomUiCmd, ExtPackageJsonExtra, TemplateUiCmd } from "@kksh/api/models" import {
CmdTypeEnum,
CustomUiCmd,
ExtPackageJsonExtra,
HeadlessCmd,
TemplateUiCmd
} from "@kksh/api/models"
import { Badge, Command } from "@kksh/svelte5" import { Badge, Command } from "@kksh/svelte5"
import { IconMultiplexer } from "@kksh/ui" import { IconMultiplexer } from "@kksh/ui"
import { DraggableCommandGroup } from "../custom" import { DraggableCommandGroup } from "../custom"
@ -22,7 +28,7 @@
} = $props() } = $props()
</script> </script>
{#snippet cmd(ext: ExtPackageJsonExtra, cmd: CustomUiCmd | TemplateUiCmd)} {#snippet cmd(ext: ExtPackageJsonExtra, cmd: CustomUiCmd | TemplateUiCmd | HeadlessCmd)}
<Command.Item <Command.Item
class="flex justify-between" class="flex justify-between"
onSelect={() => { onSelect={() => {
@ -50,10 +56,13 @@
{/snippet} {/snippet}
{#snippet ext(ext: ExtPackageJsonExtra)} {#snippet ext(ext: ExtPackageJsonExtra)}
{#each ext.kunkun.customUiCmds as _cmd} {#each ext.kunkun.customUiCmds ?? [] as _cmd}
{@render cmd(ext, _cmd)} {@render cmd(ext, _cmd)}
{/each} {/each}
{#each ext.kunkun.templateUiCmds as _cmd} {#each ext.kunkun.templateUiCmds ?? [] as _cmd}
{@render cmd(ext, _cmd)}
{/each}
{#each ext.kunkun.headlessCmds ?? [] as _cmd}
{@render cmd(ext, _cmd)} {@render cmd(ext, _cmd)}
{/each} {/each}
{/snippet} {/snippet}

4
pnpm-lock.yaml generated
View File

@ -12267,7 +12267,7 @@ snapshots:
'@kwsites/file-exists@1.1.1': '@kwsites/file-exists@1.1.1':
dependencies: dependencies:
debug: 4.3.7 debug: 4.4.0(supports-color@9.4.0)
transitivePeerDependencies: transitivePeerDependencies:
- supports-color - supports-color
@ -18518,7 +18518,7 @@ snapshots:
koa-send@5.0.1: koa-send@5.0.1:
dependencies: dependencies:
debug: 4.3.7 debug: 4.4.0(supports-color@9.4.0)
http-errors: 1.8.1 http-errors: 1.8.1
resolve-path: 1.4.0 resolve-path: 1.4.0
transitivePeerDependencies: transitivePeerDependencies:

View File

@ -7,6 +7,9 @@
"inputs": ["$TURBO_DEFAULT$", ".env*"], "inputs": ["$TURBO_DEFAULT$", ".env*"],
"outputs": [".next/**", "!.next/cache/**", "dist/**", "build/**"] "outputs": [".next/**", "!.next/cache/**", "dist/**", "build/**"]
}, },
"check-types": {
"dependsOn": ["^check-types"]
},
"lint": { "lint": {
"dependsOn": ["^lint"] "dependsOn": ["^lint"]
}, },