diff --git a/.gitignore b/.gitignore index 5c4561f..3ac2366 100644 --- a/.gitignore +++ b/.gitignore @@ -21,4 +21,5 @@ vite.config.js.timestamp-* vite.config.ts.timestamp-* extensions_support/ -.pnpm-store \ No newline at end of file +.pnpm-store +dist/ diff --git a/dist/video-info.js b/dist/video-info.js deleted file mode 100644 index db96c7e..0000000 --- a/dist/video-info.js +++ /dev/null @@ -1,3043 +0,0 @@ -var __defProp = Object.defineProperty; -var __export = (target, all) => { - for (var name in all) - __defProp(target, name, { - get: all[name], - enumerable: true, - configurable: true, - set: (newValue) => all[name] = () => newValue - }); -}; - -// node_modules/.pnpm/kkrpc@0.0.13_typescript@5.6.3/node_modules/kkrpc/dist/chunk-XU7DWWSJ.js -var DESTROY_SIGNAL = "__DESTROY__"; -var WorkerChildIO = class { - name = "worker-child-io"; - messageQueue = []; - resolveRead = null; - constructor() { - self.onmessage = this.handleMessage; - } - handleMessage = (event) => { - const message = event.data; - if (message === DESTROY_SIGNAL) { - this.destroy(); - return; - } - if (this.resolveRead) { - this.resolveRead(message); - this.resolveRead = null; - } else { - this.messageQueue.push(message); - } - }; - async read() { - if (this.messageQueue.length > 0) { - return this.messageQueue.shift() ?? null; - } - return new Promise((resolve) => { - this.resolveRead = resolve; - }); - } - async write(data) { - self.postMessage(data); - } - destroy() { - self.postMessage(DESTROY_SIGNAL); - self.close(); - } - signalDestroy() { - self.postMessage(DESTROY_SIGNAL); - } -}; - -// node_modules/.pnpm/kkrpc@0.0.13_typescript@5.6.3/node_modules/kkrpc/dist/chunk-KUE6DDOO.js -function serializeMessage(message) { - return JSON.stringify(message) + ` -`; -} -function deserializeMessage(message) { - return new Promise((resolve, reject) => { - try { - const parsed = JSON.parse(message); - resolve(parsed); - } catch (error) { - console.error("failed to parse message", typeof message, message, error); - reject(error); - } - }); -} -function generateUUID() { - return new Array(4).fill(0).map(() => Math.floor(Math.random() * Number.MAX_SAFE_INTEGER).toString(16)).join("-"); -} -var RPCChannel = class { - constructor(io, options) { - this.io = io; - this.apiImplementation = options?.expose; - this.listen(); - } - pendingRequests = {}; - callbacks = {}; - callbackCache = /* @__PURE__ */ new Map; - count = 0; - messageStr = ""; - apiImplementation; - expose(api) { - this.apiImplementation = api; - } - getIO() { - return this.io; - } - async listen() { - while (true) { - const buffer = await this.io.read(); - if (!buffer) { - continue; - } - const bufferStr = buffer.toString("utf-8"); - if (bufferStr.trim().length === 0) { - continue; - } - this.messageStr += bufferStr; - const lastChar = this.messageStr[this.messageStr.length - 1]; - const msgsSplit = this.messageStr.split(` -`); - const msgs = lastChar === ` -` ? msgsSplit : msgsSplit.slice(0, -1); - this.messageStr = lastChar === ` -` ? "" : msgsSplit.at(-1) ?? ""; - for (const msgStr of msgs.map((msg) => msg.trim()).filter(Boolean)) { - this.handleMessageStr(msgStr); - } - } - } - async handleMessageStr(messageStr) { - this.count++; - const parsedMessage = await deserializeMessage(messageStr); - if (parsedMessage.type === "response") { - this.handleResponse(parsedMessage); - } else if (parsedMessage.type === "request") { - this.handleRequest(parsedMessage); - } else if (parsedMessage.type === "callback") { - this.handleCallback(parsedMessage); - } else { - console.error("received unknown message type", parsedMessage, typeof parsedMessage); - } - } - callMethod(method, args) { - return new Promise((resolve, reject) => { - const messageId = generateUUID(); - this.pendingRequests[messageId] = { resolve, reject }; - const callbackIds = []; - const processedArgs = args.map((arg) => { - if (typeof arg === "function") { - let callbackId = this.callbackCache.get(arg); - if (!callbackId) { - callbackId = generateUUID(); - this.callbacks[callbackId] = arg; - this.callbackCache.set(arg, callbackId); - } else { - } - callbackIds.push(callbackId); - return `__callback__${callbackId}`; - } - return arg; - }); - const message = { - id: messageId, - method, - args: processedArgs, - type: "request", - callbackIds: callbackIds.length > 0 ? callbackIds : undefined - }; - this.io.write(serializeMessage(message)); - }); - } - handleResponse(response) { - const { id } = response; - const { result, error } = response.args; - if (this.pendingRequests[id]) { - if (error) { - this.pendingRequests[id].reject(new Error(error)); - } else { - this.pendingRequests[id].resolve(result); - } - delete this.pendingRequests[id]; - } - } - handleRequest(request) { - const { id, method, args } = request; - const methodPath = method.split("."); - if (!this.apiImplementation) - return; - let target = this.apiImplementation; - for (let i = 0;i < methodPath.length - 1; i++) { - target = target[methodPath[i]]; - if (!target) { - this.sendError(id, `Method path ${method} not found at ${methodPath[i]}`); - return; - } - } - const finalMethod = methodPath[methodPath.length - 1]; - const targetMethod = target[finalMethod]; - if (typeof targetMethod !== "function") { - this.sendError(id, `Method ${method} is not a function`); - return; - } - const processedArgs = args.map((arg) => { - if (typeof arg === "string" && arg.startsWith("__callback__")) { - const callbackId = arg.slice(12); - return (...callbackArgs) => { - this.invokeCallback(callbackId, callbackArgs); - }; - } - return arg; - }); - try { - const result = targetMethod.apply(target, processedArgs); - Promise.resolve(result).then((res) => { - return this.sendResponse(id, res); - }).catch((err) => this.sendError(id, err.message)); - } catch (error) { - this.sendError(id, error.message ?? error.toString()); - } - } - invokeCallback(callbackId, args) { - const message = { - id: generateUUID(), - method: callbackId, - args, - type: "callback" - }; - this.io.write(serializeMessage(message)); - } - handleCallback(message) { - const { method: callbackId, args } = message; - const callback = this.callbacks[callbackId]; - if (callback) { - callback(...args); - } else { - console.error(`Callback with id ${callbackId} not found`); - } - } - sendResponse(id, result) { - const response = { - id, - method: "", - args: { result }, - type: "response" - }; - this.io.write(serializeMessage(response)); - } - sendError(id, error) { - const response = { - id, - method: "", - args: { error }, - type: "response" - }; - this.io.write(serializeMessage(response)); - } - createNestedProxy(chain = []) { - return new Proxy(() => { - }, { - get: (_target, prop) => { - if (typeof prop === "string" && prop !== "then") { - return this.createNestedProxy([...chain, prop]); - } - return; - }, - apply: (_target, _thisArg, args) => { - const method = chain.join("."); - return this.callMethod(method, args); - } - }); - } - getAPI() { - return this.createNestedProxy(); - } - freeCallbacks() { - this.callbacks = {}; - this.callbackCache.clear(); - } -}; - -// node_modules/.pnpm/@tauri-apps+api@2.1.1/node_modules/@tauri-apps/api/external/tslib/tslib.es6.js -function __classPrivateFieldGet(receiver, state, kind, f) { - if (kind === "a" && !f) - throw new TypeError("Private accessor was defined without a getter"); - if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) - throw new TypeError("Cannot read private member from an object whose class did not declare it"); - return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); -} -function __classPrivateFieldSet(receiver, state, value, kind, f) { - if (kind === "m") - throw new TypeError("Private method is not writable"); - if (kind === "a" && !f) - throw new TypeError("Private accessor was defined without a setter"); - if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) - throw new TypeError("Cannot write private member to an object whose class did not declare it"); - return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; -} - -// node_modules/.pnpm/@tauri-apps+api@2.1.1/node_modules/@tauri-apps/api/core.js -var _Channel_onmessage; -var _Channel_nextMessageId; -var _Channel_pendingMessages; -var _Resource_rid; -var SERIALIZE_TO_IPC_FN = "__TAURI_TO_IPC_KEY__"; -function transformCallback(callback, once = false) { - return window.__TAURI_INTERNALS__.transformCallback(callback, once); -} - -class Channel { - constructor() { - this.__TAURI_CHANNEL_MARKER__ = true; - _Channel_onmessage.set(this, () => { - }); - _Channel_nextMessageId.set(this, 0); - _Channel_pendingMessages.set(this, {}); - this.id = transformCallback(({ message, id }) => { - if (id === __classPrivateFieldGet(this, _Channel_nextMessageId, "f")) { - __classPrivateFieldSet(this, _Channel_nextMessageId, id + 1, "f"); - __classPrivateFieldGet(this, _Channel_onmessage, "f").call(this, message); - const pendingMessageIds = Object.keys(__classPrivateFieldGet(this, _Channel_pendingMessages, "f")); - if (pendingMessageIds.length > 0) { - let nextId = id + 1; - for (const pendingId of pendingMessageIds.sort()) { - if (parseInt(pendingId) === nextId) { - const message2 = __classPrivateFieldGet(this, _Channel_pendingMessages, "f")[pendingId]; - delete __classPrivateFieldGet(this, _Channel_pendingMessages, "f")[pendingId]; - __classPrivateFieldGet(this, _Channel_onmessage, "f").call(this, message2); - nextId += 1; - } else { - break; - } - } - __classPrivateFieldSet(this, _Channel_nextMessageId, nextId, "f"); - } - } else { - __classPrivateFieldGet(this, _Channel_pendingMessages, "f")[id.toString()] = message; - } - }); - } - set onmessage(handler) { - __classPrivateFieldSet(this, _Channel_onmessage, handler, "f"); - } - get onmessage() { - return __classPrivateFieldGet(this, _Channel_onmessage, "f"); - } - [(_Channel_onmessage = new WeakMap, _Channel_nextMessageId = new WeakMap, _Channel_pendingMessages = new WeakMap, SERIALIZE_TO_IPC_FN)]() { - return `__CHANNEL__:${this.id}`; - } - toJSON() { - return this[SERIALIZE_TO_IPC_FN](); - } -} -_Resource_rid = new WeakMap; - -// node_modules/.pnpm/@tauri-apps+api@2.1.1/node_modules/@tauri-apps/api/event.js -var TauriEvent; -(function(TauriEvent2) { - TauriEvent2["WINDOW_RESIZED"] = "tauri://resize"; - TauriEvent2["WINDOW_MOVED"] = "tauri://move"; - TauriEvent2["WINDOW_CLOSE_REQUESTED"] = "tauri://close-requested"; - TauriEvent2["WINDOW_DESTROYED"] = "tauri://destroyed"; - TauriEvent2["WINDOW_FOCUS"] = "tauri://focus"; - TauriEvent2["WINDOW_BLUR"] = "tauri://blur"; - TauriEvent2["WINDOW_SCALE_FACTOR_CHANGED"] = "tauri://scale-change"; - TauriEvent2["WINDOW_THEME_CHANGED"] = "tauri://theme-changed"; - TauriEvent2["WINDOW_CREATED"] = "tauri://window-created"; - TauriEvent2["WEBVIEW_CREATED"] = "tauri://webview-created"; - TauriEvent2["DRAG_ENTER"] = "tauri://drag-enter"; - TauriEvent2["DRAG_OVER"] = "tauri://drag-over"; - TauriEvent2["DRAG_DROP"] = "tauri://drag-drop"; - TauriEvent2["DRAG_LEAVE"] = "tauri://drag-leave"; -})(TauriEvent || (TauriEvent = {})); -// node_modules/.pnpm/@tauri-apps+api@2.1.1/node_modules/@tauri-apps/api/path.js -var BaseDirectory; -(function(BaseDirectory2) { - BaseDirectory2[BaseDirectory2["Audio"] = 1] = "Audio"; - BaseDirectory2[BaseDirectory2["Cache"] = 2] = "Cache"; - BaseDirectory2[BaseDirectory2["Config"] = 3] = "Config"; - BaseDirectory2[BaseDirectory2["Data"] = 4] = "Data"; - BaseDirectory2[BaseDirectory2["LocalData"] = 5] = "LocalData"; - BaseDirectory2[BaseDirectory2["Document"] = 6] = "Document"; - BaseDirectory2[BaseDirectory2["Download"] = 7] = "Download"; - BaseDirectory2[BaseDirectory2["Picture"] = 8] = "Picture"; - BaseDirectory2[BaseDirectory2["Public"] = 9] = "Public"; - BaseDirectory2[BaseDirectory2["Video"] = 10] = "Video"; - BaseDirectory2[BaseDirectory2["Resource"] = 11] = "Resource"; - BaseDirectory2[BaseDirectory2["Temp"] = 12] = "Temp"; - BaseDirectory2[BaseDirectory2["AppConfig"] = 13] = "AppConfig"; - BaseDirectory2[BaseDirectory2["AppData"] = 14] = "AppData"; - BaseDirectory2[BaseDirectory2["AppLocalData"] = 15] = "AppLocalData"; - BaseDirectory2[BaseDirectory2["AppCache"] = 16] = "AppCache"; - BaseDirectory2[BaseDirectory2["AppLog"] = 17] = "AppLog"; - BaseDirectory2[BaseDirectory2["Desktop"] = 18] = "Desktop"; - BaseDirectory2[BaseDirectory2["Executable"] = 19] = "Executable"; - BaseDirectory2[BaseDirectory2["Font"] = 20] = "Font"; - BaseDirectory2[BaseDirectory2["Home"] = 21] = "Home"; - BaseDirectory2[BaseDirectory2["Runtime"] = 22] = "Runtime"; - BaseDirectory2[BaseDirectory2["Template"] = 23] = "Template"; -})(BaseDirectory || (BaseDirectory = {})); - -// node_modules/.pnpm/@tauri-apps+plugin-log@2.2.0/node_modules/@tauri-apps/plugin-log/dist-js/index.js -var LogLevel; -(function(LogLevel2) { - LogLevel2[LogLevel2["Trace"] = 1] = "Trace"; - LogLevel2[LogLevel2["Debug"] = 2] = "Debug"; - LogLevel2[LogLevel2["Info"] = 3] = "Info"; - LogLevel2[LogLevel2["Warn"] = 4] = "Warn"; - LogLevel2[LogLevel2["Error"] = 5] = "Error"; -})(LogLevel || (LogLevel = {})); - -// node_modules/.pnpm/tauri-api-adapter@0.3.16_typescript@5.6.3/node_modules/tauri-api-adapter/dist/api/client/fetch/request.js -function constructFetchAPI(api) { - return async function fetch(input, init) { - console.log("fetch", input, init); - const maxRedirections = init?.maxRedirections; - const connectTimeout = init?.connectTimeout; - const proxy = init?.proxy; - if (init != null) { - delete init.maxRedirections; - delete init.connectTimeout; - delete init.proxy; - } - const signal = init?.signal; - const headers = init?.headers == null ? [] : init.headers instanceof Headers ? Array.from(init.headers.entries()) : Array.isArray(init.headers) ? init.headers : Object.entries(init.headers); - const mappedHeaders = headers.map(([name, val]) => [ - name, - typeof val === "string" ? val : val.toString() - ]); - const req = new Request(input, init); - const buffer = await req.arrayBuffer(); - const reqData = buffer.byteLength !== 0 ? Array.from(new Uint8Array(buffer)) : null; - const rid = await api.rawFetch({ - clientConfig: { - method: req.method, - url: req.url, - headers: mappedHeaders, - data: reqData, - maxRedirections, - connectTimeout, - proxy - } - }); - signal?.addEventListener("abort", () => { - api.fetchCancel(rid); - }); - const { status, statusText, url, headers: responseHeaders, rid: responseRid } = await api.fetchSend(rid); - const body = await api.fetchReadBody(responseRid); - const res = new Response(body instanceof ArrayBuffer && body.byteLength !== 0 ? body : body instanceof Array && body.length > 0 ? new Uint8Array(body) : null, { - headers: responseHeaders, - status, - statusText - }); - Object.defineProperty(res, "url", { value: url }); - return res; - }; -} -// node_modules/.pnpm/tauri-plugin-shellx-api@2.0.14/node_modules/tauri-plugin-shellx-api/dist-js/index.js -class EventEmitter { - constructor() { - this.eventListeners = Object.create(null); - } - addListener(eventName, listener) { - return this.on(eventName, listener); - } - removeListener(eventName, listener) { - return this.off(eventName, listener); - } - on(eventName, listener) { - if (eventName in this.eventListeners) { - this.eventListeners[eventName].push(listener); - } else { - this.eventListeners[eventName] = [listener]; - } - return this; - } - once(eventName, listener) { - const wrapper = (arg) => { - this.removeListener(eventName, wrapper); - listener(arg); - }; - return this.addListener(eventName, wrapper); - } - off(eventName, listener) { - if (eventName in this.eventListeners) { - this.eventListeners[eventName] = this.eventListeners[eventName].filter((l) => l !== listener); - } - return this; - } - removeAllListeners(event) { - if (event) { - delete this.eventListeners[event]; - } else { - this.eventListeners = Object.create(null); - } - return this; - } - emit(eventName, arg) { - if (eventName in this.eventListeners) { - const listeners = this.eventListeners[eventName]; - for (const listener of listeners) - listener(arg); - return true; - } - return false; - } - listenerCount(eventName) { - if (eventName in this.eventListeners) - return this.eventListeners[eventName].length; - return 0; - } - prependListener(eventName, listener) { - if (eventName in this.eventListeners) { - this.eventListeners[eventName].unshift(listener); - } else { - this.eventListeners[eventName] = [listener]; - } - return this; - } - prependOnceListener(eventName, listener) { - const wrapper = (arg) => { - this.removeListener(eventName, wrapper); - listener(arg); - }; - return this.prependListener(eventName, wrapper); - } -} -// node_modules/.pnpm/tauri-api-adapter@0.3.16_typescript@5.6.3/node_modules/tauri-api-adapter/dist/api/client/updownload.js -function constructUpdownloadAPI(api) { - return { - upload: (url, filePath, progressHandler, headers) => api.upload(url, filePath, progressHandler ? progressHandler : undefined, headers), - download: (url, filePath, progressHandler, headers) => api.download(url, filePath, progressHandler ? progressHandler : undefined, headers) - }; -} -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/api/event.ts -function constructEventAPI2(api) { - return { - onDragDrop: (callback) => api.onDragDrop(callback), - onDragEnter: (callback) => api.onDragEnter(callback), - onDragLeave: (callback) => api.onDragLeave(callback), - onDragOver: (callback) => api.onDragOver(callback), - onWindowBlur: (callback) => api.onWindowBlur(callback), - onWindowCloseRequested: (callback) => api.onWindowCloseRequested(callback), - onWindowFocus: (callback) => api.onWindowFocus(callback) - }; -} - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/api/path.ts -function constructPathAPI2(api) { - return { - BaseDirectory, - appCacheDir: api.appCacheDir, - appConfigDir: api.appConfigDir, - appDataDir: api.appDataDir, - appLocalDataDir: api.appLocalDataDir, - appLogDir: api.appLogDir, - audioDir: api.audioDir, - basename: api.basename, - cacheDir: api.cacheDir, - configDir: api.configDir, - dataDir: api.dataDir, - delimiter: api.delimiter, - desktopDir: api.desktopDir, - dirname: api.dirname, - documentDir: api.documentDir, - downloadDir: api.downloadDir, - executableDir: api.executableDir, - extname: api.extname, - fontDir: api.fontDir, - homeDir: api.homeDir, - isAbsolute: api.isAbsolute, - join: api.join, - localDataDir: api.localDataDir, - normalize: api.normalize, - pictureDir: api.pictureDir, - publicDir: api.publicDir, - resolve: api.resolve, - resolveResource: api.resolveResource, - resourceDir: api.resourceDir, - runtimeDir: api.runtimeDir, - sep: api.sep, - tempDir: api.tempDir, - templateDir: api.templateDir, - videoDir: api.videoDir, - extensionDir: api.extensionDir, - extensionSupportDir: api.extensionSupportDir - }; -} - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/api/shell.ts -class Child2 { - pid; - api; - constructor(pid, api) { - this.pid = pid; - this.api = api; - } - async write(data) { - this.api.stdinWrite(data.toString(), this.pid); - } - async kill() { - this.api.kill(this.pid); - } -} - -class BaseShellCommand extends EventEmitter { - program; - args; - options; - stdout = new EventEmitter; - stderr = new EventEmitter; - constructor(program, args = [], options) { - super(); - this.program = program; - this.args = typeof args === "string" ? [args] : args; - this.options = options ?? {}; - } -} - -class Command2 extends BaseShellCommand { - api; - constructor(program, args = [], api, options) { - super(program, args, options); - this.api = api; - } - async spawn() { - const args = this.args; - if (typeof args === "object") { - Object.freeze(args); - } - return this.api.rawSpawn(this.program, args, this.options, (evt) => { - switch (evt.event) { - case "Error": - this.emit("error", evt.payload); - break; - case "Terminated": - this.emit("close", evt.payload); - break; - case "Stdout": - this.stdout.emit("data", evt.payload); - break; - case "Stderr": - this.stderr.emit("data", evt.payload); - break; - } - }).then(async (pid) => { - await this.api.recordSpawnedProcess(pid); - return new Child2(pid, this.api); - }); - } - async execute() { - const args = this.args; - if (typeof args === "object") { - Object.freeze(args); - } - return this.api.execute(this.program, this.args, this.options); - } -} - -class DenoCommand extends BaseShellCommand { - config; - scriptPath; - api; - constructor(scriptPath, args, config, api) { - super("deno", args); - this.config = config; - this.scriptPath = scriptPath; - this.api = api; - } - execute() { - return this.api.denoExecute(this.scriptPath, this.config, this.args); - } - spawn() { - return this.api.denoRawSpawn(this.scriptPath, this.config, this.args, (evt) => { - switch (evt.event) { - case "Error": - this.emit("error", evt.payload); - break; - case "Terminated": - this.emit("close", evt.payload); - break; - case "Stdout": - this.stdout.emit("data", evt.payload); - break; - case "Stderr": - this.stderr.emit("data", evt.payload); - break; - } - }).then(async (pid) => { - await this.api.recordSpawnedProcess(pid); - return new Child2(pid, this.api); - }); - } -} - -class TauriShellStdio { - readStream; - childProcess; - name = "tauri-shell-stdio"; - constructor(readStream, childProcess) { - this.readStream = readStream; - this.childProcess = childProcess; - } - read() { - return new Promise((resolve, reject) => { - this.readStream.on("data", (chunk) => { - resolve(chunk); - }); - }); - } - async write(data) { - return this.childProcess.write(data + ` -`); - } -} -function constructShellAPI2(api) { - function createCommand(program, args = [], options) { - return new Command2(program, args, api, options); - } - function createDenoCommand(scriptPath, args, config) { - return new DenoCommand(scriptPath, args, config, api); - } - async function createDenoRpcChannel(scriptPath, args, config, localAPIImplementation) { - const denoCmd = createDenoCommand(scriptPath, args, config); - const denoProcess = await denoCmd.spawn(); - const stdio = new TauriShellStdio(denoCmd.stdout, denoProcess); - const stdioRPC = new RPCChannel(stdio, { expose: localAPIImplementation }); - return { - rpcChannel: stdioRPC, - process: denoProcess, - command: denoCmd - }; - } - function makeBashScript(script) { - return createCommand("bash", ["-c", script]); - } - function makePowershellScript(script) { - return createCommand("powershell", ["-Command", script]); - } - function makeAppleScript(script) { - return createCommand("osascript", ["-e", script]); - } - function makePythonScript(script) { - return createCommand("python", ["-c", script]); - } - function makeZshScript(script) { - return createCommand("zsh", ["-c", script]); - } - function makeNodeScript(script) { - return createCommand("node", ["-e", script]); - } - async function executeBashScript(script) { - return makeBashScript(script).execute(); - } - async function executePowershellScript(script) { - return makePowershellScript(script).execute(); - } - async function executeAppleScript(script) { - return makeAppleScript(script).execute(); - } - async function executePythonScript(script) { - return makePythonScript(script).execute(); - } - async function executeZshScript(script) { - return makeZshScript(script).execute(); - } - async function executeNodeScript(script) { - return makeNodeScript(script).execute(); - } - function likelyOnWindows2() { - return api.likelyOnWindows(); - } - return { - open: api.open, - makeBashScript, - makePowershellScript, - makeAppleScript, - makePythonScript, - makeZshScript, - makeNodeScript, - executeBashScript, - executePowershellScript, - executeAppleScript, - executePythonScript, - executeZshScript, - executeNodeScript, - hasCommand: api.hasCommand, - likelyOnWindows: likelyOnWindows2, - createCommand, - createDenoCommand, - Child: Child2, - TauriShellStdio, - createDenoRpcChannel, - RPCChannel, - whereIsCommand: api.whereIsCommand - }; -} - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/api/toast.ts -function constructToastAPI(api) { - return { - message: (message, options, action) => api.message(message, options, action ? action : undefined), - info: (message, options, action) => api.info(message, options, action ? action : undefined), - success: (message, options, action) => api.success(message, options, action ? action : undefined), - warning: (message, options, action) => api.warning(message, options, action ? action : undefined), - error: (message, options, action) => api.error(message, options, action ? action : undefined) - }; -} - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/ext.ts -class WorkerExtension { - searchTerm = ""; - highlightedListItemValue; - onSearchTermChange(term) { - this.searchTerm = term; - return Promise.resolve(); - } - onActionSelected(value) { - return Promise.resolve(); - } - onEnterPressedOnSearchBar() { - return Promise.resolve(); - } - onFilesDropped(paths) { - return Promise.resolve(); - } - onBeforeGoBack() { - return Promise.resolve(); - } - onListItemSelected(value) { - return Promise.resolve(); - } - onListScrolledToBottom() { - return Promise.resolve(); - } - onHighlightedListItemChanged(value) { - this.highlightedListItemValue = value; - return Promise.resolve(); - } - onFormSubmit(value) { - return Promise.resolve(); - } -} -// node_modules/.pnpm/valibot@1.0.0-beta.11_typescript@5.6.3/node_modules/valibot/dist/index.js -var store; -function getGlobalConfig(config2) { - return { - lang: config2?.lang ?? store?.lang, - message: config2?.message, - abortEarly: config2?.abortEarly ?? store?.abortEarly, - abortPipeEarly: config2?.abortPipeEarly ?? store?.abortPipeEarly - }; -} -var store2; -function getGlobalMessage(lang) { - return store2?.get(lang); -} -var store3; -function getSchemaMessage(lang) { - return store3?.get(lang); -} -var store4; -function getSpecificMessage(reference, lang) { - return store4?.get(reference)?.get(lang); -} -function _stringify(input) { - const type = typeof input; - if (type === "string") { - return `"${input}"`; - } - if (type === "number" || type === "bigint" || type === "boolean") { - return `${input}`; - } - if (type === "object" || type === "function") { - return (input && Object.getPrototypeOf(input)?.constructor?.name) ?? "null"; - } - return type; -} -function _addIssue(context, label, dataset, config2, other) { - const input = other && "input" in other ? other.input : dataset.value; - const expected = other?.expected ?? context.expects ?? null; - const received = other?.received ?? _stringify(input); - const issue = { - kind: context.kind, - type: context.type, - input, - expected, - received, - message: `Invalid ${label}: ${expected ? `Expected ${expected} but r` : "R"}eceived ${received}`, - requirement: context.requirement, - path: other?.path, - issues: other?.issues, - lang: config2.lang, - abortEarly: config2.abortEarly, - abortPipeEarly: config2.abortPipeEarly - }; - const isSchema = context.kind === "schema"; - const message = other?.message ?? context.message ?? getSpecificMessage(context.reference, issue.lang) ?? (isSchema ? getSchemaMessage(issue.lang) : null) ?? config2.message ?? getGlobalMessage(issue.lang); - if (message) { - issue.message = typeof message === "function" ? message(issue) : message; - } - if (isSchema) { - dataset.typed = false; - } - if (dataset.issues) { - dataset.issues.push(issue); - } else { - dataset.issues = [issue]; - } -} -function _getStandardProps(context) { - return { - version: 1, - vendor: "valibot", - validate(value2) { - return context["~run"]({ value: value2 }, getGlobalConfig()); - } - }; -} -function _isValidObjectKey(object2, key) { - return Object.hasOwn(object2, key) && key !== "__proto__" && key !== "prototype" && key !== "constructor"; -} -function _joinExpects(values, separator) { - const list = [...new Set(values)]; - if (list.length > 1) { - return `(${list.join(` ${separator} `)})`; - } - return list[0] ?? "never"; -} -var HEX_COLOR_REGEX = /^#(?:[\da-f]{3,4}|[\da-f]{6}|[\da-f]{8})$/iu; -function hexColor(message) { - return { - kind: "validation", - type: "hex_color", - reference: hexColor, - async: false, - expects: null, - requirement: HEX_COLOR_REGEX, - message, - "~run"(dataset, config2) { - if (dataset.typed && !this.requirement.test(dataset.value)) { - _addIssue(this, "hex color", dataset, config2); - } - return dataset; - } - }; -} -function maxValue(requirement, message) { - return { - kind: "validation", - type: "max_value", - reference: maxValue, - async: false, - expects: `<=${requirement instanceof Date ? requirement.toJSON() : _stringify(requirement)}`, - requirement, - message, - "~run"(dataset, config2) { - if (dataset.typed && !(dataset.value <= this.requirement)) { - _addIssue(this, "value", dataset, config2, { - received: dataset.value instanceof Date ? dataset.value.toJSON() : _stringify(dataset.value) - }); - } - return dataset; - } - }; -} -function minValue(requirement, message) { - return { - kind: "validation", - type: "min_value", - reference: minValue, - async: false, - expects: `>=${requirement instanceof Date ? requirement.toJSON() : _stringify(requirement)}`, - requirement, - message, - "~run"(dataset, config2) { - if (dataset.typed && !(dataset.value >= this.requirement)) { - _addIssue(this, "value", dataset, config2, { - received: dataset.value instanceof Date ? dataset.value.toJSON() : _stringify(dataset.value) - }); - } - return dataset; - } - }; -} -function getDefault(schema, dataset, config2) { - return typeof schema.default === "function" ? schema.default(dataset, config2) : schema.default; -} -function any() { - return { - kind: "schema", - type: "any", - reference: any, - expects: "any", - async: false, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset) { - dataset.typed = true; - return dataset; - } - }; -} -function array(item, message) { - return { - kind: "schema", - type: "array", - reference: array, - expects: "Array", - async: false, - item, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - const input = dataset.value; - if (Array.isArray(input)) { - dataset.typed = true; - dataset.value = []; - for (let key = 0;key < input.length; key++) { - const value2 = input[key]; - const itemDataset = this.item["~run"]({ value: value2 }, config2); - if (itemDataset.issues) { - const pathItem = { - type: "array", - origin: "value", - input, - key, - value: value2 - }; - for (const issue of itemDataset.issues) { - if (issue.path) { - issue.path.unshift(pathItem); - } else { - issue.path = [pathItem]; - } - dataset.issues?.push(issue); - } - if (!dataset.issues) { - dataset.issues = itemDataset.issues; - } - if (config2.abortEarly) { - dataset.typed = false; - break; - } - } - if (!itemDataset.typed) { - dataset.typed = false; - } - dataset.value.push(itemDataset.value); - } - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function boolean(message) { - return { - kind: "schema", - type: "boolean", - reference: boolean, - expects: "boolean", - async: false, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - if (typeof dataset.value === "boolean") { - dataset.typed = true; - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function date(message) { - return { - kind: "schema", - type: "date", - reference: date, - expects: "Date", - async: false, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - if (dataset.value instanceof Date) { - if (!isNaN(dataset.value)) { - dataset.typed = true; - } else { - _addIssue(this, "type", dataset, config2, { - received: '"Invalid Date"' - }); - } - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function enum_(enum__, message) { - const options = []; - for (const key in enum__) { - if (`${+key}` !== key || typeof enum__[key] !== "string" || !Object.is(enum__[enum__[key]], +key)) { - options.push(enum__[key]); - } - } - return { - kind: "schema", - type: "enum", - reference: enum_, - expects: _joinExpects(options.map(_stringify), "|"), - async: false, - enum: enum__, - options, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - if (this.options.includes(dataset.value)) { - dataset.typed = true; - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function function_(message) { - return { - kind: "schema", - type: "function", - reference: function_, - expects: "Function", - async: false, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - if (typeof dataset.value === "function") { - dataset.typed = true; - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function lazy(getter) { - return { - kind: "schema", - type: "lazy", - reference: lazy, - expects: "unknown", - async: false, - getter, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - return this.getter(dataset.value)["~run"](dataset, config2); - } - }; -} -function literal(literal_, message) { - return { - kind: "schema", - type: "literal", - reference: literal, - expects: _stringify(literal_), - async: false, - literal: literal_, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - if (dataset.value === this.literal) { - dataset.typed = true; - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function nullable(wrapped, default_) { - return { - kind: "schema", - type: "nullable", - reference: nullable, - expects: `(${wrapped.expects} | null)`, - async: false, - wrapped, - default: default_, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - if (dataset.value === null) { - if (this.default !== undefined) { - dataset.value = getDefault(this, dataset, config2); - } - if (dataset.value === null) { - dataset.typed = true; - return dataset; - } - } - return this.wrapped["~run"](dataset, config2); - } - }; -} -function number(message) { - return { - kind: "schema", - type: "number", - reference: number, - expects: "number", - async: false, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - if (typeof dataset.value === "number" && !isNaN(dataset.value)) { - dataset.typed = true; - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function object(entries, message) { - return { - kind: "schema", - type: "object", - reference: object, - expects: "Object", - async: false, - entries, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - const input = dataset.value; - if (input && typeof input === "object") { - dataset.typed = true; - dataset.value = {}; - for (const key in this.entries) { - const value2 = input[key]; - const valueDataset = this.entries[key]["~run"]({ value: value2 }, config2); - if (valueDataset.issues) { - const pathItem = { - type: "object", - origin: "value", - input, - key, - value: value2 - }; - for (const issue of valueDataset.issues) { - if (issue.path) { - issue.path.unshift(pathItem); - } else { - issue.path = [pathItem]; - } - dataset.issues?.push(issue); - } - if (!dataset.issues) { - dataset.issues = valueDataset.issues; - } - if (config2.abortEarly) { - dataset.typed = false; - break; - } - } - if (!valueDataset.typed) { - dataset.typed = false; - } - if (valueDataset.value !== undefined || key in input) { - dataset.value[key] = valueDataset.value; - } - } - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function optional(wrapped, default_) { - return { - kind: "schema", - type: "optional", - reference: optional, - expects: `(${wrapped.expects} | undefined)`, - async: false, - wrapped, - default: default_, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - if (dataset.value === undefined) { - if (this.default !== undefined) { - dataset.value = getDefault(this, dataset, config2); - } - if (dataset.value === undefined) { - dataset.typed = true; - return dataset; - } - } - return this.wrapped["~run"](dataset, config2); - } - }; -} -function record(key, value2, message) { - return { - kind: "schema", - type: "record", - reference: record, - expects: "Object", - async: false, - key, - value: value2, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - const input = dataset.value; - if (input && typeof input === "object") { - dataset.typed = true; - dataset.value = {}; - for (const entryKey in input) { - if (_isValidObjectKey(input, entryKey)) { - const entryValue = input[entryKey]; - const keyDataset = this.key["~run"]({ value: entryKey }, config2); - if (keyDataset.issues) { - const pathItem = { - type: "object", - origin: "key", - input, - key: entryKey, - value: entryValue - }; - for (const issue of keyDataset.issues) { - issue.path = [pathItem]; - dataset.issues?.push(issue); - } - if (!dataset.issues) { - dataset.issues = keyDataset.issues; - } - if (config2.abortEarly) { - dataset.typed = false; - break; - } - } - const valueDataset = this.value["~run"]({ value: entryValue }, config2); - if (valueDataset.issues) { - const pathItem = { - type: "object", - origin: "value", - input, - key: entryKey, - value: entryValue - }; - for (const issue of valueDataset.issues) { - if (issue.path) { - issue.path.unshift(pathItem); - } else { - issue.path = [pathItem]; - } - dataset.issues?.push(issue); - } - if (!dataset.issues) { - dataset.issues = valueDataset.issues; - } - if (config2.abortEarly) { - dataset.typed = false; - break; - } - } - if (!keyDataset.typed || !valueDataset.typed) { - dataset.typed = false; - } - if (keyDataset.typed) { - dataset.value[keyDataset.value] = valueDataset.value; - } - } - } - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function string(message) { - return { - kind: "schema", - type: "string", - reference: string, - expects: "string", - async: false, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - if (typeof dataset.value === "string") { - dataset.typed = true; - } else { - _addIssue(this, "type", dataset, config2); - } - return dataset; - } - }; -} -function _subIssues(datasets) { - let issues; - if (datasets) { - for (const dataset of datasets) { - if (issues) { - issues.push(...dataset.issues); - } else { - issues = dataset.issues; - } - } - } - return issues; -} -function union(options, message) { - return { - kind: "schema", - type: "union", - reference: union, - expects: _joinExpects(options.map((option) => option.expects), "|"), - async: false, - options, - message, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - let validDataset; - let typedDatasets; - let untypedDatasets; - for (const schema of this.options) { - const optionDataset = schema["~run"]({ value: dataset.value }, config2); - if (optionDataset.typed) { - if (optionDataset.issues) { - if (typedDatasets) { - typedDatasets.push(optionDataset); - } else { - typedDatasets = [optionDataset]; - } - } else { - validDataset = optionDataset; - break; - } - } else { - if (untypedDatasets) { - untypedDatasets.push(optionDataset); - } else { - untypedDatasets = [optionDataset]; - } - } - } - if (validDataset) { - return validDataset; - } - if (typedDatasets) { - if (typedDatasets.length === 1) { - return typedDatasets[0]; - } - _addIssue(this, "type", dataset, config2, { - issues: _subIssues(typedDatasets) - }); - dataset.typed = true; - } else if (untypedDatasets?.length === 1) { - return untypedDatasets[0]; - } else { - _addIssue(this, "type", dataset, config2, { - issues: _subIssues(untypedDatasets) - }); - } - return dataset; - } - }; -} -function pipe(...pipe2) { - return { - ...pipe2[0], - pipe: pipe2, - get "~standard"() { - return _getStandardProps(this); - }, - "~run"(dataset, config2) { - for (const item of pipe2) { - if (item.kind !== "metadata") { - if (dataset.issues && (item.kind === "schema" || item.kind === "transformation")) { - dataset.typed = false; - break; - } - if (!dataset.issues || !config2.abortEarly && !config2.abortPipeEarly) { - dataset = item["~run"](dataset, config2); - } - } - } - return dataset; - } - }; -} - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/models/constants.ts -var NodeNameEnum; -((NodeNameEnum2) => { - NodeNameEnum2["List"] = "List"; - NodeNameEnum2["ListItem"] = "ListItem"; - NodeNameEnum2["ListItemDetail"] = "ListItemDetail"; - NodeNameEnum2["ListItemAccessory"] = "ListItemAccessory"; - NodeNameEnum2["ListSection"] = "ListSection"; - NodeNameEnum2["ListItemDetailMetadata"] = "ListItemDetailMetadata"; - NodeNameEnum2["ListItemDetailMetadataLabel"] = "ListItemDetailMetadataLabel"; - NodeNameEnum2["ListItemDetailMetadataLink"] = "ListItemDetailMetadataLink"; - NodeNameEnum2["ListItemDetailMetadataTagList"] = "ListItemDetailMetadataTagList"; - NodeNameEnum2["ListItemDetailMetadataTagListItem"] = "ListItemDetailMetadataTagListItem"; - NodeNameEnum2["ListItemDetailMetadataSeparator"] = "ListItemDetailMetadataSeparator"; - NodeNameEnum2["Icon"] = "Icon"; - NodeNameEnum2["EmptyView"] = "EmptyView"; - NodeNameEnum2["Dropdown"] = "Dropdown"; - NodeNameEnum2["DropdownSection"] = "DropdownSection"; - NodeNameEnum2["DropdownItem"] = "DropdownItem"; - NodeNameEnum2["ActionPanel"] = "ActionPanel"; - NodeNameEnum2["Action"] = "Action"; - NodeNameEnum2["ActionPanelSection"] = "ActionPanelSection"; - NodeNameEnum2["ActionPanelSubmenu"] = "ActionPanelSubmenu"; - NodeNameEnum2["Markdown"] = "Markdown"; -})(NodeNameEnum ||= {}); -var NodeName = enum_(NodeNameEnum); -var FormNodeNameEnum; -((FormNodeNameEnum2) => { - FormNodeNameEnum2["Base"] = "Base"; - FormNodeNameEnum2["Number"] = "Number"; - FormNodeNameEnum2["Select"] = "Select"; - FormNodeNameEnum2["Boolean"] = "Boolean"; - FormNodeNameEnum2["Input"] = "Input"; - FormNodeNameEnum2["Date"] = "Date"; - FormNodeNameEnum2["Array"] = "Array"; - FormNodeNameEnum2["Form"] = "Form"; -})(FormNodeNameEnum ||= {}); -var FormNodeName = enum_(FormNodeNameEnum); - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/models/icon.ts -var IconEnum; -((IconEnum2) => { - IconEnum2["Iconify"] = "iconify"; - IconEnum2["RemoteUrl"] = "remote-url"; - IconEnum2["Svg"] = "svg"; - IconEnum2["Base64PNG"] = "base64-png"; - IconEnum2["Text"] = "text"; -})(IconEnum ||= {}); -var IconType = enum_(IconEnum); -var BaseIcon = object({ - type: IconType, - value: string(), - invert: optional(boolean()), - darkInvert: optional(boolean()), - hexColor: optional(string()), - bgColor: optional(string()) -}); -var Icon = object({ - ...BaseIcon.entries, - fallback: optional(lazy(() => Icon)) -}); -var IconNode = object({ - ...BaseIcon.entries, - nodeName: NodeName, - fallback: optional(lazy(() => Icon)) -}); - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/models/styles.ts -var Color = pipe(string(), hexColor()); -var CustomPosition = object({ - top: optional(number()), - right: optional(number()), - bottom: optional(number()), - left: optional(number()) -}); -var LightMode = union([literal("light"), literal("dark"), literal("auto")]); -var ThemeColor = union([ - literal("zinc"), - literal("slate"), - literal("stone"), - literal("gray"), - literal("neutral"), - literal("red"), - literal("rose"), - literal("orange"), - literal("green"), - literal("blue"), - literal("yellow"), - literal("violet") -]); -var Radius = pipe(number(), minValue(0), maxValue(1)); - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/schema/action.ts -var Action = object({ - nodeName: NodeName, - icon: optional(Icon), - title: string(), - value: string() -}); -var ActionPanel = object({ - nodeName: NodeName, - title: optional(string()), - items: array(union([ - Action - ])) -}); - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/schema/markdown.ts -var Markdown = object({ - nodeName: NodeName, - content: string() -}); - -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/schema/list.ts -var EmptyView = object({ - nodeName: NodeName, - title: optional(string()), - description: optional(string()), - icon: optional(Icon) -}); -var DropdownItem = object({ - nodeName: NodeName, - title: string(), - value: string(), - icon: optional(Icon), - keywords: optional(array(string())) -}); -var DropdownSection = object({ - nodeName: NodeName, - title: string(), - items: array(DropdownItem) -}); -var Dropdown = object({ - nodeName: NodeName, - tooltip: string(), - sections: array(DropdownSection), - defaultValue: string() -}); -var ItemAccessory = object({ - nodeName: NodeName, - tag: optional(union([ - string(), - object({ - color: Color, - text: string() - }) - ])), - text: optional(union([string(), object({ color: Color, text: string() })])), - date: optional(union([date(), object({ color: Color, text: date() })])), - icon: optional(Icon), - tooltip: optional(string()) -}); -var ItemDetailMetadataLabel = object({ - nodeName: literal("ListItemDetailMetadataLabel" /* ListItemDetailMetadataLabel */), - title: string(), - icon: optional(Icon), - text: optional(union([ - string(), - object({ - color: Color, - text: string() - }) - ])) -}); -var ItemDetailMetadataLink = object({ - nodeName: literal("ListItemDetailMetadataLink" /* ListItemDetailMetadataLink */), - title: string(), - text: string(), - url: string() -}); -var ItemDetailMetadataTagListItem = object({ - nodeName: literal("ListItemDetailMetadataTagListItem" /* ListItemDetailMetadataTagListItem */), - text: optional(string()), - color: optional(Color) -}); -var ItemDetailMetadataTagList = object({ - nodeName: literal("ListItemDetailMetadataTagList" /* ListItemDetailMetadataTagList */), - title: string(), - tags: array(ItemDetailMetadataTagListItem) -}); -var ItemDetailMetadataSeparator = object({ - nodeName: literal("ListItemDetailMetadataSeparator" /* ListItemDetailMetadataSeparator */) -}); -var ItemDetailMetadataItem = union([ - ItemDetailMetadataLabel, - ItemDetailMetadataLink, - ItemDetailMetadataTagList, - ItemDetailMetadataSeparator -]); -var ItemDetailMetadata = object({ - nodeName: literal("ListItemDetailMetadata" /* ListItemDetailMetadata */), - items: array(ItemDetailMetadataItem) -}); -var ItemDetail = object({ - nodeName: literal("ListItemDetail" /* ListItemDetail */), - children: array(union([Markdown, ItemDetailMetadata])), - width: optional(number()) -}); -var Item = object({ - nodeName: literal("ListItem" /* ListItem */), - title: string(), - subTitle: optional(string()), - accessories: optional(array(ItemAccessory)), - value: string(), - defaultAction: optional(string()), - actions: optional(ActionPanel), - icon: optional(Icon), - keywords: optional(array(string())) -}); -var Section = object({ - nodeName: literal("ListSection" /* ListSection */), - title: optional(string()), - subtitle: optional(string()), - items: array(Item) -}); -var ListInheritOptions = union([ - literal("items"), - literal("detail"), - literal("filter"), - literal("sections"), - literal("actions"), - literal("defaultAction") -]); -var List = object({ - nodeName: literal("List" /* List */), - sections: optional(array(Section)), - items: optional(array(Item)), - filter: union([literal("none"), literal("default")]), - detail: optional(ItemDetail), - actions: optional(ActionPanel), - defaultAction: optional(string()), - inherits: optional(array(ListInheritOptions)) -}); -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/schema/form.ts -var InputTypes = union([ - literal("color"), - literal("date"), - literal("datetime-local"), - literal("month"), - literal("number"), - literal("password"), - literal("text"), - literal("url"), - literal("week"), - literal("time"), - literal("search") -]); -var BaseField = object({ - nodeName: FormNodeName, - key: string(), - label: optional(string()), - hideLabel: optional(boolean()), - placeholder: optional(string()), - optional: optional(boolean()), - description: optional(string()), - default: optional(any()) -}); -var InputField = object({ - ...BaseField.entries, - type: optional(InputTypes), - component: optional(union([literal("textarea"), literal("default")])), - default: optional(string()) -}); -var NumberField = object({ - ...BaseField.entries, - nodeName: FormNodeName, - default: optional(number()) -}); -var SelectField = object({ - ...BaseField.entries, - options: array(string()), - default: optional(string()) -}); -var BooleanField = object({ - ...BaseField.entries, - component: optional(union([literal("checkbox"), literal("switch")])) -}); -var DateField = object({ - ...BaseField.entries, - default: optional(string()) -}); -var AllFormFields = union([InputField, NumberField, SelectField, BooleanField, DateField]); -var ArrayField = object({ - ...BaseField.entries, - content: AllFormFields -}); -var FormField = union([ - ArrayField, - SelectField, - InputField, - NumberField, - BooleanField, - DateField -]); -var Form = object({ - nodeName: FormNodeName, - key: string(), - fields: array(union([lazy(() => Form), FormField])), - title: optional(string()), - description: optional(string()), - submitBtnText: optional(string()) -}); -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/components/icon.ts -class Icon2 { - nodeName = "Icon" /* Icon */; - type; - value; - invert; - darkInvert; - hexColor; - bgColor; - constructor(model) { - this.type = model.type; - this.value = model.value; - this.invert = model.invert; - this.darkInvert = model.darkInvert; - this.hexColor = model.hexColor; - this.bgColor = model.bgColor; - } - toModel() { - return { - nodeName: this.nodeName, - type: this.type, - value: this.value, - invert: this.invert, - darkInvert: this.darkInvert, - hexColor: this.hexColor, - bgColor: this.bgColor - }; - } -} -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/components/list-view.ts -var exports_list_view = {}; -__export(exports_list_view, { - Section: () => Section2, - List: () => List2, - ItemDetailMetadataTagListItem: () => ItemDetailMetadataTagListItem2, - ItemDetailMetadataTagList: () => ItemDetailMetadataTagList2, - ItemDetailMetadataSeparator: () => ItemDetailMetadataSeparator2, - ItemDetailMetadataLink: () => ItemDetailMetadataLink2, - ItemDetailMetadataLabel: () => ItemDetailMetadataLabel2, - ItemDetailMetadata: () => ItemDetailMetadata2, - ItemDetail: () => ItemDetail2, - ItemAccessory: () => ItemAccessory2, - Item: () => Item2, - EmptyView: () => EmptyView2, - DropdownSection: () => DropdownSection2, - DropdownItem: () => DropdownItem2, - Dropdown: () => Dropdown2 -}); -class EmptyView2 { - nodeName = "EmptyView" /* EmptyView */; - title; - description; - icon; - constructor(model) { - this.title = model.title; - this.description = model.description; - this.icon = model.icon; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - description: this.description, - icon: this.icon?.toModel() - }; - } -} - -class DropdownItem2 { - nodeName = "DropdownItem" /* DropdownItem */; - title; - value; - icon; - keywords; - constructor(model) { - this.title = model.title; - this.value = model.value; - this.icon = model.icon; - this.keywords = model.keywords; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - value: this.value, - icon: this.icon?.toModel(), - keywords: this.keywords - }; - } -} - -class DropdownSection2 { - nodeName = "DropdownSection" /* DropdownSection */; - title; - items; - constructor(model) { - this.title = model.title; - this.items = model.items; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - items: this.items.map((item) => item.toModel()) - }; - } -} - -class Dropdown2 { - nodeName = "Dropdown" /* Dropdown */; - tooltip; - sections; - defaultValue; - constructor(model) { - this.tooltip = model.tooltip; - this.sections = model.sections; - this.defaultValue = model.defaultValue; - } - toModel() { - return { - nodeName: this.nodeName, - tooltip: this.tooltip, - sections: this.sections.map((section) => section.toModel()), - defaultValue: this.defaultValue - }; - } -} - -class ItemAccessory2 { - nodeName = "ListItemAccessory" /* ListItemAccessory */; - tag; - text; - date; - icon; - tooltip; - constructor(model) { - this.tag = model.tag; - this.text = model.text; - this.date = model.date; - this.icon = model.icon; - this.tooltip = model.tooltip; - } - toModel() { - return { - nodeName: this.nodeName, - tag: this.tag, - text: this.text, - date: this.date, - icon: this.icon?.toModel(), - tooltip: this.tooltip - }; - } -} - -class ItemDetailMetadataLabel2 { - nodeName = "ListItemDetailMetadataLabel" /* ListItemDetailMetadataLabel */; - title; - icon; - text; - constructor(model) { - this.title = model.title; - this.icon = model.icon; - this.text = model.text; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - icon: this.icon?.toModel(), - text: this.text - }; - } -} - -class ItemDetailMetadataLink2 { - nodeName = "ListItemDetailMetadataLink" /* ListItemDetailMetadataLink */; - title; - text; - url; - constructor(model) { - this.title = model.title; - this.text = model.text; - this.url = model.url; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - text: this.text, - url: this.url - }; - } -} - -class ItemDetailMetadataTagListItem2 { - nodeName = "ListItemDetailMetadataTagListItem" /* ListItemDetailMetadataTagListItem */; - text; - color; - icon; - constructor(model) { - this.text = model.text; - this.color = model.color; - this.icon = model.icon; - } - toModel() { - return { - nodeName: this.nodeName, - text: this.text, - color: this.color - }; - } -} - -class ItemDetailMetadataTagList2 { - nodeName = "ListItemDetailMetadataTagList" /* ListItemDetailMetadataTagList */; - title; - tags; - constructor(model) { - this.title = model.title; - this.tags = model.tags; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - tags: this.tags.map((tag) => tag.toModel()) - }; - } -} - -class ItemDetailMetadataSeparator2 { - nodeName = "ListItemDetailMetadataSeparator" /* ListItemDetailMetadataSeparator */; - toModel() { - return { - nodeName: this.nodeName - }; - } -} - -class ItemDetailMetadata2 { - nodeName = "ListItemDetailMetadata" /* ListItemDetailMetadata */; - items; - constructor(items) { - this.items = items; - } - toModel() { - return { - nodeName: this.nodeName, - items: this.items.map((item) => item.toModel()) - }; - } -} - -class ItemDetail2 { - nodeName = "ListItemDetail" /* ListItemDetail */; - children; - width; - constructor(model) { - this.children = model.children; - this.width = model.width; - } - toModel() { - return { - nodeName: this.nodeName, - children: this.children.map((child) => child.toModel()), - width: this.width - }; - } -} - -class Item2 { - nodeName = "ListItem" /* ListItem */; - title; - value; - subTitle; - accessories; - icon; - keywords; - defaultAction; - actions; - constructor(model) { - this.title = model.title; - this.value = model.value; - this.actions = model.actions; - this.defaultAction = model.defaultAction; - this.subTitle = model.subTitle; - this.accessories = model.accessories; - this.icon = model.icon; - this.keywords = model.keywords; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - value: this.value, - defaultAction: this.defaultAction, - actions: this.actions?.toModel(), - subTitle: this.subTitle, - accessories: this.accessories?.map((accessory) => accessory.toModel()), - icon: this.icon?.toModel(), - keywords: this.keywords - }; - } -} - -class Section2 { - nodeName = "ListSection" /* ListSection */; - title; - items; - constructor(model) { - this.title = model.title; - this.items = model.items; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - items: this.items.map((item) => item.toModel()) - }; - } -} - -class List2 { - nodeName = "List" /* List */; - sections; - items; - detail; - filter; - inherits; - actions; - defaultAction; - constructor(model) { - this.sections = model.sections; - this.items = model.items; - this.detail = model.detail; - this.filter = model.filter ?? "default"; - this.inherits = model.inherits ?? []; - this.actions = model.actions; - this.defaultAction = model.defaultAction; - } - toModel() { - return { - nodeName: this.nodeName, - sections: this.sections?.map((section) => section.toModel()), - items: this.items?.map((item) => item.toModel()), - filter: this.filter, - detail: this.detail?.toModel(), - inherits: this.inherits, - actions: this.actions?.toModel(), - defaultAction: this.defaultAction - }; - } -} -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/components/action.ts -class Action2 { - nodeName = "Action" /* Action */; - icon; - title; - value; - constructor(model) { - this.icon = model.icon; - this.title = model.title; - this.value = model.value; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - value: this.value, - icon: this.icon - }; - } -} - -class ActionPanel2 { - nodeName = "ActionPanel" /* ActionPanel */; - title; - items; - constructor(model) { - this.title = model.title; - this.items = model.items; - } - toModel() { - return { - nodeName: this.nodeName, - title: this.title, - items: this.items.map((item) => item.toModel()) - }; - } -} -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/models/apps.ts -var AppInfo = object({ - name: string(), - icon_path: nullable(string()), - app_path_exe: nullable(string()), - app_desktop_path: string() -}); -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/models/extension.ts -var ExtensionLabelMap = record(string("Window label"), object({ - path: string("Path to the extension"), - processes: array(number()), - dist: optional(nullable(string())) -})); -var Ext = object({ - extId: number(), - identifier: string(), - version: string(), - enabled: boolean(), - installed_at: string(), - path: nullable(string()), - data: nullable(any()) -}); -var CmdTypeEnum; -((CmdTypeEnum2) => { - CmdTypeEnum2["HeadlessWorker"] = "headless_worker"; - CmdTypeEnum2["Builtin"] = "builtin"; - CmdTypeEnum2["System"] = "system"; - CmdTypeEnum2["UiWorker"] = "ui_worker"; - CmdTypeEnum2["UiIframe"] = "ui_iframe"; - CmdTypeEnum2["QuickLink"] = "quick_link"; - CmdTypeEnum2["Remote"] = "remote"; -})(CmdTypeEnum ||= {}); -var CmdType = enum_(CmdTypeEnum); -var ExtCmd = object({ - cmdId: number(), - extId: number(), - name: string(), - type: CmdType, - data: string(), - alias: nullable(optional(string())), - hotkey: nullable(optional(string())), - enabled: boolean() -}); -var QuickLinkCmd = object({ - ...ExtCmd.entries, - data: object({ link: string(), icon: Icon }) -}); -var ExtData = object({ - dataId: number(), - extId: number(), - dataType: string(), - data: optional(string()), - searchText: optional(string()), - createdAt: date(), - updatedAt: date() -}); -var SysCommand = object({ - name: string(), - value: string(), - icon: nullable(Icon), - keywords: nullable(array(string())), - function: function_(), - confirmRequired: boolean() -}); -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/models/sql.ts -var SQLSortOrderEnum; -((SQLSortOrderEnum2) => { - SQLSortOrderEnum2["Asc"] = "ASC"; - SQLSortOrderEnum2["Desc"] = "DESC"; -})(SQLSortOrderEnum ||= {}); -var SQLSortOrder = enum_(SQLSortOrderEnum); -var SearchModeEnum; -((SearchModeEnum2) => { - SearchModeEnum2["ExactMatch"] = "exact_match"; - SearchModeEnum2["Like"] = "like"; - SearchModeEnum2["FTS"] = "fts"; -})(SearchModeEnum ||= {}); -var SearchMode = enum_(SearchModeEnum); -// node_modules/.pnpm/tauri-api-adapter@0.3.16_typescript@5.6.3/node_modules/tauri-api-adapter/dist/permissions/schema.js -var ClipboardPermissionSchema = union([ - literal("clipboard:read-all"), - literal("clipboard:write-all"), - literal("clipboard:read-text"), - literal("clipboard:write-text"), - literal("clipboard:read-image"), - literal("clipboard:write-image"), - literal("clipboard:read-files"), - literal("clipboard:write-files") -]); -var DialogPermissionSchema = union([literal("dialog:all")]); -var NotificationPermissionSchema = union([literal("notification:all")]); -var FsPermissionSchema = union([literal("fs:read"), literal("fs:write"), literal("fs:exists")]); -var OsPermissionSchema = literal("os:all"); -var ShellPermissionSchema = union([literal("shell:open"), literal("shell:execute")]); -var FetchPermissionSchema = literal("fetch:all"); -var SystemInfoPermissionSchema = union([ - literal("system-info:all"), - literal("system-info:memory"), - literal("system-info:cpu"), - literal("system-info:os"), - literal("system-info:disk"), - literal("system-info:network"), - literal("system-info:battery"), - literal("system-info:process"), - literal("system-info:components") -]); -var NetworkPermissionSchema = union([literal("network:interface"), literal("network:port")]); -var UpdownloadPermissionSchema = union([literal("updownload:download"), literal("updownload:upload")]); -var AllPermissionSchema = union([ - ClipboardPermissionSchema, - DialogPermissionSchema, - NotificationPermissionSchema, - FsPermissionSchema, - OsPermissionSchema, - ShellPermissionSchema, - FetchPermissionSchema, - SystemInfoPermissionSchema, - NetworkPermissionSchema, - UpdownloadPermissionSchema -]); -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/permissions/schema.ts -var SystemPermissionSchema = union([ - literal("system:volumn"), - literal("system:boot"), - literal("system:disk"), - literal("system:apps"), - literal("system:fs"), - literal("system:ui") -]); -var KunkunFsPermissionSchema = union([ - FsPermissionSchema, - literal("fs:read-dir"), - literal("fs:stat"), - literal("fs:search") -]); -var EventPermissionSchema = union([ - literal("event:drag-drop"), - literal("event:drag-enter"), - literal("event:drag-leave"), - literal("event:drag-over"), - literal("event:window-blur"), - literal("event:window-close-requested"), - literal("event:window-focus") -]); -var SecurityPermissionSchema = union([ - literal("security:mac:reveal-security-pane"), - literal("security:mac:verify-fingerprint"), - literal("security:mac:reset-screencapture-permission"), - literal("security:mac:request-permission"), - literal("security:mac:check-permission"), - literal("security:mac:all") -]); -var DenoSysOptions = union([ - literal("hostname"), - literal("osRelease"), - literal("osUptime"), - literal("loadavg"), - literal("networkInterfaces"), - literal("systemMemoryInfo"), - literal("uid"), - literal("gid"), - literal("cpus"), - string() -]); -var DenoPermissionScopeSchema = object({ - net: optional(union([literal("*"), array(string())])), - env: optional(union([literal("*"), array(string())])), - read: optional(union([literal("*"), array(string())])), - write: optional(union([literal("*"), array(string())])), - run: optional(union([literal("*"), array(string())])), - ffi: optional(union([literal("*"), array(string())])), - sys: optional(union([literal("*"), array(DenoSysOptions)])) -}); -var PermissionScopeSchema = object({ - path: optional(string()), - url: optional(string()), - cmd: optional(object({ - program: string(), - args: array(string()) - })), - ...DenoPermissionScopeSchema.entries -}); -var FsPermissionScopedSchema = object({ - permission: KunkunFsPermissionSchema, - allow: optional(array(PermissionScopeSchema)), - deny: optional(array(PermissionScopeSchema)) -}); -var OpenPermissionSchema = union([ - literal("open:url"), - literal("open:file"), - literal("open:folder") -]); -var OpenPermissionScopedSchema = object({ - permission: OpenPermissionSchema, - allow: optional(array(PermissionScopeSchema)), - deny: optional(array(PermissionScopeSchema)) -}); -var ShellPermissionSchema2 = union([ - literal("shell:execute"), - literal("shell:deno:execute"), - literal("shell:spawn"), - literal("shell:deno:spawn"), - literal("shell:open"), - literal("shell:kill"), - literal("shell:all"), - literal("shell:stdin-write") -]); -var ShellPermissionScopedSchema = object({ - permission: ShellPermissionSchema2, - allow: optional(array(PermissionScopeSchema)), - deny: optional(array(PermissionScopeSchema)) -}); -var KunkunManifestPermission = union([ - ClipboardPermissionSchema, - EventPermissionSchema, - DialogPermissionSchema, - NotificationPermissionSchema, - OsPermissionSchema, - ShellPermissionSchema2, - FetchPermissionSchema, - SystemInfoPermissionSchema, - NetworkPermissionSchema, - UpdownloadPermissionSchema, - SystemPermissionSchema, - SecurityPermissionSchema -]); -var AllKunkunPermission = union([ - KunkunManifestPermission, - KunkunFsPermissionSchema, - OpenPermissionSchema -]); -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/models/manifest.ts -var OSPlatformEnum; -((OSPlatformEnum2) => { - OSPlatformEnum2["linux"] = "linux"; - OSPlatformEnum2["macos"] = "macos"; - OSPlatformEnum2["windows"] = "windows"; -})(OSPlatformEnum ||= {}); -var OSPlatform = enum_(OSPlatformEnum); -var allPlatforms = Object.values(OSPlatformEnum); -var TriggerCmd = object({ - type: union([literal("text"), literal("regex")]), - value: string() -}); -var TitleBarStyleEnum; -((TitleBarStyleEnum2) => { - TitleBarStyleEnum2["visible"] = "visible"; - TitleBarStyleEnum2["transparent"] = "transparent"; - TitleBarStyleEnum2["overlay"] = "overlay"; -})(TitleBarStyleEnum ||= {}); -var TitleBarStyle = enum_(TitleBarStyleEnum); -var WindowConfig = object({ - center: optional(nullable(boolean())), - x: optional(nullable(number())), - y: optional(nullable(number())), - width: optional(nullable(number())), - height: optional(nullable(number())), - minWidth: optional(nullable(number())), - minHeight: optional(nullable(number())), - maxWidth: optional(nullable(number())), - maxHeight: optional(nullable(number())), - resizable: optional(nullable(boolean())), - title: optional(nullable(string())), - fullscreen: optional(nullable(boolean())), - focus: optional(nullable(boolean())), - transparent: optional(nullable(boolean())), - maximized: optional(nullable(boolean())), - visible: optional(nullable(boolean())), - decorations: optional(nullable(boolean())), - alwaysOnTop: optional(nullable(boolean())), - alwaysOnBottom: optional(nullable(boolean())), - contentProtected: optional(nullable(boolean())), - skipTaskbar: optional(nullable(boolean())), - shadow: optional(nullable(boolean())), - titleBarStyle: optional(nullable(TitleBarStyle)), - hiddenTitle: optional(nullable(boolean())), - tabbingIdentifier: optional(nullable(string())), - maximizable: optional(nullable(boolean())), - minimizable: optional(nullable(boolean())), - closable: optional(nullable(boolean())), - parent: optional(nullable(string())), - visibleOnAllWorkspaces: optional(nullable(boolean())) -}); -var BaseCmd = object({ - main: string("HTML file to load, e.g. dist/index.html"), - description: optional(nullable(string("Description of the Command"), ""), ""), - name: string("Name of the command"), - cmds: array(TriggerCmd, "Commands to trigger the UI"), - icon: optional(Icon), - platforms: optional(nullable(array(OSPlatform, "Platforms available on. Leave empty for all platforms."), allPlatforms), allPlatforms) -}); -var CustomUiCmd = object({ - ...BaseCmd.entries, - type: optional(CmdType, CmdType.enum.UiIframe), - dist: string("Dist folder to load, e.g. dist, build, out"), - devMain: string("URL to load in development to support live reload, e.g. http://localhost:5173/"), - window: optional(nullable(WindowConfig)) -}); -var TemplateUiCmd = object({ - ...BaseCmd.entries, - type: optional(CmdType, CmdType.enum.UiWorker), - window: optional(nullable(WindowConfig)) -}); -var HeadlessCmd = object({ - ...BaseCmd.entries, - type: optional(CmdType, CmdType.enum.HeadlessWorker) -}); -var PermissionUnion = union([ - KunkunManifestPermission, - FsPermissionScopedSchema, - OpenPermissionScopedSchema, - ShellPermissionScopedSchema -]); -var KunkunExtManifest = object({ - name: string("Name of the extension (Human Readable)"), - shortDescription: string("Description of the extension (Will be displayed in store)"), - longDescription: string("Long description of the extension (Will be displayed in store)"), - identifier: string("Unique identifier for the extension, must be the same as extension folder name"), - icon: Icon, - permissions: array(PermissionUnion, "Permissions Declared by the extension. e.g. clipboard-all. Not declared APIs will be blocked."), - demoImages: array(string("Demo images for the extension")), - customUiCmds: optional(array(CustomUiCmd, "Custom UI Commands")), - templateUiCmds: optional(array(TemplateUiCmd, "Template UI Commands")), - headlessCmds: optional(array(HeadlessCmd, "Headless Commands")) -}); -var Person = union([ - object({ - name: string("GitHub Username"), - email: string("Email of the person"), - url: optional(nullable(string("URL of the person"))) - }), - string("GitHub Username") -]); -var ExtPackageJson = object({ - name: string("Package name for the extension (just a regular npm package name)"), - version: string("Version of the extension"), - author: optional(Person), - draft: optional(boolean("Whether the extension is a draft, draft will not be published")), - contributors: optional(array(Person, "Contributors of the extension")), - repository: optional(union([ - string("URL of the repository"), - object({ - type: string("Type of the repository"), - url: string("URL of the repository"), - directory: string("Directory of the repository") - }) - ])), - kunkun: KunkunExtManifest, - files: array(string("Files to include in the extension. e.g. ['dist']")) -}); -var ExtPackageJsonExtra = object({ - ...ExtPackageJson.entries, - ...{ - extPath: string(), - extFolderName: string() - } -}); -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/models/mdns.ts -var MdnsServiceInfo = object({ - addresses: array(string()), - fullname: string(), - hostname: string(), - port: number(), - service_type: string(), - subType: optional(string()), - properties: optional(record(string(), string())), - publicKey: string(), - sslCert: string() -}); -var MdnsPeers = record(string(), MdnsServiceInfo); -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/models/file-transfer.ts -var FileNode = object({ - filename: string(), - fileSize: number(), - id: string(), - type: number(), - children: array(lazy(() => FileNode)) -}); -var FileTransferPayload = object({ - port: string(), - code: string(), - totalBytes: number(), - totalFiles: number(), - sslCert: string(), - root: lazy(() => FileNode), - ip: string() -}); -var FilesBucket = object({ - code: string(), - idPathMap: record(string(), string()) -}); -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/components/form-view.ts -class BaseField2 { - nodeName = "Base" /* Base */; - key; - label; - hideLabel; - placeholder; - optional; - description; - default; - constructor(model) { - this.key = model.key; - this.key = model.key; - this.label = model.label; - this.hideLabel = model.hideLabel; - this.placeholder = model.placeholder; - this.optional = model.optional; - this.description = model.description; - this.default = model.default; - } - toModel() { - return { - nodeName: this.nodeName, - key: this.key, - label: this.label, - hideLabel: this.hideLabel, - placeholder: this.placeholder, - optional: this.optional, - description: this.description, - default: this.default - }; - } -} - -class InputField2 extends BaseField2 { - nodeName = "Input" /* Input */; - component; - constructor(model) { - super(model); - this.component = model.component; - } - toModel() { - return { - ...super.toModel(), - component: this.component - }; - } -} - -class NumberField2 extends BaseField2 { - nodeName = "Number" /* Number */; -} - -class SelectField2 extends BaseField2 { - nodeName = "Select" /* Select */; - options; - constructor(model) { - super(model); - this.options = model.options; - } - toModel() { - return { - ...super.toModel(), - options: this.options - }; - } -} - -class BooleanField2 extends BaseField2 { - nodeName = "Boolean" /* Boolean */; - component; - constructor(model) { - super(model); - this.component = model.component ?? "checkbox"; - } - toModel() { - return { - ...super.toModel(), - component: this.component - }; - } -} - -class DateField2 extends BaseField2 { - nodeName = "Date" /* Date */; -} - -class ArrayField2 extends BaseField2 { - nodeName = "Array" /* Array */; - content; - constructor(model) { - super(model); - this.content = model.content; - } - toModel() { - return { - ...super.toModel(), - content: this.content.toModel() - }; - } -} - -class Form2 { - nodeName = "Form" /* Form */; - fields; - key; - title; - description; - submitBtnText; - constructor(model) { - this.fields = model.fields; - this.key = model.key; - this.title = model.title; - this.description = model.description; - this.submitBtnText = model.submitBtnText; - } - toModel() { - return { - nodeName: this.nodeName, - key: this.key, - title: this.title, - description: this.description, - submitBtnText: this.submitBtnText, - fields: this.fields.map((field) => field.toModel()) - }; - } -} -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/components/markdown.ts -class Markdown2 { - nodeName = "Markdown" /* Markdown */; - content; - constructor(content) { - this.content = content; - } - toModel() { - return { - nodeName: this.nodeName, - content: this.content - }; - } -} -// node_modules/.pnpm/@kksh+api@0.0.48_svelte@5.1.16_typescript@5.6.3/node_modules/@kksh/api/src/ui/worker/index.ts -var io = new WorkerChildIO; -var rpc = new RPCChannel(io, {}); -var api = rpc.getAPI(); -function expose(api2) { - rpc.expose(api2); -} -var event = constructEventAPI2(api.event); -var fetch = constructFetchAPI(api.fetch); -var path = constructPathAPI2(api.path); -var shell = constructShellAPI2(api.shell); -var toast = constructToastAPI(api.toast); -var updownload = constructUpdownloadAPI(api.updownload); -var { - db, - kv, - os, - clipboard, - dialog, - fs, - log, - notification, - sysInfo, - network, - system, - open, - utils, - app, - security, - workerUi: ui -} = api; - -// node_modules/.pnpm/filesize@10.1.6/node_modules/filesize/dist/filesize.esm.js -var ARRAY = "array"; -var BIT = "bit"; -var BITS = "bits"; -var BYTE = "byte"; -var BYTES = "bytes"; -var EMPTY = ""; -var EXPONENT = "exponent"; -var FUNCTION = "function"; -var IEC = "iec"; -var INVALID_NUMBER = "Invalid number"; -var INVALID_ROUND = "Invalid rounding method"; -var JEDEC = "jedec"; -var OBJECT = "object"; -var PERIOD = "."; -var ROUND = "round"; -var S = "s"; -var SI = "si"; -var SI_KBIT = "kbit"; -var SI_KBYTE = "kB"; -var SPACE = " "; -var STRING = "string"; -var ZERO = "0"; -var STRINGS = { - symbol: { - iec: { - bits: ["bit", "Kibit", "Mibit", "Gibit", "Tibit", "Pibit", "Eibit", "Zibit", "Yibit"], - bytes: ["B", "KiB", "MiB", "GiB", "TiB", "PiB", "EiB", "ZiB", "YiB"] - }, - jedec: { - bits: ["bit", "Kbit", "Mbit", "Gbit", "Tbit", "Pbit", "Ebit", "Zbit", "Ybit"], - bytes: ["B", "KB", "MB", "GB", "TB", "PB", "EB", "ZB", "YB"] - } - }, - fullform: { - iec: ["", "kibi", "mebi", "gibi", "tebi", "pebi", "exbi", "zebi", "yobi"], - jedec: ["", "kilo", "mega", "giga", "tera", "peta", "exa", "zetta", "yotta"] - } -}; -function filesize(arg, { - bits = false, - pad = false, - base = -1, - round = 2, - locale = EMPTY, - localeOptions = {}, - separator = EMPTY, - spacer = SPACE, - symbols = {}, - standard = EMPTY, - output = STRING, - fullform = false, - fullforms = [], - exponent = -1, - roundingMethod = ROUND, - precision = 0 -} = {}) { - let e = exponent, num = Number(arg), result = [], val = 0, u = EMPTY; - if (standard === SI) { - base = 10; - standard = JEDEC; - } else if (standard === IEC || standard === JEDEC) { - base = 2; - } else if (base === 2) { - standard = IEC; - } else { - base = 10; - standard = JEDEC; - } - const ceil = base === 10 ? 1000 : 1024, full = fullform === true, neg = num < 0, roundingFunc = Math[roundingMethod]; - if (typeof arg !== "bigint" && isNaN(arg)) { - throw new TypeError(INVALID_NUMBER); - } - if (typeof roundingFunc !== FUNCTION) { - throw new TypeError(INVALID_ROUND); - } - if (neg) { - num = -num; - } - if (e === -1 || isNaN(e)) { - e = Math.floor(Math.log(num) / Math.log(ceil)); - if (e < 0) { - e = 0; - } - } - if (e > 8) { - if (precision > 0) { - precision += 8 - e; - } - e = 8; - } - if (output === EXPONENT) { - return e; - } - if (num === 0) { - result[0] = 0; - u = result[1] = STRINGS.symbol[standard][bits ? BITS : BYTES][e]; - } else { - val = num / (base === 2 ? Math.pow(2, e * 10) : Math.pow(1000, e)); - if (bits) { - val = val * 8; - if (val >= ceil && e < 8) { - val = val / ceil; - e++; - } - } - const p = Math.pow(10, e > 0 ? round : 0); - result[0] = roundingFunc(val * p) / p; - if (result[0] === ceil && e < 8 && exponent === -1) { - result[0] = 1; - e++; - } - u = result[1] = base === 10 && e === 1 ? bits ? SI_KBIT : SI_KBYTE : STRINGS.symbol[standard][bits ? BITS : BYTES][e]; - } - if (neg) { - result[0] = -result[0]; - } - if (precision > 0) { - result[0] = result[0].toPrecision(precision); - } - result[1] = symbols[result[1]] || result[1]; - if (locale === true) { - result[0] = result[0].toLocaleString(); - } else if (locale.length > 0) { - result[0] = result[0].toLocaleString(locale, localeOptions); - } else if (separator.length > 0) { - result[0] = result[0].toString().replace(PERIOD, separator); - } - if (pad && round > 0) { - const i = result[0].toString(), x = separator || ((i.match(/(\D)/g) || []).pop() || PERIOD), tmp = i.toString().split(x), s = tmp[1] || EMPTY, l = s.length, n = round - l; - result[0] = `${tmp[0]}${x}${s.padEnd(l + n, ZERO)}`; - } - if (full) { - result[1] = fullforms[e] ? fullforms[e] : STRINGS.fullform[standard][e] + (bits ? BIT : BYTE) + (result[0] === 1 ? EMPTY : S); - } - return output === ARRAY ? result : output === OBJECT ? { - value: result[0], - symbol: result[1], - exponent: e, - unit: u - } : result.join(spacer); -} - -// template-ext-src/video-info.ts -class VideoInfo extends WorkerExtension { - api; - apiProcess; - videoMetadata = {}; - async fillApi() { - if (this.api) - return; - const { rpcChannel, process, command } = await shell.createDenoRpcChannel("$EXTENSION/deno-src/index.ts", [], { - allowAllEnv: true, - allowAllFfi: true, - allowAllRead: true, - allowAllSys: true, - allowAllRun: true, - env: { - FFMPEG_PATH: "/opt/homebrew/bin/ffmpeg", - FFPROBE_PATH: "/opt/homebrew/bin/ffprobe" - } - }, {}); - command.stderr.on("data", (stderr) => { - console.warn("stderr", stderr); - }); - this.api = rpcChannel.getAPI(); - this.apiProcess = process; - } - async refreshList(paths) { - ui.render(new exports_list_view.List({ items: [] })); - if (!this.api) - await this.fillApi(); - ui.showLoadingBar(true); - return Promise.all(paths.map((p) => this.api?.readDefaultVideoMetadata(p))).then((metadatas) => metadatas.filter((m) => !!m)).then((metadatas) => { - this.videoMetadata = Object.fromEntries(paths.map((file, index) => [file, metadatas[index]])); - }).then(async () => { - return ui.render(new exports_list_view.List({ - detail: new exports_list_view.ItemDetail({ - width: 60, - children: [] - }), - items: await Promise.all(paths.map(async (file) => { - const baseName = await path.basename(file); - return new exports_list_view.Item({ - title: baseName, - value: file - }); - })) - })); - }).finally(() => { - ui.showLoadingBar(false); - console.log("finally, kill api process", this.apiProcess?.pid); - this.apiProcess?.kill(); - this.apiProcess = undefined; - this.api = undefined; - }); - } - async load() { - ui.render(new exports_list_view.List({ items: [] })); - await this.fillApi(); - ui.showLoadingBar(true); - const ffprobePath = await shell.whereIsCommand("ffprobe"); - console.log("ffprobePath", ffprobePath); - if (!ffprobePath) { - return toast.error("ffprobe not found in path"); - } - let videoPaths = (await Promise.all([ - system.getSelectedFilesInFileExplorer().catch(() => { - return []; - }), - clipboard.hasFiles().then((has) => has ? clipboard.readFiles() : Promise.resolve([])) - ])).flat(); - console.log("videoPaths", videoPaths); - videoPaths = Array.from(new Set(videoPaths)); - this.refreshList(videoPaths); - } - async onFilesDropped(paths) { - return this.refreshList(paths); - } - async onHighlightedListItemChanged(filePath) { - const metadata = this.videoMetadata[filePath]; - const metadataLabels = [ - new exports_list_view.ItemDetailMetadataLabel({ - title: "Resolution", - text: `${metadata.width}x${metadata.height}` - }), - new exports_list_view.ItemDetailMetadataLabel({ - title: "Size", - text: metadata.size ? filesize(metadata.size) : "N/A" - }), - genMetadataLabel(metadata, "Average Frame Rate", "avgFrameRate"), - new exports_list_view.ItemDetailMetadataLabel({ - title: "Bit Rate", - text: metadata.bitRate ? `${filesize(metadata.bitRate / 8, { bits: true })}/s` : "N/A" - }), - genMetadataLabel(metadata, "Bits Per Raw Sample", "bitsPerRawSample"), - genMetadataLabel(metadata, "Codec", "codec"), - genMetadataLabel(metadata, "Codec Long Name", "codecLongName"), - genMetadataLabel(metadata, "Codec Tag", "codecTag"), - genMetadataLabel(metadata, "Codec Tag String", "codecTagString"), - genMetadataLabel(metadata, "Codec Type", "codecType"), - genMetadataLabel(metadata, "Duration", "duration"), - genMetadataLabel(metadata, "File Path", "filePath"), - genMetadataLabel(metadata, "Format Long Name", "formatLongName"), - genMetadataLabel(metadata, "Format Name", "formatName"), - genMetadataLabel(metadata, "Number Of Frames", "numberOfFrames"), - genMetadataLabel(metadata, "Number Of Streams", "numberOfStreams"), - genMetadataLabel(metadata, "Numeric Average Frame Rate", "numericAvgFrameRate"), - genMetadataLabel(metadata, "Profile", "profile"), - genMetadataLabel(metadata, "Raw Frame Rate", "rFrameRate"), - genMetadataLabel(metadata, "Start Time", "startTime"), - genMetadataLabel(metadata, "Time Base", "timeBase") - ].filter((label) => label !== null); - return ui.render(new exports_list_view.List({ - inherits: ["items"], - detail: new exports_list_view.ItemDetail({ - width: 55, - children: [new exports_list_view.ItemDetailMetadata(metadataLabels)] - }) - })); - } - async onBeforeGoBack() { - console.log("onBeforeGoBack, kill api process", this.apiProcess?.pid); - await this.apiProcess?.kill(); - } - async onListItemSelected(value) { - return Promise.resolve(); - } -} -function genMetadataLabel(metadata, title, key) { - if (!metadata[key]) - return null; - return new exports_list_view.ItemDetailMetadataLabel({ - title, - text: typeof metadata[key] === "number" ? Number.isInteger(metadata[key]) ? metadata[key].toString() : metadata[key].toFixed(3).toString() : metadata[key].toString() - }); -} -expose(new VideoInfo); diff --git a/package.json b/package.json index 0a8866d..f393a66 100644 --- a/package.json +++ b/package.json @@ -80,7 +80,7 @@ "dependencies": { "@hk/photographer-toolbox": "npm:@jsr/hk__photographer-toolbox@^0.1.8", "@iconify/svelte": "^4.0.2", - "@kksh/api": "^0.0.48", + "@kksh/api": "^0.0.52", "@kksh/svelte5": "^0.1.9", "@tanstack/table-core": "^8.20.5", "clsx": "^2.1.1", diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml index 3fa5eec..012fb4e 100644 --- a/pnpm-lock.yaml +++ b/pnpm-lock.yaml @@ -15,8 +15,8 @@ importers: specifier: ^4.0.2 version: 4.0.2(svelte@5.1.16) '@kksh/api': - specifier: ^0.0.48 - version: 0.0.48(svelte@5.1.16)(typescript@5.6.3) + specifier: ^0.0.52 + version: 0.0.52(axios@1.7.9)(svelte@5.1.16)(typescript@5.6.3) '@kksh/svelte5': specifier: ^0.1.9 version: 0.1.9(lucide-svelte@0.416.0(svelte@5.1.16))(svelte-sonner@0.3.28(svelte@5.1.16))(svelte@5.1.16) @@ -146,16 +146,95 @@ packages: resolution: {integrity: sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw==} engines: {node: '>=6.0.0'} + '@apidevtools/json-schema-ref-parser@11.7.2': + resolution: {integrity: sha512-4gY54eEGEstClvEkGnwVkTkrx0sqwemEFG5OSRRn3tD91XH0+Q8XIkYIfo7IwEWPpJZwILb9GUXeShtplRc/eA==} + engines: {node: '>= 16'} + + '@apidevtools/openapi-schemas@2.1.0': + resolution: {integrity: sha512-Zc1AlqrJlX3SlpupFGpiLi2EbteyP7fXmUOGup6/DnkRgjP9bgMM/ag+n91rsv0U1Gpz0H3VILA/o3bW7Ua6BQ==} + engines: {node: '>=10'} + + '@apidevtools/swagger-methods@3.0.2': + resolution: {integrity: sha512-QAkD5kK2b1WfjDS/UQn/qQkbwF31uqRjPTrsCs5ZG9BQGAkjwvqGFjjPqAuzac/IYzpPtRzjCP1WrTuAIjMrXg==} + + '@apidevtools/swagger-parser@10.1.1': + resolution: {integrity: sha512-u/kozRnsPO/x8QtKYJOqoGtC4kH6yg1lfYkB9Au0WhYB0FNLpyFusttQtvhlwjtG3rOwiRz4D8DnnXa8iEpIKA==} + peerDependencies: + openapi-types: '>=7' + '@ark/schema@0.10.0': resolution: {integrity: sha512-zpfXwWLOzj9aUK+dXQ6aleJAOgle4/WrHDop5CMX2M88dFQ85NdH8O0v0pvMAQnfFcaQAZ/nVDYLlBJsFc09XA==} '@ark/util@0.10.0': resolution: {integrity: sha512-uK+9VU5doGMYOoOZVE+XaSs1vYACoaEJdrDkuBx26S4X7y3ChyKsPnIg/9pIw2vUySph1GkAXbvBnfVE2GmXgQ==} + '@babel/code-frame@7.26.2': + resolution: {integrity: sha512-RJlIHRueQgwWitWgF8OdFYGZX328Ax5BCemNGlqHfplnRT9ESi8JkFlvaVYbS+UubVY6dpv87Fs2u5M29iNFVQ==} + engines: {node: '>=6.9.0'} + + '@babel/compat-data@7.26.5': + resolution: {integrity: sha512-XvcZi1KWf88RVbF9wn8MN6tYFloU5qX8KjuF3E1PVBmJ9eypXfs4GRiJwLuTZL0iSnJUKn1BFPa5BPZZJyFzPg==} + engines: {node: '>=6.9.0'} + + '@babel/core@7.26.0': + resolution: {integrity: sha512-i1SLeK+DzNnQ3LL/CswPCa/E5u4lh1k6IAEphON8F+cXt0t9euTshDru0q7/IqMa1PMPz5RnHuHscF8/ZJsStg==} + engines: {node: '>=6.9.0'} + + '@babel/generator@7.26.5': + resolution: {integrity: sha512-2caSP6fN9I7HOe6nqhtft7V4g7/V/gfDsC3Ag4W7kEzzvRGKqiv0pu0HogPiZ3KaVSoNDhUws6IJjDjpfmYIXw==} + engines: {node: '>=6.9.0'} + + '@babel/helper-compilation-targets@7.26.5': + resolution: {integrity: sha512-IXuyn5EkouFJscIDuFF5EsiSolseme1s0CZB+QxVugqJLYmKdxI1VfIBOst0SUu4rnk2Z7kqTwmoO1lp3HIfnA==} + engines: {node: '>=6.9.0'} + + '@babel/helper-module-imports@7.25.9': + resolution: {integrity: sha512-tnUA4RsrmflIM6W6RFTLFSXITtl0wKjgpnLgXyowocVPrbYrLUXSBXDgTs8BlbmIzIdlBySRQjINYs2BAkiLtw==} + engines: {node: '>=6.9.0'} + + '@babel/helper-module-transforms@7.26.0': + resolution: {integrity: sha512-xO+xu6B5K2czEnQye6BHA7DolFFmS3LB7stHZFaOLb1pAwO1HWLS8fXA+eh0A2yIvltPVmx3eNNDBJA2SLHXFw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0 + + '@babel/helper-string-parser@7.25.9': + resolution: {integrity: sha512-4A/SCr/2KLd5jrtOMFzaKjVtAei3+2r/NChoBNoZ3EyP/+GlhoaEGoWOZUmFmoITP7zOJyHIMm+DYRd8o3PvHA==} + engines: {node: '>=6.9.0'} + + '@babel/helper-validator-identifier@7.25.9': + resolution: {integrity: sha512-Ed61U6XJc3CVRfkERJWDz4dJwKe7iLmmJsbOGu9wSloNSFttHV0I8g6UAgb7qnK5ly5bGLPd4oXZlxCdANBOWQ==} + engines: {node: '>=6.9.0'} + + '@babel/helper-validator-option@7.25.9': + resolution: {integrity: sha512-e/zv1co8pp55dNdEcCynfj9X7nyUKUXoUEwfXqaZt0omVOmDe9oOTdKStH4GmAw6zxMFs50ZayuMfHDKlO7Tfw==} + engines: {node: '>=6.9.0'} + + '@babel/helpers@7.26.0': + resolution: {integrity: sha512-tbhNuIxNcVb21pInl3ZSjksLCvgdZy9KwJ8brv993QtIVKJBBkYXz4q4ZbAv31GdnC+R90np23L5FbEBlthAEw==} + engines: {node: '>=6.9.0'} + + '@babel/parser@7.26.5': + resolution: {integrity: sha512-SRJ4jYmXRqV1/Xc+TIVG84WjHBXKlxO9sHQnA2Pf12QQEAp1LOh6kDzNHXcUnbH1QI0FDoPPVOt+vyUDucxpaw==} + engines: {node: '>=6.0.0'} + hasBin: true + '@babel/runtime@7.26.0': resolution: {integrity: sha512-FDSOghenHTiToteC/QRlv2q3DhPZ/oOXTBoirfWNx1Cx3TMVcGWQtMMmQcSvb/JjpNeGzx8Pq/b4fKEJuWm1sw==} engines: {node: '>=6.9.0'} + '@babel/template@7.25.9': + resolution: {integrity: sha512-9DGttpmPvIxBb/2uwpVo3dqJ+O6RooAFOS+lB+xDqoE2PVCE8nfoHMdZLpfCQRLwvohzXISPZcgxt80xLfsuwg==} + engines: {node: '>=6.9.0'} + + '@babel/traverse@7.26.5': + resolution: {integrity: sha512-rkOSPOw+AXbgtwUga3U4u8RpoK9FEFWBNAlTpcnkLFjL5CT+oyHNuUUC/xx6XefEJ16r38r8Bc/lfp6rYuHeJQ==} + engines: {node: '>=6.9.0'} + + '@babel/types@7.26.5': + resolution: {integrity: sha512-L6mZmwFDK6Cjh1nRCLXpa6no13ZIioJDz7mdkzHv399pThrTa/k0nUlNaenOeh2kWu/iaOQYElEpKPUswUa9Vg==} + engines: {node: '>=6.9.0'} + '@effect/schema@0.75.5': resolution: {integrity: sha512-TQInulTVCuF+9EIbJpyLP6dvxbQJMphrnRqgexm/Ze39rSjfhJuufF7XvU3SxTgg3HnL7B/kpORTJbHhlE6thw==} peerDependencies: @@ -358,6 +437,14 @@ packages: '@hapi/topo@5.1.0': resolution: {integrity: sha512-foQZKJig7Ob0BMAYBfcJk8d77QtOe7Wo4ox7ff1lQYoNNAb6jwcY1ncdoy2e9wQZzvNy7ODZCYJkK8kzmcAnAg==} + '@hey-api/client-fetch@0.6.0': + resolution: {integrity: sha512-FlhFsVeH8RxJe/nq8xUzxNbiOpe+GadxlD2pfvDyOyLdCTU4o/LRv46ZVWstaW7DgF4nxhI328chy3+AulwVXw==} + + '@huakunshen/jsr-client@0.1.5': + resolution: {integrity: sha512-iLm7OuGNetejByzEx7Z3B4KnFot3uP42IMYGmj15tpi4hWaO6iw5AkQ+bqhEnf/LpH6qxK6lBqkALjcDWdGY2g==} + peerDependencies: + typescript: ^5.0.0 + '@humanfs/core@0.19.1': resolution: {integrity: sha512-5DyQ4+1JEUzejeK1JGICcideyfUbGixgS9jNgex5nqkW+cY7WZhxBigmieN5Qnw9ZosSNVC9KQKyb+GUaGyKUA==} engines: {node: '>=18.18.0'} @@ -516,14 +603,17 @@ packages: '@jridgewell/trace-mapping@0.3.25': resolution: {integrity: sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==} + '@jsdevtools/ono@7.1.3': + resolution: {integrity: sha512-4JQNk+3mVzK3xh2rqd6RB4J46qUR19azEHBneZyTZM+c456qOrbbM/5xcR8huNCCcbVt7+UmizG6GuUvPvKUYg==} + '@jsr/hk__photographer-toolbox@0.1.8': resolution: {integrity: sha512-rDlozMI+ASbXVp0ft365EJRFDoEnLKbEE49Gw24A7sqNMc+CpZpRy5/G8whwk2jlUeg5OiFvu8PCi9pwWwQTaQ==, tarball: https://npm.jsr.io/~/11/@jsr/hk__photographer-toolbox/0.1.8.tgz} '@jsr/valibot__valibot@0.42.1': resolution: {integrity: sha512-JjIzyXUQTkmTbiDXUJoFHDigviK12MUd69lGA28fGuhfivzvFv8TgPxkfH3I0wL0skCc5Rl5+g1IFnwYwVZWRw==, tarball: https://npm.jsr.io/~/11/@jsr/valibot__valibot/0.42.1.tgz} - '@kksh/api@0.0.48': - resolution: {integrity: sha512-gdH9TqMA/dI37vke0Jk629h3iKLEWk3RPGZK5ArK0p0QkfMTxd4CqjvWwDmL8yO6CKy7noC1rptDdHYWjIq2pQ==} + '@kksh/api@0.0.52': + resolution: {integrity: sha512-ss1cGJaO58iGkUcuBCcKCaepX4iquf+78VT8wh0l409proGgN68cTPpSPECuK9r3BrqnIocTOtn9nDtfHdxj+A==} '@kksh/svelte5@0.1.9': resolution: {integrity: sha512-k6NNyLHCfoC1XQ09dWBtZJDYOLJiXZ9KxmSwtZbu4rdepoY0tMYql+odj92w2tjhzM6Q/LHdtq6DNz67Fxf20Q==} @@ -532,6 +622,9 @@ packages: svelte: ^5.1.10 svelte-sonner: ^0.3.28 + '@liuli-util/fs-extra@0.1.0': + resolution: {integrity: sha512-eaAyDyMGT23QuRGbITVY3SOJff3G9ekAAyGqB9joAnTBmqvFN+9a1FazOdO70G6IUqgpKV451eBHYSRcOJ/FNQ==} + '@melt-ui/svelte@0.76.2': resolution: {integrity: sha512-7SbOa11tXUS95T3fReL+dwDs5FyJtCEqrqG3inRziDws346SYLsxOQ6HmX+4BkIsQh1R8U3XNa+EMmdMt38lMA==} peerDependencies: @@ -714,71 +807,71 @@ packages: '@tauri-apps/api@2.0.1': resolution: {integrity: sha512-eoQWT+Tq1qSwQpHV+nw1eNYe5B/nm1PoRjQCRiEOS12I1b+X4PUcREfXVX8dPcBT6GrzWGDtaecY0+1p0Rfqlw==} - '@tauri-apps/api@2.1.1': - resolution: {integrity: sha512-fzUfFFKo4lknXGJq8qrCidkUcKcH2UHhfaaCNt4GzgzGaW2iS26uFOg4tS3H4P8D6ZEeUxtiD5z0nwFF0UN30A==} + '@tauri-apps/api@2.2.0': + resolution: {integrity: sha512-R8epOeZl1eJEl603aUMIGb4RXlhPjpgxbGVEaqY+0G5JG9vzV/clNlzTeqc+NLYXVqXcn8mb4c5b9pJIUDEyAg==} - '@tauri-apps/cli-darwin-arm64@2.1.0': - resolution: {integrity: sha512-ESc6J6CE8hl1yKH2vJ+ALF+thq4Be+DM1mvmTyUCQObvezNCNhzfS6abIUd3ou4x5RGH51ouiANeT3wekU6dCw==} + '@tauri-apps/cli-darwin-arm64@2.2.4': + resolution: {integrity: sha512-+sMLkQBFebn/UENyaXpyQqRkdFQie8RdEvYVz0AGthm2p0lMVlWiBmc4ImBJmfo8569zVeDX8B+5OWt4/AuZzA==} engines: {node: '>= 10'} cpu: [arm64] os: [darwin] - '@tauri-apps/cli-darwin-x64@2.1.0': - resolution: {integrity: sha512-TasHS442DFs8cSH2eUQzuDBXUST4ECjCd0yyP+zZzvAruiB0Bg+c8A+I/EnqCvBQ2G2yvWLYG8q/LI7c87A5UA==} + '@tauri-apps/cli-darwin-x64@2.2.4': + resolution: {integrity: sha512-6fJvXVtQJh7H8q9sll2XC2wO5bpn7bzeh+MQxpcLq6F8SE02sFuNDLN+AqX0DQnuYV0V6jdzM2+bTYOlc1FBsw==} engines: {node: '>= 10'} cpu: [x64] os: [darwin] - '@tauri-apps/cli-linux-arm-gnueabihf@2.1.0': - resolution: {integrity: sha512-aP7ZBGNL4ny07Cbb6kKpUOSrmhcIK2KhjviTzYlh+pPhAptxnC78xQGD3zKQkTi2WliJLPmBYbOHWWQa57lQ9w==} + '@tauri-apps/cli-linux-arm-gnueabihf@2.2.4': + resolution: {integrity: sha512-QU6Ac6tx79iqkxsDUQesCBNq8RrVSkP9HhVzS2reKthK3xbdTCwNUXoRlfhudKMVrIxV4K7uTwUV99eAnwbm5Q==} engines: {node: '>= 10'} cpu: [arm] os: [linux] - '@tauri-apps/cli-linux-arm64-gnu@2.1.0': - resolution: {integrity: sha512-ZTdgD5gLeMCzndMT2f358EkoYkZ5T+Qy6zPzU+l5vv5M7dHVN9ZmblNAYYXmoOuw7y+BY4X/rZvHV9pcGrcanQ==} + '@tauri-apps/cli-linux-arm64-gnu@2.2.4': + resolution: {integrity: sha512-uZhp312s6VgJJDgUg+HuHZnhjGg93OT+q/aZMoccdZVQ6dvwH8kJzIkKt9zL1U126AXXoesb1EyYmsAruxaUKA==} engines: {node: '>= 10'} cpu: [arm64] os: [linux] - '@tauri-apps/cli-linux-arm64-musl@2.1.0': - resolution: {integrity: sha512-NzwqjUCilhnhJzusz3d/0i0F1GFrwCQbkwR6yAHUxItESbsGYkZRJk0yMEWkg3PzFnyK4cWTlQJMEU52TjhEzA==} + '@tauri-apps/cli-linux-arm64-musl@2.2.4': + resolution: {integrity: sha512-k6JCXd9E+XU0J48nVcFr3QO//bzKg/gp8ZKagBfI2wBpHOk14CnHNBQKNs11nMQUwko4bnPeqj4llcdkbmwIbw==} engines: {node: '>= 10'} cpu: [arm64] os: [linux] - '@tauri-apps/cli-linux-x64-gnu@2.1.0': - resolution: {integrity: sha512-TyiIpMEtZxNOQmuFyfJwaaYbg3movSthpBJLIdPlKxSAB2BW0VWLY3/ZfIxm/G2YGHyREkjJvimzYE0i37PnMA==} + '@tauri-apps/cli-linux-x64-gnu@2.2.4': + resolution: {integrity: sha512-bUBPU46OF1pNfM6SsGbUlkCBh/pTzvFlEdUpDISsS40v9NVt+kqCy3tHzLGB412E3lSlA6FnshB6HxkdRRdTtg==} engines: {node: '>= 10'} cpu: [x64] os: [linux] - '@tauri-apps/cli-linux-x64-musl@2.1.0': - resolution: {integrity: sha512-/dQd0TlaxBdJACrR72DhynWftzHDaX32eBtS5WBrNJ+nnNb+znM3gON6nJ9tSE9jgDa6n1v2BkI/oIDtypfUXw==} + '@tauri-apps/cli-linux-x64-musl@2.2.4': + resolution: {integrity: sha512-vOrpsQDiMtP8q/ZeXfXqgNi3G4Yv5LVX2vI5XkB2yvVuVF1Dvky/hcCJfi9tZQD+IpeiYxjuj7+SxHp82eQ/kA==} engines: {node: '>= 10'} cpu: [x64] os: [linux] - '@tauri-apps/cli-win32-arm64-msvc@2.1.0': - resolution: {integrity: sha512-NdQJO7SmdYqOcE+JPU7bwg7+odfZMWO6g8xF9SXYCMdUzvM2Gv/AQfikNXz5yS7ralRhNFuW32i5dcHlxh4pDg==} + '@tauri-apps/cli-win32-arm64-msvc@2.2.4': + resolution: {integrity: sha512-iEP/Cq0ts4Ln4Zh2NSC01lkYEAhr+LotbG4U2z+gxHfCdMrtYYtYdG05C2mpeIxShzL7uEIQb/lhVRBMd7robg==} engines: {node: '>= 10'} cpu: [arm64] os: [win32] - '@tauri-apps/cli-win32-ia32-msvc@2.1.0': - resolution: {integrity: sha512-f5h8gKT/cB8s1ticFRUpNmHqkmaLutT62oFDB7N//2YTXnxst7EpMIn1w+QimxTvTk2gcx6EcW6bEk/y2hZGzg==} + '@tauri-apps/cli-win32-ia32-msvc@2.2.4': + resolution: {integrity: sha512-YBbqF0wyHUT00zAGZTTbEbz/C5JDGPnT1Nodor96+tzEU6qAPRYfe5eFe/rpRARbalkpw1UkcVP0Ay8gnksAiA==} engines: {node: '>= 10'} cpu: [ia32] os: [win32] - '@tauri-apps/cli-win32-x64-msvc@2.1.0': - resolution: {integrity: sha512-P/+LrdSSb5Xbho1LRP4haBjFHdyPdjWvGgeopL96OVtrFpYnfC+RctB45z2V2XxqFk3HweDDxk266btjttfjGw==} + '@tauri-apps/cli-win32-x64-msvc@2.2.4': + resolution: {integrity: sha512-MMago/SfWZbUFrwFmPCXmmbb42h7u8Y5jvLvnK2mOpOfCAsei2tLO4hx+Inoai0l2DByuYO4Ef1xDyP6shCsZQ==} engines: {node: '>= 10'} cpu: [x64] os: [win32] - '@tauri-apps/cli@2.1.0': - resolution: {integrity: sha512-K2VhcKqBhAeS5pNOVdnR/xQRU6jwpgmkSL2ejHXcl0m+kaTggT0WRDQnFtPq6NljA7aE03cvwsbCAoFG7vtkJw==} + '@tauri-apps/cli@2.2.4': + resolution: {integrity: sha512-pihbuHEWJa9SEcN7JdEbMa0oq28MTTbk0nNNnRG8/irNQTKcjwM+KzxG2wuYZYbsXQVqwSu7PstdIEAnXqYHkw==} engines: {node: '>= 10'} hasBin: true @@ -821,10 +914,6 @@ packages: '@tauri-apps/plugin-upload@2.2.1': resolution: {integrity: sha512-2EyVhJYLAp2mJH0UzO3QGU0vPk/YWvAfdI2wXbczyzEZY/AZVa9wConyB1TV/NGhyJRim4LwWgkmnEvcKLkECw==} - '@tauri-apps/plugin-upload@https://gitpkg.vercel.app/HuakunShen/tauri-plugins-workspace/plugins/upload?69b198b0ccba269fe7622a95ec6a33ae392bff03': - resolution: {tarball: https://gitpkg.vercel.app/HuakunShen/tauri-plugins-workspace/plugins/upload?69b198b0ccba269fe7622a95ec6a33ae392bff03} - version: 2.2.1 - '@types/cookie@0.6.0': resolution: {integrity: sha512-4Kh9a6B2bQciAhf7FSuMRRkUWecJgJu9nPnx3yzpsfXX/c50REIqpHY4C82bXP90qrLtXtkDxTZosYO3UpOwlA==} @@ -837,6 +926,9 @@ packages: '@types/fluent-ffmpeg@2.1.27': resolution: {integrity: sha512-QiDWjihpUhriISNoBi2hJBRUUmoj/BMTYcfz+F+ZM9hHWBYABFAE6hjP/TbCZC0GWwlpa3FzvHH9RzFeRusZ7A==} + '@types/fs-extra@9.0.13': + resolution: {integrity: sha512-nEnwB++1u5lVDM2UI4c1+5R+FYaKfaAzS4OococimjVm3nQw3TuzH5UNsocrcTBbhnerblyHj4A49qXbIiZdpA==} + '@types/json-schema@7.0.15': resolution: {integrity: sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==} @@ -930,6 +1022,12 @@ packages: resolution: {integrity: sha512-Qq3XxbA26jzqS9ICifkqzT399lMQZ2fWtqeV3luI2as+UIK7qDifJFU2Q4W3q3IB5VXoWxgwAZSZEO0em9I/qQ==} engines: {node: '>=18.16.0'} + '@zodios/core@10.9.6': + resolution: {integrity: sha512-aH4rOdb3AcezN7ws8vDgBfGboZMk2JGGzEq/DtW65MhnRxyTGRuLJRWVQ/2KxDgWvV2F5oTkAS+5pnjKbl0n+A==} + peerDependencies: + axios: ^0.x || ^1.0.0 + zod: ^3.x + acorn-jsx@5.3.2: resolution: {integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==} peerDependencies: @@ -945,9 +1043,20 @@ packages: engines: {node: '>=0.4.0'} hasBin: true + ajv-draft-04@1.0.0: + resolution: {integrity: sha512-mv00Te6nmYbRp5DCwclxtt7yV/joXJPGS7nM+97GdxvuttCOfgI3K4U25zboyeX0O+myI8ERluxQe5wljMmVIw==} + peerDependencies: + ajv: ^8.5.0 + peerDependenciesMeta: + ajv: + optional: true + ajv@6.12.6: resolution: {integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==} + ajv@8.17.1: + resolution: {integrity: sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==} + ansi-regex@5.0.1: resolution: {integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==} engines: {node: '>=8'} @@ -991,6 +1100,9 @@ packages: async@0.2.10: resolution: {integrity: sha512-eAkdoKxU6/LkKDBzLpT+t6Ff5EtfSF4wx1WfJiPEEV7WNLnDaRXk0oVysiEPm262roaachGexwUv94WhSgN5TQ==} + asynckit@0.4.0: + resolution: {integrity: sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==} + autoprefixer@10.4.20: resolution: {integrity: sha512-XY25y5xSv/wEoqzDyXXME4AFfkZI0P23z6Fs3YgymDnKJkCGOnkL0iTxCa85UTqaSgfcqyf3UA6+c7wUvx/16g==} engines: {node: ^10 || ^12 || >=14} @@ -998,6 +1110,9 @@ packages: peerDependencies: postcss: ^8.1.0 + axios@1.7.9: + resolution: {integrity: sha512-LhLcE7Hbiryz8oMDdDptSrWowmB4Bl6RCt6sIJKpRB4XtVf0iEgewX3au/pJqm+Py1kCASkb/FFKjxQaLtxJvw==} + axobject-query@4.1.0: resolution: {integrity: sha512-qIj0G9wZbMGNLjLmg1PT6v2mE9AH2zlnADJD/2tC6E00hgmhUOfEB6greHPAfLRSufHqROIUTkw6E+M3lH0PTQ==} engines: {node: '>= 0.4'} @@ -1042,6 +1157,13 @@ packages: buffer-from@1.1.2: resolution: {integrity: sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==} + cac@6.7.14: + resolution: {integrity: sha512-b6Ilus+c3RrdDk+JhLKUAQfzzgLEPy6wcXqS7f/xe1EETvsDP6GORG7SFuOs6cID5YkqchW/LXZbX5bc8j7ZcQ==} + engines: {node: '>=8'} + + call-me-maybe@1.0.2: + resolution: {integrity: sha512-HpX65o1Hnr9HH25ojC1YGs7HCQLq0GCOibSaWER0eNpgJ/Z1MZv2mTc7+xh6WOPxbRVcmgbv4hGU+uSQ/2xFZQ==} + callsites@3.1.0: resolution: {integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==} engines: {node: '>=6'} @@ -1090,6 +1212,10 @@ packages: resolution: {integrity: sha512-1rXeuUUiGGrykh+CeBdu5Ie7OJwinCgQY0bc7GCRxy5xVHy+moaqkpL/jqQq0MtQOeYcrqEz4abc5f0KtU7W4A==} engines: {node: '>=12.5.0'} + combined-stream@1.0.8: + resolution: {integrity: sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==} + engines: {node: '>= 0.8'} + commander@4.1.1: resolution: {integrity: sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==} engines: {node: '>= 6'} @@ -1101,6 +1227,9 @@ packages: concat-map@0.0.1: resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==} + convert-source-map@2.0.0: + resolution: {integrity: sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==} + cookie@0.6.0: resolution: {integrity: sha512-U71cyTamuh1CRNCfpGY6to28lxvNwPG4Guz/EVjgf3Jmzv0vlDp1atT9eS5dDjMYHucpHbWns6Lwf3BKz6svdw==} engines: {node: '>= 0.6'} @@ -1137,6 +1266,10 @@ packages: resolution: {integrity: sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==} engines: {node: '>=0.10.0'} + delayed-stream@1.0.0: + resolution: {integrity: sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==} + engines: {node: '>=0.4.0'} + dequal@2.0.3: resolution: {integrity: sha512-0je+qPKHEMohvfRTCEo3CrPG6cAzAYgmzKyxRiYSSDkS6eGJdyVJm7WaYA5ECaAD9wLB2T4EEeymA5aFVcYXCA==} engines: {node: '>=6'} @@ -1283,6 +1416,9 @@ packages: resolution: {integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==} engines: {node: '>=0.10.0'} + eval-estree-expression@2.0.3: + resolution: {integrity: sha512-6zXgUV+NHvx6PwHxPsIQ8T4cCUgsnhaH6ZyYF1OSKZIrkcAzvSvZgHAbdj72GlNm8eH6c8FI8ywcwqm42Xq1aQ==} + exiftool-vendored.exe@12.96.0: resolution: {integrity: sha512-pKPN9F/Evw2yyO5/+ml3spbXIqejzOxyF7jEnj8tLU2JPSmIlziPUZ75XIhcPbilX86jVKmuiso7FUDicOg8pQ==} os: [win32] @@ -1311,6 +1447,9 @@ packages: fast-levenshtein@2.0.6: resolution: {integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==} + fast-uri@3.0.5: + resolution: {integrity: sha512-5JnBCWpFlMo0a3ciDy/JckMzzv1U9coZrIhedq+HXxxUfDTAiS0LA8OKVao4G9BxmCVck/jtA5r3KAtRWEyD8Q==} + fastq@1.17.1: resolution: {integrity: sha512-sRVD3lWVIXWg6By68ZN7vho9a1pQcN/WBFaAAsDDFzlJjvoGx0P8z7V1t72grFJfJhu3YPZBuu25f7Kaw2jN1w==} @@ -1356,10 +1495,23 @@ packages: focus-trap@7.6.1: resolution: {integrity: sha512-nB8y4nQl8PshahLpGKZOq1sb0xrMVFSn6at7u/qOsBZTlZRzaapISGENcB6mOkoezbClZyiMwEF/dGY8AZ00rA==} + follow-redirects@1.15.9: + resolution: {integrity: sha512-gew4GsXizNgdoRyqmyfMHyAmXsZDk6mHkSxZFCzW9gwlbtOW44CDtYavM+y+72qD/Vq2l550kMF52DT8fOLJqQ==} + engines: {node: '>=4.0'} + peerDependencies: + debug: '*' + peerDependenciesMeta: + debug: + optional: true + foreground-child@3.3.0: resolution: {integrity: sha512-Ld2g8rrAyMYFXBhEqMz8ZAHBi4J4uS1i/CxGMDnjyFWddMXLVcDp051DZfu+t7+ab7Wv6SMqpWmyFIj5UbfFvg==} engines: {node: '>=14'} + form-data@4.0.1: + resolution: {integrity: sha512-tzN8e4TX8+kkxGPK8D5u0FNmjPUjw3lwC9lSLxxoB/+GtsJG91CO8bSWy73APlgAZzZbXEYZJuxjkHH2w+Ezhw==} + engines: {node: '>= 6'} + formdata-polyfill@4.0.10: resolution: {integrity: sha512-buewHzMvYL29jdeQTVILecSaZKnt/RJWjoZCF5OW60Z67/GmSLBkOFM7qh1PI3zFNtJbaZL5eQu1vLfazOwj4g==} engines: {node: '>=12.20.0'} @@ -1374,6 +1526,10 @@ packages: fraction.js@4.3.7: resolution: {integrity: sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==} + fs-extra@10.1.0: + resolution: {integrity: sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ==} + engines: {node: '>=12'} + fs.realpath@1.0.0: resolution: {integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==} @@ -1385,6 +1541,10 @@ packages: function-bind@1.1.2: resolution: {integrity: sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==} + gensync@1.0.0-beta.2: + resolution: {integrity: sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==} + engines: {node: '>=6.9.0'} + glob-parent@5.1.2: resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==} engines: {node: '>= 6'} @@ -1406,6 +1566,10 @@ packages: resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==} deprecated: Glob versions prior to v9 are no longer supported + globals@11.12.0: + resolution: {integrity: sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==} + engines: {node: '>=4'} + globals@14.0.0: resolution: {integrity: sha512-oahGvuMGQlPw/ivIYBjVSrWAfWLBeku5tpPE2fOPLi+WHffIWbuh2tCjhyQhTBPMf5E9jDEH4FOmTYgYwbKwtQ==} engines: {node: '>=18'} @@ -1424,9 +1588,17 @@ packages: globrex@0.1.2: resolution: {integrity: sha512-uHJgbwAMwNFf5mLst7IWLNg14x1CkeqglJb/K3doi4dw6q2IvAAmM/Y81kevy83wP+Sst+nutFTYOGg3d1lsxg==} + graceful-fs@4.2.11: + resolution: {integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==} + graphemer@1.4.0: resolution: {integrity: sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==} + handlebars@4.7.8: + resolution: {integrity: sha512-vafaFqs8MZkRrSX7sFVUdo3ap/eNiLnb4IakshzvP56X5Nr1iGKAIqdX6tMlm6HcNRIkr6AxO5jFEoJzzpT8aQ==} + engines: {node: '>=0.4.7'} + hasBin: true + has-flag@4.0.0: resolution: {integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==} engines: {node: '>=8'} @@ -1515,10 +1687,18 @@ packages: joi@17.13.3: resolution: {integrity: sha512-otDA4ldcIx+ZXsKHWmp0YizCweVRZG96J10b0FevjfuncLO1oX59THoAmHkNubYJ+9gWsYsp5k8v4ib6oDv1fA==} + js-tokens@4.0.0: + resolution: {integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==} + js-yaml@4.1.0: resolution: {integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==} hasBin: true + jsesc@3.1.0: + resolution: {integrity: sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==} + engines: {node: '>=6'} + hasBin: true + json-buffer@3.0.1: resolution: {integrity: sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==} @@ -1529,9 +1709,20 @@ packages: json-schema-traverse@0.4.1: resolution: {integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==} + json-schema-traverse@1.0.0: + resolution: {integrity: sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==} + json-stable-stringify-without-jsonify@1.0.1: resolution: {integrity: sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==} + json5@2.2.3: + resolution: {integrity: sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==} + engines: {node: '>=6'} + hasBin: true + + jsonfile@6.1.0: + resolution: {integrity: sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==} + just-clone@6.2.0: resolution: {integrity: sha512-1IynUYEc/HAwxhi3WDpIpxJbZpMCvvrrmZVqvj9EhpvbH8lls7HhdhiByjL7DkAaWlLIzpC0Xc/VPvy/UxLNjA==} @@ -1599,6 +1790,9 @@ packages: resolution: {integrity: sha512-123qHRfJBmo2jXDbo/a5YOQrJoHF/GNQTLzQ5+IdK5pWpceK17yRc6ozlWd25FxvGKQbIUs91fDFkXmDHTKcyA==} engines: {node: 20 || >=22} + lru-cache@5.1.1: + resolution: {integrity: sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==} + lucide-svelte@0.416.0: resolution: {integrity: sha512-1tEN4VZhUXGmV0UCSDPdUjHgdRVZocZFYB2ufoIFie1ux6kQEiwc64gx8WBUGQY9AoN9CPMlTbGMNb6NzaSMmg==} peerDependencies: @@ -1622,6 +1816,14 @@ packages: resolution: {integrity: sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==} engines: {node: '>=8.6'} + mime-db@1.52.0: + resolution: {integrity: sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==} + engines: {node: '>= 0.6'} + + mime-types@2.1.35: + resolution: {integrity: sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==} + engines: {node: '>= 0.6'} + minimatch@10.0.1: resolution: {integrity: sha512-ethXTt3SGGR+95gudmqJ1eNhRO7eGEGIgYA9vnPatK4/etz2MEVDno5GMCibdMTuBMyElzIlgxMna3K94XDIDQ==} engines: {node: 20 || >=22} @@ -1676,6 +1878,9 @@ packages: natural-compare@1.4.0: resolution: {integrity: sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==} + neo-async@2.6.2: + resolution: {integrity: sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw==} + node-domexception@1.0.0: resolution: {integrity: sha512-/jKZoMpw0F8GRwl4/eLROPA3cfcXtLApP0QzLmUT/HuPCZWyB7IY9ZrMeKw2O/nFIqPQB3PVM9aYm0F312AXDQ==} engines: {node: '>=10.5.0'} @@ -1710,6 +1915,22 @@ packages: once@1.4.0: resolution: {integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==} + openapi-fetch@0.13.4: + resolution: {integrity: sha512-JHX7UYjLEiHuQGCPxa3CCCIqe/nc4bTIF9c4UYVC8BegAbWoS3g4gJxKX5XcG7UtYQs2060kY6DH64KkvNZahg==} + + openapi-types@12.1.3: + resolution: {integrity: sha512-N4YtSYJqghVu4iek2ZUvcN/0aqH1kRDuNqzcycDxhOUpg7GdvLa2F3DgS6yBNhInhv2r/6I0Flkn7CqL8+nIcw==} + + openapi-typescript-helpers@0.0.15: + resolution: {integrity: sha512-opyTPaunsklCBpTK8JGef6mfPhLSnyy5a0IN9vKtx3+4aExf+KxEqYwIy3hqkedXIB97u357uLMJsOnm3GVjsw==} + + openapi-zod-client@1.18.2: + resolution: {integrity: sha512-mfqBxwnGbnfK1CwQb6TBmu8CqVUlHD013Aw82JhDf0iGZsd5oemlPzO8QtteLAaAE6cmLNmSG/tQeBjQV0vB9g==} + hasBin: true + + openapi3-ts@3.1.0: + resolution: {integrity: sha512-1qKTvCCVoV0rkwUh1zq5o8QyghmwYPuhdvtjv1rFjuOnJToXhQyF8eGjNETQ8QmGjr9Jz/tkAKLITIl2s7dw3A==} + optionator@0.9.4: resolution: {integrity: sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==} engines: {node: '>= 0.8.0'} @@ -1734,6 +1955,18 @@ packages: resolution: {integrity: sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==} engines: {node: '>=6'} + pastable@2.2.1: + resolution: {integrity: sha512-K4ClMxRKpgN4sXj6VIPPrvor/TMp2yPNCGtfhvV106C73SwefQ3FuegURsH7AQHpqu0WwbvKXRl1HQxF6qax9w==} + engines: {node: '>=14.x'} + peerDependencies: + react: '>=17' + xstate: '>=4.32.1' + peerDependenciesMeta: + react: + optional: true + xstate: + optional: true + path-exists@4.0.0: resolution: {integrity: sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==} engines: {node: '>=8'} @@ -1918,6 +2151,11 @@ packages: prettier-plugin-svelte: optional: true + prettier@2.8.8: + resolution: {integrity: sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==} + engines: {node: '>=10.13.0'} + hasBin: true + prettier@3.3.3: resolution: {integrity: sha512-i2tDNA0O5IrMO757lfrdQZCc2jPNDVntV0m/+4whiDfWaTKfMNgR7Qz0NAeGz/nRqF4m5/6CLzbP4/liHt12Ew==} engines: {node: '>=14'} @@ -1926,6 +2164,9 @@ packages: property-expr@2.0.6: resolution: {integrity: sha512-SVtmxhRE/CGkn3eZY1T6pC8Nln6Fr/lu1mKSgRud0eC73whjGfoAogbn78LkD8aFL0zz3bAFerKSnOl7NlErBA==} + proxy-from-env@1.1.0: + resolution: {integrity: sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==} + punycode@2.3.1: resolution: {integrity: sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==} engines: {node: '>=6'} @@ -1958,6 +2199,10 @@ packages: regenerator-runtime@0.14.1: resolution: {integrity: sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==} + require-from-string@2.0.2: + resolution: {integrity: sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==} + engines: {node: '>=0.10.0'} + resolve-from@4.0.0: resolution: {integrity: sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==} engines: {node: '>=4'} @@ -1992,6 +2237,10 @@ packages: resolution: {integrity: sha512-xal3CZX1Xlo/k4ApwCFrHVACi9fBqJ7V+mwhBsuf/1IOKbBy098Fex+Wa/5QMubw09pSZ/u8EY8PWgevJsXp1A==} engines: {node: '>=6'} + semver@6.3.1: + resolution: {integrity: sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==} + hasBin: true + semver@7.6.3: resolution: {integrity: sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==} engines: {node: '>=10'} @@ -2155,6 +2404,9 @@ packages: engines: {node: '>=14.0.0'} hasBin: true + tanu@0.1.13: + resolution: {integrity: sha512-UbRmX7ccZ4wMVOY/Uw+7ji4VOkEYSYJG1+I4qzbnn4qh/jtvVbrm6BFnF12NQQ4+jGv21wKmjb1iFyUSVnBWcQ==} + tauri-api-adapter@0.3.16: resolution: {integrity: sha512-AoKWtRyhTPFaclM/XOtCSQg4OPmr/ssJqY209W+ELd4C11IpWyTVZ/Yfd7cCL03kB4OfvVTDWldA7Bzc7E72dg==} peerDependencies: @@ -2215,6 +2467,12 @@ packages: ts-interface-checker@0.1.13: resolution: {integrity: sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==} + ts-pattern@5.6.0: + resolution: {integrity: sha512-SL8u60X5+LoEy9tmQHWCdPc2hhb2pKI6I1tU5Jue3v8+iRqZdcT3mWPwKKJy1fMfky6uha82c8ByHAE8PMhKHw==} + + ts-toolbelt@9.6.0: + resolution: {integrity: sha512-nsZd8ZeNUzukXPlJmTBwUAuABDe/9qtVDelJeT/qW0ow3ZS3BsQJtNkan1802aM9Uf68/Y8ljw86Hu0h5IUW3w==} + tsc-alias@1.8.10: resolution: {integrity: sha512-Ibv4KAWfFkFdKJxnWfVtdOmB0Zi1RJVxcbPGiCDsFpCQSsmpWyuzHG3rQyI5YkobWwxFPEyQfu1hdo4qLG2zPw==} hasBin: true @@ -2233,6 +2491,10 @@ packages: resolution: {integrity: sha512-RAH822pAdBgcNMAfWnCBU3CFZcfZ/i1eZjwFU/dsLKumyuuP3niueg2UAukXYF0E2AAoc82ZSSf9J0WQBinzHA==} engines: {node: '>=12.20'} + type-fest@3.13.1: + resolution: {integrity: sha512-tLq3bSNx+xSpwvAJnzrK0Ep5CLNWjvFTOp71URMaAEWBfRb9nnJiBoUe0tF8bI4ZFO3omgBR6NvnbzVUT3Ly4g==} + engines: {node: '>=14.16'} + typescript-eslint@8.14.0: resolution: {integrity: sha512-K8fBJHxVL3kxMmwByvz8hNdBJ8a0YqKzKDX6jRlrjMuNXyd5T2V02HIq37+OiWXvUUOXgOOGiSSOh26Mh8pC3w==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} @@ -2242,14 +2504,28 @@ packages: typescript: optional: true + typescript@4.9.5: + resolution: {integrity: sha512-1FXk9E2Hm+QzZQ7z+McJiHL4NW1F2EzMu9Nq9i3zAaGqibafqYwCVU6WyWAuyQRRzOlxou8xZSyXLEN8oKj24g==} + engines: {node: '>=4.2.0'} + hasBin: true + typescript@5.6.3: resolution: {integrity: sha512-hjcS1mhfuyi4WW8IWtjP7brDrG2cuDZukyrYrSauoXGNgx0S7zceP07adYkJycEr56BOUTNPzbInooiN3fn1qw==} engines: {node: '>=14.17'} hasBin: true + uglify-js@3.19.3: + resolution: {integrity: sha512-v3Xu+yuwBXisp6QYTcH4UbH+xYJXqnq2m/LtQVWKWzYc1iehYnLixoQDN9FH6/j9/oybfd6W9Ghwkl8+UMKTKQ==} + engines: {node: '>=0.8.0'} + hasBin: true + undici-types@5.26.5: resolution: {integrity: sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==} + universalify@2.0.1: + resolution: {integrity: sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==} + engines: {node: '>= 10.0.0'} + update-browserslist-db@1.1.1: resolution: {integrity: sha512-R8UzCaa9Az+38REPiJ1tXlImTJXlVfgHZsglwBD/k6nj76ctsH1E3q4doGrukiLQd3sGQYu56r5+lo5r94l29A==} hasBin: true @@ -2349,6 +2625,10 @@ packages: resolution: {integrity: sha512-d2JWLCivmZYTSIoge9MsgFCZrt571BikcWGYkjC1khllbTeDlGqZ2D8vD8E/lJa8WGWbb7Plm8/XJYV7IJHZZw==} engines: {node: '>= 8'} + whence@2.0.1: + resolution: {integrity: sha512-VtcCE1Pe3BKofF/k+P5xcpuoqQ0f1NJY6TmdUw5kInl9/pEr1ZEFD9+ZOUicf52tvpTbhMS93aWXriu2IQYTTw==} + engines: {node: '>=14'} + which@1.3.1: resolution: {integrity: sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==} hasBin: true @@ -2362,6 +2642,9 @@ packages: resolution: {integrity: sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==} engines: {node: '>=0.10.0'} + wordwrap@1.0.0: + resolution: {integrity: sha512-gvVzJFlPycKc5dZN4yPkP8w7Dc37BtP1yczEneOb4uq34pXZcvrtRTmWV8W+Ume+XCxKgbjM+nevkyFPMybd4Q==} + wrap-ansi@7.0.0: resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==} engines: {node: '>=10'} @@ -2385,6 +2668,9 @@ packages: utf-8-validate: optional: true + yallist@3.1.1: + resolution: {integrity: sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==} + yaml@1.10.2: resolution: {integrity: sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==} engines: {node: '>= 6'} @@ -2412,6 +2698,9 @@ packages: zod@3.23.8: resolution: {integrity: sha512-XBx9AXhXktjUqnepgTiE5flcKIYWi/rme0Eaj+5Y0lftuGBq+jyRu/md4WnuxqgP1ubdpNCsYEYPxrzVHD8d6g==} + zod@3.24.1: + resolution: {integrity: sha512-muH7gBL9sI1nciMZV67X5fTKKBLtwpZ5VBp1vsOQzj1MhrBZ4wlVCm3gedKZWLp0Oyel8sIGfeiz54Su+OVT+A==} + snapshots: '@alloc/quick-lru@5.2.0': {} @@ -2421,6 +2710,27 @@ snapshots: '@jridgewell/gen-mapping': 0.3.5 '@jridgewell/trace-mapping': 0.3.25 + '@apidevtools/json-schema-ref-parser@11.7.2': + dependencies: + '@jsdevtools/ono': 7.1.3 + '@types/json-schema': 7.0.15 + js-yaml: 4.1.0 + + '@apidevtools/openapi-schemas@2.1.0': {} + + '@apidevtools/swagger-methods@3.0.2': {} + + '@apidevtools/swagger-parser@10.1.1(openapi-types@12.1.3)': + dependencies: + '@apidevtools/json-schema-ref-parser': 11.7.2 + '@apidevtools/openapi-schemas': 2.1.0 + '@apidevtools/swagger-methods': 3.0.2 + '@jsdevtools/ono': 7.1.3 + ajv: 8.17.1 + ajv-draft-04: 1.0.0(ajv@8.17.1) + call-me-maybe: 1.0.2 + openapi-types: 12.1.3 + '@ark/schema@0.10.0': dependencies: '@ark/util': 0.10.0 @@ -2429,11 +2739,109 @@ snapshots: '@ark/util@0.10.0': optional: true + '@babel/code-frame@7.26.2': + dependencies: + '@babel/helper-validator-identifier': 7.25.9 + js-tokens: 4.0.0 + picocolors: 1.1.1 + + '@babel/compat-data@7.26.5': {} + + '@babel/core@7.26.0': + dependencies: + '@ampproject/remapping': 2.3.0 + '@babel/code-frame': 7.26.2 + '@babel/generator': 7.26.5 + '@babel/helper-compilation-targets': 7.26.5 + '@babel/helper-module-transforms': 7.26.0(@babel/core@7.26.0) + '@babel/helpers': 7.26.0 + '@babel/parser': 7.26.5 + '@babel/template': 7.25.9 + '@babel/traverse': 7.26.5 + '@babel/types': 7.26.5 + convert-source-map: 2.0.0 + debug: 4.3.7 + gensync: 1.0.0-beta.2 + json5: 2.2.3 + semver: 6.3.1 + transitivePeerDependencies: + - supports-color + + '@babel/generator@7.26.5': + dependencies: + '@babel/parser': 7.26.5 + '@babel/types': 7.26.5 + '@jridgewell/gen-mapping': 0.3.5 + '@jridgewell/trace-mapping': 0.3.25 + jsesc: 3.1.0 + + '@babel/helper-compilation-targets@7.26.5': + dependencies: + '@babel/compat-data': 7.26.5 + '@babel/helper-validator-option': 7.25.9 + browserslist: 4.24.2 + lru-cache: 5.1.1 + semver: 6.3.1 + + '@babel/helper-module-imports@7.25.9': + dependencies: + '@babel/traverse': 7.26.5 + '@babel/types': 7.26.5 + transitivePeerDependencies: + - supports-color + + '@babel/helper-module-transforms@7.26.0(@babel/core@7.26.0)': + dependencies: + '@babel/core': 7.26.0 + '@babel/helper-module-imports': 7.25.9 + '@babel/helper-validator-identifier': 7.25.9 + '@babel/traverse': 7.26.5 + transitivePeerDependencies: + - supports-color + + '@babel/helper-string-parser@7.25.9': {} + + '@babel/helper-validator-identifier@7.25.9': {} + + '@babel/helper-validator-option@7.25.9': {} + + '@babel/helpers@7.26.0': + dependencies: + '@babel/template': 7.25.9 + '@babel/types': 7.26.5 + + '@babel/parser@7.26.5': + dependencies: + '@babel/types': 7.26.5 + '@babel/runtime@7.26.0': dependencies: regenerator-runtime: 0.14.1 optional: true + '@babel/template@7.25.9': + dependencies: + '@babel/code-frame': 7.26.2 + '@babel/parser': 7.26.5 + '@babel/types': 7.26.5 + + '@babel/traverse@7.26.5': + dependencies: + '@babel/code-frame': 7.26.2 + '@babel/generator': 7.26.5 + '@babel/parser': 7.26.5 + '@babel/template': 7.25.9 + '@babel/types': 7.26.5 + debug: 4.3.7 + globals: 11.12.0 + transitivePeerDependencies: + - supports-color + + '@babel/types@7.26.5': + dependencies: + '@babel/helper-string-parser': 7.25.9 + '@babel/helper-validator-identifier': 7.25.9 + '@effect/schema@0.75.5(effect@3.10.14)': dependencies: effect: 3.10.14 @@ -2584,6 +2992,24 @@ snapshots: '@hapi/hoek': 9.3.0 optional: true + '@hey-api/client-fetch@0.6.0': {} + + '@huakunshen/jsr-client@0.1.5(axios@1.7.9)(typescript@5.6.3)': + dependencies: + '@hey-api/client-fetch': 0.6.0 + '@zodios/core': 10.9.6(axios@1.7.9)(zod@3.24.1) + openapi-fetch: 0.13.4 + openapi-typescript-helpers: 0.0.15 + openapi-zod-client: 1.18.2 + typescript: 5.6.3 + zod: 3.24.1 + transitivePeerDependencies: + - axios + - debug + - react + - supports-color + - xstate + '@humanfs/core@0.19.1': {} '@humanfs/node@0.16.6': @@ -2709,6 +3135,8 @@ snapshots: '@jridgewell/resolve-uri': 3.1.2 '@jridgewell/sourcemap-codec': 1.5.0 + '@jsdevtools/ono@7.1.3': {} + '@jsr/hk__photographer-toolbox@0.1.8': dependencies: '@jsr/valibot__valibot': 0.42.1 @@ -2719,10 +3147,11 @@ snapshots: '@jsr/valibot__valibot@0.42.1': {} - '@kksh/api@0.0.48(svelte@5.1.16)(typescript@5.6.3)': + '@kksh/api@0.0.52(axios@1.7.9)(svelte@5.1.16)(typescript@5.6.3)': dependencies: - '@tauri-apps/api': 2.1.1 - '@tauri-apps/cli': 2.1.0 + '@huakunshen/jsr-client': 0.1.5(axios@1.7.9)(typescript@5.6.3) + '@tauri-apps/api': 2.2.0 + '@tauri-apps/cli': 2.2.4 '@tauri-apps/plugin-deep-link': 2.2.0 '@tauri-apps/plugin-dialog': 2.2.0 '@tauri-apps/plugin-fs': 2.2.0 @@ -2735,7 +3164,7 @@ snapshots: '@tauri-apps/plugin-shell': 2.2.0 '@tauri-apps/plugin-store': 2.2.0 '@tauri-apps/plugin-updater': 2.3.1 - '@tauri-apps/plugin-upload': https://gitpkg.vercel.app/HuakunShen/tauri-plugins-workspace/plugins/upload?69b198b0ccba269fe7622a95ec6a33ae392bff03 + '@tauri-apps/plugin-upload': 2.2.1 kkrpc: 0.0.13(typescript@5.6.3) lodash: 4.17.21 minimatch: 10.0.1 @@ -2748,10 +3177,15 @@ snapshots: tauri-plugin-system-info-api: 2.0.8(typescript@5.6.3) valibot: 1.0.0-beta.11(typescript@5.6.3) transitivePeerDependencies: + - axios - bufferutil + - debug + - react + - supports-color - svelte - typescript - utf-8-validate + - xstate '@kksh/svelte5@0.1.9(lucide-svelte@0.416.0(svelte@5.1.16))(svelte-sonner@0.3.28(svelte@5.1.16))(svelte@5.1.16)': dependencies: @@ -2760,6 +3194,11 @@ snapshots: svelte-persisted-store: 0.12.0(svelte@5.1.16) svelte-sonner: 0.3.28(svelte@5.1.16) + '@liuli-util/fs-extra@0.1.0': + dependencies: + '@types/fs-extra': 9.0.13 + fs-extra: 10.1.0 + '@melt-ui/svelte@0.76.2(svelte@5.1.16)': dependencies: '@floating-ui/core': 1.6.8 @@ -2925,106 +3364,102 @@ snapshots: '@tauri-apps/api@2.0.1': {} - '@tauri-apps/api@2.1.1': {} + '@tauri-apps/api@2.2.0': {} - '@tauri-apps/cli-darwin-arm64@2.1.0': + '@tauri-apps/cli-darwin-arm64@2.2.4': optional: true - '@tauri-apps/cli-darwin-x64@2.1.0': + '@tauri-apps/cli-darwin-x64@2.2.4': optional: true - '@tauri-apps/cli-linux-arm-gnueabihf@2.1.0': + '@tauri-apps/cli-linux-arm-gnueabihf@2.2.4': optional: true - '@tauri-apps/cli-linux-arm64-gnu@2.1.0': + '@tauri-apps/cli-linux-arm64-gnu@2.2.4': optional: true - '@tauri-apps/cli-linux-arm64-musl@2.1.0': + '@tauri-apps/cli-linux-arm64-musl@2.2.4': optional: true - '@tauri-apps/cli-linux-x64-gnu@2.1.0': + '@tauri-apps/cli-linux-x64-gnu@2.2.4': optional: true - '@tauri-apps/cli-linux-x64-musl@2.1.0': + '@tauri-apps/cli-linux-x64-musl@2.2.4': optional: true - '@tauri-apps/cli-win32-arm64-msvc@2.1.0': + '@tauri-apps/cli-win32-arm64-msvc@2.2.4': optional: true - '@tauri-apps/cli-win32-ia32-msvc@2.1.0': + '@tauri-apps/cli-win32-ia32-msvc@2.2.4': optional: true - '@tauri-apps/cli-win32-x64-msvc@2.1.0': + '@tauri-apps/cli-win32-x64-msvc@2.2.4': optional: true - '@tauri-apps/cli@2.1.0': + '@tauri-apps/cli@2.2.4': optionalDependencies: - '@tauri-apps/cli-darwin-arm64': 2.1.0 - '@tauri-apps/cli-darwin-x64': 2.1.0 - '@tauri-apps/cli-linux-arm-gnueabihf': 2.1.0 - '@tauri-apps/cli-linux-arm64-gnu': 2.1.0 - '@tauri-apps/cli-linux-arm64-musl': 2.1.0 - '@tauri-apps/cli-linux-x64-gnu': 2.1.0 - '@tauri-apps/cli-linux-x64-musl': 2.1.0 - '@tauri-apps/cli-win32-arm64-msvc': 2.1.0 - '@tauri-apps/cli-win32-ia32-msvc': 2.1.0 - '@tauri-apps/cli-win32-x64-msvc': 2.1.0 + '@tauri-apps/cli-darwin-arm64': 2.2.4 + '@tauri-apps/cli-darwin-x64': 2.2.4 + '@tauri-apps/cli-linux-arm-gnueabihf': 2.2.4 + '@tauri-apps/cli-linux-arm64-gnu': 2.2.4 + '@tauri-apps/cli-linux-arm64-musl': 2.2.4 + '@tauri-apps/cli-linux-x64-gnu': 2.2.4 + '@tauri-apps/cli-linux-x64-musl': 2.2.4 + '@tauri-apps/cli-win32-arm64-msvc': 2.2.4 + '@tauri-apps/cli-win32-ia32-msvc': 2.2.4 + '@tauri-apps/cli-win32-x64-msvc': 2.2.4 '@tauri-apps/plugin-deep-link@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-dialog@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-fs@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-global-shortcut@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-http@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-log@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-notification@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-os@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-process@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-shell@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-store@2.2.0': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-updater@2.3.1': dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-upload@2.2.1': dependencies: - '@tauri-apps/api': 2.1.1 - - '@tauri-apps/plugin-upload@https://gitpkg.vercel.app/HuakunShen/tauri-plugins-workspace/plugins/upload?69b198b0ccba269fe7622a95ec6a33ae392bff03': - dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@types/cookie@0.6.0': {} @@ -3039,6 +3474,10 @@ snapshots: dependencies: '@types/node': 20.12.14 + '@types/fs-extra@9.0.13': + dependencies: + '@types/node': 20.12.14 + '@types/json-schema@7.0.15': {} '@types/luxon@3.4.2': {} @@ -3160,6 +3599,11 @@ snapshots: validator: 13.12.0 optional: true + '@zodios/core@10.9.6(axios@1.7.9)(zod@3.24.1)': + dependencies: + axios: 1.7.9 + zod: 3.24.1 + acorn-jsx@5.3.2(acorn@8.14.0): dependencies: acorn: 8.14.0 @@ -3170,6 +3614,10 @@ snapshots: acorn@8.14.0: {} + ajv-draft-04@1.0.0(ajv@8.17.1): + optionalDependencies: + ajv: 8.17.1 + ajv@6.12.6: dependencies: fast-deep-equal: 3.1.3 @@ -3177,6 +3625,13 @@ snapshots: json-schema-traverse: 0.4.1 uri-js: 4.4.1 + ajv@8.17.1: + dependencies: + fast-deep-equal: 3.1.3 + fast-uri: 3.0.5 + json-schema-traverse: 1.0.0 + require-from-string: 2.0.2 + ansi-regex@5.0.1: {} ansi-regex@6.1.0: {} @@ -3210,6 +3665,8 @@ snapshots: async@0.2.10: {} + asynckit@0.4.0: {} + autoprefixer@10.4.20(postcss@8.4.49): dependencies: browserslist: 4.24.2 @@ -3220,6 +3677,14 @@ snapshots: postcss: 8.4.49 postcss-value-parser: 4.2.0 + axios@1.7.9: + dependencies: + follow-redirects: 1.15.9 + form-data: 4.0.1 + proxy-from-env: 1.1.0 + transitivePeerDependencies: + - debug + axobject-query@4.1.0: {} balanced-match@1.0.2: {} @@ -3268,6 +3733,10 @@ snapshots: buffer-from@1.1.2: optional: true + cac@6.7.14: {} + + call-me-maybe@1.0.2: {} + callsites@3.1.0: {} camelcase-css@2.0.1: {} @@ -3323,12 +3792,18 @@ snapshots: color-convert: 2.0.1 color-string: 1.9.1 + combined-stream@1.0.8: + dependencies: + delayed-stream: 1.0.0 + commander@4.1.1: {} commander@9.5.0: {} concat-map@0.0.1: {} + convert-source-map@2.0.0: {} + cookie@0.6.0: {} cross-spawn@7.0.5: @@ -3352,6 +3827,8 @@ snapshots: deepmerge@4.3.1: {} + delayed-stream@1.0.0: {} + dequal@2.0.3: {} detect-libc@2.0.3: {} @@ -3543,6 +4020,8 @@ snapshots: esutils@2.0.3: {} + eval-estree-expression@2.0.3: {} + exiftool-vendored.exe@12.96.0: optional: true @@ -3579,6 +4058,8 @@ snapshots: fast-levenshtein@2.0.6: {} + fast-uri@3.0.5: {} + fastq@1.17.1: dependencies: reusify: 1.0.4 @@ -3623,11 +4104,19 @@ snapshots: dependencies: tabbable: 6.2.0 + follow-redirects@1.15.9: {} + foreground-child@3.3.0: dependencies: cross-spawn: 7.0.5 signal-exit: 4.1.0 + form-data@4.0.1: + dependencies: + asynckit: 0.4.0 + combined-stream: 1.0.8 + mime-types: 2.1.35 + formdata-polyfill@4.0.10: dependencies: fetch-blob: 3.2.0 @@ -3640,6 +4129,12 @@ snapshots: fraction.js@4.3.7: {} + fs-extra@10.1.0: + dependencies: + graceful-fs: 4.2.11 + jsonfile: 6.1.0 + universalify: 2.0.1 + fs.realpath@1.0.0: {} fsevents@2.3.3: @@ -3647,6 +4142,8 @@ snapshots: function-bind@1.1.2: {} + gensync@1.0.0-beta.2: {} + glob-parent@5.1.2: dependencies: is-glob: 4.0.3 @@ -3682,6 +4179,8 @@ snapshots: once: 1.4.0 path-is-absolute: 1.0.1 + globals@11.12.0: {} + globals@14.0.0: {} globals@15.12.0: {} @@ -3699,8 +4198,19 @@ snapshots: globrex@0.1.2: {} + graceful-fs@4.2.11: {} + graphemer@1.4.0: {} + handlebars@4.7.8: + dependencies: + minimist: 1.2.8 + neo-async: 2.6.2 + source-map: 0.6.1 + wordwrap: 1.0.0 + optionalDependencies: + uglify-js: 3.19.3 + has-flag@4.0.0: {} hasown@2.0.2: @@ -3778,10 +4288,14 @@ snapshots: '@sideway/pinpoint': 2.0.0 optional: true + js-tokens@4.0.0: {} + js-yaml@4.1.0: dependencies: argparse: 2.0.1 + jsesc@3.1.0: {} + json-buffer@3.0.1: {} json-schema-to-ts@3.1.1: @@ -3792,8 +4306,18 @@ snapshots: json-schema-traverse@0.4.1: {} + json-schema-traverse@1.0.0: {} + json-stable-stringify-without-jsonify@1.0.1: {} + json5@2.2.3: {} + + jsonfile@6.1.0: + dependencies: + universalify: 2.0.1 + optionalDependencies: + graceful-fs: 4.2.11 + just-clone@6.2.0: {} keyv@4.5.4: @@ -3852,6 +4376,10 @@ snapshots: lru-cache@11.0.2: {} + lru-cache@5.1.1: + dependencies: + yallist: 3.1.1 + lucide-svelte@0.416.0(svelte@5.1.16): dependencies: svelte: 5.1.16 @@ -3871,6 +4399,12 @@ snapshots: braces: 3.0.3 picomatch: 2.3.1 + mime-db@1.52.0: {} + + mime-types@2.1.35: + dependencies: + mime-db: 1.52.0 + minimatch@10.0.1: dependencies: brace-expansion: 2.0.1 @@ -3911,6 +4445,8 @@ snapshots: natural-compare@1.4.0: {} + neo-async@2.6.2: {} + node-domexception@1.0.0: {} node-fetch@3.3.2: @@ -3936,6 +4472,40 @@ snapshots: dependencies: wrappy: 1.0.2 + openapi-fetch@0.13.4: + dependencies: + openapi-typescript-helpers: 0.0.15 + + openapi-types@12.1.3: {} + + openapi-typescript-helpers@0.0.15: {} + + openapi-zod-client@1.18.2: + dependencies: + '@apidevtools/swagger-parser': 10.1.1(openapi-types@12.1.3) + '@liuli-util/fs-extra': 0.1.0 + '@zodios/core': 10.9.6(axios@1.7.9)(zod@3.24.1) + axios: 1.7.9 + cac: 6.7.14 + handlebars: 4.7.8 + openapi-types: 12.1.3 + openapi3-ts: 3.1.0 + pastable: 2.2.1 + prettier: 2.8.8 + tanu: 0.1.13 + ts-pattern: 5.6.0 + whence: 2.0.1 + zod: 3.24.1 + transitivePeerDependencies: + - debug + - react + - supports-color + - xstate + + openapi3-ts@3.1.0: + dependencies: + yaml: 2.6.0 + optionator@0.9.4: dependencies: deep-is: 0.1.4 @@ -3964,6 +4534,14 @@ snapshots: dependencies: callsites: 3.1.0 + pastable@2.2.1: + dependencies: + '@babel/core': 7.26.0 + ts-toolbelt: 9.6.0 + type-fest: 3.13.1 + transitivePeerDependencies: + - supports-color + path-exists@4.0.0: {} path-is-absolute@1.0.1: {} @@ -4069,11 +4647,15 @@ snapshots: optionalDependencies: prettier-plugin-svelte: 3.2.8(prettier@3.3.3)(svelte@5.1.16) + prettier@2.8.8: {} + prettier@3.3.3: {} property-expr@2.0.6: optional: true + proxy-from-env@1.1.0: {} + punycode@2.3.1: {} pure-rand@6.1.0: @@ -4100,6 +4682,8 @@ snapshots: regenerator-runtime@0.14.1: optional: true + require-from-string@2.0.2: {} + resolve-from@4.0.0: {} resolve@1.22.8: @@ -4152,6 +4736,8 @@ snapshots: dependencies: mri: 1.2.0 + semver@6.3.1: {} + semver@7.6.3: {} set-cookie-parser@2.7.1: {} @@ -4221,8 +4807,7 @@ snapshots: source-map: 0.6.1 optional: true - source-map@0.6.1: - optional: true + source-map@0.6.1: {} string-width@4.2.3: dependencies: @@ -4390,9 +4975,14 @@ snapshots: transitivePeerDependencies: - ts-node + tanu@0.1.13: + dependencies: + tslib: 2.8.1 + typescript: 4.9.5 + tauri-api-adapter@0.3.16(typescript@5.6.3): dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 '@tauri-apps/plugin-dialog': 2.2.0 '@tauri-apps/plugin-fs': 2.2.0 '@tauri-apps/plugin-http': 2.2.0 @@ -4424,18 +5014,18 @@ snapshots: tauri-plugin-network-api@2.0.5(typescript@5.6.3): dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 valibot: 1.0.0-beta.11(typescript@5.6.3) transitivePeerDependencies: - typescript tauri-plugin-shellx-api@2.0.14: dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 tauri-plugin-system-info-api@2.0.8(typescript@5.6.3): dependencies: - '@tauri-apps/api': 2.1.1 + '@tauri-apps/api': 2.2.0 valibot: 0.40.0(typescript@5.6.3) transitivePeerDependencies: - typescript @@ -4478,6 +5068,10 @@ snapshots: ts-interface-checker@0.1.13: {} + ts-pattern@5.6.0: {} + + ts-toolbelt@9.6.0: {} + tsc-alias@1.8.10: dependencies: chokidar: 3.6.0 @@ -4499,6 +5093,8 @@ snapshots: type-fest@2.19.0: optional: true + type-fest@3.13.1: {} + typescript-eslint@8.14.0(eslint@9.14.0(jiti@1.21.6))(typescript@5.6.3): dependencies: '@typescript-eslint/eslint-plugin': 8.14.0(@typescript-eslint/parser@8.14.0(eslint@9.14.0(jiti@1.21.6))(typescript@5.6.3))(eslint@9.14.0(jiti@1.21.6))(typescript@5.6.3) @@ -4510,10 +5106,17 @@ snapshots: - eslint - supports-color + typescript@4.9.5: {} + typescript@5.6.3: {} + uglify-js@3.19.3: + optional: true + undici-types@5.26.5: {} + universalify@2.0.1: {} + update-browserslist-db@1.1.1(browserslist@4.24.2): dependencies: browserslist: 4.24.2 @@ -4569,6 +5172,11 @@ snapshots: web-streams-polyfill@3.3.3: {} + whence@2.0.1: + dependencies: + '@babel/parser': 7.26.5 + eval-estree-expression: 2.0.3 + which@1.3.1: dependencies: isexe: 2.0.0 @@ -4579,6 +5187,8 @@ snapshots: word-wrap@1.2.5: {} + wordwrap@1.0.0: {} + wrap-ansi@7.0.0: dependencies: ansi-styles: 4.3.0 @@ -4595,6 +5205,8 @@ snapshots: ws@8.18.0: {} + yallist@3.1.1: {} + yaml@1.10.2: {} yaml@2.6.0: {} @@ -4617,3 +5229,5 @@ snapshots: optional: true zod@3.23.8: {} + + zod@3.24.1: {} diff --git a/src/lib/api.ts b/src/lib/api.ts index afd53fd..c161e52 100644 --- a/src/lib/api.ts +++ b/src/lib/api.ts @@ -1,5 +1,3 @@ -// @ts-nocheck - import { shell } from '@kksh/api/ui/iframe'; import type { API } from '../types'; @@ -42,48 +40,3 @@ export function getFFmpegPath() { } }); } - -(async () => { - - - import { shell } from '@kksh/api/ui/iframe'; - - const { rpcChannel, process, command } = await shell.createDenoRpcChannel( - '$EXTENSION/ext.ts', - { - allowEnv: ['NODE_V8_COVERAGE', 'npm_package_config_libvips', 'EXIFTOOL_HOME', 'OSTYPE'], - allowAllRead: true, - allowAllSys: true, - allowAllRun: true, - env: { - FFMPEG_PATH: '/opt/homebrew/bin/ffmpeg', - FFPROBE_PATH: '/opt/homebrew/bin/ffprobe' - } - } - ); - const api = rpcChannel.getAPI(); - api - .convertVideo( - inputPath, - outputPath, - verifiedOptions, - () => { - // on start - toast.info('Started'); - }, - (progress) => { - console.log('progress', progress); - }, - () => { - // on end - process.kill(); - toast.success('Done'); - } - ) - .catch((e) => { - console.error(e); - process.kill(); - }); - - -})();